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 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import android.content.Context; /** * An interface for classes that can create periodic tasks. * * @author Sandor Dornbush */ public interface PeriodicTaskFactory { /** * Creates a periodic task which does voice announcements. * * @return the task, or null if task is not supported */ PeriodicTask create(Context context); }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/tasks/PeriodicTaskFactory.java
Java
asf20
998
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.util.TrackRecordingServiceConnectionUtils; import com.google.android.maps.mytracks.BuildConfig; import android.content.ComponentName; import android.content.Context; import android.content.Intent; import android.content.ServiceConnection; import android.os.IBinder; import android.os.IBinder.DeathRecipient; import android.os.RemoteException; import android.util.Log; /** * Wrapper for the connection to the track recording service. * This handles connection/disconnection internally, only returning a real * service for use if one is available and connected. * * @author Rodrigo Damazio */ public class TrackRecordingServiceConnection { private ITrackRecordingService boundService; private final DeathRecipient deathRecipient = new DeathRecipient() { @Override public void binderDied() { Log.d(TAG, "Service died"); setBoundService(null); } }; private final ServiceConnection serviceConnection = new ServiceConnection() { @Override public void onServiceConnected(ComponentName className, IBinder service) { Log.i(TAG, "Connected to service"); try { service.linkToDeath(deathRecipient, 0); } catch (RemoteException e) { Log.e(TAG, "Failed to bind a death recipient", e); } setBoundService(ITrackRecordingService.Stub.asInterface(service)); } @Override public void onServiceDisconnected(ComponentName className) { Log.i(TAG, "Disconnected from service"); setBoundService(null); } }; private final Context context; private final Runnable bindChangedCallback; /** * Constructor. * * @param context the current context * @param bindChangedCallback a callback to be executed when the state of the * service binding changes */ public TrackRecordingServiceConnection(Context context, Runnable bindChangedCallback) { this.context = context; this.bindChangedCallback = bindChangedCallback; } /** * Binds to the service, starting it if necessary. */ public void startAndBind() { bindService(true); } /** * Binds to the service, only if it's already running. */ public void bindIfRunning() { bindService(false); } /** * Unbinds from and stops the service. */ public void stop() { unbind(); Log.d(TAG, "Stopping service"); Intent intent = new Intent(context, TrackRecordingService.class); context.stopService(intent); } /** * Unbinds from the service (but leaves it running). */ public void unbind() { Log.d(TAG, "Unbinding from the service"); try { context.unbindService(serviceConnection); } catch (IllegalArgumentException e) { // Means we weren't bound, which is ok. } setBoundService(null); } /** * Returns the service if connected to it, or null if not connected. */ public ITrackRecordingService getServiceIfBound() { checkBindingAlive(); return boundService; } private void checkBindingAlive() { if (boundService != null && !boundService.asBinder().isBinderAlive()) { setBoundService(null); } } private void bindService(boolean startIfNeeded) { if (boundService != null) { // Already bound. return; } if (!startIfNeeded && !TrackRecordingServiceConnectionUtils.isRecordingServiceRunning(context)) { // Not running, start not requested. Log.d(TAG, "Service not running, not binding to it."); return; } if (startIfNeeded) { Log.i(TAG, "Starting the service"); Intent intent = new Intent(context, TrackRecordingService.class); context.startService(intent); } Log.i(TAG, "Binding to the service"); Intent intent = new Intent(context, TrackRecordingService.class); int flags = BuildConfig.DEBUG ? Context.BIND_DEBUG_UNBIND : 0; context.bindService(intent, serviceConnection, flags); } private void setBoundService(ITrackRecordingService service) { boundService = service; if (bindChangedCallback != null) { bindChangedCallback.run(); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/TrackRecordingServiceConnection.java
Java
asf20
4,837
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.util.Log; /** * A class that manages reading the shared preferences for the service. * * @author Sandor Dornbush */ public class PreferenceManager implements OnSharedPreferenceChangeListener { private TrackRecordingService service; private SharedPreferences sharedPreferences; private final String announcementFrequencyKey; private final String autoResumeTrackCurrentRetryKey; private final String autoResumeTrackTimeoutKey; private final String maxRecordingDistanceKey; private final String metricUnitsKey; private final String minRecordingDistanceKey; private final String minRecordingIntervalKey; private final String minRequiredAccuracyKey; private final String splitFrequencyKey; public PreferenceManager(TrackRecordingService service) { this.service = service; this.sharedPreferences = service.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (sharedPreferences == null) { Log.w(Constants.TAG, "TrackRecordingService: Couldn't get shared preferences."); throw new IllegalStateException("Couldn't get shared preferences"); } sharedPreferences.registerOnSharedPreferenceChangeListener(this); announcementFrequencyKey = service.getString(R.string.announcement_frequency_key); autoResumeTrackCurrentRetryKey = service.getString(R.string.auto_resume_track_current_retry_key); autoResumeTrackTimeoutKey = service.getString(R.string.auto_resume_track_timeout_key); maxRecordingDistanceKey = service.getString(R.string.max_recording_distance_key); metricUnitsKey = service.getString(R.string.metric_units_key); minRecordingDistanceKey = service.getString(R.string.min_recording_distance_key); minRecordingIntervalKey = service.getString(R.string.min_recording_interval_key); minRequiredAccuracyKey = service.getString(R.string.min_required_accuracy_key); splitFrequencyKey = service.getString(R.string.split_frequency_key); // Refresh all properties. onSharedPreferenceChanged(sharedPreferences, null); } /** * Notifies that preferences have changed. * Call this with key == null to update all preferences in one call. * * @param key the key that changed (may be null to update all preferences) */ @Override public void onSharedPreferenceChanged(SharedPreferences preferences, String key) { if (service == null) { Log.w(Constants.TAG, "onSharedPreferenceChanged: a preference change (key = " + key + ") after a call to shutdown()"); return; } if (key == null || key.equals(minRecordingDistanceKey)) { int minRecordingDistance = sharedPreferences.getInt( minRecordingDistanceKey, Constants.DEFAULT_MIN_RECORDING_DISTANCE); service.setMinRecordingDistance(minRecordingDistance); Log.d(Constants.TAG, "TrackRecordingService: minRecordingDistance = " + minRecordingDistance); } if (key == null || key.equals(maxRecordingDistanceKey)) { service.setMaxRecordingDistance(sharedPreferences.getInt( maxRecordingDistanceKey, Constants.DEFAULT_MAX_RECORDING_DISTANCE)); } if (key == null || key.equals(minRecordingIntervalKey)) { int minRecordingInterval = sharedPreferences.getInt( minRecordingIntervalKey, Constants.DEFAULT_MIN_RECORDING_INTERVAL); switch (minRecordingInterval) { case -2: // Battery Miser // min: 30 seconds // max: 5 minutes // minDist: 5 meters Choose battery life over moving time accuracy. service.setLocationListenerPolicy( new AdaptiveLocationListenerPolicy(30000, 300000, 5)); break; case -1: // High Accuracy // min: 1 second // max: 30 seconds // minDist: 0 meters get all updates to properly measure moving time. service.setLocationListenerPolicy( new AdaptiveLocationListenerPolicy(1000, 30000, 0)); break; default: service.setLocationListenerPolicy( new AbsoluteLocationListenerPolicy(minRecordingInterval * 1000)); } } if (key == null || key.equals(minRequiredAccuracyKey)) { service.setMinRequiredAccuracy(sharedPreferences.getInt( minRequiredAccuracyKey, Constants.DEFAULT_MIN_REQUIRED_ACCURACY)); } if (key == null || key.equals(announcementFrequencyKey)) { service.setAnnouncementFrequency( sharedPreferences.getInt(announcementFrequencyKey, -1)); } if (key == null || key.equals(autoResumeTrackTimeoutKey)) { service.setAutoResumeTrackTimeout(sharedPreferences.getInt( autoResumeTrackTimeoutKey, Constants.DEFAULT_AUTO_RESUME_TRACK_TIMEOUT)); } if (key == null || key.equals(PreferencesUtils.getRecordingTrackIdKey(service))) { long recordingTrackId = PreferencesUtils.getRecordingTrackId(service); // Only read the id if it is valid. // Setting it to -1 should only happen in // TrackRecordingService.endCurrentTrack() if (recordingTrackId != -1L) { service.setRecordingTrackId(recordingTrackId); } } if (key == null || key.equals(splitFrequencyKey)) { service.setSplitFrequency( sharedPreferences.getInt(splitFrequencyKey, 0)); } if (key == null || key.equals(metricUnitsKey)) { service.setMetricUnits( sharedPreferences.getBoolean(metricUnitsKey, true)); } } public void setAutoResumeTrackCurrentRetry(int retryAttempts) { Editor editor = sharedPreferences.edit(); editor.putInt(autoResumeTrackCurrentRetryKey, retryAttempts); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); } public void shutdown() { sharedPreferences.unregisterOnSharedPreferenceChangeListener(this); service = null; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/PreferenceManager.java
Java
asf20
7,072
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; /** * This is a simple location listener policy that will always dictate the same * polling interval. * * @author Sandor Dornbush */ public class AbsoluteLocationListenerPolicy implements LocationListenerPolicy { /** * The interval to request for gps signal. */ private final long interval; /** * @param interval The interval to request for gps signal */ public AbsoluteLocationListenerPolicy(final long interval) { this.interval = interval; } /** * @return The interval given in the constructor */ public long getDesiredPollingInterval() { return interval; } /** * Discards the idle time. */ public void updateIdleTime(long idleTime) { } /** * Returns the minimum distance between updates. * Get all updates to properly measure moving time. */ public int getMinDistance() { return 0; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/AbsoluteLocationListenerPolicy.java
Java
asf20
1,519
/* * Copyright (C) 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import android.bluetooth.BluetoothAdapter; import android.bluetooth.BluetoothDevice; import android.bluetooth.BluetoothSocket; import android.os.Bundle; import android.os.Handler; import android.os.Message; import android.util.Log; import java.io.IOException; import java.io.InputStream; import java.io.OutputStream; import java.util.UUID; /** * This class does all the work for setting up and managing Bluetooth * connections with other devices. It has a thread that listens for incoming * connections, a thread for connecting with a device, and a thread for * performing data transmissions when connected. * * @author Sandor Dornbush */ public class BluetoothConnectionManager { // Unique Bluetooth UUID for My Tracks public static final UUID SPP_UUID = UUID.fromString("00001101-0000-1000-8000-00805F9B34FB"); private MessageParser parser; // Member fields private final BluetoothAdapter adapter; private final Handler handler; private ConnectThread connectThread; private ConnectedThread connectedThread; private Sensor.SensorState state; // Message types sent from the BluetoothSenorService Handler public static final int MESSAGE_STATE_CHANGE = 1; public static final int MESSAGE_READ = 2; public static final int MESSAGE_WRITE = 3; public static final int MESSAGE_DEVICE_NAME = 4; // Key names received from the BluetoothSenorService Handler public static final String DEVICE_NAME = "device_name"; /** * Constructor. Prepares a new BluetoothSensor session. * * @param handler A Handler to send messages back to the UI Activity * @param parser A message parser */ public BluetoothConnectionManager(Handler handler, MessageParser parser) { this.adapter = BluetoothAdapter.getDefaultAdapter(); this.state = Sensor.SensorState.NONE; this.handler = handler; this.parser = parser; } /** * Set the current state of the sensor connection * * @param state An integer defining the current connection state */ private synchronized void setState(Sensor.SensorState state) { // TODO pretty print this. Log.d(Constants.TAG, "setState(" + state + ")"); this.state = state; // Give the new state to the Handler so the UI Activity can update handler.obtainMessage(MESSAGE_STATE_CHANGE, state.getNumber(), -1).sendToTarget(); } /** * Return the current connection state. */ public synchronized Sensor.SensorState getState() { return state; } /** * Start the sensor service. Specifically start AcceptThread to begin a session * in listening (server) mode. Called by the Activity onResume() */ public synchronized void start() { Log.d(Constants.TAG, "BluetoothConnectionManager.start()"); // Cancel any thread attempting to make a connection if (connectThread != null) { connectThread.cancel(); connectThread = null; } // Cancel any thread currently running a connection if (connectedThread != null) { connectedThread.cancel(); connectedThread = null; } setState(Sensor.SensorState.NONE); } /** * Start the ConnectThread to initiate a connection to a remote device. * * @param device The BluetoothDevice to connect */ public synchronized void connect(BluetoothDevice device) { Log.d(Constants.TAG, "connect to: " + device); // Cancel any thread attempting to make a connection if (state == Sensor.SensorState.CONNECTING) { if (connectThread != null) { connectThread.cancel(); connectThread = null; } } // Cancel any thread currently running a connection if (connectedThread != null) { connectedThread.cancel(); connectedThread = null; } // Start the thread to connect with the given device connectThread = new ConnectThread(device); connectThread.start(); setState(Sensor.SensorState.CONNECTING); } /** * Start the ConnectedThread to begin managing a Bluetooth connection * * @param socket The BluetoothSocket on which the connection was made * @param device The BluetoothDevice that has been connected */ public synchronized void connected(BluetoothSocket socket, BluetoothDevice device) { Log.d(Constants.TAG, "connected"); // Cancel the thread that completed the connection if (connectThread != null) { connectThread.cancel(); connectThread = null; } // Cancel any thread currently running a connection if (connectedThread != null) { connectedThread.cancel(); connectedThread = null; } // Start the thread to manage the connection and perform transmissions connectedThread = new ConnectedThread(socket); connectedThread.start(); // Send the name of the connected device back to the UI Activity Message msg = handler.obtainMessage(MESSAGE_DEVICE_NAME); Bundle bundle = new Bundle(); bundle.putString(DEVICE_NAME, device.getName()); msg.setData(bundle); handler.sendMessage(msg); setState(Sensor.SensorState.CONNECTED); } /** * Stop all threads */ public synchronized void stop() { Log.d(Constants.TAG, "stop()"); if (connectThread != null) { connectThread.cancel(); connectThread = null; } if (connectedThread != null) { connectedThread.cancel(); connectedThread = null; } setState(Sensor.SensorState.NONE); } /** * Write to the ConnectedThread in an unsynchronized manner * * @param out The bytes to write * @see ConnectedThread#write(byte[]) */ public void write(byte[] out) { // Create temporary object ConnectedThread r; // Synchronize a copy of the ConnectedThread synchronized (this) { if (state != Sensor.SensorState.CONNECTED) { return; } r = connectedThread; } // Perform the write unsynchronized r.write(out); } /** * Indicate that the connection attempt failed and notify the UI Activity. */ private void connectionFailed() { setState(Sensor.SensorState.DISCONNECTED); Log.i(Constants.TAG, "Bluetooth connection failed."); } /** * Indicate that the connection was lost and notify the UI Activity. */ private void connectionLost() { setState(Sensor.SensorState.DISCONNECTED); Log.i(Constants.TAG, "Bluetooth connection lost."); } /** * This thread runs while attempting to make an outgoing connection with a * device. It runs straight through; the connection either succeeds or fails. */ private class ConnectThread extends Thread { private final BluetoothSocket socket; private final BluetoothDevice device; public ConnectThread(BluetoothDevice device) { setName("ConnectThread-" + device.getName()); this.device = device; BluetoothSocket tmp = null; // Get a BluetoothSocket for a connection with the // given BluetoothDevice try { tmp = ApiAdapterFactory.getApiAdapter().getBluetoothSocket(device); } catch (IOException e) { Log.e(Constants.TAG, "create() failed", e); } socket = tmp; } @Override public void run() { Log.d(Constants.TAG, "BEGIN mConnectThread"); // Always cancel discovery because it will slow down a connection adapter.cancelDiscovery(); // Make a connection to the BluetoothSocket try { // This is a blocking call and will only return on a // successful connection or an exception socket.connect(); } catch (IOException e) { connectionFailed(); // Close the socket try { socket.close(); } catch (IOException e2) { Log.e(Constants.TAG, "unable to close() socket during connection failure", e2); } // Start the service over to restart listening mode BluetoothConnectionManager.this.start(); return; } // Reset the ConnectThread because we're done synchronized (BluetoothConnectionManager.this) { connectThread = null; } // Start the connected thread connected(socket, device); } public void cancel() { try { socket.close(); } catch (IOException e) { Log.e(Constants.TAG, "close() of connect socket failed", e); } } } /** * This thread runs during a connection with a remote device. It handles all * incoming and outgoing transmissions. */ private class ConnectedThread extends Thread { private final BluetoothSocket btSocket; private final InputStream mmInStream; private final OutputStream mmOutStream; public ConnectedThread(BluetoothSocket socket) { Log.d(Constants.TAG, "create ConnectedThread"); btSocket = socket; InputStream tmpIn = null; OutputStream tmpOut = null; // Get the BluetoothSocket input and output streams try { tmpIn = socket.getInputStream(); tmpOut = socket.getOutputStream(); } catch (IOException e) { Log.e(Constants.TAG, "temp sockets not created", e); } mmInStream = tmpIn; mmOutStream = tmpOut; } @Override public void run() { Log.i(Constants.TAG, "BEGIN mConnectedThread"); byte[] buffer = new byte[parser.getFrameSize()]; int bytes; int offset = 0; // Keep listening to the InputStream while connected while (true) { try { // Read from the InputStream bytes = mmInStream.read(buffer, offset, parser.getFrameSize() - offset); if (bytes < 0) { throw new IOException("EOF reached"); } offset += bytes; if (offset != parser.getFrameSize()) { // partial frame received, call read() again to receive the rest continue; } // check if its a valid frame if (!parser.isValid(buffer)) { int index = parser.findNextAlignment(buffer); if (index > 0) { // re-align offset = parser.getFrameSize() - index; System.arraycopy(buffer, index, buffer, 0, offset); Log.w(Constants.TAG, "Misaligned data, found new message at " + index + " recovering..."); continue; } Log.w(Constants.TAG, "Could not find valid data, dropping data"); offset = 0; continue; } offset = 0; // Send copy of the obtained bytes to the UI Activity. // Avoids memory inconsistency issues. handler.obtainMessage(MESSAGE_READ, bytes, -1, buffer.clone()) .sendToTarget(); } catch (IOException e) { Log.e(Constants.TAG, "disconnected", e); connectionLost(); break; } } } /** * Write to the connected OutStream. * * @param buffer The bytes to write */ public void write(byte[] buffer) { try { mmOutStream.write(buffer); // Share the sent message back to the UI Activity handler.obtainMessage(MESSAGE_WRITE, -1, -1, buffer).sendToTarget(); } catch (IOException e) { Log.e(Constants.TAG, "Exception during write", e); } } public void cancel() { try { btSocket.close(); } catch (IOException e) { Log.e(Constants.TAG, "close() of connect socket failed", e); } } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/BluetoothConnectionManager.java
Java
asf20
12,297
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.maps.mytracks.R; import android.bluetooth.BluetoothAdapter; import android.bluetooth.BluetoothDevice; import android.content.Context; import android.content.SharedPreferences; import android.os.Handler; import android.os.Looper; import android.os.Message; import android.util.Log; import android.widget.Toast; import java.util.ArrayList; /** * Manage the connection to a bluetooth sensor. * * @author Sandor Dornbush */ public class BluetoothSensorManager extends SensorManager { // Local Bluetooth adapter private static final BluetoothAdapter bluetoothAdapter = getDefaultBluetoothAdapter(); // Member object for the sensor threads and connections. private BluetoothConnectionManager connectionManager = null; // Name of the connected device private String connectedDeviceName = null; private Context context = null; private Sensor.SensorDataSet sensorDataSet = null; private MessageParser parser; public BluetoothSensorManager( Context context, MessageParser parser) { this.context = context; this.parser = parser; // If BT is not available or not enabled quit. if (!isEnabled()) { return; } setupSensor(); } private void setupSensor() { Log.d(Constants.TAG, "setupSensor()"); // Initialize the BluetoothSensorAdapter to perform bluetooth connections. connectionManager = new BluetoothConnectionManager(messageHandler, parser); } /** * Code for assigning the local bluetooth adapter * * @return The default bluetooth adapter, if one is available, NULL if it isn't. */ private static BluetoothAdapter getDefaultBluetoothAdapter() { // Check if the calling thread is the main application thread, // if it is, do it directly. if (Thread.currentThread().equals(Looper.getMainLooper().getThread())) { return BluetoothAdapter.getDefaultAdapter(); } // If the calling thread, isn't the main application thread, // then get the main application thread to return the default adapter. final ArrayList<BluetoothAdapter> adapters = new ArrayList<BluetoothAdapter>(1); final Object mutex = new Object(); Handler handler = new Handler(Looper.getMainLooper()); handler.post(new Runnable() { @Override public void run() { adapters.add(BluetoothAdapter.getDefaultAdapter()); synchronized (mutex) { mutex.notify(); } } }); while (adapters.isEmpty()) { synchronized (mutex) { try { mutex.wait(1000L); } catch (InterruptedException e) { Log.e(TAG, "Interrupted while waiting for default bluetooth adapter", e); } } } if (adapters.get(0) == null) { Log.w(TAG, "No bluetooth adapter found!"); } return adapters.get(0); } public boolean isEnabled() { return bluetoothAdapter != null && bluetoothAdapter.isEnabled(); } public void setupChannel() { if (!isEnabled() || connectionManager == null) { Log.w(Constants.TAG, "Disabled manager onStartTrack"); return; } SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); String address = prefs.getString(context.getString(R.string.bluetooth_sensor_key), ""); if (address == null || address.equals("")) { return; } Log.w(Constants.TAG, "Connecting to bluetooth sensor: " + address); // Get the BluetoothDevice object BluetoothDevice device = bluetoothAdapter.getRemoteDevice(address); // Attempt to connect to the device connectionManager.connect(device); // Performing this check in onResume() covers the case in which BT was // not enabled during onStart(), so we were paused to enable it... // onResume() will be called when ACTION_REQUEST_ENABLE activity returns. if (connectionManager != null) { // Only if the state is STATE_NONE, do we know that we haven't started // already if (connectionManager.getState() == Sensor.SensorState.NONE) { // Start the Bluetooth sensor services Log.w(Constants.TAG, "Disabled manager onStartTrack"); connectionManager.start(); } } } public void onDestroy() { // Stop the Bluetooth sensor services if (connectionManager != null) { connectionManager.stop(); } } public Sensor.SensorDataSet getSensorDataSet() { return sensorDataSet; } public Sensor.SensorState getSensorState() { return (connectionManager == null) ? Sensor.SensorState.NONE : connectionManager.getState(); } // The Handler that gets information back from the BluetoothSensorService private final Handler messageHandler = new Handler(Looper.getMainLooper()) { @Override public void handleMessage(Message msg) { switch (msg.what) { case BluetoothConnectionManager.MESSAGE_STATE_CHANGE: // TODO should we update the SensorManager state var? Log.i(Constants.TAG, "MESSAGE_STATE_CHANGE: " + msg.arg1); break; case BluetoothConnectionManager.MESSAGE_WRITE: break; case BluetoothConnectionManager.MESSAGE_READ: byte[] readBuf = null; try { readBuf = (byte[]) msg.obj; sensorDataSet = parser.parseBuffer(readBuf); Log.d(Constants.TAG, "MESSAGE_READ: " + sensorDataSet.toString()); } catch (IllegalArgumentException iae) { sensorDataSet = null; Log.i(Constants.TAG, "Got bad sensor data: " + new String(readBuf, 0, readBuf.length), iae); } catch (RuntimeException re) { sensorDataSet = null; Log.i(Constants.TAG, "Unexpected exception on read.", re); } break; case BluetoothConnectionManager.MESSAGE_DEVICE_NAME: // save the connected device's name connectedDeviceName = msg.getData().getString(BluetoothConnectionManager.DEVICE_NAME); Toast.makeText(context.getApplicationContext(), "Connected to " + connectedDeviceName, Toast.LENGTH_SHORT) .show(); break; } } }; }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/BluetoothSensorManager.java
Java
asf20
7,086
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import android.content.Context; public class ZephyrSensorManager extends BluetoothSensorManager { public ZephyrSensorManager(Context context) { super(context, new ZephyrMessageParser()); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ZephyrSensorManager.java
Java
asf20
853
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; import static com.google.android.apps.mytracks.Constants.TAG; import android.util.Log; /** * Ant+ heart reate monitor sensor. * * @author Laszlo Molnar */ public class HeartRateSensor extends AntSensorBase { /* * These constants are defined by the ANT+ heart rate monitor spec. */ public static final byte HEART_RATE_DEVICE_TYPE = 120; public static final short HEART_RATE_CHANNEL_PERIOD = 8070; HeartRateSensor(short devNum) { super(devNum, HEART_RATE_DEVICE_TYPE, "heart rate monitor", HEART_RATE_CHANNEL_PERIOD); } /** * Decode an ANT+ heart rate monitor message. * @param antMessage The byte array received from the heart rate monitor. */ @Override public void handleBroadcastData(byte[] antMessage, AntSensorDataCollector c) { int bpm = (int) antMessage[8] & 0xFF; Log.d(TAG, "now:" + System.currentTimeMillis() + " heart rate=" + bpm); c.setHeartRate(bpm); } };
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/HeartRateSensor.java
Java
asf20
1,581
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * This class decodes and encapsulates an ANT Channel ID message. * (ANT Message ID 0x51, Protocol & Usage guide v4.2 section 9.5.7.2) * * @author Matthew Simmons */ public class AntChannelIdMessage extends AntMessage { private byte channelNumber; private short deviceNumber; private byte deviceTypeId; private byte transmissionType; public AntChannelIdMessage(byte[] messageData) { channelNumber = messageData[0]; deviceNumber = decodeShort(messageData[1], messageData[2]); deviceTypeId = messageData[3]; transmissionType = messageData[4]; } /** Returns the channel number */ public byte getChannelNumber() { return channelNumber; } /** Returns the device number */ public short getDeviceNumber() { return deviceNumber; } /** Returns the device type */ public byte getDeviceTypeId() { return deviceTypeId; } /** Returns the transmission type */ public byte getTransmissionType() { return transmissionType; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/AntChannelIdMessage.java
Java
asf20
1,647
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; import static com.google.android.apps.mytracks.Constants.TAG; import android.util.Log; /** * Base class for ANT+ sensors. * * @author Laszlo Molnar */ public abstract class AntSensorBase { /* * These constants are defined by the ANT+ spec. */ public static final byte NETWORK_NUMBER = 1; public static final byte RF_FREQUENCY = 57; private short deviceNumber; private final byte deviceType; private final short channelPeriod; AntSensorBase(short deviceNumber, byte deviceType, String deviceTypeString, short channelPeriod) { this.deviceNumber = deviceNumber; this.deviceType = deviceType; this.channelPeriod = channelPeriod; Log.i(TAG, "Will pair with " + deviceTypeString + " device: " + ((int) deviceNumber & 0xFFFF)); } public abstract void handleBroadcastData(byte[] antMessage, AntSensorDataCollector c); public void setDeviceNumber(short dn) { deviceNumber = dn; } public short getDeviceNumber() { return deviceNumber; } public byte getNetworkNumber() { return NETWORK_NUMBER; } public byte getFrequency() { return RF_FREQUENCY; } public byte getDeviceType() { return deviceType; } public short getChannelPeriod() { return channelPeriod; } };
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/AntSensorBase.java
Java
asf20
1,925
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * Ant+ combined cadence and speed sensor. * * @author Laszlo Molnar */ public class CadenceSpeedSensor extends AntSensorBase { /* * These constants are defined by the ANT+ bike speed and cadence sensor spec. */ public static final byte CADENCE_SPEED_DEVICE_TYPE = 121; public static final short CADENCE_SPEED_CHANNEL_PERIOD = 8086; SensorEventCounter dataProcessor = new SensorEventCounter(); CadenceSpeedSensor(short devNum) { super(devNum, CADENCE_SPEED_DEVICE_TYPE, "speed&cadence sensor", CADENCE_SPEED_CHANNEL_PERIOD); } /** * Decode an ANT+ cadence&speed sensor message. * @param antMessage The byte array received from the sensor. */ @Override public void handleBroadcastData(byte[] antMessage, AntSensorDataCollector c) { int sensorTime = ((int) antMessage[1] & 0xFF) + ((int) antMessage[2] & 0xFF) * 256; int crankRevs = ((int) antMessage[3] & 0xFF) + ((int) antMessage[4] & 0xFF) * 256; c.setCadence(dataProcessor.getEventsPerMinute(crankRevs, sensorTime)); } };
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/CadenceSpeedSensor.java
Java
asf20
1,692
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * This is a common superclass for ANT message subclasses. * * @author Matthew Simmons */ public class AntMessage { protected AntMessage() {} /** Build a short value from its constituent bytes */ protected static short decodeShort(byte b0, byte b1) { int value = b0 & 0xFF; value |= (b1 & 0xFF) << 8; return (short)value; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/AntMessage.java
Java
asf20
1,009
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * This class decodes and encapsulates an ANT Channel Response / Event message. * (ANT Message ID 0x40, Protocol & Usage guide v4.2 section 9.5.6.1) * * @author Matthew Simmons */ public class AntChannelResponseMessage extends AntMessage { private byte channelNumber; private byte messageId; private byte messageCode; public AntChannelResponseMessage(byte[] messageData) { channelNumber = messageData[0]; messageId = messageData[1]; messageCode = messageData[2]; } /** Returns the channel number */ public byte getChannelNumber() { return channelNumber; } /** Returns the ID of the message being responded to */ public byte getMessageId() { return messageId; } /** Returns the code for a specific response or event */ public byte getMessageCode() { return messageCode; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/AntChannelResponseMessage.java
Java
asf20
1,492
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * This class decodes and encapsulates an ANT Startup message. * (ANT Message ID 0x6f, Protocol & Usage guide v4.2 section 9.5.3.1) * * @author Matthew Simmons */ public class AntStartupMessage extends AntMessage { private byte message; public AntStartupMessage(byte[] messageData) { message = messageData[0]; } /** Returns the cause of the startup */ public byte getMessage() { return message; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/AntStartupMessage.java
Java
asf20
1,084
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; import com.dsi.ant.AntDefine; import com.dsi.ant.AntInterface; import android.content.Context; import java.lang.reflect.Field; import java.lang.reflect.Modifier; import java.util.HashSet; import java.util.Set; /** * Utility methods for ANT functionality. * * Prefer use of this class to importing DSI ANT classes into code outside of * the sensors package. */ public class AntUtils { private AntUtils() {} /** Returns true if this device supports ANT sensors. */ public static boolean hasAntSupport(Context context) { return AntInterface.hasAntSupport(context); } /** * Finds the names of in the messages with the given value */ public static String antMessageToString(byte msg) { return findConstByteInClass(AntDefine.class, msg, "MESG_.*_ID"); } /** * Finds the names of in the events with the given value */ public static String antEventToStr(byte event) { return findConstByteInClass(AntDefine.class, event, ".*EVENT.*"); } /** * Finds a set of constant static byte field declarations in the class that have the given value * and whose name match the given pattern * @param cl class to search in * @param value value of constant static byte field declarations to match * @param regexPattern pattern to match against the name of the field * @return a set of the names of fields, expressed as a string */ private static String findConstByteInClass(Class<?> cl, byte value, String regexPattern) { Field[] fields = cl.getDeclaredFields(); Set<String> fieldSet = new HashSet<String>(); for (Field f : fields) { try { if (f.getType() == Byte.TYPE && (f.getModifiers() & Modifier.STATIC) != 0 && f.getName().matches(regexPattern) && f.getByte(null) == value) { fieldSet.add(f.getName()); } } catch (IllegalArgumentException e) { // ignore } catch (IllegalAccessException e) { // ignore } } return fieldSet.toString(); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/AntUtils.java
Java
asf20
2,692
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; import static com.google.android.apps.mytracks.Constants.TAG; import com.dsi.ant.AntDefine; import com.dsi.ant.AntInterface; import com.dsi.ant.AntInterfaceIntent; import com.dsi.ant.AntMesg; import com.dsi.ant.exception.AntInterfaceException; import com.dsi.ant.exception.AntServiceNotConnectedException; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.content.Sensor.SensorDataSet; import com.google.android.apps.mytracks.services.sensors.SensorManager; import android.content.BroadcastReceiver; import android.content.Context; import android.content.Intent; import android.content.IntentFilter; import android.util.Log; /** * This is the common superclass for ANT-based sensors. It handles tasks which * apply to the ANT framework as a whole, such as framework initialization and * destruction. Subclasses are expected to handle the initialization and * management of individual sensors. * * Implementation: * * The initialization process is somewhat complicated. This is due in part to * the asynchronous nature of ANT Radio Service initialization, and in part due * to an apparent bug in that service. The following is an overview of the * initialization process. * * Initialization begins in {@link #setupChannel}, which is invoked by the * {@link SensorManager} when track recording begins. {@link #setupChannel} * asks the ANT Radio Service (via {@link AntInterface}) to start, using a * AntInterface.ServiceListener to indicate when the service has * connected. {@link #serviceConnected} claims and enables the Radio Service, * and then resets it to a known state for our use. Completion of reset is * indicated by receipt of a startup message (see {@link AntStartupMessage}). * Once we've received that message, the ANT service is ready for use, and we * can start sensor-specific initialization using * {@link #setupAntSensorChannels}. The initialization of each sensor will * usually result in a call to {@link #setupAntSensorChannel}. * * @author Sandor Dornbush */ public abstract class AntSensorManager extends SensorManager { // Pairing protected static final short WILDCARD = 0; private AntInterface antReceiver; /** * The data from the sensors. */ protected SensorDataSet sensorData; protected Context context; private static final boolean DEBUGGING = false; /** Receives and logs all status ANT intents. */ private final BroadcastReceiver statusReceiver = new BroadcastReceiver() { @Override public void onReceive(Context ctx, Intent intent) { String antAction = intent.getAction(); Log.i(TAG, "enter status onReceive" + antAction); } }; /** Receives all data ANT intents. */ private final BroadcastReceiver dataReceiver = new BroadcastReceiver() { @Override public void onReceive(Context ctx, Intent intent) { String antAction = intent.getAction(); Log.i(TAG, "enter data onReceive" + antAction); if (antAction != null && antAction.equals(AntInterfaceIntent.ANT_RX_MESSAGE_ACTION)) { byte[] antMessage = intent.getByteArrayExtra(AntInterfaceIntent.ANT_MESSAGE); if (DEBUGGING) { Log.d(TAG, "Received RX message " + messageToString(antMessage)); } if (getAntReceiver() != null) { handleMessage(antMessage); } } } }; /** * ANT uses this listener to tell us when it has bound to the ANT Radio * Service. We can't start sending ANT commands until we've been notified * (via this listener) that the Radio Service has connected. */ private AntInterface.ServiceListener antServiceListener = new AntInterface.ServiceListener() { @Override public void onServiceConnected() { serviceConnected(); } @Override public void onServiceDisconnected() { Log.d(TAG, "ANT interface reports disconnection"); } }; public AntSensorManager(Context context) { this.context = context; // We register for ANT intents early because we want to have a record of // the status intents in the log as we start up. registerForAntIntents(); } @Override public void onDestroy() { Log.i(TAG, "destroying AntSensorManager"); cleanAntInterface(); unregisterForAntIntents(); } @Override public SensorDataSet getSensorDataSet() { return sensorData; } @Override public boolean isEnabled() { return true; } public AntInterface getAntReceiver() { return antReceiver; } /** * This is the interface used by the {@link SensorManager} to tell this * class when to start. It handles initialization of the ANT framework, * eventually resulting in sensor-specific initialization via * {@link #setupAntSensorChannels}. */ @Override protected final void setupChannel() { setup(); } private synchronized void setup() { // We handle this unpleasantly because the UI should've checked for ANT // support before it even instantiated this class. if (!AntInterface.hasAntSupport(context)) { throw new IllegalStateException("device does not have ANT support"); } cleanAntInterface(); antReceiver = AntInterface.getInstance(context, antServiceListener); if (antReceiver == null) { Log.e(TAG, "Failed to get ANT Receiver"); return; } setSensorState(Sensor.SensorState.CONNECTING); } /** * Cleans up the ANT+ receiver interface, by releasing the interface * and destroying it. */ private void cleanAntInterface() { Log.i(TAG, "Destroying AntSensorManager"); if (antReceiver == null) { Log.e(TAG, "no ANT receiver"); return; } try { antReceiver.releaseInterface(); antReceiver.destroy(); antReceiver = null; } catch (AntServiceNotConnectedException e) { Log.i(TAG, "ANT service not connected", e); } catch (AntInterfaceException e) { Log.e(TAG, "failed to release ANT interface", e); } catch (RuntimeException e) { Log.e(TAG, "run-time exception when cleaning the ANT interface", e); } } /** * This method is invoked via the ServiceListener when we're connected to * the ANT service. If we're just starting up, this is our first opportunity * to initiate any ANT commands. */ private synchronized void serviceConnected() { Log.d(TAG, "ANT service connected"); if (antReceiver == null) { Log.e(TAG, "no ANT receiver"); return; } try { if (!antReceiver.claimInterface()) { Log.e(TAG, "failed to claim ANT interface"); return; } if (!antReceiver.isEnabled()) { // Make sure not to call AntInterface.enable() again, if it has been // already called before Log.i(TAG, "Powering on Radio"); antReceiver.enable(); } else { Log.i(TAG, "Radio already enabled"); } } catch (AntInterfaceException e) { Log.e(TAG, "failed to enable ANT", e); } try { // We expect this call to throw an exception due to a bug in the ANT // Radio Service. It won't actually fail, though, as we'll get the // startup message (see {@link AntStartupMessage}) one normally expects // after a reset. Channel initialization can proceed once we receive // that message. antReceiver.ANTResetSystem(); } catch (AntInterfaceException e) { Log.e(TAG, "failed to reset ANT (expected exception)", e); } } /** * Process a raw ANT message. * @param antMessage the ANT message, including the size and message ID bytes * @deprecated Use {@link #handleMessage(byte, byte[])} instead. */ protected void handleMessage(byte[] antMessage) { int len = antMessage[0]; if (len != antMessage.length - 2 || antMessage.length <= 2) { Log.e(TAG, "Invalid message: " + messageToString(antMessage)); return; } byte messageId = antMessage[1]; // Arrays#copyOfRange doesn't exist?? byte[] messageData = new byte[antMessage.length - 2]; System.arraycopy(antMessage, 2, messageData, 0, antMessage.length - 2); handleMessage(messageId, messageData); } /** * Process a raw ANT message. * @param messageId the message ID. See the ANT Message Protocol and Usage * guide, section 9.3. * @param messageData the ANT message, without the size and message ID bytes. * @return true if this method has taken responsibility for the passed * message; false otherwise. */ protected boolean handleMessage(byte messageId, byte[] messageData) { if (messageId == AntMesg.MESG_STARTUP_MESG_ID) { Log.d(TAG, String.format( "Received startup message (reason %02x); initializing channel", new AntStartupMessage(messageData).getMessage())); setupAntSensorChannels(); return true; } return false; } /** * Subclasses define this method to perform sensor-specific initialization. * When this method is called, the ANT framework has been enabled, and is * ready for use. */ protected abstract void setupAntSensorChannels(); /** * Used by subclasses to set up an ANT channel for a single sensor. A given * subclass may invoke this method multiple times if the subclass is * responsible for more than one sensor. * * @return true on success */ protected boolean setupAntSensorChannel(byte networkNumber, byte channelNumber, short deviceNumber, byte deviceType, byte txType, short channelPeriod, byte radioFreq, byte proxSearch) { if (antReceiver == null) { Log.e(TAG, "no ANT receiver"); return false; } try { // Assign as slave channel on selected network (0 = public, 1 = ANT+, 2 = // ANTFS) antReceiver.ANTAssignChannel(channelNumber, AntDefine.PARAMETER_RX_NOT_TX, networkNumber); antReceiver.ANTSetChannelId(channelNumber, deviceNumber, deviceType, txType); antReceiver.ANTSetChannelPeriod(channelNumber, channelPeriod); antReceiver.ANTSetChannelRFFreq(channelNumber, radioFreq); // Disable high priority search antReceiver.ANTSetChannelSearchTimeout(channelNumber, (byte) 0); // Set search timeout to 10 seconds (low priority search)) antReceiver.ANTSetLowPriorityChannelSearchTimeout(channelNumber, (byte) 4); if (deviceNumber == WILDCARD) { // Configure proximity search, if using wild card search antReceiver.ANTSetProximitySearch(channelNumber, proxSearch); } antReceiver.ANTOpenChannel(channelNumber); return true; } catch (AntInterfaceException e) { Log.e(TAG, "failed to setup ANT channel", e); return false; } } private void registerForAntIntents() { Log.i(TAG, "Registering for ant intents."); // Register for ANT intent broadcasts. IntentFilter statusIntentFilter = new IntentFilter(); statusIntentFilter.addAction(AntInterfaceIntent.ANT_ENABLED_ACTION); statusIntentFilter.addAction(AntInterfaceIntent.ANT_DISABLED_ACTION); statusIntentFilter.addAction(AntInterfaceIntent.ANT_INTERFACE_CLAIMED_ACTION); statusIntentFilter.addAction(AntInterfaceIntent.ANT_RESET_ACTION); context.registerReceiver(statusReceiver, statusIntentFilter); IntentFilter dataIntentFilter = new IntentFilter(); dataIntentFilter.addAction(AntInterfaceIntent.ANT_RX_MESSAGE_ACTION); context.registerReceiver(dataReceiver, dataIntentFilter); } private void unregisterForAntIntents() { Log.i(TAG, "Unregistering ANT Intents."); try { context.unregisterReceiver(statusReceiver); } catch (IllegalArgumentException e) { Log.w(TAG, "Failed to unregister ANT status receiver", e); } try { context.unregisterReceiver(dataReceiver); } catch (IllegalArgumentException e) { Log.w(TAG, "Failed to unregister ANT data receiver", e); } } private String messageToString(byte[] message) { StringBuilder out = new StringBuilder(); for (byte b : message) { out.append(String.format("%s%02x", (out.length() == 0 ? "" : " "), b)); } return out.toString(); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/AntSensorManager.java
Java
asf20
12,863
/* * Copyright (C) 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * A enum which stores static data about ANT sensors. * * @author Matthew Simmons */ public enum AntSensor { SENSOR_HEART_RATE (Constants.ANT_DEVICE_TYPE_HRM), SENSOR_CADENCE (Constants.ANT_DEVICE_TYPE_CADENCE), SENSOR_SPEED (Constants.ANT_DEVICE_TYPE_SPEED), SENSOR_POWER (Constants.ANT_DEVICE_TYPE_POWER); private static class Constants { public static byte ANT_DEVICE_TYPE_POWER = 11; public static byte ANT_DEVICE_TYPE_HRM = 120; public static byte ANT_DEVICE_TYPE_CADENCE = 122; public static byte ANT_DEVICE_TYPE_SPEED = 123; }; private final byte deviceType; private AntSensor(byte deviceType) { this.deviceType = deviceType; } public byte getDeviceType() { return deviceType; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/AntSensor.java
Java
asf20
1,405
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; import static com.google.android.apps.mytracks.Constants.TAG; import android.util.Log; import java.util.LinkedList; /** * Processes an ANT+ sensor data (counter) + timestamp pair, * and returns the instantaneous value of the sensor * * @author Laszlo Molnar */ public class SensorEventCounter { /** * HistoryElement stores a time stamped sensor counter */ private static class HistoryElement { final long systemTime; final int counter; final int sensorTime; HistoryElement(long systemTime, int counter, int sensorTime) { this.systemTime = systemTime; this.counter = counter; this.sensorTime = sensorTime; } } /** * The latest counter value reported by the sensor */ private int counter; /** * The calculated instantaneous sensor value to be displayed */ private int eventsPerMinute; private static final int ONE_SECOND_MILLIS = 1000; private static final int HISTORY_LENGTH_MILLIS = ONE_SECOND_MILLIS * 5; private static final int HISTORY_MAX_LENGTH = 100; private static final int ONE_MINUTE_MILLIS = ONE_SECOND_MILLIS * 60; private static final int SENSOR_TIME_RESOLUTION = 1024; // in a second private static final int SENSOR_TIME_ONE_MINUTE = SENSOR_TIME_RESOLUTION * 60; /** * History of previous sensor data - oldest first * only the latest HISTORY_LENGTH_MILLIS milliseconds of data is stored */ private LinkedList<HistoryElement> history; SensorEventCounter() { counter = -1; eventsPerMinute = 0; history = new LinkedList<HistoryElement>(); } /** * Calculates the instantaneous sensor value to be displayed * * @param newCounter sensor reported counter value * @param sensorTime sensor reported timestamp * @return the calculated value */ public int getEventsPerMinute(int newCounter, int sensorTime) { return getEventsPerMinute(newCounter, sensorTime, System.currentTimeMillis()); } // VisibleForTesting protected int getEventsPerMinute(int newCounter, int sensorTime, long now) { int counterChange = (newCounter - counter) & 0xFFFF; Log.d(TAG, "now=" + now + " counter=" + newCounter + " sensortime=" + sensorTime); if (counter < 0) { // store the initial counter value reported by the sensor // the timestamp is probably out of date, so the history is not updated counter = newCounter; return eventsPerMinute = 0; } counter = newCounter; if (counterChange != 0) { // if new data has arrived from the sensor ... if (removeOldHistory(now)) { // ... and the history is not empty, then use the latest entry HistoryElement h = history.getLast(); int sensorTimeChange = (sensorTime - h.sensorTime) & 0xFFFF; counterChange = (counter - h.counter) & 0xFFFF; eventsPerMinute = counterChange * SENSOR_TIME_ONE_MINUTE / sensorTimeChange; } // the previous removeOldHistory() call makes the length of the history capped history.addLast(new HistoryElement(now, counter, sensorTime)); } else if (!history.isEmpty()) { // the sensor has resent an old (counter,timestamp) pair, // but the history is not empty HistoryElement h = history.getLast(); if (ONE_MINUTE_MILLIS < (now - h.systemTime) * eventsPerMinute) { // Too much time has passed since the last counter change. // This means that a smaller value than eventsPerMinute must be // returned. This value is extrapolated from the history of // HISTORY_LENGTH_MILLIS data. // Note, that eventsPerMinute is NOT updated unless the history // is empty or contains outdated entries. In that case it is zeroed. return getValueFromHistory(now); } // else the current eventsPerMinute is still valid, nothing to do here } else { // no new data from the sensor & the history is empty -> return 0 eventsPerMinute = 0; } Log.d(TAG, "getEventsPerMinute returns:" + eventsPerMinute); return eventsPerMinute; } /** * Calculates the instantaneous sensor value to be displayed * using the history when the sensor only resends the old data */ private int getValueFromHistory(long now) { if (!removeOldHistory(now)) { // there is nothing in the history, return 0 return eventsPerMinute = 0; } HistoryElement f = history.getFirst(); HistoryElement l = history.getLast(); int sensorTimeChange = (l.sensorTime - f.sensorTime) & 0xFFFF; int counterChange = (counter - f.counter) & 0xFFFF; // difference between now and systemTime of the oldest history entry // for better precision sensor timestamps are considered between // the first and the last history entry (could be overkill) int systemTimeChange = (int) (now - l.systemTime + (sensorTimeChange * ONE_SECOND_MILLIS) / SENSOR_TIME_RESOLUTION); // eventsPerMinute is not overwritten by this calculated value // because it is still needed when a new sensor event arrives int v = (counterChange * ONE_MINUTE_MILLIS) / systemTimeChange; Log.d(TAG, "getEventsPerMinute returns (2):" + v); // do not return larger number than eventsPerMinute, because the reason // this function got called is that more time has passed after the last // sensor counter value change than the current eventsPerMinute // would be valid return v < eventsPerMinute ? v : eventsPerMinute; } /** * Removes old data from the history. * * @param now the current system time * @return true if the remaining history is not empty */ private boolean removeOldHistory(long now) { HistoryElement h; while ((h = history.peek()) != null) { // if the first element of the list is in our desired time range then return if (now - h.systemTime <= HISTORY_LENGTH_MILLIS && history.size() < HISTORY_MAX_LENGTH) { return true; } // otherwise remove the too old element, and look at the next (newer) one history.removeFirst(); } return false; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/SensorEventCounter.java
Java
asf20
6,731
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; import static com.google.android.apps.mytracks.Constants.TAG; import com.dsi.ant.AntDefine; import com.dsi.ant.AntMesg; import com.dsi.ant.exception.AntInterfaceException; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.maps.mytracks.BuildConfig; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.util.Log; /** * A sensor manager to the PC7 SRM ANT+ bridge. * * @author Sandor Dornbush * @author Umran Abdulla */ public class AntSrmBridgeSensorManager extends AntSensorManager { /* * These constants are defined by the ANT+ spec. */ public static final byte CHANNEL_NUMBER = 0; public static final byte NETWORK_NUMBER = 0; public static final byte DEVICE_TYPE = 12; public static final byte NETWORK_ID = 1; public static final short CHANNEL_PERIOD = 8192; public static final byte RF_FREQUENCY = 50; private static final int INDEX_MESSAGE_TYPE = 1; private static final int INDEX_MESSAGE_ID = 2; private static final int INDEX_MESSAGE_POWER = 3; private static final int INDEX_MESSAGE_SPEED = 5; private static final int INDEX_MESSAGE_CADENCE = 7; private static final int INDEX_MESSAGE_BPM = 8; private static final int MSG_INITIAL = 5; private static final int MSG_DATA = 6; private short deviceNumber; public AntSrmBridgeSensorManager(Context context) { super(context); Log.i(TAG, "new ANT SRM Bridge Sensor Manager created"); deviceNumber = WILDCARD; // First read the the device id that we will be pairing with. SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (prefs != null) { deviceNumber = (short) prefs.getInt(context.getString( R.string.ant_srm_bridge_sensor_id_key), 0); } Log.i(TAG, "Will pair with device: " + deviceNumber); } @Override protected boolean handleMessage(byte messageId, byte[] messageData) { if (super.handleMessage(messageId, messageData)) { return true; } if (BuildConfig.DEBUG) { Log.d(TAG, "Received ANT msg: " + AntUtils.antMessageToString(messageId) + "(" + messageId + ")"); } int channel = messageData[0] & AntDefine.CHANNEL_NUMBER_MASK; switch (channel) { case CHANNEL_NUMBER: decodeChannelMsg(messageId, messageData); break; default: Log.d(TAG, "Unhandled message: " + channel); } return true; } /** * Decode an ant device message. * @param messageData The byte array received from the device. */ private void decodeChannelMsg(int messageId, byte[] messageData) { switch (messageId) { case AntMesg.MESG_BROADCAST_DATA_ID: handleBroadcastData(messageData); break; case AntMesg.MESG_RESPONSE_EVENT_ID: handleMessageResponse(messageData); break; case AntMesg.MESG_CHANNEL_ID_ID: handleChannelId(messageData); break; default: Log.e(TAG, "Unexpected message id: " + messageId); } } private void handleBroadcastData(byte[] antMessage) { if (deviceNumber == WILDCARD) { try { getAntReceiver().ANTRequestMessage(CHANNEL_NUMBER, AntMesg.MESG_CHANNEL_ID_ID); } catch (AntInterfaceException e) { Log.e(TAG, "ANT error handling broadcast data", e); } Log.d(TAG, "Requesting channel id id."); } setSensorState(Sensor.SensorState.CONNECTED); int messageType = antMessage[INDEX_MESSAGE_TYPE] & 0xFF; Log.d(TAG, "Received message-type=" + messageType); switch (messageType) { case MSG_INITIAL: break; case MSG_DATA: parseDataMsg(antMessage); break; } } private void parseDataMsg(byte[] msg) { int messageId = msg[INDEX_MESSAGE_ID] & 0xFF; Log.d(TAG, "Received message-id=" + messageId); int powerVal = (((msg[INDEX_MESSAGE_POWER] & 0xFF) << 8) | (msg[INDEX_MESSAGE_POWER+1] & 0xFF)); @SuppressWarnings("unused") int speedVal = (((msg[INDEX_MESSAGE_SPEED] & 0xFF) << 8) | (msg[INDEX_MESSAGE_SPEED+1] & 0xFF)); int cadenceVal = (msg[INDEX_MESSAGE_CADENCE] & 0xFF); int bpmVal = (msg[INDEX_MESSAGE_BPM] & 0xFF); long time = System.currentTimeMillis(); Sensor.SensorData.Builder power = Sensor.SensorData.newBuilder() .setValue(powerVal) .setState(Sensor.SensorState.SENDING); /* * Although speed is available from the SRM Bridge, MyTracks doesn't use the value, and * computes speed from the GPS location data. */ // Sensor.SensorData.Builder speed = Sensor.SensorData.newBuilder().setValue(speedVal).setState( // Sensor.SensorState.SENDING); Sensor.SensorData.Builder cadence = Sensor.SensorData.newBuilder() .setValue(cadenceVal) .setState(Sensor.SensorState.SENDING); Sensor.SensorData.Builder bpm = Sensor.SensorData.newBuilder() .setValue(bpmVal) .setState(Sensor.SensorState.SENDING); sensorData = Sensor.SensorDataSet.newBuilder() .setCreationTime(time) .setPower(power) .setCadence(cadence) .setHeartRate(bpm) .build(); } void handleChannelId(byte[] rawMessage) { AntChannelIdMessage message = new AntChannelIdMessage(rawMessage); deviceNumber = message.getDeviceNumber(); Log.d(TAG, "Found device id: " + deviceNumber); SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); SharedPreferences.Editor editor = prefs.edit(); editor.putInt(context.getString(R.string.ant_srm_bridge_sensor_id_key), deviceNumber); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); } private void handleMessageResponse(byte[] rawMessage) { AntChannelResponseMessage message = new AntChannelResponseMessage(rawMessage); if (BuildConfig.DEBUG) { Log.d(TAG, "Received ANT Response: " + AntUtils.antMessageToString(message.getMessageId()) + "(" + message.getMessageId() + ")" + ", Code: " + AntUtils.antEventToStr(message.getMessageCode()) + "(" + message.getMessageCode() + ")"); } switch (message.getMessageId()) { case AntMesg.MESG_EVENT_ID: if (message.getMessageCode() == AntDefine.EVENT_RX_SEARCH_TIMEOUT) { // Search timeout Log.w(TAG, "Search timed out. Unassigning channel."); try { getAntReceiver().ANTUnassignChannel((byte) 0); } catch (AntInterfaceException e) { Log.e(TAG, "ANT error unassigning channel", e); } } break; case AntMesg.MESG_UNASSIGN_CHANNEL_ID: setSensorState(Sensor.SensorState.DISCONNECTED); Log.i(TAG, "Disconnected from the sensor: " + getSensorState()); break; } } @Override protected void setupAntSensorChannels() { Log.i(TAG, "Setting up ANT sensor channels"); setupAntSensorChannel( NETWORK_NUMBER, CHANNEL_NUMBER, deviceNumber, DEVICE_TYPE, (byte) 0x01, CHANNEL_PERIOD, RF_FREQUENCY, (byte) 0); } public short getDeviceNumber() { return deviceNumber; } void setDeviceNumber(short deviceNumber) { this.deviceNumber = deviceNumber; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/AntSrmBridgeSensorManager.java
Java
asf20
8,266
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * Interface for collecting data from the sensors. * @author Laszlo Molnar */ public interface AntSensorDataCollector { /** * Sets the current cadence to the value specified. */ void setCadence(int value); /** * Sets the current heart rate to the value specified. */ void setHeartRate(int value); }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/AntSensorDataCollector.java
Java
asf20
984
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; import static com.google.android.apps.mytracks.Constants.TAG; import com.dsi.ant.AntDefine; import com.dsi.ant.AntMesg; import com.dsi.ant.exception.AntInterfaceException; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.util.Log; /** * A sensor manager to connect ANT+ sensors. * * @author Sandor Dornbush * @author Laszlo Molnar */ public class AntDirectSensorManager extends AntSensorManager implements AntSensorDataCollector { // allocating one channel for each sensor type private static final byte HEART_RATE_CHANNEL = 0; private static final byte CADENCE_CHANNEL = 1; private static final byte CADENCE_SPEED_CHANNEL = 2; // ids for device number preferences private static final int sensorIdKeys[] = { R.string.ant_heart_rate_sensor_id_key, R.string.ant_cadence_sensor_id_key, R.string.ant_cadence_speed_sensor_id_key, }; private AntSensorBase sensors[] = null; // current data to be sent for SensorDataSet private static final byte HEART_RATE_DATA_INDEX = 0; private static final byte CADENCE_DATA_INDEX = 1; private int currentSensorData[] = { -1, -1 }; private long lastDataSentMillis = 0; private byte connectingChannelsBitmap = 0; public AntDirectSensorManager(Context context) { super(context); } @Override protected boolean handleMessage(byte messageId, byte[] messageData) { if (super.handleMessage(messageId, messageData)) { return true; } int channel = messageData[0] & AntDefine.CHANNEL_NUMBER_MASK; if (sensors == null || channel >= sensors.length) { Log.d(TAG, "Unknown channel in message: " + channel); return false; } AntSensorBase sensor = sensors[channel]; switch (messageId) { case AntMesg.MESG_BROADCAST_DATA_ID: if (sensor.getDeviceNumber() == WILDCARD) { resolveWildcardDeviceNumber((byte) channel); } sensor.handleBroadcastData(messageData, this); break; case AntMesg.MESG_RESPONSE_EVENT_ID: handleMessageResponse(messageData); break; case AntMesg.MESG_CHANNEL_ID_ID: sensor.setDeviceNumber(handleChannelId(messageData)); break; default: Log.e(TAG, "Unexpected ANT message id: " + messageId); } return true; } private short handleChannelId(byte[] rawMessage) { AntChannelIdMessage message = new AntChannelIdMessage(rawMessage); short deviceNumber = message.getDeviceNumber(); byte channel = message.getChannelNumber(); if (channel >= sensors.length) { Log.d(TAG, "Unknown channel in message: " + channel); return WILDCARD; } Log.i(TAG, "Found ANT device id: " + deviceNumber + " on channel: " + channel); SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); SharedPreferences.Editor editor = prefs.edit(); editor.putInt(context.getString(sensorIdKeys[channel]), deviceNumber); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); return deviceNumber; } private void channelOut(byte channel) { if (channel >= sensors.length) { Log.d(TAG, "Unknown channel in message: " + channel); return; } connectingChannelsBitmap &= ~(1 << channel); Log.i(TAG, "ANT channel " + channel + " disconnected."); if (sensors[channel].getDeviceNumber() != WILDCARD) { Log.i(TAG, "Retrying...."); if (setupChannel(sensors[channel], channel)) { connectingChannelsBitmap |= 1 << channel; } } if (connectingChannelsBitmap == 0) { setSensorState(Sensor.SensorState.DISCONNECTED); } } private void handleMessageResponse(byte[] rawMessage) { AntChannelResponseMessage message = new AntChannelResponseMessage(rawMessage); byte channel = message.getChannelNumber(); switch (message.getMessageId()) { case AntMesg.MESG_EVENT_ID: if (message.getMessageCode() == AntDefine.EVENT_RX_SEARCH_TIMEOUT) { // Search timeout Log.w(TAG, "ANT search timed out. Unassigning channel " + channel); try { getAntReceiver().ANTUnassignChannel(channel); } catch (AntInterfaceException e) { Log.e(TAG, "ANT error unassigning channel", e); channelOut(channel); } } break; case AntMesg.MESG_UNASSIGN_CHANNEL_ID: channelOut(channel); break; } } private void resolveWildcardDeviceNumber(byte channel) { try { getAntReceiver().ANTRequestMessage(channel, AntMesg.MESG_CHANNEL_ID_ID); } catch (AntInterfaceException e) { Log.e(TAG, "ANT error handling broadcast data", e); } Log.d(TAG, "Requesting channel id id on channel: " + channel); } @Override protected void setupAntSensorChannels() { short devIds[] = new short[sensorIdKeys.length]; SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (prefs != null) { for (int i = 0; i < sensorIdKeys.length; ++i) { devIds[i] = (short) prefs.getInt(context.getString(sensorIdKeys[i]), WILDCARD); } } sensors = new AntSensorBase[] { new HeartRateSensor(devIds[HEART_RATE_CHANNEL]), new CadenceSensor(devIds[CADENCE_CHANNEL]), new CadenceSpeedSensor(devIds[CADENCE_SPEED_CHANNEL]), }; connectingChannelsBitmap = 0; for (int i = 0; i < sensors.length; ++i) { if (setupChannel(sensors[i], (byte) i)) { connectingChannelsBitmap |= 1 << i; } } if (connectingChannelsBitmap == 0) { setSensorState(Sensor.SensorState.DISCONNECTED); } } protected boolean setupChannel(AntSensorBase sensor, byte channel) { Log.i(TAG, "setup channel=" + channel + " deviceType=" + sensor.getDeviceType()); return setupAntSensorChannel(sensor.getNetworkNumber(), channel, sensor.getDeviceNumber(), sensor.getDeviceType(), (byte) 0x01, sensor.getChannelPeriod(), sensor.getFrequency(), (byte) 0); } private void sendSensorData(byte index, int value) { if (index >= currentSensorData.length) { Log.w(TAG, "invalid index in sendSensorData:" + index); return; } currentSensorData[index] = value; long now = System.currentTimeMillis(); // data comes in at ~4Hz rate from the sensors, so after >300 msec // fresh data is here from all the connected sensors if (now < lastDataSentMillis + 300) { return; } lastDataSentMillis = now; setSensorState(Sensor.SensorState.CONNECTED); Sensor.SensorDataSet.Builder b = Sensor.SensorDataSet.newBuilder(); if (currentSensorData[HEART_RATE_DATA_INDEX] >= 0) { b.setHeartRate( Sensor.SensorData.newBuilder() .setValue(currentSensorData[HEART_RATE_DATA_INDEX]) .setState(Sensor.SensorState.SENDING)); } if (currentSensorData[CADENCE_DATA_INDEX] >= 0) { b.setCadence( Sensor.SensorData.newBuilder() .setValue(currentSensorData[CADENCE_DATA_INDEX]) .setState(Sensor.SensorState.SENDING)); } sensorData = b.setCreationTime(now).build(); } public void setCadence(int value) { sendSensorData(CADENCE_DATA_INDEX, value); } public void setHeartRate(int value) { sendSensorData(HEART_RATE_DATA_INDEX, value); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/AntDirectSensorManager.java
Java
asf20
8,330
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * Ant+ cadence sensor. * * @author Laszlo Molnar */ public class CadenceSensor extends AntSensorBase { /* * These constants are defined by the ANT+ bike speed and cadence sensor spec. */ public static final byte CADENCE_DEVICE_TYPE = 122; public static final short CADENCE_CHANNEL_PERIOD = 8102; SensorEventCounter dataProcessor = new SensorEventCounter(); CadenceSensor(short devNum) { super(devNum, CADENCE_DEVICE_TYPE, "cadence sensor", CADENCE_CHANNEL_PERIOD); } /** * Decode an ANT+ cadence sensor message. * @param antMessage The byte array received from the cadence sensor. */ @Override public void handleBroadcastData(byte[] antMessage, AntSensorDataCollector c) { int sensorTime = ((int) antMessage[5] & 0xFF) + ((int) antMessage[6] & 0xFF) * 256; int crankRevs = ((int) antMessage[7] & 0xFF) + ((int) antMessage[8] & 0xFF) * 256; c.setCadence(dataProcessor.getEventsPerMinute(crankRevs, sensorTime)); } };
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ant/CadenceSensor.java
Java
asf20
1,635
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.services.sensors.ant.AntDirectSensorManager; import com.google.android.apps.mytracks.services.sensors.ant.AntSrmBridgeSensorManager; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.util.Log; /** * A factory of SensorManagers. * * @author Sandor Dornbush */ public class SensorManagerFactory { private String activeSensorType; private SensorManager activeSensorManager; private int refCount; private static SensorManagerFactory instance = new SensorManagerFactory(); private SensorManagerFactory() { } /** * Get the factory instance. */ public static SensorManagerFactory getInstance() { return instance; } /** * Get and start a new sensor manager. * @param context Context to fetch system preferences. * @return The sensor manager that corresponds to the sensor type setting. */ public SensorManager getSensorManager(Context context) { SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (prefs == null) { return null; } context = context.getApplicationContext(); String sensor = prefs.getString(context.getString(R.string.sensor_type_key), null); Log.i(Constants.TAG, "Creating sensor of type: " + sensor); if (sensor == null) { reset(); return null; } if (sensor.equals(activeSensorType)) { Log.i(Constants.TAG, "Returning existing sensor manager."); refCount++; return activeSensorManager; } reset(); if (sensor.equals(context.getString(R.string.sensor_type_value_ant))) { activeSensorManager = new AntDirectSensorManager(context); } else if (sensor.equals(context.getString(R.string.sensor_type_value_srm_ant_bridge))) { activeSensorManager = new AntSrmBridgeSensorManager(context); } else if (sensor.equals(context.getString(R.string.sensor_type_value_zephyr))) { activeSensorManager = new ZephyrSensorManager(context); } else if (sensor.equals(context.getString(R.string.sensor_type_value_polar))) { activeSensorManager = new PolarSensorManager(context); } else { Log.w(Constants.TAG, "Unable to find sensor type: " + sensor); return null; } activeSensorType = sensor; refCount = 1; activeSensorManager.onStartTrack(); return activeSensorManager; } /** * Finish using a sensor manager. */ public void releaseSensorManager(SensorManager sensorManager) { Log.i(Constants.TAG, "releaseSensorManager: " + activeSensorType + " " + refCount); if (sensorManager != activeSensorManager) { Log.e(Constants.TAG, "invalid parameter to releaseSensorManager"); } if (--refCount > 0) { return; } reset(); } private void reset() { activeSensorType = null; if (activeSensorManager != null) { activeSensorManager.shutdown(); } activeSensorManager = null; refCount = 0; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/SensorManagerFactory.java
Java
asf20
3,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.services.sensors; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import java.util.Arrays; /** * An implementation of a Sensor MessageParser for Zephyr. * * @author Sandor Dornbush * @author Dominik Ršttsches */ public class ZephyrMessageParser implements MessageParser { public static final int ZEPHYR_HXM_BYTE_STX = 0; public static final int ZEPHYR_HXM_BYTE_CRC = 58; public static final int ZEPHYR_HXM_BYTE_ETX = 59; private static final byte[] CADENCE_BUG_FW_ID = {0x1A, 0x00, 0x31, 0x65, 0x50, 0x00, 0x31, 0x62}; private StrideReadings strideReadings; @Override public Sensor.SensorDataSet parseBuffer(byte[] buffer) { Sensor.SensorDataSet.Builder sds = Sensor.SensorDataSet.newBuilder() .setCreationTime(System.currentTimeMillis()); Sensor.SensorData.Builder heartrate = Sensor.SensorData.newBuilder() .setValue(buffer[12] & 0xFF) .setState(Sensor.SensorState.SENDING); sds.setHeartRate(heartrate); Sensor.SensorData.Builder batteryLevel = Sensor.SensorData.newBuilder() .setValue(buffer[11]) .setState(Sensor.SensorState.SENDING); sds.setBatteryLevel(batteryLevel); setCadence(sds, buffer); return sds.build(); } private void setCadence(Sensor.SensorDataSet.Builder sds, byte[] buffer) { // Device Firmware ID, Firmware Version, Hardware ID, Hardware Version // 0x1A00316550003162 produces erroneous values for Cadence and needs // a workaround based on the stride counter. // Firmware values range from field 3 to 10 (inclusive) of the byte buffer. byte[] hardwareFirmwareId = ApiAdapterFactory.getApiAdapter().copyByteArray(buffer, 3, 11); Sensor.SensorData.Builder cadence = Sensor.SensorData.newBuilder(); if (Arrays.equals(hardwareFirmwareId, CADENCE_BUG_FW_ID)) { if (strideReadings == null) { strideReadings = new StrideReadings(); } strideReadings.updateStrideReading(buffer[54] & 0xFF); if (strideReadings.getCadence() != StrideReadings.CADENCE_NOT_AVAILABLE) { cadence.setValue(strideReadings.getCadence()).setState(Sensor.SensorState.SENDING); } } else { cadence .setValue(SensorUtils.unsignedShortToIntLittleEndian(buffer, 56) / 16) .setState(Sensor.SensorState.SENDING); } sds.setCadence(cadence); } @Override public boolean isValid(byte[] buffer) { // Check STX (Start of Text), ETX (End of Text) and CRC Checksum return buffer.length > ZEPHYR_HXM_BYTE_ETX && buffer[ZEPHYR_HXM_BYTE_STX] == 0x02 && buffer[ZEPHYR_HXM_BYTE_ETX] == 0x03 && SensorUtils.getCrc8(buffer, 3, 55) == buffer[ZEPHYR_HXM_BYTE_CRC]; } @Override public int getFrameSize() { return 60; } @Override public int findNextAlignment(byte[] buffer) { // TODO test or understand this code. for (int i = 0; i < buffer.length - 1; i++) { if (buffer[i] == 0x03 && buffer[i+1] == 0x02) { return i; } } return -1; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/ZephyrMessageParser.java
Java
asf20
3,730
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.maps.mytracks.R; import android.content.Context; /** * A collection of methods for message parsers. * * @author Sandor Dornbush * @author Nico Laum */ public class SensorUtils { private SensorUtils() { } /** * Extract one unsigned short from a big endian byte array. * * @param buffer the buffer to extract the short from * @param index the first byte to be interpreted as part of the short * @return The unsigned short at the given index in the buffer */ public static int unsignedShortToInt(byte[] buffer, int index) { int r = (buffer[index] & 0xFF) << 8; r |= buffer[index + 1] & 0xFF; return r; } /** * Extract one unsigned short from a little endian byte array. * * @param buffer the buffer to extract the short from * @param index the first byte to be interpreted as part of the short * @return The unsigned short at the given index in the buffer */ public static int unsignedShortToIntLittleEndian(byte[] buffer, int index) { int r = buffer[index] & 0xFF; r |= (buffer[index + 1] & 0xFF) << 8; return r; } /** * Returns CRC8 (polynomial 0x8C) from byte array buffer[start] to * (excluding) buffer[start + length] * * @param buffer the byte array of data (payload) * @param start the position in the byte array where the payload begins * @param length the length * @return CRC8 value */ public static byte getCrc8(byte[] buffer, int start, int length) { byte crc = 0x0; for (int i = start; i < (start + length); i++) { crc = crc8PushByte(crc, buffer[i]); } return crc; } /** * Updates a CRC8 value by using the next byte passed to this method * * @param crc int of crc value * @param add the next byte to add to the CRC8 calculation */ private static byte crc8PushByte(byte crc, byte add) { crc = (byte) (crc ^ add); for (int i = 0; i < 8; i++) { if ((crc & 0x1) != 0x0) { // Using a 0xFF bit assures that 0-bits are introduced during the shift operation. // Otherwise, implicit casts to signed int could shift in 1-bits if the signed bit is 1. crc = (byte) (((crc & 0xFF) >> 1) ^ 0x8C); } else { crc = (byte) ((crc & 0xFF) >> 1); } } return crc; } public static String getStateAsString(Sensor.SensorState state, Context c) { switch (state) { case NONE: return c.getString(R.string.settings_sensor_type_none); case CONNECTING: return c.getString(R.string.sensor_state_connecting); case CONNECTED: return c.getString(R.string.sensor_state_connected); case DISCONNECTED: return c.getString(R.string.sensor_state_disconnected); case SENDING: return c.getString(R.string.sensor_state_sending); default: return ""; } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/SensorUtils.java
Java
asf20
3,579
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import java.util.Timer; import java.util.TimerTask; import android.util.Log; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Sensor; /** * Manage the connection to a sensor. * * @author Sandor Dornbush */ public abstract class SensorManager { /** * The maximum age where the data is considered valid. */ public static final long MAX_AGE = 5000; /** * Time to wait after a time out to retry. */ public static final int RETRY_PERIOD = 30000; private Sensor.SensorState sensorState = Sensor.SensorState.NONE; private long sensorStateTimestamp = 0; /** * A task to run periodically to check to see if connection was lost. */ private TimerTask checkSensorManager = new TimerTask() { @Override public void run() { Log.i(Constants.TAG, "SensorManager state: " + getSensorState()); switch (getSensorState()) { case CONNECTING: long age = System.currentTimeMillis() - getSensorStateTimestamp(); if (age > 2 * RETRY_PERIOD) { Log.i(Constants.TAG, "Retrying connecting SensorManager."); setupChannel(); } break; case DISCONNECTED: Log.i(Constants.TAG, "Re-registering disconnected SensoManager."); setupChannel(); break; } } }; /** * This timer invokes periodically the checkLocationListener timer task. */ private final Timer timer = new Timer(); /** * Is the sensor that this manages enabled. * @return true if the sensor is enabled */ public abstract boolean isEnabled(); /** * This is called when my tracks starts recording a new track. * This is the place to open connections to the sensor. */ public void onStartTrack() { setupChannel(); timer.schedule(checkSensorManager, RETRY_PERIOD, RETRY_PERIOD); } /** * This method is used to set up any necessary connections to underlying * sensor hardware. */ protected abstract void setupChannel(); public void shutdown() { timer.cancel(); onDestroy(); } /** * This is called when my tracks stops recording. * This is the place to shutdown any open connections. */ public abstract void onDestroy(); /** * Return the last sensor reading. * @return The last reading from the sensor. */ public abstract Sensor.SensorDataSet getSensorDataSet(); public void setSensorState(Sensor.SensorState sensorState) { this.sensorState = sensorState; } /** * Return the current sensor state. * @return The current sensor state. */ public Sensor.SensorState getSensorState() { return sensorState; } public long getSensorStateTimestamp() { return sensorStateTimestamp; } /** * @return True if the data is recent enough to be considered valid. */ public boolean isDataValid() { return (System.currentTimeMillis() - getSensorDataSet().getCreationTime()) < MAX_AGE; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/SensorManager.java
Java
asf20
3,660
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import android.content.Context; /** * PolarSensorManager - A sensor manager for Polar heart rate monitors. */ public class PolarSensorManager extends BluetoothSensorManager { public PolarSensorManager(Context context) { super(context, new PolarMessageParser()); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/PolarSensorManager.java
Java
asf20
929
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import com.google.android.apps.mytracks.content.Sensor; /** * An implementation of a Sensor MessageParser for Polar Wearlink Bluetooth HRM. * * Polar Bluetooth Wearlink packet example; * Hdr Len Chk Seq Status HeartRate RRInterval_16-bits * FE 08 F7 06 F1 48 03 64 * where; * Hdr always = 254 (0xFE), * Chk = 255 - Len * Seq range 0 to 15 * Status = Upper nibble may be battery voltage * bit 0 is Beat Detection flag. * * Additional packet examples; * FE 08 F7 06 F1 48 03 64 * FE 0A F5 06 F1 48 03 64 03 70 * * @author John R. Gerthoffer */ public class PolarMessageParser implements MessageParser { private int lastHeartRate = 0; /** * Applies Polar packet validation rules to buffer. * Polar packets are checked for following; * offset 0 = header byte, 254 (0xFE). * offset 1 = packet length byte, 8, 10, 12, 14. * offset 2 = check byte, 255 - packet length. * offset 3 = sequence byte, range from 0 to 15. * * @param buffer an array of bytes to parse * @param i buffer offset to beginning of packet. * @return whether buffer has a valid packet at offset i */ private boolean packetValid (byte[] buffer, int i) { boolean headerValid = (buffer[i] & 0xFF) == 0xFE; boolean checkbyteValid = (buffer[i + 2] & 0xFF) == (0xFF - (buffer[i + 1] & 0xFF)); boolean sequenceValid = (buffer[i + 3] & 0xFF) < 16; return headerValid && checkbyteValid && sequenceValid; } @Override public Sensor.SensorDataSet parseBuffer(byte[] buffer) { int heartRate = 0; boolean heartrateValid = false; // Minimum length Polar packets is 8, so stop search 8 bytes before buffer ends. for (int i = 0; i < buffer.length - 8; i++) { heartrateValid = packetValid(buffer,i); if (heartrateValid) { heartRate = buffer[i + 5] & 0xFF; break; } } // If our buffer is corrupted, use decaying last good value. if(!heartrateValid) { heartRate = (int) (lastHeartRate * 0.8); if(heartRate < 50) heartRate = 0; } lastHeartRate = heartRate; // Remember good value for next time. // Heart Rate Sensor.SensorData.Builder b = Sensor.SensorData.newBuilder() .setValue(heartRate) .setState(Sensor.SensorState.SENDING); Sensor.SensorDataSet sds = Sensor.SensorDataSet.newBuilder() .setCreationTime(System.currentTimeMillis()) .setHeartRate(b) .build(); return sds; } /** * Applies packet validation rules to buffer * * @param buffer an array of bytes to parse * @return whether buffer has a valid packet starting at index zero */ @Override public boolean isValid(byte[] buffer) { return packetValid(buffer,0); } /** * Polar uses variable packet sizes; 8, 10, 12, 14 and rarely 16. * The most frequent are 8 and 10. * We will wait for 16 bytes. * This way, we are assured of getting one good one. * * @return the size of buffer needed to parse a good packet */ @Override public int getFrameSize() { return 16; } /** * Searches buffer for the beginning of a valid packet. * * @param buffer an array of bytes to parse * @return index to beginning of good packet, or -1 if none found. */ @Override public int findNextAlignment(byte[] buffer) { // Minimum length Polar packets is 8, so stop search 8 bytes before buffer ends. for (int i = 0; i < buffer.length - 8; i++) { if (packetValid(buffer,i)) { return i; } } return -1; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/PolarMessageParser.java
Java
asf20
4,382
/* * Copyright (C) 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import com.google.android.apps.mytracks.content.Sensor; /** * An interface for parsing a byte array to a SensorData object. * * @author Sandor Dornbush */ public interface MessageParser { public int getFrameSize(); public Sensor.SensorDataSet parseBuffer(byte[] readBuff); public boolean isValid(byte[] buffer); public int findNextAlignment(byte[] buffer); }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/sensors/MessageParser.java
Java
asf20
1,036
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; import static com.google.android.apps.mytracks.Constants.RESUME_TRACK_EXTRA_NAME; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.TrackDetailActivity; import com.google.android.apps.mytracks.content.DescriptionGenerator; import com.google.android.apps.mytracks.content.DescriptionGeneratorImpl; import com.google.android.apps.mytracks.content.MyTracksLocation; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.content.Sensor.SensorDataSet; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.content.WaypointCreationRequest; import com.google.android.apps.mytracks.content.WaypointsColumns; import com.google.android.apps.mytracks.services.sensors.SensorManager; import com.google.android.apps.mytracks.services.sensors.SensorManagerFactory; import com.google.android.apps.mytracks.services.tasks.PeriodicTaskExecutor; import com.google.android.apps.mytracks.services.tasks.SplitTask; import com.google.android.apps.mytracks.services.tasks.StatusAnnouncerFactory; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.stats.TripStatisticsBuilder; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.app.Notification; import android.app.PendingIntent; import android.app.Service; import android.content.ContentValues; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.database.Cursor; import android.database.sqlite.SQLiteException; import android.location.Location; import android.location.LocationListener; import android.location.LocationManager; import android.net.Uri; import android.os.Binder; import android.os.Bundle; import android.os.Handler; import android.os.IBinder; import android.os.PowerManager; import android.os.PowerManager.WakeLock; import android.os.Process; import android.util.Log; import java.util.Timer; import java.util.TimerTask; import java.util.concurrent.ExecutorService; import java.util.concurrent.Executors; /** * A background service that registers a location listener and records track * points. Track points are saved to the MyTracksProvider. * * @author Leif Hendrik Wilden */ public class TrackRecordingService extends Service { static final int MAX_AUTO_RESUME_TRACK_RETRY_ATTEMPTS = 3; private LocationManager locationManager; private WakeLock wakeLock; private int minRecordingDistance = Constants.DEFAULT_MIN_RECORDING_DISTANCE; private int maxRecordingDistance = Constants.DEFAULT_MAX_RECORDING_DISTANCE; private int minRequiredAccuracy = Constants.DEFAULT_MIN_REQUIRED_ACCURACY; private int autoResumeTrackTimeout = Constants.DEFAULT_AUTO_RESUME_TRACK_TIMEOUT; private long recordingTrackId = -1; private long currentWaypointId = -1; /** The timer posts a runnable to the main thread via this handler. */ private final Handler handler = new Handler(); /** * Utilities to deal with the database. */ private MyTracksProviderUtils providerUtils; private TripStatisticsBuilder statsBuilder; private TripStatisticsBuilder waypointStatsBuilder; /** * Current length of the recorded track. This length is calculated from the * recorded points (as compared to each location fix). It's used to overlay * waypoints precisely in the elevation profile chart. */ private double length; /** * Status announcer executor. */ private PeriodicTaskExecutor announcementExecutor; private PeriodicTaskExecutor splitExecutor; private SensorManager sensorManager; private PreferenceManager prefManager; /** * The interval in milliseconds that we have requested to be notified of gps * readings. */ private long currentRecordingInterval; /** * The policy used to decide how often we should request gps updates. */ private LocationListenerPolicy locationListenerPolicy = new AbsoluteLocationListenerPolicy(0); private LocationListener locationListener = new LocationListener() { @Override public void onProviderDisabled(String provider) { // Do nothing } @Override public void onProviderEnabled(String provider) { // Do nothing } @Override public void onStatusChanged(String provider, int status, Bundle extras) { // Do nothing } @Override public void onLocationChanged(final Location location) { if (executorService.isShutdown() || executorService.isTerminated()) { return; } executorService.submit( new Runnable() { @Override public void run() { onLocationChangedAsync(location); } }); } }; /** * Task invoked by a timer periodically to make sure the location listener is * still registered. */ private TimerTask checkLocationListener = new TimerTask() { @Override public void run() { // It's always safe to assume that if isRecording() is true, it implies // that onCreate() has finished. if (isRecording()) { handler.post(new Runnable() { public void run() { Log.d(Constants.TAG, "Re-registering location listener with TrackRecordingService."); unregisterLocationListener(); registerLocationListener(); } }); } } }; /** * This timer invokes periodically the checkLocationListener timer task. */ private final Timer timer = new Timer(); /** * Is the phone currently moving? */ private boolean isMoving = true; /** * The most recent recording track. */ private Track recordingTrack; /** * Is the service currently recording a track? */ private boolean isRecording; /** * Last good location the service has received from the location listener */ private Location lastLocation; /** * Last valid location (i.e. not a marker) that was recorded. */ private Location lastValidLocation; /** * A service to run tasks outside of the main thread. */ private ExecutorService executorService; private ServiceBinder binder = new ServiceBinder(this); /* * Application lifetime events: */ /* * Note that this service, through the AndroidManifest.xml, is configured to * allow both MyTracks and third party apps to invoke it. For the onCreate * callback, we cannot tell whether the caller is MyTracks or a third party * app, thus it cannot start/stop a recording or write/update MyTracks * database. However, it can resume a recording. */ @Override public void onCreate() { super.onCreate(); Log.d(TAG, "TrackRecordingService.onCreate"); providerUtils = MyTracksProviderUtils.Factory.get(this); locationManager = (LocationManager) getSystemService(LOCATION_SERVICE); setUpTaskExecutors(); executorService = Executors.newSingleThreadExecutor(); prefManager = new PreferenceManager(this); registerLocationListener(); /* * After 5 min, check every minute that location listener still is * registered and spit out additional debugging info to the logs: */ timer.schedule(checkLocationListener, 1000 * 60 * 5, 1000 * 60); // Try to restore previous recording state in case this service has been // restarted by the system, which can sometimes happen. recordingTrack = getRecordingTrack(); if (recordingTrack != null) { restoreStats(recordingTrack); isRecording = true; } else { if (recordingTrackId != -1L) { // Make sure we have consistent state in shared preferences. Log.w(TAG, "TrackRecordingService.onCreate: " + "Resetting an orphaned recording track = " + recordingTrackId); } recordingTrackId = -1L; PreferencesUtils.setRecordingTrackId(this, recordingTrackId); } showNotification(); } /* * Note that this service, through the AndroidManifest.xml, is configured to * allow both MyTracks and third party apps to invoke it. For the onStart * callback, we cannot tell whether the caller is MyTracks or a third party * app, thus it cannot start/stop a recording or write/update MyTracks * database. However, it can resume a recording. */ @Override public void onStart(Intent intent, int startId) { handleStartCommand(intent, startId); } /* * Note that this service, through the AndroidManifest.xml, is configured to * allow both MyTracks and third party apps to invoke it. For the * onStartCommand callback, we cannot tell whether the caller is MyTracks or a * third party app, thus it cannot start/stop a recording or write/update * MyTracks database. However, it can resume a recording. */ @Override public int onStartCommand(Intent intent, int flags, int startId) { handleStartCommand(intent, startId); return START_STICKY; } private void handleStartCommand(Intent intent, int startId) { Log.d(TAG, "TrackRecordingService.handleStartCommand: " + startId); if (intent == null) { return; } // Check if called on phone reboot with resume intent. if (intent.getBooleanExtra(RESUME_TRACK_EXTRA_NAME, false)) { resumeTrack(startId); } } private boolean isTrackInProgress() { return recordingTrackId != -1 || isRecording; } private void resumeTrack(int startId) { Log.d(TAG, "TrackRecordingService: requested resume"); // Make sure that the current track exists and is fresh enough. if (recordingTrack == null || !shouldResumeTrack(recordingTrack)) { Log.i(TAG, "TrackRecordingService: Not resuming, because the previous track (" + recordingTrack + ") doesn't exist or is too old"); isRecording = false; recordingTrackId = -1L; PreferencesUtils.setRecordingTrackId(this, recordingTrackId); stopSelfResult(startId); return; } Log.i(TAG, "TrackRecordingService: resuming"); } @Override public IBinder onBind(Intent intent) { Log.d(TAG, "TrackRecordingService.onBind"); return binder; } @Override public boolean onUnbind(Intent intent) { Log.d(TAG, "TrackRecordingService.onUnbind"); return super.onUnbind(intent); } @Override public void onDestroy() { Log.d(TAG, "TrackRecordingService.onDestroy"); isRecording = false; showNotification(); prefManager.shutdown(); prefManager = null; checkLocationListener.cancel(); checkLocationListener = null; timer.cancel(); timer.purge(); unregisterLocationListener(); shutdownTaskExecutors(); if (sensorManager != null) { SensorManagerFactory.getInstance().releaseSensorManager(sensorManager); sensorManager = null; } // Make sure we have no indirect references to this service. locationManager = null; providerUtils = null; binder.detachFromService(); binder = null; // This should be the last operation. releaseWakeLock(); // Shutdown the executor service last to avoid sending events to a dead executor. executorService.shutdown(); super.onDestroy(); } private void setAutoResumeTrackRetries(int retryAttempts) { Log.d(TAG, "Updating auto-resume retry attempts to: " + retryAttempts); prefManager.setAutoResumeTrackCurrentRetry(retryAttempts); } private boolean shouldResumeTrack(Track track) { Log.d(TAG, "shouldResumeTrack: autoResumeTrackTimeout = " + autoResumeTrackTimeout); // Check if we haven't exceeded the maximum number of retry attempts. SharedPreferences sharedPreferences = getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); int retries = sharedPreferences.getInt( getString(R.string.auto_resume_track_current_retry_key), 0); Log.d(TAG, "shouldResumeTrack: Attempting to auto-resume the track (" + (retries + 1) + "/" + MAX_AUTO_RESUME_TRACK_RETRY_ATTEMPTS + ")"); if (retries >= MAX_AUTO_RESUME_TRACK_RETRY_ATTEMPTS) { Log.i(TAG, "shouldResumeTrack: Not resuming because exceeded the maximum " + "number of auto-resume retries"); return false; } // Increase number of retry attempts. setAutoResumeTrackRetries(retries + 1); // Check for special cases. if (autoResumeTrackTimeout == 0) { // Never resume. Log.d(TAG, "shouldResumeTrack: Auto-resume disabled (never resume)"); return false; } else if (autoResumeTrackTimeout == -1) { // Always resume. Log.d(TAG, "shouldResumeTrack: Auto-resume forced (always resume)"); return true; } // Check if the last modified time is within the acceptable range. long lastModified = track.getStatistics() != null ? track.getStatistics().getStopTime() : 0; Log.d(TAG, "shouldResumeTrack: lastModified = " + lastModified + ", autoResumeTrackTimeout: " + autoResumeTrackTimeout); return lastModified > 0 && System.currentTimeMillis() - lastModified <= autoResumeTrackTimeout * 60L * 1000L; } /* * Setup/shutdown methods. */ /** * Tries to acquire a partial wake lock if not already acquired. Logs errors * and gives up trying in case the wake lock cannot be acquired. */ private void acquireWakeLock() { try { PowerManager pm = (PowerManager) getSystemService(Context.POWER_SERVICE); if (pm == null) { Log.e(TAG, "TrackRecordingService: Power manager not found!"); return; } if (wakeLock == null) { wakeLock = pm.newWakeLock(PowerManager.PARTIAL_WAKE_LOCK, TAG); if (wakeLock == null) { Log.e(TAG, "TrackRecordingService: Could not create wake lock (null)."); return; } } if (!wakeLock.isHeld()) { wakeLock.acquire(); if (!wakeLock.isHeld()) { Log.e(TAG, "TrackRecordingService: Could not acquire wake lock."); } } } catch (RuntimeException e) { Log.e(TAG, "TrackRecordingService: Caught unexpected exception: " + e.getMessage(), e); } } /** * Releases the wake lock if it's currently held. */ private void releaseWakeLock() { if (wakeLock != null && wakeLock.isHeld()) { wakeLock.release(); wakeLock = null; } } /** * Shows the notification message and icon in the notification bar. */ private void showNotification() { if (isRecording) { Notification notification = new Notification( R.drawable.arrow_320, null /* tickerText */, System.currentTimeMillis()); Intent intent = new Intent(this, TrackDetailActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK) .putExtra(TrackDetailActivity.EXTRA_TRACK_ID, recordingTrackId); PendingIntent contentIntent = PendingIntent.getActivity( this, 0 /* requestCode */, intent, 0 /* flags */); notification.setLatestEventInfo(this, getString(R.string.my_tracks_app_name), getString(R.string.track_record_notification), contentIntent); notification.flags += Notification.FLAG_NO_CLEAR; startForegroundService(notification); } else { stopForegroundService(); } } @VisibleForTesting protected void startForegroundService(Notification notification) { startForeground(1, notification); } @VisibleForTesting protected void stopForegroundService() { stopForeground(true); } private void setUpTaskExecutors() { announcementExecutor = new PeriodicTaskExecutor(this, new StatusAnnouncerFactory()); splitExecutor = new PeriodicTaskExecutor(this, new SplitTask.Factory()); } private void shutdownTaskExecutors() { Log.d(TAG, "TrackRecordingService.shutdownExecuters"); try { announcementExecutor.shutdown(); } finally { announcementExecutor = null; } try { splitExecutor.shutdown(); } finally { splitExecutor = null; } } private void registerLocationListener() { if (locationManager == null) { Log.e(TAG, "TrackRecordingService: Do not have any location manager."); return; } Log.d(TAG, "Preparing to register location listener w/ TrackRecordingService..."); try { long desiredInterval = locationListenerPolicy.getDesiredPollingInterval(); locationManager.requestLocationUpdates( LocationManager.GPS_PROVIDER, desiredInterval, locationListenerPolicy.getMinDistance(), // , 0 /* minDistance, get all updates to properly time pauses */ locationListener); currentRecordingInterval = desiredInterval; Log.d(TAG, "...location listener now registered w/ TrackRecordingService @ " + currentRecordingInterval); } catch (RuntimeException e) { Log.e(TAG, "Could not register location listener: " + e.getMessage(), e); } } private void unregisterLocationListener() { if (locationManager == null) { Log.e(TAG, "TrackRecordingService: Do not have any location manager."); return; } locationManager.removeUpdates(locationListener); Log.d(TAG, "Location listener now unregistered w/ TrackRecordingService."); } private String getDefaultActivityType(Context context) { SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); return prefs.getString(context.getString(R.string.default_activity_key), ""); } /* * Recording lifecycle. */ private long startNewTrack() { Log.d(TAG, "TrackRecordingService.startNewTrack"); if (isTrackInProgress()) { return -1L; } long startTime = System.currentTimeMillis(); acquireWakeLock(); Track track = new Track(); TripStatistics trackStats = track.getStatistics(); trackStats.setStartTime(startTime); track.setStartId(-1); Uri trackUri = providerUtils.insertTrack(track); recordingTrackId = Long.parseLong(trackUri.getLastPathSegment()); track.setId(recordingTrackId); track.setName(new DefaultTrackNameFactory(this).getDefaultTrackName( recordingTrackId, startTime)); track.setCategory(getDefaultActivityType(this)); isRecording = true; isMoving = true; providerUtils.updateTrack(track); statsBuilder = new TripStatisticsBuilder(startTime); statsBuilder.setMinRecordingDistance(minRecordingDistance); waypointStatsBuilder = new TripStatisticsBuilder(startTime); waypointStatsBuilder.setMinRecordingDistance(minRecordingDistance); currentWaypointId = insertWaypoint(WaypointCreationRequest.DEFAULT_STATISTICS); length = 0; showNotification(); registerLocationListener(); sensorManager = SensorManagerFactory.getInstance().getSensorManager(this); // Reset the number of auto-resume retries. setAutoResumeTrackRetries(0); // Persist the current recording track. PreferencesUtils.setRecordingTrackId(this, recordingTrackId); // Notify the world that we're now recording. sendTrackBroadcast( R.string.track_started_broadcast_action, recordingTrackId); announcementExecutor.restore(); splitExecutor.restore(); return recordingTrackId; } private void restoreStats(Track track) { Log.d(TAG, "Restoring stats of track with ID: " + track.getId()); TripStatistics stats = track.getStatistics(); statsBuilder = new TripStatisticsBuilder(stats.getStartTime()); statsBuilder.setMinRecordingDistance(minRecordingDistance); length = 0; lastValidLocation = null; Waypoint waypoint = providerUtils.getFirstWaypoint(recordingTrackId); if (waypoint != null && waypoint.getStatistics() != null) { currentWaypointId = waypoint.getId(); waypointStatsBuilder = new TripStatisticsBuilder( waypoint.getStatistics()); } else { // This should never happen, but we got to do something so life goes on: waypointStatsBuilder = new TripStatisticsBuilder(stats.getStartTime()); currentWaypointId = -1; } waypointStatsBuilder.setMinRecordingDistance(minRecordingDistance); Cursor cursor = null; try { cursor = providerUtils.getLocationsCursor( recordingTrackId, -1, Constants.MAX_LOADED_TRACK_POINTS, true); if (cursor != null) { if (cursor.moveToLast()) { do { Location location = providerUtils.createLocation(cursor); if (LocationUtils.isValidLocation(location)) { statsBuilder.addLocation(location, location.getTime()); if (lastValidLocation != null) { length += location.distanceTo(lastValidLocation); } lastValidLocation = location; } } while (cursor.moveToPrevious()); } statsBuilder.getStatistics().setMovingTime(stats.getMovingTime()); statsBuilder.pauseAt(stats.getStopTime()); statsBuilder.resumeAt(System.currentTimeMillis()); } else { Log.e(TAG, "Could not get track points cursor."); } } catch (RuntimeException e) { Log.e(TAG, "Error while restoring track.", e); } finally { if (cursor != null) { cursor.close(); } } announcementExecutor.restore(); splitExecutor.restore(); } private void onLocationChangedAsync(Location location) { Log.d(TAG, "TrackRecordingService.onLocationChanged"); try { // Don't record if the service has been asked to pause recording: if (!isRecording) { Log.w(TAG, "Not recording because recording has been paused."); return; } // This should never happen, but just in case (we really don't want the // service to crash): if (location == null) { Log.w(TAG, "Location changed, but location is null."); return; } // Don't record if the accuracy is too bad: if (location.getAccuracy() > minRequiredAccuracy) { Log.d(TAG, "Not recording. Bad accuracy."); return; } // At least one track must be available for appending points: recordingTrack = getRecordingTrack(); if (recordingTrack == null) { Log.d(TAG, "Not recording. No track to append to available."); return; } // Update the idle time if needed. locationListenerPolicy.updateIdleTime(statsBuilder.getIdleTime()); addLocationToStats(location); if (currentRecordingInterval != locationListenerPolicy.getDesiredPollingInterval()) { registerLocationListener(); } Location lastRecordedLocation = providerUtils.getLastLocation(); double distanceToLastRecorded = Double.POSITIVE_INFINITY; if (lastRecordedLocation != null) { distanceToLastRecorded = location.distanceTo(lastRecordedLocation); } double distanceToLast = Double.POSITIVE_INFINITY; if (lastLocation != null) { distanceToLast = location.distanceTo(lastLocation); } boolean hasSensorData = sensorManager != null && sensorManager.isEnabled() && sensorManager.getSensorDataSet() != null && sensorManager.isDataValid(); // If the user has been stationary for two recording just record the first // two and ignore the rest. This code will only have an effect if the // maxRecordingDistance = 0 if (distanceToLast == 0 && !hasSensorData) { if (isMoving) { Log.d(TAG, "Found two identical locations."); isMoving = false; if (lastLocation != null && lastRecordedLocation != null && !lastRecordedLocation.equals(lastLocation)) { // Need to write the last location. This will happen when // lastRecordedLocation.distance(lastLocation) < // minRecordingDistance if (!insertLocation(lastLocation, lastRecordedLocation, recordingTrackId)) { return; } } } else { Log.d(TAG, "Not recording. More than two identical locations."); } } else if (distanceToLastRecorded > minRecordingDistance || hasSensorData) { if (lastLocation != null && !isMoving) { // Last location was the last stationary location. Need to go back and // add it. if (!insertLocation(lastLocation, lastRecordedLocation, recordingTrackId)) { return; } isMoving = true; } // If separation from last recorded point is too large insert a // separator to indicate end of a segment: boolean startNewSegment = lastRecordedLocation != null && lastRecordedLocation.getLatitude() < 90 && distanceToLastRecorded > maxRecordingDistance && recordingTrack.getStartId() >= 0; if (startNewSegment) { // Insert a separator point to indicate start of new track: Log.d(TAG, "Inserting a separator."); Location separator = new Location(LocationManager.GPS_PROVIDER); separator.setLongitude(0); separator.setLatitude(100); separator.setTime(lastRecordedLocation.getTime()); providerUtils.insertTrackPoint(separator, recordingTrackId); } if (!insertLocation(location, lastRecordedLocation, recordingTrackId)) { return; } } else { Log.d(TAG, String.format( "Not recording. Distance to last recorded point (%f m) is less than" + " %d m.", distanceToLastRecorded, minRecordingDistance)); // Return here so that the location is NOT recorded as the last location. return; } } catch (Error e) { // Probably important enough to rethrow. Log.e(TAG, "Error in onLocationChanged", e); throw e; } catch (RuntimeException e) { // Safe usually to trap exceptions. Log.e(TAG, "Trapping exception in onLocationChanged", e); throw e; } lastLocation = location; } /** * Inserts a new location in the track points db and updates the corresponding * track in the track db. * * @param location the location to be inserted * @param lastRecordedLocation the last recorded location before this one (or * null if none) * @param trackId the id of the track * @return true if successful. False if SQLite3 threw an exception. */ private boolean insertLocation(Location location, Location lastRecordedLocation, long trackId) { // Keep track of length along recorded track (needed when a waypoint is // inserted): if (LocationUtils.isValidLocation(location)) { if (lastValidLocation != null) { length += location.distanceTo(lastValidLocation); } lastValidLocation = location; } // Insert the new location: try { Location locationToInsert = location; if (sensorManager != null && sensorManager.isEnabled()) { SensorDataSet sd = sensorManager.getSensorDataSet(); if (sd != null && sensorManager.isDataValid()) { locationToInsert = new MyTracksLocation(location, sd); } } Uri pointUri = providerUtils.insertTrackPoint(locationToInsert, trackId); int pointId = Integer.parseInt(pointUri.getLastPathSegment()); // Update the current track: if (lastRecordedLocation != null && lastRecordedLocation.getLatitude() < 90) { ContentValues values = new ContentValues(); TripStatistics stats = statsBuilder.getStatistics(); if (recordingTrack.getStartId() < 0) { values.put(TracksColumns.STARTID, pointId); recordingTrack.setStartId(pointId); } values.put(TracksColumns.STOPID, pointId); values.put(TracksColumns.STOPTIME, System.currentTimeMillis()); values.put(TracksColumns.NUMPOINTS, recordingTrack.getNumberOfPoints() + 1); values.put(TracksColumns.MINLAT, stats.getBottom()); values.put(TracksColumns.MAXLAT, stats.getTop()); values.put(TracksColumns.MINLON, stats.getLeft()); values.put(TracksColumns.MAXLON, stats.getRight()); values.put(TracksColumns.TOTALDISTANCE, stats.getTotalDistance()); values.put(TracksColumns.TOTALTIME, stats.getTotalTime()); values.put(TracksColumns.MOVINGTIME, stats.getMovingTime()); values.put(TracksColumns.AVGSPEED, stats.getAverageSpeed()); values.put(TracksColumns.AVGMOVINGSPEED, stats.getAverageMovingSpeed()); values.put(TracksColumns.MAXSPEED, stats.getMaxSpeed()); values.put(TracksColumns.MINELEVATION, stats.getMinElevation()); values.put(TracksColumns.MAXELEVATION, stats.getMaxElevation()); values.put(TracksColumns.ELEVATIONGAIN, stats.getTotalElevationGain()); values.put(TracksColumns.MINGRADE, stats.getMinGrade()); values.put(TracksColumns.MAXGRADE, stats.getMaxGrade()); getContentResolver().update(TracksColumns.CONTENT_URI, values, "_id=" + recordingTrack.getId(), null); updateCurrentWaypoint(); } } catch (SQLiteException e) { // Insert failed, most likely because of SqlLite error code 5 // (SQLite_BUSY). This is expected to happen extremely rarely (if our // listener gets invoked twice at about the same time). Log.w(TAG, "Caught SQLiteException: " + e.getMessage(), e); return false; } announcementExecutor.update(); splitExecutor.update(); return true; } private void updateCurrentWaypoint() { if (currentWaypointId >= 0) { ContentValues values = new ContentValues(); TripStatistics waypointStats = waypointStatsBuilder.getStatistics(); values.put(WaypointsColumns.STARTTIME, waypointStats.getStartTime()); values.put(WaypointsColumns.LENGTH, length); values.put(WaypointsColumns.DURATION, System.currentTimeMillis() - statsBuilder.getStatistics().getStartTime()); values.put(WaypointsColumns.TOTALDISTANCE, waypointStats.getTotalDistance()); values.put(WaypointsColumns.TOTALTIME, waypointStats.getTotalTime()); values.put(WaypointsColumns.MOVINGTIME, waypointStats.getMovingTime()); values.put(WaypointsColumns.AVGSPEED, waypointStats.getAverageSpeed()); values.put(WaypointsColumns.AVGMOVINGSPEED, waypointStats.getAverageMovingSpeed()); values.put(WaypointsColumns.MAXSPEED, waypointStats.getMaxSpeed()); values.put(WaypointsColumns.MINELEVATION, waypointStats.getMinElevation()); values.put(WaypointsColumns.MAXELEVATION, waypointStats.getMaxElevation()); values.put(WaypointsColumns.ELEVATIONGAIN, waypointStats.getTotalElevationGain()); values.put(WaypointsColumns.MINGRADE, waypointStats.getMinGrade()); values.put(WaypointsColumns.MAXGRADE, waypointStats.getMaxGrade()); getContentResolver().update(WaypointsColumns.CONTENT_URI, values, "_id=" + currentWaypointId, null); } } private void addLocationToStats(Location location) { if (LocationUtils.isValidLocation(location)) { long now = System.currentTimeMillis(); statsBuilder.addLocation(location, now); waypointStatsBuilder.addLocation(location, now); } } /* * Application lifetime events: ============================ */ public long insertWaypoint(WaypointCreationRequest request) { if (!isRecording()) { throw new IllegalStateException( "Unable to insert waypoint marker while not recording!"); } if (request == null) { request = WaypointCreationRequest.DEFAULT_MARKER; } Waypoint wpt = new Waypoint(); switch (request.getType()) { case MARKER: buildMarker(wpt, request); break; case STATISTICS: buildStatisticsMarker(wpt); break; } wpt.setTrackId(recordingTrackId); wpt.setLength(length); if (lastLocation == null || statsBuilder == null || statsBuilder.getStatistics() == null) { // A null location is ok, and expected on track start. // Make it an impossible location. Location l = new Location(""); l.setLatitude(100); l.setLongitude(180); wpt.setLocation(l); } else { wpt.setLocation(lastLocation); wpt.setDuration(lastLocation.getTime() - statsBuilder.getStatistics().getStartTime()); } Uri uri = providerUtils.insertWaypoint(wpt); return Long.parseLong(uri.getLastPathSegment()); } private void buildMarker(Waypoint wpt, WaypointCreationRequest request) { wpt.setType(Waypoint.TYPE_WAYPOINT); if (request.getIconUrl() == null) { wpt.setIcon(getString(R.string.marker_waypoint_icon_url)); } else { wpt.setIcon(request.getIconUrl()); } if (request.getName() == null) { wpt.setName(getString(R.string.marker_edit_type_waypoint)); } else { wpt.setName(request.getName()); } if (request.getCategory() != null) { wpt.setCategory(request.getCategory()); } if (request.getDescription() != null) { wpt.setDescription(request.getDescription()); } } /** * Build a statistics marker. * A statistics marker holds the stats for the* last segment up to this marker. * * @param waypoint The waypoint which will be populated with stats data. */ private void buildStatisticsMarker(Waypoint waypoint) { DescriptionGenerator descriptionGenerator = new DescriptionGeneratorImpl(this); // Set stop and total time in the stats data final long time = System.currentTimeMillis(); waypointStatsBuilder.pauseAt(time); // Override the duration - it's not the duration from the last waypoint, but // the duration from the beginning of the whole track waypoint.setDuration(time - statsBuilder.getStatistics().getStartTime()); // Set the rest of the waypoint data waypoint.setType(Waypoint.TYPE_STATISTICS); waypoint.setName(getString(R.string.marker_edit_type_statistics)); waypoint.setStatistics(waypointStatsBuilder.getStatistics()); waypoint.setDescription(descriptionGenerator.generateWaypointDescription(waypoint)); waypoint.setIcon(getString(R.string.marker_statistics_icon_url)); waypoint.setStartId(providerUtils.getLastLocationId(recordingTrackId)); // Create a new stats keeper for the next marker. waypointStatsBuilder = new TripStatisticsBuilder(time); } private void endCurrentTrack() { Log.d(TAG, "TrackRecordingService.endCurrentTrack"); if (!isTrackInProgress()) { return; } announcementExecutor.shutdown(); splitExecutor.shutdown(); isRecording = false; Track recordedTrack = providerUtils.getTrack(recordingTrackId); if (recordedTrack != null) { TripStatistics stats = recordedTrack.getStatistics(); stats.setStopTime(System.currentTimeMillis()); stats.setTotalTime(stats.getStopTime() - stats.getStartTime()); long lastRecordedLocationId = providerUtils.getLastLocationId(recordingTrackId); ContentValues values = new ContentValues(); if (lastRecordedLocationId >= 0 && recordedTrack.getStopId() >= 0) { values.put(TracksColumns.STOPID, lastRecordedLocationId); } values.put(TracksColumns.STOPTIME, stats.getStopTime()); values.put(TracksColumns.TOTALTIME, stats.getTotalTime()); getContentResolver().update(TracksColumns.CONTENT_URI, values, "_id=" + recordedTrack.getId(), null); } showNotification(); long recordedTrackId = recordingTrackId; recordingTrackId = -1L; PreferencesUtils.setRecordingTrackId(this, recordingTrackId); if (sensorManager != null) { SensorManagerFactory.getInstance().releaseSensorManager(sensorManager); sensorManager = null; } releaseWakeLock(); // Notify the world that we're no longer recording. sendTrackBroadcast( R.string.track_stopped_broadcast_action, recordedTrackId); stopSelf(); } private void sendTrackBroadcast(int actionResId, long trackId) { Intent broadcastIntent = new Intent() .setAction(getString(actionResId)) .putExtra(getString(R.string.track_id_broadcast_extra), trackId); sendBroadcast(broadcastIntent, getString(R.string.permission_notification_value)); SharedPreferences sharedPreferences = getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (sharedPreferences.getBoolean(getString(R.string.allow_access_key), false)) { sendBroadcast(broadcastIntent, getString(R.string.broadcast_notifications_permission)); } } /* * Data/state access. */ private Track getRecordingTrack() { if (recordingTrackId < 0) { return null; } return providerUtils.getTrack(recordingTrackId); } public boolean isRecording() { return isRecording; } public TripStatistics getTripStatistics() { return statsBuilder.getStatistics(); } Location getLastLocation() { return lastLocation; } long getRecordingTrackId() { return recordingTrackId; } void setRecordingTrackId(long recordingTrackId) { this.recordingTrackId = recordingTrackId; } void setMaxRecordingDistance(int maxRecordingDistance) { this.maxRecordingDistance = maxRecordingDistance; } void setMinRecordingDistance(int minRecordingDistance) { this.minRecordingDistance = minRecordingDistance; if (statsBuilder != null && waypointStatsBuilder != null) { statsBuilder.setMinRecordingDistance(minRecordingDistance); waypointStatsBuilder.setMinRecordingDistance(minRecordingDistance); } } void setMinRequiredAccuracy(int minRequiredAccuracy) { this.minRequiredAccuracy = minRequiredAccuracy; } void setLocationListenerPolicy(LocationListenerPolicy locationListenerPolicy) { this.locationListenerPolicy = locationListenerPolicy; } void setAutoResumeTrackTimeout(int autoResumeTrackTimeout) { this.autoResumeTrackTimeout = autoResumeTrackTimeout; } void setAnnouncementFrequency(int announcementFrequency) { announcementExecutor.setTaskFrequency(announcementFrequency); } void setSplitFrequency(int frequency) { splitExecutor.setTaskFrequency(frequency); } void setMetricUnits(boolean metric) { announcementExecutor.setMetricUnits(metric); splitExecutor.setMetricUnits(metric); } /** * TODO: There is a bug in Android that leaks Binder instances. This bug is * especially visible if we have a non-static class, as there is no way to * nullify reference to the outer class (the service). * A workaround is to use a static class and explicitly clear service * and detach it from the underlying Binder. With this approach, we minimize * the leak to 24 bytes per each service instance. * * For more details, see the following bug: * http://code.google.com/p/android/issues/detail?id=6426. */ private static class ServiceBinder extends ITrackRecordingService.Stub { private TrackRecordingService service; private DeathRecipient deathRecipient; public ServiceBinder(TrackRecordingService service) { this.service = service; } // Logic for letting the actual service go up and down. @Override public boolean isBinderAlive() { // Pretend dead if the service went down. return service != null; } @Override public boolean pingBinder() { return isBinderAlive(); } @Override public void linkToDeath(DeathRecipient recipient, int flags) { deathRecipient = recipient; } @Override public boolean unlinkToDeath(DeathRecipient recipient, int flags) { if (!isBinderAlive()) { return false; } deathRecipient = null; return true; } /** * Clears the reference to the outer class to minimize the leak. */ private void detachFromService() { this.service = null; attachInterface(null, null); if (deathRecipient != null) { deathRecipient.binderDied(); } } /** * Checks if the service is available. If not, throws an * {@link IllegalStateException}. */ private void checkService() { if (service == null) { throw new IllegalStateException("The service has been already detached!"); } } /** * Returns true if the RPC caller is from the same application or if the * "Allow access" setting indicates that another app can invoke this service's * RPCs. */ private boolean canAccess() { // As a precondition for access, must check if the service is available. checkService(); if (Process.myPid() == Binder.getCallingPid()) { return true; } else { SharedPreferences sharedPreferences = service.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); return sharedPreferences.getBoolean(service.getString(R.string.allow_access_key), false); } } // Service method delegates. @Override public boolean isRecording() { if (!canAccess()) { return false; } return service.isRecording(); } @Override public long getRecordingTrackId() { if (!canAccess()) { return -1L; } return service.recordingTrackId; } @Override public long startNewTrack() { if (!canAccess()) { return -1L; } return service.startNewTrack(); } /** * Inserts a waypoint marker in the track being recorded. * * @param request Details of the waypoint to insert * @return the unique ID of the inserted marker */ public long insertWaypoint(WaypointCreationRequest request) { if (!canAccess()) { return -1L; } return service.insertWaypoint(request); } @Override public void endCurrentTrack() { if (!canAccess()) { return; } service.endCurrentTrack(); } @Override public void recordLocation(Location loc) { if (!canAccess()) { return; } service.locationListener.onLocationChanged(loc); } @Override public byte[] getSensorData() { if (!canAccess()) { return null; } if (service.sensorManager == null) { Log.d(TAG, "No sensor manager for data."); return null; } if (service.sensorManager.getSensorDataSet() == null) { Log.d(TAG, "Sensor data set is null."); return null; } return service.sensorManager.getSensorDataSet().toByteArray(); } @Override public int getSensorState() { if (!canAccess()) { return Sensor.SensorState.NONE.getNumber(); } if (service.sensorManager == null) { Log.d(TAG, "No sensor manager for data."); return Sensor.SensorState.NONE.getNumber(); } return service.sensorManager.getSensorState().getNumber(); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/TrackRecordingService.java
Java
asf20
44,449
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; /** * This is an interface for classes that will manage the location listener policy. * Different policy options are: * Absolute * Addaptive * * @author Sandor Dornbush */ public interface LocationListenerPolicy { /** * Returns the polling time this policy would like at this time. * * @return The polling that this policy dictates */ public long getDesiredPollingInterval(); /** * Returns the minimum distance between updates. */ public int getMinDistance(); /** * Notifies the amount of time the user has been idle at their current * location. * * @param idleTime The time that the user has been idle at this spot */ public void updateIdleTime(long idleTime); }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/LocationListenerPolicy.java
Java
asf20
1,370
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.widgets.TrackWidgetProvider; import com.google.android.maps.mytracks.R; import android.app.IntentService; import android.content.ComponentName; import android.content.Intent; import android.content.ServiceConnection; import android.os.IBinder; import android.os.RemoteException; import android.util.Log; /** * A service to control starting and stopping of a recording. This service, * through the AndroidManifest.xml, is configured to only allow components of * the same application to invoke it. Thus this service can be used my MyTracks * app widget, {@link TrackWidgetProvider}, but not by other applications. This * application delegates starting and stopping a recording to * {@link TrackRecordingService} using RPC calls. * * @author Jimmy Shih */ public class ControlRecordingService extends IntentService implements ServiceConnection { private ITrackRecordingService trackRecordingService; private boolean connected = false; public ControlRecordingService() { super(ControlRecordingService.class.getSimpleName()); } @Override public void onCreate() { super.onCreate(); Intent newIntent = new Intent(this, TrackRecordingService.class); startService(newIntent); bindService(newIntent, this, 0); } @Override public void onServiceConnected(ComponentName name, IBinder service) { trackRecordingService = ITrackRecordingService.Stub.asInterface(service); notifyConnected(); } @Override public void onServiceDisconnected(ComponentName name) { connected = false; } /** * Notifies all threads that connection to {@link TrackRecordingService} is * available. */ private synchronized void notifyConnected() { connected = true; notifyAll(); } /** * Waits until the connection to {@link TrackRecordingService} is available. */ private synchronized void waitConnected() { while (!connected) { try { wait(); } catch (InterruptedException e) { // can safely ignore } } } @Override protected void onHandleIntent(Intent intent) { waitConnected(); String action = intent.getAction(); if (action != null) { try { if (action.equals(getString(R.string.track_action_start))) { trackRecordingService.startNewTrack(); } else if (action.equals(getString(R.string.track_action_end))) { trackRecordingService.endCurrentTrack(); } } catch (RemoteException e) { Log.d(TAG, "ControlRecordingService onHandleIntent RemoteException", e); } } unbindService(this); connected = false; } @Override public void onDestroy() { super.onDestroy(); if (connected) { unbindService(this); connected = false; } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/ControlRecordingService.java
Java
asf20
3,511
/* * 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.util.ApiAdapterFactory; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.os.Bundle; import android.speech.tts.TextToSpeech; import android.util.Log; import android.view.MenuItem; import android.view.View; import android.view.View.OnClickListener; import android.widget.ArrayAdapter; import android.widget.AutoCompleteTextView; import android.widget.Button; import android.widget.EditText; /** * An activity that let's the user see and edit the user editable track meta * data such as track name, activity type, and track description. * * @author Leif Hendrik Wilden */ public class TrackEditActivity extends Activity implements OnClickListener { public static final String EXTRA_TRACK_ID = "track_id"; public static final String EXTRA_SHOW_CANCEL = "show_cancel"; private static final String TAG = TrackEditActivity.class.getSimpleName(); private Long trackId; private MyTracksProviderUtils myTracksProviderUtils; private Track track; private EditText name; private AutoCompleteTextView activityType; private EditText description; @Override protected void onCreate(Bundle bundle) { super.onCreate(bundle); setVolumeControlStream(TextToSpeech.Engine.DEFAULT_STREAM); ApiAdapterFactory.getApiAdapter().configureActionBarHomeAsUp(this); setContentView(R.layout.track_edit); trackId = getIntent().getLongExtra(EXTRA_TRACK_ID, -1L); if (trackId == -1L) { Log.e(TAG, "invalid trackId"); finish(); return; } myTracksProviderUtils = MyTracksProviderUtils.Factory.get(this); track = myTracksProviderUtils.getTrack(trackId); if (track == null) { Log.e(TAG, "no track"); finish(); return; } name = (EditText) findViewById(R.id.track_edit_name); name.setText(track.getName()); activityType = (AutoCompleteTextView) findViewById(R.id.track_edit_activity_type); activityType.setText(track.getCategory()); ArrayAdapter<CharSequence> adapter = ArrayAdapter.createFromResource( this, R.array.activity_types, android.R.layout.simple_dropdown_item_1line); activityType.setAdapter(adapter); description = (EditText) findViewById(R.id.track_edit_description); description.setText(track.getDescription()); Button save = (Button) findViewById(R.id.track_edit_save); save.setOnClickListener(this); Button cancel = (Button) findViewById(R.id.track_edit_cancel); if (getIntent().getBooleanExtra(EXTRA_SHOW_CANCEL, true)) { setTitle(R.string.menu_edit); cancel.setOnClickListener(this); cancel.setVisibility(View.VISIBLE); } else { setTitle(R.string.track_edit_new_track_title); cancel.setVisibility(View.GONE); } } @Override public boolean onOptionsItemSelected(MenuItem item) { if (item.getItemId() != android.R.id.home) { return false; } finish(); return true; } @Override public void onClick(View view) { if (view.getId() == R.id.track_edit_save) { track.setName(name.getText().toString()); track.setCategory(activityType.getText().toString()); track.setDescription(description.getText().toString()); myTracksProviderUtils.updateTrack(track); } finish(); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/TrackEditActivity.java
Java
asf20
4,068
package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.os.Bundle; import android.util.DisplayMetrics; import android.util.Log; import android.view.MenuItem; import android.widget.ScrollView; import android.widget.TextView; import java.util.List; /** * Activity for viewing the combined statistics for all the recorded tracks. * * Other features to add - menu items to change setings. * * @author Fergus Nelson */ public class AggregatedStatsActivity extends Activity implements OnSharedPreferenceChangeListener { private final StatsUtilities utils; private MyTracksProviderUtils tracksProvider; private boolean metricUnits = true; public AggregatedStatsActivity() { this.utils = new StatsUtilities(this); } @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { Log.d(Constants.TAG, "StatsActivity: onSharedPreferences changed " + key); if (key != null) { if (key.equals(getString(R.string.metric_units_key))) { metricUnits = sharedPreferences.getBoolean( getString(R.string.metric_units_key), true); utils.setMetricUnits(metricUnits); utils.updateUnits(); loadAggregatedStats(); } } } @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); this.tracksProvider = MyTracksProviderUtils.Factory.get(this); ApiAdapterFactory.getApiAdapter().configureActionBarHomeAsUp(this); setContentView(R.layout.stats); ScrollView sv = ((ScrollView) findViewById(R.id.scrolly)); sv.setScrollBarStyle(ScrollView.SCROLLBARS_OUTSIDE_INSET); SharedPreferences preferences = getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (preferences != null) { metricUnits = preferences.getBoolean(getString(R.string.metric_units_key), true); preferences.registerOnSharedPreferenceChangeListener(this); } utils.setMetricUnits(metricUnits); utils.updateUnits(); utils.setSpeedLabel(R.id.speed_label, R.string.stat_speed, R.string.stat_pace); utils.setSpeedLabels(); DisplayMetrics metrics = new DisplayMetrics(); getWindowManager().getDefaultDisplay().getMetrics(metrics); if (metrics.heightPixels > 600) { ((TextView) findViewById(R.id.speed_register)).setTextSize(80.0f); } loadAggregatedStats(); } @Override public boolean onOptionsItemSelected(MenuItem item) { if (item.getItemId() != android.R.id.home) { return false; } startActivity(new Intent(this, TrackListActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK)); return true; } /** * 1. Reads tracks from the db * 2. Merges the trip stats from the tracks * 3. Updates the view */ private void loadAggregatedStats() { List<Track> tracks = retrieveTracks(); TripStatistics rollingStats = null; if (!tracks.isEmpty()) { rollingStats = new TripStatistics(tracks.iterator().next() .getStatistics()); for (int i = 1; i < tracks.size(); i++) { rollingStats.merge(tracks.get(i).getStatistics()); } } updateView(rollingStats); } private List<Track> retrieveTracks() { return tracksProvider.getAllTracks(); } private void updateView(TripStatistics aggStats) { if (aggStats != null) { utils.setAllStats(aggStats); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/AggregatedStatsActivity.java
Java
asf20
4,107
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static android.content.Intent.ACTION_BOOT_COMPLETED; import static com.google.android.apps.mytracks.Constants.RESUME_TRACK_EXTRA_NAME; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.services.RemoveTempFilesService; import com.google.android.apps.mytracks.services.TrackRecordingService; import android.content.BroadcastReceiver; import android.content.Context; import android.content.Intent; import android.util.Log; /** * This class handles MyTracks related broadcast messages. * * One example of a broadcast message that this class is interested in, * is notification about the phone boot. We may want to resume a previously * started tracking session if the phone crashed (hopefully not), or the user * decided to swap the battery or some external event occurred which forced * a phone reboot. * * This class simply delegates to {@link TrackRecordingService} to make a * decision whether to continue with the previous track (if any), or just * abandon it. * * @author Bartlomiej Niechwiej */ public class BootReceiver extends BroadcastReceiver { @Override public void onReceive(Context context, Intent intent) { Log.d(TAG, "BootReceiver.onReceive: " + intent.getAction()); if (ACTION_BOOT_COMPLETED.equals(intent.getAction())) { Intent startIntent = new Intent(context, TrackRecordingService.class); startIntent.putExtra(RESUME_TRACK_EXTRA_NAME, true); context.startService(startIntent); Intent removeTempFilesIntent = new Intent(context, RemoveTempFilesService.class); context.startService(removeTempFilesIntent); } else { Log.w(TAG, "BootReceiver: unsupported action"); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/BootReceiver.java
Java
asf20
2,359
/* * 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.stats; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import android.location.Location; import android.util.Log; /** * Statistics keeper for a trip. * * @author Sandor Dornbush * @author Rodrigo Damazio */ public class TripStatisticsBuilder { /** * Statistical data about the trip, which can be displayed to the user. */ private final TripStatistics data; /** * The last location that the gps reported. */ private Location lastLocation; /** * The last location that contributed to the stats. It is also the last * location the user was found to be moving. */ private Location lastMovingLocation; /** * The current speed in meters/second as reported by the gps. */ private double currentSpeed; /** * The current grade. This value is very noisy and not reported to the user. */ private double currentGrade; /** * Is the trip currently paused? * All trips start paused. */ private boolean paused = true; /** * A buffer of the last speed readings in meters/second. */ private final DoubleBuffer speedBuffer = new DoubleBuffer(Constants.SPEED_SMOOTHING_FACTOR); /** * A buffer of the recent elevation readings in meters. */ private final DoubleBuffer elevationBuffer = new DoubleBuffer(Constants.ELEVATION_SMOOTHING_FACTOR); /** * A buffer of the distance between recent gps readings in meters. */ private final DoubleBuffer distanceBuffer = new DoubleBuffer(Constants.DISTANCE_SMOOTHING_FACTOR); /** * A buffer of the recent grade calculations. */ private final DoubleBuffer gradeBuffer = new DoubleBuffer(Constants.GRADE_SMOOTHING_FACTOR); /** * The total number of locations in this trip. */ private long totalLocations = 0; private int minRecordingDistance = Constants.DEFAULT_MIN_RECORDING_DISTANCE; /** * Creates a new trip starting at the given time. * * @param startTime the start time. */ public TripStatisticsBuilder(long startTime) { data = new TripStatistics(); resumeAt(startTime); } /** * Creates a new trip, starting with existing statistics data. * * @param statsData the statistics data to copy and start from */ public TripStatisticsBuilder(TripStatistics statsData) { data = new TripStatistics(statsData); if (data.getStartTime() > 0) { resumeAt(data.getStartTime()); } } /** * Adds a location to the current trip. This will update all of the internal * variables with this new location. * * @param currentLocation the current gps location * @param systemTime the time used for calculation of totalTime. This should * be the phone's time (not GPS time) * @return true if the person is moving */ public boolean addLocation(Location currentLocation, long systemTime) { if (paused) { Log.w(TAG, "Tried to account for location while track is paused"); return false; } totalLocations++; double elevationDifference = updateElevation(currentLocation.getAltitude()); // Update the "instant" values: data.setTotalTime(systemTime - data.getStartTime()); currentSpeed = currentLocation.getSpeed(); // This was the 1st location added, remember it and do nothing else: if (lastLocation == null) { lastLocation = currentLocation; lastMovingLocation = currentLocation; return false; } updateBounds(currentLocation); // Don't do anything if we didn't move since last fix: double distance = lastLocation.distanceTo(currentLocation); if (distance < minRecordingDistance && currentSpeed < Constants.MAX_NO_MOVEMENT_SPEED) { lastLocation = currentLocation; return false; } data.addTotalDistance(lastMovingLocation.distanceTo(currentLocation)); updateSpeed(currentLocation.getTime(), currentSpeed, lastLocation.getTime(), lastLocation.getSpeed()); updateGrade(distance, elevationDifference); lastLocation = currentLocation; lastMovingLocation = currentLocation; return true; } /** * Updates the track's bounding box to include the given location. */ private void updateBounds(Location location) { data.updateLatitudeExtremities(location.getLatitude()); data.updateLongitudeExtremities(location.getLongitude()); } /** * Updates the elevation measurements. * * @param elevation the current elevation */ // @VisibleForTesting double updateElevation(double elevation) { double oldSmoothedElevation = getSmoothedElevation(); elevationBuffer.setNext(elevation); double smoothedElevation = getSmoothedElevation(); data.updateElevationExtremities(smoothedElevation); double elevationDifference = elevationBuffer.isFull() ? smoothedElevation - oldSmoothedElevation : 0.0; if (elevationDifference > 0) { data.addTotalElevationGain(elevationDifference); } return elevationDifference; } /** * Updates the speed measurements. * * @param updateTime the time of the speed update * @param speed the current speed * @param lastLocationTime the time of the last speed update * @param lastLocationSpeed the speed of the last update */ // @VisibleForTesting void updateSpeed(long updateTime, double speed, long lastLocationTime, double lastLocationSpeed) { // We are now sure the user is moving. long timeDifference = updateTime - lastLocationTime; if (timeDifference < 0) { Log.e(TAG, "Found negative time change: " + timeDifference); } data.addMovingTime(timeDifference); if (isValidSpeed(updateTime, speed, lastLocationTime, lastLocationSpeed, speedBuffer)) { speedBuffer.setNext(speed); if (speed > data.getMaxSpeed()) { data.setMaxSpeed(speed); } double movingSpeed = data.getAverageMovingSpeed(); if (speedBuffer.isFull() && (movingSpeed > data.getMaxSpeed())) { data.setMaxSpeed(movingSpeed); } } else { Log.d(TAG, "TripStatistics ignoring big change: Raw Speed: " + speed + " old: " + lastLocationSpeed + " [" + toString() + "]"); } } /** * Checks to see if this is a valid speed. * * @param updateTime The time at the current reading * @param speed The current speed * @param lastLocationTime The time at the last location * @param lastLocationSpeed Speed at the last location * @param speedBuffer A buffer of recent readings * @return True if this is likely a valid speed */ public static boolean isValidSpeed(long updateTime, double speed, long lastLocationTime, double lastLocationSpeed, DoubleBuffer speedBuffer) { // We don't want to count 0 towards the speed. if (speed == 0) { return false; } // We are now sure the user is moving. long timeDifference = updateTime - lastLocationTime; // There are a lot of noisy speed readings. // Do the cheapest checks first, most expensive last. // The following code will ignore unlikely to be real readings. // - 128 m/s seems to be an internal android error code. if (Math.abs(speed - 128) < 1) { return false; } // Another check for a spurious reading. See if the path seems physically // likely. Ignore any speeds that imply accelaration greater than 2g's // Really who can accelerate faster? double speedDifference = Math.abs(lastLocationSpeed - speed); if (speedDifference > Constants.MAX_ACCELERATION * timeDifference) { return false; } // There are three additional checks if the reading gets this far: // - Only use the speed if the buffer is full // - Check that the current speed is less than 10x the recent smoothed speed // - Double check that the current speed does not imply crazy acceleration double smoothedSpeed = speedBuffer.getAverage(); double smoothedDiff = Math.abs(smoothedSpeed - speed); return !speedBuffer.isFull() || (speed < smoothedSpeed * 10 && smoothedDiff < Constants.MAX_ACCELERATION * timeDifference); } /** * Updates the grade measurements. * * @param distance the distance the user just traveled * @param elevationDifference the elevation difference between the current * reading and the previous reading */ // @VisibleForTesting void updateGrade(double distance, double elevationDifference) { distanceBuffer.setNext(distance); double smoothedDistance = distanceBuffer.getAverage(); // With the error in the altitude measurement it is dangerous to divide // by anything less than 5. if (!elevationBuffer.isFull() || !distanceBuffer.isFull() || smoothedDistance < 5.0) { return; } currentGrade = elevationDifference / smoothedDistance; gradeBuffer.setNext(currentGrade); data.updateGradeExtremities(gradeBuffer.getAverage()); } /** * Pauses the track at the given time. * * @param time the time to pause at */ public void pauseAt(long time) { if (paused) { return; } data.setStopTime(time); data.setTotalTime(time - data.getStartTime()); lastLocation = null; // Make sure the counter restarts. paused = true; } /** * Resumes the current track at the given time. * * @param time the time to resume at */ public void resumeAt(long time) { if (!paused) { return; } // TODO: The times are bogus if the track is paused then resumed again data.setStartTime(time); data.setStopTime(-1); paused = false; } @Override public String toString() { return "TripStatistics { Data: " + data.toString() + "; Total Locations: " + totalLocations + "; Paused: " + paused + "; Current speed: " + currentSpeed + "; Current grade: " + currentGrade + "}"; } /** * Returns the amount of time the user has been idle or 0 if they are moving. */ public long getIdleTime() { if (lastLocation == null || lastMovingLocation == null) return 0; return lastLocation.getTime() - lastMovingLocation.getTime(); } /** * Gets the current elevation smoothed over several readings. The elevation * data is very noisy so it is better to use the smoothed elevation than the * raw elevation for many tasks. * * @return The elevation smoothed over several readings */ public double getSmoothedElevation() { return elevationBuffer.getAverage(); } public TripStatistics getStatistics() { // Take a snapshot - we don't want anyone messing with our internals return new TripStatistics(data); } public void setMinRecordingDistance(int minRecordingDistance) { this.minRecordingDistance = minRecordingDistance; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/stats/TripStatisticsBuilder.java
Java
asf20
11,514
/* * 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.stats; /** * This class maintains a buffer of doubles. This buffer is a convenient class * for storing a series of doubles and calculating information about them. This * is a FIFO buffer. * * @author Sandor Dornbush */ public class DoubleBuffer { /** * The location that the next write will occur at. */ private int index; /** * The sliding buffer of doubles. */ private final double[] buffer; /** * Have all of the slots in the buffer been filled? */ private boolean isFull; /** * Creates a buffer with size elements. * * @param size the number of elements in the buffer * @throws IllegalArgumentException if the size is not a positive value */ public DoubleBuffer(int size) { if (size < 1) { throw new IllegalArgumentException("The buffer size must be positive."); } buffer = new double[size]; reset(); } /** * Adds a double to the buffer. If the buffer is full the oldest element is * overwritten. * * @param d the double to add */ public void setNext(double d) { if (index == buffer.length) { index = 0; } buffer[index] = d; index++; if (index == buffer.length) { isFull = true; } } /** * Are all of the entries in the buffer used? */ public boolean isFull() { return isFull; } /** * Resets the buffer to the initial state. */ public void reset() { index = 0; isFull = false; } /** * Gets the average of values from the buffer. * * @return The average of the buffer */ public double getAverage() { int numberOfEntries = isFull ? buffer.length : index; if (numberOfEntries == 0) { return 0; } double sum = 0; for (int i = 0; i < numberOfEntries; i++) { sum += buffer[i]; } return sum / numberOfEntries; } /** * Gets the average and standard deviation of the buffer. * * @return An array of two elements - the first is the average, and the second * is the variance */ public double[] getAverageAndVariance() { int numberOfEntries = isFull ? buffer.length : index; if (numberOfEntries == 0) { return new double[]{0, 0}; } double sum = 0; double sumSquares = 0; for (int i = 0; i < numberOfEntries; i++) { sum += buffer[i]; sumSquares += Math.pow(buffer[i], 2); } double average = sum / numberOfEntries; return new double[]{average, sumSquares / numberOfEntries - Math.pow(average, 2)}; } @Override public String toString() { StringBuffer stringBuffer = new StringBuffer("Full: "); stringBuffer.append(isFull); stringBuffer.append("\n"); for (int i = 0; i < buffer.length; i++) { stringBuffer.append((i == index) ? "<<" : "["); stringBuffer.append(buffer[i]); stringBuffer.append((i == index) ? ">> " : "] "); } return stringBuffer.toString(); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/stats/DoubleBuffer.java
Java
asf20
3,566
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.content.WaypointCreationRequest; import com.google.android.apps.mytracks.content.WaypointCreationRequest.WaypointType; import com.google.android.apps.mytracks.services.ITrackRecordingService; import com.google.android.apps.mytracks.services.TrackRecordingServiceConnection; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.apps.mytracks.util.TrackRecordingServiceConnectionUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.os.Bundle; import android.os.RemoteException; import android.speech.tts.TextToSpeech; import android.util.Log; import android.view.MenuItem; import android.view.View; import android.view.View.OnClickListener; import android.view.inputmethod.EditorInfo; import android.widget.ArrayAdapter; import android.widget.AutoCompleteTextView; import android.widget.Button; import android.widget.EditText; import android.widget.RadioGroup; import android.widget.Toast; /** * An activity to add/edit a marker. * * @author Jimmy Shih */ public class MarkerEditActivity extends Activity { private static final String TAG = MarkerEditActivity.class.getSimpleName(); public static final String EXTRA_MARKER_ID = "marker_id"; private long markerId; private TrackRecordingServiceConnection trackRecordingServiceConnection; private Waypoint waypoint; // UI elements private View typeSection; private RadioGroup type; private EditText name; private View waypointSection; private AutoCompleteTextView markerType; private EditText description; private Button done; @Override protected void onCreate(Bundle bundle) { super.onCreate(bundle); setVolumeControlStream(TextToSpeech.Engine.DEFAULT_STREAM); ApiAdapterFactory.getApiAdapter().configureActionBarHomeAsUp(this); setContentView(R.layout.marker_edit); markerId = getIntent().getLongExtra(EXTRA_MARKER_ID, -1L); trackRecordingServiceConnection = new TrackRecordingServiceConnection(this, null); // Setup UI elements typeSection = findViewById(R.id.marker_edit_type_section); type = (RadioGroup) findViewById(R.id.marker_edit_type); type.setOnCheckedChangeListener(new RadioGroup.OnCheckedChangeListener() { @Override public void onCheckedChanged(RadioGroup group, int checkedId) { boolean statistics = checkedId == R.id.marker_edit_type_statistics; name.setText( statistics ? R.string.marker_edit_type_statistics : R.string.marker_edit_type_waypoint); updateUiByMarkerType(statistics); } }); name = (EditText) findViewById(R.id.marker_edit_name); waypointSection = findViewById(R.id.marker_edit_waypoint_section); markerType = (AutoCompleteTextView) findViewById(R.id.marker_edit_marker_type); ArrayAdapter<CharSequence> adapter = ArrayAdapter.createFromResource( this, R.array.waypoint_types, android.R.layout.simple_dropdown_item_1line); markerType.setAdapter(adapter); description = (EditText) findViewById(R.id.marker_edit_description); Button cancel = (Button) findViewById(R.id.marker_edit_cancel); cancel.setOnClickListener(new OnClickListener() { @Override public void onClick(View v) { finish(); } }); done = (Button) findViewById(R.id.marker_edit_done); updateUiByMarkerId(); } /** * Updates the UI based on the marker id. */ private void updateUiByMarkerId() { final boolean newMarker = markerId == -1L; setTitle(newMarker ? R.string.marker_edit_add_title : R.string.menu_edit); typeSection.setVisibility(newMarker ? View.VISIBLE : View.GONE); done.setText(newMarker ? R.string.marker_edit_add : R.string.generic_save); done.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { if (newMarker) { addMarker(); } else { saveMarker(); } finish(); } }); if (newMarker) { type.check(R.id.marker_edit_type_statistics); } else { waypoint = MyTracksProviderUtils.Factory.get(this).getWaypoint(markerId); if (waypoint == null) { Log.d(TAG, "waypoint is null"); finish(); return; } name.setText(waypoint.getName()); boolean statistics = waypoint.getType() == Waypoint.TYPE_STATISTICS; updateUiByMarkerType(statistics); if (!statistics) { markerType.setText(waypoint.getCategory()); description.setText(waypoint.getDescription()); } } } /** * Updates the UI by marker type. * * @param statistics true for a statistics marker */ private void updateUiByMarkerType(boolean statistics) { name.setCompoundDrawablesWithIntrinsicBounds( statistics ? R.drawable.ylw_pushpin : R.drawable.blue_pushpin, 0, 0, 0); name.setImeOptions(statistics ? EditorInfo.IME_ACTION_DONE : EditorInfo.IME_ACTION_NEXT); waypointSection.setVisibility(statistics ? View.GONE : View.VISIBLE); } @Override protected void onResume() { super.onResume(); TrackRecordingServiceConnectionUtils.resume(this, trackRecordingServiceConnection); } @Override protected void onDestroy() { super.onDestroy(); trackRecordingServiceConnection.unbind(); } @Override public boolean onOptionsItemSelected(MenuItem item) { if (item.getItemId() != android.R.id.home) { return false; } finish(); return true; } /** * Adds a marker. */ private void addMarker() { boolean statistics = type.getCheckedRadioButtonId() == R.id.marker_edit_type_statistics; WaypointType waypointType = statistics ? WaypointType.STATISTICS : WaypointType.MARKER; String markerCategory = statistics ? null : markerType.getText().toString(); String markerDescription = statistics ? null : description.getText().toString(); String markerIconUrl = getString( statistics ? R.string.marker_statistics_icon_url : R.string.marker_waypoint_icon_url); WaypointCreationRequest waypointCreationRequest = new WaypointCreationRequest( waypointType, name.getText().toString(), markerCategory, markerDescription, markerIconUrl); ITrackRecordingService trackRecordingService = trackRecordingServiceConnection.getServiceIfBound(); if (trackRecordingService == null) { Log.d(TAG, "Unable to add marker, no track recording service"); } else { try { if (trackRecordingService.insertWaypoint(waypointCreationRequest) != -1L) { Toast.makeText(this, R.string.marker_edit_add_success, Toast.LENGTH_SHORT).show(); return; } } catch (RemoteException e) { Log.e(TAG, "Unable to add marker", e); } catch (IllegalStateException e) { Log.e(TAG, "Unable to add marker.", e); } } Toast.makeText(this, R.string.marker_edit_add_error, Toast.LENGTH_LONG).show(); } /** * Saves a marker. */ private void saveMarker() { waypoint.setName(name.getText().toString()); if (waypoint.getType() == Waypoint.TYPE_WAYPOINT) { waypoint.setCategory(markerType.getText().toString()); waypoint.setDescription(description.getText().toString()); } MyTracksProviderUtils.Factory.get(this).updateWaypoint(waypoint); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/MarkerEditActivity.java
Java
asf20
8,120
/* * 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 android.content.Context; import android.preference.ListPreference; import android.util.AttributeSet; /** * A list preference which persists its values as integers instead of strings. * Code reading the values should use * {@link android.content.SharedPreferences#getInt}. * When using XML-declared arrays for entry values, the arrays should be regular * string arrays containing valid integer values. * * @author Rodrigo Damazio */ public class IntegerListPreference extends ListPreference { public IntegerListPreference(Context context) { super(context); verifyEntryValues(null); } public IntegerListPreference(Context context, AttributeSet attrs) { super(context, attrs); verifyEntryValues(null); } @Override public void setEntryValues(CharSequence[] entryValues) { CharSequence[] oldValues = getEntryValues(); super.setEntryValues(entryValues); verifyEntryValues(oldValues); } @Override public void setEntryValues(int entryValuesResId) { CharSequence[] oldValues = getEntryValues(); super.setEntryValues(entryValuesResId); verifyEntryValues(oldValues); } @Override protected String getPersistedString(String defaultReturnValue) { // During initial load, there's no known default value int defaultIntegerValue = Integer.MIN_VALUE; if (defaultReturnValue != null) { defaultIntegerValue = Integer.parseInt(defaultReturnValue); } // When the list preference asks us to read a string, instead read an // integer. int value = getPersistedInt(defaultIntegerValue); return Integer.toString(value); } @Override protected boolean persistString(String value) { // When asked to save a string, instead save an integer return persistInt(Integer.parseInt(value)); } private void verifyEntryValues(CharSequence[] oldValues) { CharSequence[] entryValues = getEntryValues(); if (entryValues == null) { return; } for (CharSequence entryValue : entryValues) { try { Integer.parseInt(entryValue.toString()); } catch (NumberFormatException nfe) { super.setEntryValues(oldValues); throw nfe; } } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/IntegerListPreference.java
Java
asf20
2,836
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.content.WaypointsColumns; import com.google.android.apps.mytracks.fragments.DeleteOneMarkerDialogFragment; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.database.Cursor; import android.os.Bundle; import android.speech.tts.TextToSpeech; import android.support.v4.app.FragmentActivity; import android.support.v4.app.LoaderManager.LoaderCallbacks; import android.support.v4.content.CursorLoader; import android.support.v4.content.Loader; import android.support.v4.widget.ResourceCursorAdapter; import android.util.Log; import android.view.ContextMenu; import android.view.ContextMenu.ContextMenuInfo; import android.view.KeyEvent; import android.view.Menu; import android.view.MenuItem; import android.view.View; import android.widget.AdapterView; import android.widget.AdapterView.AdapterContextMenuInfo; import android.widget.AdapterView.OnItemClickListener; import android.widget.ListView; import android.widget.TextView; /** * Activity to show a list of markers in a track. * * @author Leif Hendrik Wilden */ public class MarkerListActivity extends FragmentActivity { public static final String EXTRA_TRACK_ID = "track_id"; private static final String TAG = MarkerListActivity.class.getSimpleName(); private static final String[] PROJECTION = new String[] { WaypointsColumns._ID, WaypointsColumns.TYPE, WaypointsColumns.NAME, WaypointsColumns.CATEGORY, WaypointsColumns.TIME, WaypointsColumns.DESCRIPTION }; // Callback when an item is selected in the contextual action mode private ContextualActionModeCallback contextualActionModeCallback = new ContextualActionModeCallback() { @Override public boolean onClick(int itemId, long id) { return handleContextItem(itemId, id); } }; /* * Note that sharedPreferenceChangeListener cannot be an anonymous inner * class. Anonymous inner class will get garbage collected. */ private final OnSharedPreferenceChangeListener sharedPreferenceChangeListener = new OnSharedPreferenceChangeListener() { @Override public void onSharedPreferenceChanged(SharedPreferences preferences, String key) { // Note that key can be null if (PreferencesUtils.getRecordingTrackIdKey(MarkerListActivity.this).equals(key)) { updateMenu(); } } }; private long trackId = -1; private ResourceCursorAdapter resourceCursorAdapter; // UI elements private MenuItem insertMarkerMenuItem; private MenuItem searchMenuItem; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); trackId = getIntent().getLongExtra(EXTRA_TRACK_ID, -1L); if (trackId == -1L) { Log.d(TAG, "invalid track id"); finish(); return; } setVolumeControlStream(TextToSpeech.Engine.DEFAULT_STREAM); setDefaultKeyMode(DEFAULT_KEYS_SEARCH_LOCAL); ApiAdapterFactory.getApiAdapter().configureActionBarHomeAsUp(this); setContentView(R.layout.marker_list); SharedPreferences sharedPreferences = getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); sharedPreferences.registerOnSharedPreferenceChangeListener(sharedPreferenceChangeListener); ListView listView = (ListView) findViewById(R.id.marker_list); listView.setEmptyView(findViewById(R.id.marker_list_empty)); listView.setOnItemClickListener(new OnItemClickListener() { @Override public void onItemClick(AdapterView<?> parent, View view, int position, long id) { startActivity(new Intent(MarkerListActivity.this, MarkerDetailActivity.class).addFlags( Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK) .putExtra(MarkerDetailActivity.EXTRA_MARKER_ID, id)); } }); resourceCursorAdapter = new ResourceCursorAdapter(this, R.layout.marker_list_item, null, 0) { @Override public void bindView(View view, Context context, Cursor cursor) { int typeIndex = cursor.getColumnIndex(WaypointsColumns.TYPE); int nameIndex = cursor.getColumnIndex(WaypointsColumns.NAME); int categoryIndex = cursor.getColumnIndex(WaypointsColumns.CATEGORY); int timeIndex = cursor.getColumnIndexOrThrow(WaypointsColumns.TIME); int descriptionIndex = cursor.getColumnIndex(WaypointsColumns.DESCRIPTION); boolean statistics = cursor.getInt(typeIndex) == Waypoint.TYPE_STATISTICS; TextView name = (TextView) view.findViewById(R.id.marker_list_item_name); name.setText(cursor.getString(nameIndex)); name.setCompoundDrawablesWithIntrinsicBounds(statistics ? R.drawable.ylw_pushpin : R.drawable.blue_pushpin, 0, 0, 0); TextView category = (TextView) view.findViewById(R.id.marker_list_item_category); if (!statistics) { category.setText(cursor.getString(categoryIndex)); } category.setVisibility(statistics || category.getText().length() == 0 ? View.GONE : View.VISIBLE); TextView time = (TextView) view.findViewById(R.id.marker_list_item_time); long timeValue = cursor.getLong(timeIndex); if (timeValue == 0) { time.setVisibility(View.GONE); } else { time.setText(StringUtils.formatDateTime(MarkerListActivity.this, timeValue)); time.setVisibility(View.VISIBLE); } TextView description = (TextView) view.findViewById(R.id.marker_list_item_description); if (!statistics) { description.setText(cursor.getString(descriptionIndex)); } description.setVisibility(statistics || description.getText().length() == 0 ? View.GONE : View.VISIBLE); } }; listView.setAdapter(resourceCursorAdapter); ApiAdapterFactory.getApiAdapter().configureListViewContextualMenu( this, listView, R.menu.marker_list_context_menu, R.id.marker_list_item_name, contextualActionModeCallback); final long firstWaypointId = MyTracksProviderUtils.Factory.get(this).getFirstWaypointId(trackId); getSupportLoaderManager().initLoader(0, null, new LoaderCallbacks<Cursor>() { @Override public Loader<Cursor> onCreateLoader(int arg0, Bundle arg1) { return new CursorLoader(MarkerListActivity.this, WaypointsColumns.CONTENT_URI, PROJECTION, WaypointsColumns.TRACKID + "=? AND " + WaypointsColumns._ID + "!=?", new String[] { String.valueOf(trackId), String.valueOf(firstWaypointId) }, null); } @Override public void onLoadFinished(Loader<Cursor> loader, Cursor cursor) { resourceCursorAdapter.swapCursor(cursor); } @Override public void onLoaderReset(Loader<Cursor> loader) { resourceCursorAdapter.swapCursor(null); } }); } @Override public boolean onCreateOptionsMenu(Menu menu) { getMenuInflater().inflate(R.menu.marker_list, menu); insertMarkerMenuItem = menu.findItem(R.id.marker_list_insert_marker); searchMenuItem = menu.findItem(R.id.marker_list_search); ApiAdapterFactory.getApiAdapter().configureSearchWidget(this, searchMenuItem); updateMenu(); return true; } private void updateMenu() { if (insertMarkerMenuItem != null) { insertMarkerMenuItem.setVisible(trackId == PreferencesUtils.getRecordingTrackId(this)); } } @Override public boolean onOptionsItemSelected(MenuItem item) { switch (item.getItemId()) { case android.R.id.home: finish(); return true; case R.id.marker_list_insert_marker: startActivity(new Intent(this, MarkerEditActivity.class).addFlags( Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK)); return true; case R.id.marker_list_search: return ApiAdapterFactory.getApiAdapter().handleSearchMenuSelection(this); default: return super.onOptionsItemSelected(item); } } @Override public void onCreateContextMenu(ContextMenu menu, View v, ContextMenuInfo menuInfo) { super.onCreateContextMenu(menu, v, menuInfo); getMenuInflater().inflate(R.menu.marker_list_context_menu, menu); } @Override public boolean onContextItemSelected(MenuItem item) { if (handleContextItem( item.getItemId(), ((AdapterContextMenuInfo) item.getMenuInfo()).id)) { return true; } return super.onContextItemSelected(item); } /** * Handles a context item selection. * * @param itemId the menu item id * @param markerId the marker id * @return true if handled. */ private boolean handleContextItem(int itemId, long markerId) { switch (itemId) { case R.id.marker_list_context_menu_show_on_map: startActivity(new Intent(this, TrackDetailActivity.class).addFlags( Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK) .putExtra(TrackDetailActivity.EXTRA_MARKER_ID, markerId)); return true; case R.id.marker_list_context_menu_edit: startActivity(new Intent(this, MarkerEditActivity.class).addFlags( Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK) .putExtra(MarkerEditActivity.EXTRA_MARKER_ID, markerId)); return true; case R.id.marker_list_context_menu_delete: DeleteOneMarkerDialogFragment.newInstance(markerId).show(getSupportFragmentManager(), DeleteOneMarkerDialogFragment.DELETE_ONE_MARKER_DIALOG_TAG); return true; default: return false; } } @Override public boolean onKeyUp(int keyCode, KeyEvent event) { if (keyCode == KeyEvent.KEYCODE_SEARCH) { if (ApiAdapterFactory.getApiAdapter().handleSearchKey(searchMenuItem)) { return true; } } return super.onKeyUp(keyCode, event); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/MarkerListActivity.java
Java
asf20
10,957
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.stats.ExtremityMonitor; import android.content.Context; import android.graphics.Canvas; import android.graphics.Paint; import android.graphics.Paint.Style; import android.graphics.Path; import java.text.NumberFormat; /** * This class encapsulates meta data about one series of values for a chart. * * @author Sandor Dornbush */ public class ChartValueSeries { private final ExtremityMonitor monitor = new ExtremityMonitor(); private final NumberFormat format; private final Path path = new Path(); private final Paint fillPaint; private final Paint strokePaint; private final Paint labelPaint; private final ZoomSettings zoomSettings; private String title; private double min; private double max = 1.0; private int effectiveMax; private int effectiveMin; private double spread; private int interval; private boolean enabled = true; /** * This class controls how effective min/max values of a {@link ChartValueSeries} are calculated. */ public static class ZoomSettings { private int intervals; private final int absoluteMin; private final int absoluteMax; private final int[] zoomLevels; public ZoomSettings(int intervals, int[] zoomLevels) { this.intervals = intervals; this.absoluteMin = Integer.MAX_VALUE; this.absoluteMax = Integer.MIN_VALUE; this.zoomLevels = zoomLevels; checkArgs(); } public ZoomSettings(int intervals, int absoluteMin, int absoluteMax, int[] zoomLevels) { this.intervals = intervals; this.absoluteMin = absoluteMin; this.absoluteMax = absoluteMax; this.zoomLevels = zoomLevels; checkArgs(); } private void checkArgs() { if (intervals <= 0 || zoomLevels == null || zoomLevels.length == 0) { throw new IllegalArgumentException("Expecing positive intervals and non-empty zoom levels"); } for (int i = 1; i < zoomLevels.length; ++i) { if (zoomLevels[i] <= zoomLevels[i - 1]) { throw new IllegalArgumentException("Expecting zoom levels in ascending order"); } } } public int getIntervals() { return intervals; } public int getAbsoluteMin() { return absoluteMin; } public int getAbsoluteMax() { return absoluteMax; } public int[] getZoomLevels() { return zoomLevels; } /** * Calculates the interval between markings given the min and max values. * This function attempts to find the smallest zoom level that fits [min,max] after rounding * it to the current zoom level. * * @param min the minimum value in the series * @param max the maximum value in the series * @return the calculated interval for the given range */ public int calculateInterval(double min, double max) { min = Math.min(min, absoluteMin); max = Math.max(max, absoluteMax); for (int i = 0; i < zoomLevels.length; ++i) { int zoomLevel = zoomLevels[i]; int roundedMin = (int)(min / zoomLevel) * zoomLevel; if (roundedMin > min) { roundedMin -= zoomLevel; } double interval = (max - roundedMin) / intervals; if (zoomLevel >= interval) { return zoomLevel; } } return zoomLevels[zoomLevels.length - 1]; } } /** * Constructs a new chart value series. * * @param context The context for the chart * @param fillColor The paint for filling the chart * @param strokeColor The paint for stroking the outside the chart, optional * @param zoomSettings The settings related to zooming * @param titleId The title ID * * TODO: Get rid of Context and inject appropriate values instead. */ public ChartValueSeries( Context context, int fillColor, int strokeColor, ZoomSettings zoomSettings, int titleId) { this.format = NumberFormat.getIntegerInstance(); fillPaint = new Paint(); fillPaint.setStyle(Style.FILL); fillPaint.setColor(context.getResources().getColor(fillColor)); fillPaint.setAntiAlias(true); if (strokeColor != -1) { strokePaint = new Paint(); strokePaint.setStyle(Style.STROKE); strokePaint.setColor(context.getResources().getColor(strokeColor)); strokePaint.setAntiAlias(true); // Make a copy of the stroke paint with the default thickness. labelPaint = new Paint(strokePaint); strokePaint.setStrokeWidth(2f); } else { strokePaint = null; labelPaint = fillPaint; } this.zoomSettings = zoomSettings; this.title = context.getString(titleId); } /** * Draws the path of the chart */ public void drawPath(Canvas c) { c.drawPath(path, fillPaint); if (strokePaint != null) { c.drawPath(path, strokePaint); } } /** * Resets this series */ public void reset() { monitor.reset(); } /** * Updates this series with a new value */ public void update(double d) { monitor.update(d); } /** * @return The interval between markers */ public int getInterval() { return interval; } /** * Determines what the min and max of the chart will be. * This will round down and up the min and max respectively. */ public void updateDimension() { if (monitor.getMax() == Double.NEGATIVE_INFINITY) { min = 0; max = 1; } else { min = monitor.getMin(); max = monitor.getMax(); } min = Math.min(min, zoomSettings.getAbsoluteMin()); max = Math.max(max, zoomSettings.getAbsoluteMax()); this.interval = zoomSettings.calculateInterval(min, max); // Round it up. effectiveMax = ((int) (max / interval)) * interval + interval; // Round it down. effectiveMin = ((int) (min / interval)) * interval; if (min < 0) { effectiveMin -= interval; } spread = effectiveMax - effectiveMin; } /** * @return The length of the longest string from the series */ public int getMaxLabelLength() { String minS = format.format(effectiveMin); String maxS = format.format(getMax()); return Math.max(minS.length(), maxS.length()); } /** * @return The rounded down minimum value */ public int getMin() { return effectiveMin; } /** * @return The rounded up maximum value */ public int getMax() { return effectiveMax; } /** * @return The difference between the min and max values in the series */ public double getSpread() { return spread; } /** * @return The number format for this series */ NumberFormat getFormat() { return format; } /** * @return The path for this series */ Path getPath() { return path; } /** * @return The paint for this series */ Paint getPaint() { return strokePaint == null ? fillPaint : strokePaint; } public Paint getLabelPaint() { return labelPaint; } /** * @return The title of the series */ public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } /** * @return is this series enabled */ public boolean isEnabled() { return enabled; } /** * Sets the series enabled flag. */ public void setEnabled(boolean enabled) { this.enabled = enabled; } public boolean hasData() { return monitor.hasData(); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/ChartValueSeries.java
Java
asf20
8,023
/* * 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.CHART_TAB_TAG; import static com.google.android.apps.mytracks.Constants.MAP_TAB_TAG; import static com.google.android.apps.mytracks.Constants.STATS_TAB_TAG; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.TrackDataHub; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.content.WaypointCreationRequest; import com.google.android.apps.mytracks.fragments.ChartFragment; import com.google.android.apps.mytracks.fragments.ChartSettingsDialogFragment; import com.google.android.apps.mytracks.fragments.DeleteOneTrackDialogFragment; import com.google.android.apps.mytracks.fragments.InstallEarthDialogFragment; import com.google.android.apps.mytracks.fragments.MapFragment; import com.google.android.apps.mytracks.fragments.StatsFragment; import com.google.android.apps.mytracks.io.file.SaveActivity; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.io.sendtogoogle.SendRequest; import com.google.android.apps.mytracks.io.sendtogoogle.UploadServiceChooserActivity; import com.google.android.apps.mytracks.services.ITrackRecordingService; import com.google.android.apps.mytracks.services.TrackRecordingServiceConnection; import com.google.android.apps.mytracks.util.AnalyticsUtils; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.apps.mytracks.util.TrackRecordingServiceConnectionUtils; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.content.pm.PackageManager; import android.content.pm.ResolveInfo; import android.os.Bundle; import android.os.Parcelable; import android.os.RemoteException; import android.speech.tts.TextToSpeech; import android.support.v4.app.FragmentActivity; import android.util.Log; import android.view.Menu; import android.view.MenuItem; import android.view.MotionEvent; import android.view.View; import android.widget.TabHost; import android.widget.TabHost.TabSpec; import android.widget.Toast; import java.util.List; /** * An activity to show the track detail. * * @author Leif Hendrik Wilden * @author Rodrigo Damazio */ public class TrackDetailActivity extends FragmentActivity { public static final String EXTRA_TRACK_ID = "track_id"; public static final String EXTRA_MARKER_ID = "marker_id"; private static final String TAG = TrackDetailActivity.class.getSimpleName(); private static final String CURRENT_TAG_KEY = "tab"; private SharedPreferences sharedPreferences; private TrackDataHub trackDataHub; private TrackRecordingServiceConnection trackRecordingServiceConnection; private TabHost tabHost; private TabManager tabManager; private long trackId; private MenuItem stopRecordingMenuItem; private MenuItem insertMarkerMenuItem; private MenuItem playMenuItem; private MenuItem shareMenuItem; private MenuItem sendGoogleMenuItem; private MenuItem saveMenuItem; private MenuItem editMenuItem; private MenuItem deleteMenuItem; private View mapViewContainer; /* * Note that sharedPreferenceChangeListener cannot be an anonymous inner * class. Anonymous inner class will get garbage collected. */ private final OnSharedPreferenceChangeListener sharedPreferenceChangeListener = new OnSharedPreferenceChangeListener() { @Override public void onSharedPreferenceChanged(SharedPreferences preferences, String key) { // Note that key can be null if (PreferencesUtils.getRecordingTrackIdKey(TrackDetailActivity.this).equals(key)) { updateMenu(); } } }; /** * We are not displaying driving directions. Just an arbitrary track that is * not associated to any licensed mapping data. Therefore it should be okay to * return false here and still comply with the terms of service. */ @Override protected boolean isRouteDisplayed() { return false; } /** * We are displaying a location. This needs to return true in order to comply * with the terms of service. */ @Override protected boolean isLocationDisplayed() { return true; } @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setVolumeControlStream(TextToSpeech.Engine.DEFAULT_STREAM); ApiAdapterFactory.getApiAdapter().hideTitle(this); ApiAdapterFactory.getApiAdapter().configureActionBarHomeAsUp(this); setContentView(R.layout.track_detail); sharedPreferences = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); sharedPreferences.registerOnSharedPreferenceChangeListener(sharedPreferenceChangeListener); trackDataHub = ((MyTracksApplication) getApplication()).getTrackDataHub(); trackRecordingServiceConnection = new TrackRecordingServiceConnection(this, null); mapViewContainer = getLayoutInflater().inflate(R.layout.mytracks_layout, null); tabHost = (TabHost) findViewById(android.R.id.tabhost); tabHost.setup(); tabManager = new TabManager(this, tabHost, R.id.realtabcontent); TabSpec mapTabSpec = tabHost.newTabSpec(MAP_TAB_TAG).setIndicator( getString(R.string.track_detail_map_tab), getResources().getDrawable(android.R.drawable.ic_menu_mapmode)); tabManager.addTab(mapTabSpec, MapFragment.class, null); TabSpec chartTabSpec = tabHost.newTabSpec(CHART_TAB_TAG).setIndicator( getString(R.string.track_detail_chart_tab), getResources().getDrawable(R.drawable.menu_elevation)); tabManager.addTab(chartTabSpec, ChartFragment.class, null); TabSpec statsTabSpec = tabHost.newTabSpec(STATS_TAB_TAG).setIndicator( getString(R.string.track_detail_stats_tab), getResources().getDrawable(R.drawable.ic_menu_statistics)); tabManager.addTab(statsTabSpec, StatsFragment.class, null); if (savedInstanceState != null) { tabHost.setCurrentTabByTag(savedInstanceState.getString(CURRENT_TAG_KEY)); } handleIntent(getIntent()); } @Override public void onNewIntent(Intent intent) { super.onNewIntent(intent); handleIntent(intent); } @Override protected void onStart() { super.onStart(); trackDataHub.start(); } @Override protected void onResume() { super.onResume(); TrackRecordingServiceConnectionUtils.resume(this, trackRecordingServiceConnection); } @Override protected void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); outState.putString(CURRENT_TAG_KEY, tabHost.getCurrentTabTag()); } @Override protected void onStop() { super.onStop(); trackDataHub.stop(); } @Override protected void onDestroy() { super.onDestroy(); trackRecordingServiceConnection.unbind(); } @Override public boolean onCreateOptionsMenu(Menu menu) { getMenuInflater().inflate(R.menu.track_detail, menu); String fileTypes[] = getResources().getStringArray(R.array.file_types); menu.findItem(R.id.track_detail_save_gpx) .setTitle(getString(R.string.menu_save_format, fileTypes[0])); menu.findItem(R.id.track_detail_save_kml) .setTitle(getString(R.string.menu_save_format, fileTypes[1])); menu.findItem(R.id.track_detail_save_csv) .setTitle(getString(R.string.menu_save_format, fileTypes[2])); menu.findItem(R.id.track_detail_save_tcx) .setTitle(getString(R.string.menu_save_format, fileTypes[3])); menu.findItem(R.id.track_detail_share_gpx) .setTitle(getString(R.string.menu_share_file, fileTypes[0])); menu.findItem(R.id.track_detail_share_kml) .setTitle(getString(R.string.menu_share_file, fileTypes[1])); menu.findItem(R.id.track_detail_share_csv) .setTitle(getString(R.string.menu_share_file, fileTypes[2])); menu.findItem(R.id.track_detail_share_tcx) .setTitle(getString(R.string.menu_share_file, fileTypes[3])); stopRecordingMenuItem = menu.findItem(R.id.track_detail_stop_recording); insertMarkerMenuItem = menu.findItem(R.id.track_detail_insert_marker); playMenuItem = menu.findItem(R.id.track_detail_play); shareMenuItem = menu.findItem(R.id.track_detail_share); sendGoogleMenuItem = menu.findItem(R.id.track_detail_send_google); saveMenuItem = menu.findItem(R.id.track_detail_save); editMenuItem = menu.findItem(R.id.track_detail_edit); deleteMenuItem = menu.findItem(R.id.track_detail_delete); updateMenu(); return true; } @Override public boolean onPrepareOptionsMenu(Menu menu) { String currentTabTag = tabHost.getCurrentTabTag(); menu.findItem(R.id.track_detail_chart_settings).setVisible(CHART_TAB_TAG.equals(currentTabTag)); menu.findItem(R.id.track_detail_my_location).setVisible(MAP_TAB_TAG.equals(currentTabTag)); // Set map or satellite mode MapFragment mapFragment = (MapFragment) getSupportFragmentManager() .findFragmentByTag(MAP_TAB_TAG); boolean isSatelliteMode = mapFragment != null ? mapFragment.isSatelliteView() : false; menu.findItem(R.id.track_detail_satellite_mode).setVisible(MAP_TAB_TAG.equals(currentTabTag)) .setTitle(isSatelliteMode ? R.string.menu_map_mode : R.string.menu_satellite_mode); return super.onPrepareOptionsMenu(menu); } @Override public boolean onOptionsItemSelected(MenuItem item) { MapFragment mapFragment; Intent intent; switch (item.getItemId()) { case android.R.id.home: startTrackListActivity(); return true; case R.id.track_detail_stop_recording: updateMenuItems(false); TrackRecordingServiceConnectionUtils.stop(this, trackRecordingServiceConnection); return true; case R.id.track_detail_insert_marker: startActivity(new Intent(this, MarkerEditActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK)); return true; case R.id.track_detail_play: if (isEarthInstalled()) { AnalyticsUtils.sendPageViews(this, "/action/play"); intent = new Intent(this, SaveActivity.class) .putExtra(SaveActivity.EXTRA_TRACK_ID, trackId) .putExtra(SaveActivity.EXTRA_TRACK_FILE_FORMAT, (Parcelable) TrackFileFormat.KML) .putExtra(SaveActivity.EXTRA_PLAY_TRACK, true); startActivity(intent); } else { new InstallEarthDialogFragment().show( getSupportFragmentManager(), InstallEarthDialogFragment.INSTALL_EARTH_DIALOG_TAG); } return true; case R.id.track_detail_share_map: intent = new Intent(this, UploadServiceChooserActivity.class) .putExtra(SendRequest.SEND_REQUEST_KEY, new SendRequest(trackId, true, false, false)); startActivity(intent); return true; case R.id.track_detail_share_fusion_table: intent = new Intent(this, UploadServiceChooserActivity.class) .putExtra(SendRequest.SEND_REQUEST_KEY, new SendRequest(trackId, false, true, false)); startActivity(intent); return true; case R.id.track_detail_share_gpx: startSaveActivity(TrackFileFormat.GPX, true); return true; case R.id.track_detail_share_kml: startSaveActivity(TrackFileFormat.KML, true); return true; case R.id.track_detail_share_csv: startSaveActivity(TrackFileFormat.CSV, true); return true; case R.id.track_detail_share_tcx: startSaveActivity(TrackFileFormat.TCX, true); return true; case R.id.track_detail_markers: intent = new Intent(this, MarkerListActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK) .putExtra(MarkerListActivity.EXTRA_TRACK_ID, trackId); startActivity(intent); return true; case R.id.track_detail_send_google: intent = new Intent(this, UploadServiceChooserActivity.class) .putExtra(SendRequest.SEND_REQUEST_KEY, new SendRequest(trackId, true, true, true)); startActivity(intent); return true; case R.id.track_detail_save_gpx: startSaveActivity(TrackFileFormat.GPX, false); return true; case R.id.track_detail_save_kml: startSaveActivity(TrackFileFormat.KML, false); return true; case R.id.track_detail_save_csv: startSaveActivity(TrackFileFormat.CSV, false); return true; case R.id.track_detail_save_tcx: startSaveActivity(TrackFileFormat.TCX, false); return true; case R.id.track_detail_edit: startActivity(new Intent(this, TrackEditActivity.class) .putExtra(TrackEditActivity.EXTRA_TRACK_ID, trackId)); return true; case R.id.track_detail_delete: DeleteOneTrackDialogFragment.newInstance(trackId).show( getSupportFragmentManager(), DeleteOneTrackDialogFragment.DELETE_ONE_TRACK_DIALOG_TAG); return true; case R.id.track_detail_my_location: mapFragment = (MapFragment) getSupportFragmentManager().findFragmentByTag(MAP_TAB_TAG); if (mapFragment != null) { mapFragment.showMyLocation(); } return true; case R.id.track_detail_satellite_mode: mapFragment = (MapFragment) getSupportFragmentManager().findFragmentByTag(MAP_TAB_TAG); if (mapFragment != null) { mapFragment.setSatelliteView(!mapFragment.isSatelliteView()); } return true; case R.id.track_detail_chart_settings: new ChartSettingsDialogFragment().show( getSupportFragmentManager(), ChartSettingsDialogFragment.CHART_SETTINGS_DIALOG_TAG); return true; case R.id.track_detail_sensor_state: startActivity(new Intent(this, SensorStateActivity.class)); return true; case R.id.track_detail_settings: startActivity(new Intent(this, SettingsActivity.class)); return true; case R.id.track_detail_help: startActivity(new Intent(this, HelpActivity.class)); return true; default: return false; } } @Override public boolean onTrackballEvent(MotionEvent event) { if (event.getAction() == MotionEvent.ACTION_DOWN) { if (TrackRecordingServiceConnectionUtils.isRecording(this, trackRecordingServiceConnection)) { ITrackRecordingService trackRecordingService = trackRecordingServiceConnection .getServiceIfBound(); if (trackRecordingService == null) { Log.e(TAG, "The track recording service is null"); return true; } boolean success = false; try { long waypointId = trackRecordingService.insertWaypoint( WaypointCreationRequest.DEFAULT_STATISTICS); if (waypointId != -1L) { success = true; } } catch (RemoteException e) { Log.e(TAG, "Unable to insert waypoint", e); } Toast.makeText(this, success ? R.string.marker_edit_add_success : R.string.marker_edit_add_error, success ? Toast.LENGTH_SHORT : Toast.LENGTH_LONG).show(); return true; } } return super.onTrackballEvent(event); } /** * @return the mapViewContainer */ public View getMapViewContainer() { return mapViewContainer; } /** * Handles the data in the intent. */ private void handleIntent(Intent intent) { trackId = intent.getLongExtra(EXTRA_TRACK_ID, -1L); long markerId = intent.getLongExtra(EXTRA_MARKER_ID, -1L); if (markerId != -1L) { Waypoint waypoint = MyTracksProviderUtils.Factory.get(this).getWaypoint(markerId); if (waypoint == null) { startTrackListActivity(); finish(); return; } trackId = waypoint.getTrackId(); } if (trackId == -1L) { startTrackListActivity(); finish(); return; } trackDataHub.loadTrack(trackId); if (markerId != -1L) { MapFragment mapFragmet = (MapFragment) getSupportFragmentManager() .findFragmentByTag(MAP_TAB_TAG); if (mapFragmet != null) { tabHost.setCurrentTabByTag(MAP_TAB_TAG); mapFragmet.showMarker(trackId, markerId); } else { Log.e(TAG, "MapFragment is null"); } } } /** * Updates the menu. */ private void updateMenu() { updateMenuItems(trackId == PreferencesUtils.getRecordingTrackId(this)); } /** * Updates the menu items. * * @param isRecording true if recording */ private void updateMenuItems(boolean isRecording) { if (stopRecordingMenuItem != null) { stopRecordingMenuItem.setVisible(isRecording); } if (insertMarkerMenuItem != null) { insertMarkerMenuItem.setVisible(isRecording); } if (playMenuItem != null) { playMenuItem.setVisible(!isRecording); } if (shareMenuItem != null) { shareMenuItem.setVisible(!isRecording); } if (sendGoogleMenuItem != null) { sendGoogleMenuItem.setVisible(!isRecording); } if (saveMenuItem != null) { saveMenuItem.setVisible(!isRecording); } if (editMenuItem != null) { editMenuItem.setVisible(!isRecording); } if (deleteMenuItem != null) { deleteMenuItem.setVisible(!isRecording); } } /** * Starts the {@link TrackListActivity}. */ private void startTrackListActivity() { startActivity(new Intent(this, TrackListActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK)); } /** * Starts the {@link SaveActivity} to save a track. * * @param trackFileFormat the track file format * @param shareTrack true to share the track after saving */ private void startSaveActivity(TrackFileFormat trackFileFormat, boolean shareTrack) { Intent intent = new Intent(this, SaveActivity.class) .putExtra(SaveActivity.EXTRA_TRACK_ID, trackId) .putExtra(SaveActivity.EXTRA_TRACK_FILE_FORMAT, (Parcelable) trackFileFormat) .putExtra(SaveActivity.EXTRA_SHARE_TRACK, shareTrack); startActivity(intent); } /** * Returns true if Google Earth app is installed. */ private boolean isEarthInstalled() { List<ResolveInfo> infos = getPackageManager().queryIntentActivities( new Intent().setType(SaveActivity.GOOGLE_EARTH_KML_MIME_TYPE), PackageManager.MATCH_DEFAULT_ONLY); for (ResolveInfo info : infos) { if (info.activityInfo != null && info.activityInfo.packageName != null && info.activityInfo.packageName.equals(SaveActivity.GOOGLE_EARTH_PACKAGE)) { return true; } } return false; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/TrackDetailActivity.java
Java
asf20
19,608
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.fragments.DeleteOneMarkerDialogFragment; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.apps.mytracks.util.StatsUtils; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.os.Bundle; import android.speech.tts.TextToSpeech; import android.support.v4.app.FragmentActivity; import android.util.Log; import android.view.Menu; import android.view.MenuItem; import android.view.View; import android.widget.TextView; /** * An activity to display marker detail info. * * @author Leif Hendrik Wilden */ public class MarkerDetailActivity extends FragmentActivity { public static final String EXTRA_MARKER_ID = "marker_id"; private static final String TAG = MarkerDetailActivity.class.getSimpleName(); private long markerId; @Override protected void onCreate(Bundle bundle) { super.onCreate(bundle); setVolumeControlStream(TextToSpeech.Engine.DEFAULT_STREAM); ApiAdapterFactory.getApiAdapter().configureActionBarHomeAsUp(this); setContentView(R.layout.marker_detail); markerId = getIntent().getLongExtra(EXTRA_MARKER_ID, -1L); if (markerId == -1L) { Log.d(TAG, "invalid marker id"); finish(); return; } Waypoint waypoint = MyTracksProviderUtils.Factory.get(this).getWaypoint(markerId); if (waypoint == null) { Log.d(TAG, "waypoint is null"); finish(); return; } TextView name = (TextView) findViewById(R.id.marker_detail_name); name.setText(getString(R.string.marker_detail_name, waypoint.getName())); View waypointSection = findViewById(R.id.marker_detail_waypoint_section); View statisticsSection = findViewById(R.id.marker_detail_statistics_section); if (waypoint.getType() == Waypoint.TYPE_WAYPOINT) { waypointSection.setVisibility(View.VISIBLE); statisticsSection.setVisibility(View.GONE); TextView markerType = (TextView) findViewById(R.id.marker_detail_marker_type); markerType.setText(getString(R.string.marker_detail_marker_type, waypoint.getCategory())); TextView description = (TextView) findViewById(R.id.marker_detail_description); description.setText(getString(R.string.marker_detail_description, waypoint.getDescription())); } else { waypointSection.setVisibility(View.GONE); statisticsSection.setVisibility(View.VISIBLE); SharedPreferences preferences = getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); boolean metricUnits = preferences.getBoolean(getString(R.string.metric_units_key), true); boolean reportSpeed = preferences.getBoolean(getString(R.string.report_speed_key), true); StatsUtils.setSpeedLabel(this, R.id.marker_detail_max_speed_label, R.string.stat_max_speed, R.string.stat_fastest_pace, reportSpeed); StatsUtils.setSpeedLabel(this, R.id.marker_detail_average_speed_label, R.string.stat_average_speed, R.string.stat_average_pace, reportSpeed); StatsUtils.setSpeedLabel(this, R.id.marker_detail_average_moving_speed_label, R.string.stat_average_moving_speed, R.string.stat_average_moving_pace, reportSpeed); TripStatistics tripStatistics = waypoint.getStatistics(); StatsUtils.setDistanceValue(this, R.id.marker_detail_total_distance_value, tripStatistics.getTotalDistance(), metricUnits); StatsUtils.setSpeedValue(this, R.id.marker_detail_max_speed_value, tripStatistics.getMaxSpeed(), reportSpeed, metricUnits); StatsUtils.setTimeValue( this, R.id.marker_detail_total_time_value, tripStatistics.getTotalTime()); StatsUtils.setSpeedValue(this, R.id.marker_detail_average_speed_value, tripStatistics.getAverageSpeed(), reportSpeed, metricUnits); StatsUtils.setTimeValue( this, R.id.marker_detail_moving_time_value, tripStatistics.getMovingTime()); StatsUtils.setSpeedValue(this, R.id.marker_detail_average_moving_speed_value, tripStatistics.getAverageMovingSpeed(), reportSpeed, metricUnits); StatsUtils.setAltitudeValue(this, R.id.marker_detail_elevation_value, waypoint.getLocation().getAltitude(), metricUnits); StatsUtils.setAltitudeValue(this, R.id.marker_detail_elevation_gain_value, tripStatistics.getTotalElevationGain(), metricUnits); StatsUtils.setAltitudeValue(this, R.id.marker_detail_min_elevation_value, tripStatistics.getMinElevation(), metricUnits); StatsUtils.setAltitudeValue(this, R.id.marker_detail_max_elevation_value, tripStatistics.getMaxElevation(), metricUnits); StatsUtils.setGradeValue( this, R.id.marker_detail_min_grade_value, tripStatistics.getMinGrade()); StatsUtils.setGradeValue( this, R.id.marker_detail_max_grade_value, tripStatistics.getMaxGrade()); } } @Override public boolean onCreateOptionsMenu(Menu menu) { getMenuInflater().inflate(R.menu.marker_detail, menu); return true; } @Override public boolean onOptionsItemSelected(MenuItem item) { switch (item.getItemId()) { case android.R.id.home: finish(); return true; case R.id.marker_detail_show_on_map: startActivity(new Intent(this, TrackDetailActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK) .putExtra(TrackDetailActivity.EXTRA_MARKER_ID, markerId)); return true; case R.id.marker_detail_edit: startActivity(new Intent(this, MarkerEditActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK) .putExtra(MarkerEditActivity.EXTRA_MARKER_ID, markerId)); return true; case R.id.marker_detail_delete: DeleteOneMarkerDialogFragment.newInstance(markerId).show(getSupportFragmentManager(), DeleteOneMarkerDialogFragment.DELETE_ONE_MARKER_DIALOG_TAG); return true; default: return super.onOptionsItemSelected(item); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/MarkerDetailActivity.java
Java
asf20
7,003
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); } } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/AutoCompleteTextPreference.java
Java
asf20
1,994
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.SearchEngine; import com.google.android.apps.mytracks.content.SearchEngine.ScoredResult; import com.google.android.apps.mytracks.content.SearchEngine.SearchQuery; import com.google.android.apps.mytracks.content.SearchEngineProvider; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.mytracks.R; import android.app.ListActivity; import android.app.SearchManager; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.location.Location; import android.location.LocationManager; import android.os.Bundle; import android.provider.SearchRecentSuggestions; import android.util.Log; import android.view.View; import android.widget.ListView; import android.widget.SimpleAdapter; import java.util.ArrayList; import java.util.Collection; import java.util.HashMap; import java.util.List; import java.util.Map; import java.util.SortedSet; /** * Activity to search for tracks or waypoints. * * @author Rodrigo Damazio */ public class SearchActivity extends ListActivity { private static final String ICON_FIELD = "icon"; private static final String NAME_FIELD = "name"; private static final String DESCRIPTION_FIELD = "description"; private static final String CATEGORY_FIELD = "category"; private static final String TIME_FIELD = "time"; private static final String STATS_FIELD = "stats"; private static final String TRACK_ID_FIELD = "trackId"; private static final String WAYPOINT_ID_FIELD = "waypointId"; public static final String EXTRA_TRACK_ID = "track_id"; private static final boolean LOG_SCORES = true; private MyTracksProviderUtils providerUtils; private SearchEngine engine; private LocationManager locationManager; private SharedPreferences preferences; private SearchRecentSuggestions suggestions; private boolean metricUnits; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); providerUtils = MyTracksProviderUtils.Factory.get(this); engine = new SearchEngine(providerUtils); suggestions = SearchEngineProvider.newHelper(this); locationManager = (LocationManager) getSystemService(LOCATION_SERVICE); preferences = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); setContentView(R.layout.search_list); handleIntent(getIntent()); } @Override protected void onResume() { super.onResume(); metricUnits = preferences.getBoolean(getString(R.string.metric_units_key), true); } @Override protected void onNewIntent(Intent intent) { setIntent(intent); handleIntent(intent); } private void handleIntent(Intent intent) { if (!Intent.ACTION_SEARCH.equals(intent.getAction())) { Log.e(TAG, "Got bad search intent: " + intent); finish(); return; } String textQuery = intent.getStringExtra(SearchManager.QUERY); Location currentLocation = locationManager.getLastKnownLocation("gps"); long currentTrackId = intent.getLongExtra(EXTRA_TRACK_ID, -1L); long currentTimestamp = System.currentTimeMillis(); final SearchQuery query = new SearchQuery(textQuery, currentLocation, currentTrackId, currentTimestamp); // Do the actual search in a separate thread. new Thread() { @Override public void run() { doSearch(query); } }.start(); } private void doSearch(SearchQuery query) { SortedSet<ScoredResult> scoredResults = engine.search(query); final List<? extends Map<String, ?>> displayResults = prepareResultsforDisplay(scoredResults); if (LOG_SCORES) { Log.i(TAG, "Search scores: " + displayResults); } // Then go back to the UI thread to display them. runOnUiThread(new Runnable() { @Override public void run() { showSearchResults(displayResults); } }); // Save the query as a suggestion for the future. suggestions.saveRecentQuery(query.textQuery, null); } private List<Map<String, Object>> prepareResultsforDisplay( Collection<ScoredResult> scoredResults) { ArrayList<Map<String, Object>> output = new ArrayList<Map<String, Object>>(scoredResults.size()); for (ScoredResult result : scoredResults) { Map<String, Object> resultMap = new HashMap<String, Object>(); if (result.track != null) { prepareTrackForDisplay(result.track, resultMap); } else { prepareWaypointForDisplay(result.waypoint, resultMap); } resultMap.put("score", result.score); output.add(resultMap); } return output; } private void prepareWaypointForDisplay(Waypoint waypoint, Map<String, Object> resultMap) { // Look up the owner track. // TODO: It may be more appropriate to do this as a join in the retrieval phase of the search. String trackName = null; long trackId = waypoint.getTrackId(); if (trackId > 0) { Track track = providerUtils.getTrack(trackId); if (track != null) { trackName = track.getName(); } } resultMap.put(ICON_FIELD, waypoint.getType() == Waypoint.TYPE_STATISTICS ? R.drawable.ylw_pushpin : R.drawable.blue_pushpin); resultMap.put(NAME_FIELD, waypoint.getName()); resultMap.put(DESCRIPTION_FIELD, waypoint.getDescription()); resultMap.put(CATEGORY_FIELD, waypoint.getCategory()); // In the same place as we show time for tracks, show the track name for waypoints. resultMap.put(TIME_FIELD, getString(R.string.search_track_location, trackName)); resultMap.put(STATS_FIELD, StringUtils.formatDateTime(this, waypoint.getLocation().getTime())); resultMap.put(TRACK_ID_FIELD, waypoint.getTrackId()); resultMap.put(WAYPOINT_ID_FIELD, waypoint.getId()); } private void prepareTrackForDisplay(Track track, Map<String, Object> resultMap) { TripStatistics stats = track.getStatistics(); resultMap.put(ICON_FIELD, R.drawable.track); resultMap.put(NAME_FIELD, track.getName()); resultMap.put(DESCRIPTION_FIELD, track.getDescription()); resultMap.put(CATEGORY_FIELD, track.getCategory()); resultMap.put(TIME_FIELD, StringUtils.formatDateTime(this, stats.getStartTime())); resultMap.put(STATS_FIELD, StringUtils.formatTimeDistance( this, stats.getTotalTime(), stats.getTotalDistance(), metricUnits)); resultMap.put(TRACK_ID_FIELD, track.getId()); } /** * Shows the given search results. * Must be run from the UI thread. * * @param data the results to show, properly ordered */ private void showSearchResults(List<? extends Map<String, ?>> data) { SimpleAdapter adapter = new SimpleAdapter(this, data, // TODO: Custom view for search results. R.layout.mytracks_list_item, new String[] { ICON_FIELD, NAME_FIELD, DESCRIPTION_FIELD, CATEGORY_FIELD, TIME_FIELD, STATS_FIELD, }, new int[] { R.id.track_list_item_icon, R.id.track_list_item_name, R.id.track_list_item_description, R.id.track_list_item_category, R.id.track_list_item_time, R.id.track_list_item_stats, }); setListAdapter(adapter); } @Override protected void onListItemClick(ListView l, View v, int position, long id) { @SuppressWarnings("unchecked") Map<String, Object> clickedData = (Map<String, Object>) getListAdapter().getItem(position); startActivity(createViewDataIntent(clickedData)); } private Intent createViewDataIntent(Map<String, Object> clickedData) { Intent intent = new Intent(this, TrackDetailActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK); if (clickedData.containsKey(WAYPOINT_ID_FIELD)) { intent.putExtra( TrackDetailActivity.EXTRA_MARKER_ID, (Long) clickedData.get(WAYPOINT_ID_FIELD)); } else { intent.putExtra(TrackDetailActivity.EXTRA_TRACK_ID, (Long) clickedData.get(TRACK_ID_FIELD)); } return intent; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/SearchActivity.java
Java
asf20
9,058
/* * 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.fragments.AboutDialogFragment; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.maps.mytracks.R; import android.content.Intent; import android.os.Bundle; import android.speech.tts.TextToSpeech; import android.support.v4.app.FragmentActivity; import android.view.MenuItem; import android.view.View; import android.view.View.OnClickListener; /** * An activity that displays the help page. * * @author Sandor Dornbush */ public class HelpActivity extends FragmentActivity { @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setVolumeControlStream(TextToSpeech.Engine.DEFAULT_STREAM); ApiAdapterFactory.getApiAdapter().configureActionBarHomeAsUp(this); setContentView(R.layout.help); findViewById(R.id.help_ok).setOnClickListener(new OnClickListener() { public void onClick(View v) { finish(); } }); findViewById(R.id.help_about).setOnClickListener(new OnClickListener() { public void onClick(View v) { new AboutDialogFragment().show( getSupportFragmentManager(), AboutDialogFragment.ABOUT_DIALOG_TAG); } }); } @Override public boolean onOptionsItemSelected(MenuItem item) { if (item.getItemId() != android.R.id.home) { return false; } startActivity(new Intent(this, TrackListActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK)); return true; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/HelpActivity.java
Java
asf20
2,184
/* * 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.content; import static com.google.android.apps.mytracks.Constants.MAX_LOCATION_AGE_MS; import static com.google.android.apps.mytracks.Constants.MAX_NETWORK_AGE_MS; import com.google.android.apps.mytracks.Constants; import com.google.android.maps.mytracks.R; import android.content.ContentResolver; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.database.ContentObserver; import android.hardware.Sensor; import android.hardware.SensorEventListener; import android.hardware.SensorManager; import android.location.Location; import android.location.LocationListener; import android.location.LocationManager; import android.location.LocationProvider; import android.net.Uri; import android.util.Log; import android.widget.Toast; /** * Real implementation of the data sources, which talks to system services. * * @author Rodrigo Damazio */ class DataSourcesWrapperImpl implements DataSourcesWrapper { // System services private final SensorManager sensorManager; private final LocationManager locationManager; private final ContentResolver contentResolver; private final SharedPreferences sharedPreferences; private final Context context; DataSourcesWrapperImpl(Context context, SharedPreferences sharedPreferences) { this.context = context; this.sensorManager = (SensorManager) context.getSystemService(Context.SENSOR_SERVICE); this.locationManager = (LocationManager) context.getSystemService(Context.LOCATION_SERVICE); this.contentResolver = context.getContentResolver(); this.sharedPreferences = sharedPreferences; } @Override public void registerOnSharedPreferenceChangeListener( OnSharedPreferenceChangeListener listener) { sharedPreferences.registerOnSharedPreferenceChangeListener(listener); } @Override public void unregisterOnSharedPreferenceChangeListener( OnSharedPreferenceChangeListener listener) { sharedPreferences.unregisterOnSharedPreferenceChangeListener(listener); } @Override public void registerContentObserver(Uri contentUri, boolean descendents, ContentObserver observer) { contentResolver.registerContentObserver(contentUri, descendents, observer); } @Override public void unregisterContentObserver(ContentObserver observer) { contentResolver.unregisterContentObserver(observer); } @Override public Sensor getSensor(int type) { return sensorManager.getDefaultSensor(type); } @Override public void registerSensorListener(SensorEventListener listener, Sensor sensor, int sensorDelay) { sensorManager.registerListener(listener, sensor, sensorDelay); } @Override public void unregisterSensorListener(SensorEventListener listener) { sensorManager.unregisterListener(listener); } @Override public boolean isLocationProviderEnabled(String provider) { return locationManager.isProviderEnabled(provider); } @Override public void requestLocationUpdates(LocationListener listener) { // Check if the provider exists. LocationProvider gpsProvider = locationManager.getProvider(LocationManager.GPS_PROVIDER); if (gpsProvider == null) { listener.onProviderDisabled(LocationManager.GPS_PROVIDER); locationManager.removeUpdates(listener); return; } // Listen to GPS location. String providerName = gpsProvider.getName(); Log.d(Constants.TAG, "TrackDataHub: Using location provider " + providerName); locationManager.requestLocationUpdates(providerName, 0 /*minTime*/, 0 /*minDist*/, listener); // Give an initial update on provider state. if (locationManager.isProviderEnabled(providerName)) { listener.onProviderEnabled(providerName); } else { listener.onProviderDisabled(providerName); } // Listen to network location try { locationManager.requestLocationUpdates(LocationManager.NETWORK_PROVIDER, 1000 * 60 * 5 /*minTime*/, 0 /*minDist*/, listener); } catch (RuntimeException e) { // If anything at all goes wrong with getting a cell location do not // abort. Cell location is not essential to this app. Log.w(Constants.TAG, "Could not register network location listener.", e); } } @Override public Location getLastKnownLocation() { // TODO: Let's look at more advanced algorithms to determine the best // current location. Location loc = locationManager.getLastKnownLocation(LocationManager.GPS_PROVIDER); final long now = System.currentTimeMillis(); if (loc == null || loc.getTime() < now - MAX_LOCATION_AGE_MS) { // We don't have a recent GPS fix, just use cell towers if available loc = locationManager.getLastKnownLocation(LocationManager.NETWORK_PROVIDER); int toastResId = R.string.my_location_approximate_location; if (loc == null || loc.getTime() < now - MAX_NETWORK_AGE_MS) { // We don't have a recent cell tower location, let the user know: toastResId = R.string.my_location_no_location; } // Let the user know we have only an approximate location: Toast.makeText(context, context.getString(toastResId), Toast.LENGTH_LONG).show(); } return loc; } @Override public void removeLocationUpdates(LocationListener listener) { locationManager.removeUpdates(listener); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/content/DataSourcesWrapperImpl.java
Java
asf20
6,040
/* * 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.content; import static com.google.android.apps.mytracks.Constants.DEFAULT_MIN_REQUIRED_ACCURACY; import static com.google.android.apps.mytracks.Constants.MAX_DISPLAYED_WAYPOINTS_POINTS; import static com.google.android.apps.mytracks.Constants.MAX_LOCATION_AGE_MS; import static com.google.android.apps.mytracks.Constants.MAX_NETWORK_AGE_MS; import static com.google.android.apps.mytracks.Constants.TAG; import static com.google.android.apps.mytracks.Constants.TARGET_DISPLAYED_TRACK_POINTS; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.DataSourceManager.DataSourceListener; import com.google.android.apps.mytracks.content.MyTracksProviderUtils.DoubleBufferedLocationFactory; import com.google.android.apps.mytracks.content.MyTracksProviderUtils.LocationIterator; import com.google.android.apps.mytracks.content.TrackDataListener.ProviderState; import com.google.android.apps.mytracks.content.TrackDataListeners.ListenerRegistration; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.database.Cursor; import android.hardware.GeomagneticField; import android.location.Location; import android.location.LocationManager; import android.os.Handler; import android.os.HandlerThread; import android.util.Log; import java.util.Collections; import java.util.EnumSet; import java.util.Set; /** * Track data hub, which receives data (both live and recorded) from many * different sources and distributes it to those interested after some standard * processing. * * TODO: Simplify the threading model here, it's overly complex and it's not obvious why * certain race conditions won't happen. * * @author Rodrigo Damazio */ public class TrackDataHub { // Preference keys private final String MIN_REQUIRED_ACCURACY_KEY; private final String METRIC_UNITS_KEY; private final String SPEED_REPORTING_KEY; // Overridable constants private final int targetNumPoints; /** Types of data that we can expose. */ public static enum ListenerDataType { /** Listen to when the selected track changes. */ SELECTED_TRACK_CHANGED, /** Listen to when the tracks change. */ TRACK_UPDATES, /** Listen to when the waypoints change. */ WAYPOINT_UPDATES, /** Listen to when the current track points change. */ POINT_UPDATES, /** * Listen to sampled-out points. * Listening to this without listening to {@link #POINT_UPDATES} * makes no sense and may yield unexpected results. */ SAMPLED_OUT_POINT_UPDATES, /** Listen to updates to the current location. */ LOCATION_UPDATES, /** Listen to updates to the current heading. */ COMPASS_UPDATES, /** Listens to changes in display preferences. */ DISPLAY_PREFERENCES; } /** Listener which receives events from the system. */ private class HubDataSourceListener implements DataSourceListener { @Override public void notifyTrackUpdated() { TrackDataHub.this.notifyTrackUpdated(getListenersFor(ListenerDataType.TRACK_UPDATES)); } @Override public void notifyWaypointUpdated() { TrackDataHub.this.notifyWaypointUpdated(getListenersFor(ListenerDataType.WAYPOINT_UPDATES)); } @Override public void notifyPointsUpdated() { TrackDataHub.this.notifyPointsUpdated(true, 0, 0, getListenersFor(ListenerDataType.POINT_UPDATES), getListenersFor(ListenerDataType.SAMPLED_OUT_POINT_UPDATES)); } @Override public void notifyPreferenceChanged(String key) { TrackDataHub.this.notifyPreferenceChanged(key); } @Override public void notifyLocationProviderEnabled(boolean enabled) { hasProviderEnabled = enabled; TrackDataHub.this.notifyFixType(); } @Override public void notifyLocationProviderAvailable(boolean available) { hasFix = available; TrackDataHub.this.notifyFixType(); } @Override public void notifyLocationChanged(Location loc) { TrackDataHub.this.notifyLocationChanged(loc, getListenersFor(ListenerDataType.LOCATION_UPDATES)); } @Override public void notifyHeadingChanged(float heading) { lastSeenMagneticHeading = heading; maybeUpdateDeclination(); TrackDataHub.this.notifyHeadingChanged(getListenersFor(ListenerDataType.COMPASS_UPDATES)); } } // Application services private final Context context; private final MyTracksProviderUtils providerUtils; private final SharedPreferences preferences; // Get content notifications on the main thread, send listener callbacks in another. // This ensures listener calls are serialized. private HandlerThread listenerHandlerThread; private Handler listenerHandler; /** Manager for external listeners (those from activities). */ private final TrackDataListeners dataListeners; /** Wrapper for interacting with system data managers. */ private DataSourcesWrapper dataSources; /** Manager for system data listener registrations. */ private DataSourceManager dataSourceManager; /** Condensed listener for system data listener events. */ private final DataSourceListener dataSourceListener = new HubDataSourceListener(); // Cached preference values private int minRequiredAccuracy; private boolean useMetricUnits; private boolean reportSpeed; // Cached sensor readings private float declination; private long lastDeclinationUpdate; private float lastSeenMagneticHeading; // Cached GPS readings private Location lastSeenLocation; private boolean hasProviderEnabled = true; private boolean hasFix; private boolean hasGoodFix; // Transient state about the selected track private long selectedTrackId; private long firstSeenLocationId; private long lastSeenLocationId; private int numLoadedPoints; private int lastSamplingFrequency; private DoubleBufferedLocationFactory locationFactory; private boolean started = false; /** * Builds a new {@link TrackDataHub} instance. */ public synchronized static TrackDataHub newInstance(Context context) { SharedPreferences preferences = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); MyTracksProviderUtils providerUtils = MyTracksProviderUtils.Factory.get(context); return new TrackDataHub(context, new TrackDataListeners(), preferences, providerUtils, TARGET_DISPLAYED_TRACK_POINTS); } /** * Injection constructor. */ // @VisibleForTesting TrackDataHub(Context ctx, TrackDataListeners listeners, SharedPreferences preferences, MyTracksProviderUtils providerUtils, int targetNumPoints) { this.context = ctx; this.dataListeners = listeners; this.preferences = preferences; this.providerUtils = providerUtils; this.targetNumPoints = targetNumPoints; this.locationFactory = new DoubleBufferedLocationFactory(); MIN_REQUIRED_ACCURACY_KEY = context.getString(R.string.min_required_accuracy_key); METRIC_UNITS_KEY = context.getString(R.string.metric_units_key); SPEED_REPORTING_KEY = context.getString(R.string.report_speed_key); resetState(); } /** * Starts listening to data sources and reporting the data to external * listeners. */ public void start() { Log.i(TAG, "TrackDataHub.start"); if (isStarted()) { Log.w(TAG, "Already started, ignoring"); return; } started = true; listenerHandlerThread = new HandlerThread("trackDataContentThread"); listenerHandlerThread.start(); listenerHandler = new Handler(listenerHandlerThread.getLooper()); dataSources = newDataSources(); dataSourceManager = new DataSourceManager(dataSourceListener, dataSources); // This may or may not register internal listeners, depending on whether // we already had external listeners. dataSourceManager.updateAllListeners(getNeededListenerTypes()); loadSharedPreferences(); // If there were listeners already registered, make sure they become up-to-date. loadDataForAllListeners(); } // @VisibleForTesting protected DataSourcesWrapper newDataSources() { return new DataSourcesWrapperImpl(context, preferences); } /** * Stops listening to data sources and reporting the data to external * listeners. */ public void stop() { Log.i(TAG, "TrackDataHub.stop"); if (!isStarted()) { Log.w(TAG, "Not started, ignoring"); return; } // Unregister internal listeners even if there are external listeners registered. dataSourceManager.unregisterAllListeners(); listenerHandlerThread.getLooper().quit(); started = false; dataSources = null; dataSourceManager = null; listenerHandlerThread = null; listenerHandler = null; } private boolean isStarted() { return started; } @Override protected void finalize() throws Throwable { if (isStarted() || (listenerHandlerThread != null && listenerHandlerThread.isAlive())) { Log.e(TAG, "Forgot to stop() TrackDataHub"); } super.finalize(); } private void loadSharedPreferences() { selectedTrackId = PreferencesUtils.getSelectedTrackId(context); useMetricUnits = preferences.getBoolean(METRIC_UNITS_KEY, true); reportSpeed = preferences.getBoolean(SPEED_REPORTING_KEY, true); minRequiredAccuracy = preferences.getInt(MIN_REQUIRED_ACCURACY_KEY, DEFAULT_MIN_REQUIRED_ACCURACY); } /** Updates known magnetic declination if needed. */ private void maybeUpdateDeclination() { if (lastSeenLocation == null) { // We still don't know where we are. return; } // Update the declination every hour long now = System.currentTimeMillis(); if (now - lastDeclinationUpdate < 60 * 60 * 1000) { return; } lastDeclinationUpdate = now; long timestamp = lastSeenLocation.getTime(); if (timestamp == 0) { // Hack for Samsung phones which don't populate the time field timestamp = now; } declination = getDeclinationFor(lastSeenLocation, timestamp); Log.i(TAG, "Updated magnetic declination to " + declination); } // @VisibleForTesting protected float getDeclinationFor(Location location, long timestamp) { GeomagneticField field = new GeomagneticField( (float) location.getLatitude(), (float) location.getLongitude(), (float) location.getAltitude(), timestamp); return field.getDeclination(); } /** * Forces the current location to be updated and reported to all listeners. * The reported location may be from the network provider if the GPS provider * is not available or doesn't have a fix. */ public void forceUpdateLocation() { if (!isStarted()) { Log.w(TAG, "Not started, not forcing location update"); return; } Log.i(TAG, "Forcing location update"); Location loc = dataSources.getLastKnownLocation(); if (loc != null) { notifyLocationChanged(loc, getListenersFor(ListenerDataType.LOCATION_UPDATES)); } } /** Returns the ID of the currently-selected track. */ public long getSelectedTrackId() { if (!isStarted()) { loadSharedPreferences(); } return selectedTrackId; } /** Returns whether there's a track currently selected. */ public boolean isATrackSelected() { return getSelectedTrackId() > 0; } /** Returns whether the selected track is still being recorded. */ public boolean isRecordingSelected() { if (!isStarted()) { loadSharedPreferences(); } long recordingTrackId = PreferencesUtils.getRecordingTrackId(context); return recordingTrackId != -1L && recordingTrackId == selectedTrackId; } /** * Loads the given track and makes it the currently-selected one. * It is ok to call this method before {@link #start}, and in that case * the data will only be passed to listeners when {@link #start} is called. * * @param trackId the ID of the track to load */ public void loadTrack(long trackId) { if (trackId == selectedTrackId) { Log.w(TAG, "Not reloading track, id=" + trackId); return; } // Save the selection to memory and flush. selectedTrackId = trackId; PreferencesUtils.setSelectedTrackId(context, selectedTrackId); // Force it to reload data from the beginning. Log.d(TAG, "Loading track"); resetState(); loadDataForAllListeners(); } /** * Resets the internal state of what data has already been loaded into listeners. */ private void resetState() { firstSeenLocationId = -1; lastSeenLocationId = -1; numLoadedPoints = 0; lastSamplingFrequency = -1; } /** * Unloads the currently-selected track. */ public void unloadCurrentTrack() { loadTrack(-1); } public void registerTrackDataListener( TrackDataListener listener, EnumSet<ListenerDataType> dataTypes) { synchronized (dataListeners) { ListenerRegistration registration = dataListeners.registerTrackDataListener(listener, dataTypes); // Don't load any data or start internal listeners if start() hasn't been // called. When it is called, we'll do both things. if (!isStarted()) return; loadNewDataForListener(registration); dataSourceManager.updateAllListeners(getNeededListenerTypes()); } } public void unregisterTrackDataListener(TrackDataListener listener) { synchronized (dataListeners) { dataListeners.unregisterTrackDataListener(listener); // Don't load any data or start internal listeners if start() hasn't been // called. When it is called, we'll do both things. if (!isStarted()) return; dataSourceManager.updateAllListeners(getNeededListenerTypes()); } } /** * Reloads all track data received so far into the specified listeners. */ public void reloadDataForListener(TrackDataListener listener) { ListenerRegistration registration; synchronized (dataListeners) { registration = dataListeners.getRegistration(listener); registration.resetState(); loadNewDataForListener(registration); } } /** * Reloads all track data received so far into the specified listeners. * * Assumes it's called from a block that synchronizes on {@link #dataListeners}. */ private void loadNewDataForListener(final ListenerRegistration registration) { if (!isStarted()) { Log.w(TAG, "Not started, not reloading"); return; } if (registration == null) { Log.w(TAG, "Not reloading for null registration"); return; } // If a listener happens to be added after this method but before the Runnable below is // executed, it will have triggered a separate call to load data only up to the point this // listener got to. This is ensured by being synchronized on listeners. final boolean isOnlyListener = (dataListeners.getNumListeners() == 1); runInListenerThread(new Runnable() { @SuppressWarnings("unchecked") @Override public void run() { // Reload everything if either it's a different track, or the track has been resampled // (this also covers the case of a new registration). boolean reloadAll = registration.lastTrackId != selectedTrackId || registration.lastSamplingFrequency != lastSamplingFrequency; Log.d(TAG, "Doing a " + (reloadAll ? "full" : "partial") + " reload for " + registration); TrackDataListener listener = registration.listener; Set<TrackDataListener> listenerSet = Collections.singleton(listener); if (registration.isInterestedIn(ListenerDataType.DISPLAY_PREFERENCES)) { reloadAll |= listener.onUnitsChanged(useMetricUnits); reloadAll |= listener.onReportSpeedChanged(reportSpeed); } if (reloadAll && registration.isInterestedIn(ListenerDataType.SELECTED_TRACK_CHANGED)) { notifySelectedTrackChanged(selectedTrackId, listenerSet); } if (registration.isInterestedIn(ListenerDataType.TRACK_UPDATES)) { notifyTrackUpdated(listenerSet); } boolean interestedInPoints = registration.isInterestedIn(ListenerDataType.POINT_UPDATES); boolean interestedInSampledOutPoints = registration.isInterestedIn(ListenerDataType.SAMPLED_OUT_POINT_UPDATES); if (interestedInPoints || interestedInSampledOutPoints) { long minPointId = 0; int previousNumPoints = 0; if (reloadAll) { // Clear existing points and send them all again notifyPointsCleared(listenerSet); } else { // Send only new points minPointId = registration.lastPointId + 1; previousNumPoints = registration.numLoadedPoints; } // If this is the only listener we have registered, keep the state that we serve to it as // a reference for other future listeners. if (isOnlyListener && reloadAll) { resetState(); } notifyPointsUpdated(isOnlyListener, minPointId, previousNumPoints, listenerSet, interestedInSampledOutPoints ? listenerSet : Collections.EMPTY_SET); } if (registration.isInterestedIn(ListenerDataType.WAYPOINT_UPDATES)) { notifyWaypointUpdated(listenerSet); } if (registration.isInterestedIn(ListenerDataType.LOCATION_UPDATES)) { if (lastSeenLocation != null) { notifyLocationChanged(lastSeenLocation, true, listenerSet); } else { notifyFixType(); } } if (registration.isInterestedIn(ListenerDataType.COMPASS_UPDATES)) { notifyHeadingChanged(listenerSet); } } }); } /** * Reloads all track data received so far into the specified listeners. */ private void loadDataForAllListeners() { if (!isStarted()) { Log.w(TAG, "Not started, not reloading"); return; } synchronized (dataListeners) { if (!dataListeners.hasListeners()) { Log.d(TAG, "No listeners, not reloading"); return; } } runInListenerThread(new Runnable() { @Override public void run() { // Ignore the return values here, we're already sending the full data set anyway for (TrackDataListener listener : getListenersFor(ListenerDataType.DISPLAY_PREFERENCES)) { listener.onUnitsChanged(useMetricUnits); listener.onReportSpeedChanged(reportSpeed); } notifySelectedTrackChanged(selectedTrackId, getListenersFor(ListenerDataType.SELECTED_TRACK_CHANGED)); notifyTrackUpdated(getListenersFor(ListenerDataType.TRACK_UPDATES)); Set<TrackDataListener> pointListeners = getListenersFor(ListenerDataType.POINT_UPDATES); Set<TrackDataListener> sampledOutPointListeners = getListenersFor(ListenerDataType.SAMPLED_OUT_POINT_UPDATES); notifyPointsCleared(pointListeners); notifyPointsUpdated(true, 0, 0, pointListeners, sampledOutPointListeners); notifyWaypointUpdated(getListenersFor(ListenerDataType.WAYPOINT_UPDATES)); if (lastSeenLocation != null) { notifyLocationChanged(lastSeenLocation, true, getListenersFor(ListenerDataType.LOCATION_UPDATES)); } else { notifyFixType(); } notifyHeadingChanged(getListenersFor(ListenerDataType.COMPASS_UPDATES)); } }); } /** * Called when a preference changes. * * @param key the key to the preference that changed */ private void notifyPreferenceChanged(String key) { if (MIN_REQUIRED_ACCURACY_KEY.equals(key)) { minRequiredAccuracy = preferences.getInt(MIN_REQUIRED_ACCURACY_KEY, DEFAULT_MIN_REQUIRED_ACCURACY); } else if (METRIC_UNITS_KEY.equals(key)) { useMetricUnits = preferences.getBoolean(METRIC_UNITS_KEY, true); notifyUnitsChanged(); } else if (SPEED_REPORTING_KEY.equals(key)) { reportSpeed = preferences.getBoolean(SPEED_REPORTING_KEY, true); notifySpeedReportingChanged(); } else if (PreferencesUtils.getSelectedTrackIdKey(context).equals(key)) { loadTrack(PreferencesUtils.getSelectedTrackId(context)); } } /** Called when the speed/pace reporting preference changes. */ private void notifySpeedReportingChanged() { if (!isStarted()) return; runInListenerThread(new Runnable() { @Override public void run() { Set<TrackDataListener> displayListeners = getListenersFor(ListenerDataType.DISPLAY_PREFERENCES); for (TrackDataListener listener : displayListeners) { // TODO: Do the reloading just once for all interested listeners if (listener.onReportSpeedChanged(reportSpeed)) { synchronized (dataListeners) { reloadDataForListener(listener); } } } } }); } /** Called when the metric units setting changes. */ private void notifyUnitsChanged() { if (!isStarted()) return; runInListenerThread(new Runnable() { @Override public void run() { Set<TrackDataListener> displayListeners = getListenersFor(ListenerDataType.DISPLAY_PREFERENCES); for (TrackDataListener listener : displayListeners) { if (listener.onUnitsChanged(useMetricUnits)) { synchronized (dataListeners) { reloadDataForListener(listener); } } } } }); } /** Notifies about the current GPS fix state. */ private void notifyFixType() { final TrackDataListener.ProviderState state; if (!hasProviderEnabled) { state = ProviderState.DISABLED; } else if (!hasFix) { state = ProviderState.NO_FIX; } else if (!hasGoodFix) { state = ProviderState.BAD_FIX; } else { state = ProviderState.GOOD_FIX; } runInListenerThread(new Runnable() { @Override public void run() { // Notify to everyone. Log.d(TAG, "Notifying fix type: " + state); for (TrackDataListener listener : getListenersFor(ListenerDataType.LOCATION_UPDATES)) { listener.onProviderStateChange(state); } } }); } /** * Notifies the the current location has changed, without any filtering. * If the state of GPS fix has changed, that will also be reported. * * @param location the current location * @param listeners the listeners to notify */ private void notifyLocationChanged(Location location, Set<TrackDataListener> listeners) { notifyLocationChanged(location, false, listeners); } /** * Notifies that the current location has changed, without any filtering. * If the state of GPS fix has changed, that will also be reported. * * @param location the current location * @param forceUpdate whether to force the notifications to happen * @param listeners the listeners to notify */ private void notifyLocationChanged(Location location, boolean forceUpdate, final Set<TrackDataListener> listeners) { if (location == null) return; if (listeners.isEmpty()) return; boolean isGpsLocation = location.getProvider().equals(LocationManager.GPS_PROVIDER); boolean oldHasFix = hasFix; boolean oldHasGoodFix = hasGoodFix; long now = System.currentTimeMillis(); if (isGpsLocation) { // We consider a good fix to be a recent one with reasonable accuracy. hasFix = !isLocationOld(location, now, MAX_LOCATION_AGE_MS); hasGoodFix = (location.getAccuracy() <= minRequiredAccuracy); } else { if (!isLocationOld(lastSeenLocation, now, MAX_LOCATION_AGE_MS)) { // This is a network location, but we have a recent/valid GPS location, just ignore this. return; } // We haven't gotten a GPS location in a while (or at all), assume we have no fix anymore. hasFix = false; hasGoodFix = false; // If the network location is recent, we'll use that. if (isLocationOld(location, now, MAX_NETWORK_AGE_MS)) { // Alas, we have no clue where we are. location = null; } } if (hasFix != oldHasFix || hasGoodFix != oldHasGoodFix || forceUpdate) { notifyFixType(); } lastSeenLocation = location; final Location finalLoc = location; runInListenerThread(new Runnable() { @Override public void run() { for (TrackDataListener listener : listeners) { listener.onCurrentLocationChanged(finalLoc); } } }); } /** * Returns true if the given location is either invalid or too old. * * @param location the location to test * @param now the current timestamp in milliseconds * @param maxAge the maximum age in milliseconds * @return true if it's invalid or too old, false otherwise */ private static boolean isLocationOld(Location location, long now, long maxAge) { return !LocationUtils.isValidLocation(location) || now - location.getTime() > maxAge; } /** * Notifies that the current heading has changed. * * @param listeners the listeners to notify */ private void notifyHeadingChanged(final Set<TrackDataListener> listeners) { if (listeners.isEmpty()) return; runInListenerThread(new Runnable() { @Override public void run() { float heading = lastSeenMagneticHeading + declination; for (TrackDataListener listener : listeners) { listener.onCurrentHeadingChanged(heading); } } }); } /** * Notifies that a new track has been selected.. * * @param trackId the new selected track * @param listeners the listeners to notify */ private void notifySelectedTrackChanged(long trackId, final Set<TrackDataListener> listeners) { if (listeners.isEmpty()) return; Log.i(TAG, "New track selected, id=" + trackId); final Track track = providerUtils.getTrack(trackId); runInListenerThread(new Runnable() { @Override public void run() { for (TrackDataListener listener : listeners) { listener.onSelectedTrackChanged(track, isRecordingSelected()); } } }); } /** * Notifies that the currently-selected track's data has been updated. * * @param listeners the listeners to notify */ private void notifyTrackUpdated(final Set<TrackDataListener> listeners) { if (listeners.isEmpty()) return; final Track track = providerUtils.getTrack(selectedTrackId); runInListenerThread(new Runnable() { @Override public void run() { for (TrackDataListener listener : listeners) { listener.onTrackUpdated(track); } } }); } /** * Notifies that waypoints have been updated. * We assume few waypoints, so we reload them all every time. * * @param listeners the listeners to notify */ private void notifyWaypointUpdated(final Set<TrackDataListener> listeners) { if (listeners.isEmpty()) return; // Always reload all the waypoints. final Cursor cursor = providerUtils.getWaypointsCursor( selectedTrackId, 0L, MAX_DISPLAYED_WAYPOINTS_POINTS); runInListenerThread(new Runnable() { @Override public void run() { Log.d(TAG, "Reloading waypoints"); for (TrackDataListener listener : listeners) { listener.clearWaypoints(); } try { if (cursor != null && cursor.moveToFirst()) { do { Waypoint waypoint = providerUtils.createWaypoint(cursor); if (!LocationUtils.isValidLocation(waypoint.getLocation())) { continue; } for (TrackDataListener listener : listeners) { listener.onNewWaypoint(waypoint); } } while (cursor.moveToNext()); } } finally { if (cursor != null) { cursor.close(); } } for (TrackDataListener listener : listeners) { listener.onNewWaypointsDone(); } } }); } /** * Tells listeners to clear the current list of points. * * @param listeners the listeners to notify */ private void notifyPointsCleared(final Set<TrackDataListener> listeners) { if (listeners.isEmpty()) return; runInListenerThread(new Runnable() { @Override public void run() { for (TrackDataListener listener : listeners) { listener.clearTrackPoints(); } } }); } /** * Notifies the given listeners about track points in the given ID range. * * @param keepState whether to load and save state about the already-notified points. * If true, only new points are reported. * If false, then the whole track will be loaded, without affecting the state. * @param minPointId the first point ID to notify, inclusive, or 0 to determine from * internal state * @param previousNumPoints the number of points to assume were previously loaded for * these listeners, or 0 to assume it's the kept state */ private void notifyPointsUpdated(final boolean keepState, final long minPointId, final int previousNumPoints, final Set<TrackDataListener> sampledListeners, final Set<TrackDataListener> sampledOutListeners) { if (sampledListeners.isEmpty() && sampledOutListeners.isEmpty()) return; runInListenerThread(new Runnable() { @Override public void run() { notifyPointsUpdatedSync(keepState, minPointId, previousNumPoints, sampledListeners, sampledOutListeners); } }); } /** * Synchronous version of the above method. */ private void notifyPointsUpdatedSync(boolean keepState, long minPointId, int previousNumPoints, Set<TrackDataListener> sampledListeners, Set<TrackDataListener> sampledOutListeners) { // If we're loading state, start from after the last seen point up to the last recorded one // (all new points) // If we're not loading state, then notify about all the previously-seen points. if (minPointId <= 0) { minPointId = keepState ? lastSeenLocationId + 1 : 0; } long maxPointId = keepState ? -1 : lastSeenLocationId; // TODO: Move (re)sampling to a separate class. if (numLoadedPoints >= targetNumPoints) { // We're about to exceed the maximum desired number of points, so reload // the whole track with fewer points (the sampling frequency will be // lower). We do this for every listener even if we were loading just for // a few of them (why miss the oportunity?). Log.i(TAG, "Resampling point set after " + numLoadedPoints + " points."); resetState(); synchronized (dataListeners) { sampledListeners = getListenersFor(ListenerDataType.POINT_UPDATES); sampledOutListeners = getListenersFor(ListenerDataType.SAMPLED_OUT_POINT_UPDATES); } maxPointId = -1; minPointId = 0; previousNumPoints = 0; keepState = true; for (TrackDataListener listener : sampledListeners) { listener.clearTrackPoints(); } } // Keep the originally selected track ID so we can stop if it changes. long currentSelectedTrackId = selectedTrackId; // If we're ignoring state, start from the beginning of the track int localNumLoadedPoints = previousNumPoints; if (previousNumPoints <= 0) { localNumLoadedPoints = keepState ? numLoadedPoints : 0; } long localFirstSeenLocationId = keepState ? firstSeenLocationId : -1; long localLastSeenLocationId = minPointId; long lastStoredLocationId = providerUtils.getLastLocationId(currentSelectedTrackId); int pointSamplingFrequency = -1; LocationIterator it = providerUtils.getLocationIterator( currentSelectedTrackId, minPointId, false, locationFactory); while (it.hasNext()) { if (currentSelectedTrackId != selectedTrackId) { // The selected track changed beneath us, stop. break; } Location location = it.next(); long locationId = it.getLocationId(); // If past the last wanted point, stop. // This happens when adding a new listener after data has already been loaded, // in which case we only want to bring that listener up to the point where the others // were. In case it does happen, we should be wasting few points (only the ones not // yet notified to other listeners). if (maxPointId > 0 && locationId > maxPointId) { break; } if (localFirstSeenLocationId == -1) { // This was our first point, keep its ID localFirstSeenLocationId = locationId; } if (pointSamplingFrequency == -1) { // Now we already have at least one point, calculate the sampling // frequency. // It should be noted that a non-obvious consequence of this sampling is that // no matter how many points we get in the newest batch, we'll never exceed // MAX_DISPLAYED_TRACK_POINTS = 2 * TARGET_DISPLAYED_TRACK_POINTS before resampling. long numTotalPoints = lastStoredLocationId - localFirstSeenLocationId; numTotalPoints = Math.max(0L, numTotalPoints); pointSamplingFrequency = (int) (1 + numTotalPoints / targetNumPoints); } notifyNewPoint(location, locationId, lastStoredLocationId, localNumLoadedPoints, pointSamplingFrequency, sampledListeners, sampledOutListeners); localNumLoadedPoints++; localLastSeenLocationId = locationId; } it.close(); if (keepState) { numLoadedPoints = localNumLoadedPoints; firstSeenLocationId = localFirstSeenLocationId; lastSeenLocationId = localLastSeenLocationId; } // Always keep the sampling frequency - if it changes we'll do a full reload above anyway. lastSamplingFrequency = pointSamplingFrequency; for (TrackDataListener listener : sampledListeners) { listener.onNewTrackPointsDone(); // Update the listener state ListenerRegistration registration = dataListeners.getRegistration(listener); if (registration != null) { registration.lastTrackId = currentSelectedTrackId; registration.lastPointId = localLastSeenLocationId; registration.lastSamplingFrequency = pointSamplingFrequency; registration.numLoadedPoints = localNumLoadedPoints; } } } private void notifyNewPoint(Location location, long locationId, long lastStoredLocationId, int loadedPoints, int pointSamplingFrequency, Set<TrackDataListener> sampledListeners, Set<TrackDataListener> sampledOutListeners) { boolean isValid = LocationUtils.isValidLocation(location); if (!isValid) { // Invalid points are segment splits - report those separately. // TODO: Always send last valid point before and first valid point after a split for (TrackDataListener listener : sampledListeners) { listener.onSegmentSplit(); } return; } // Include a point if it fits one of the following criteria: // - Has the mod for the sampling frequency (includes first point). // - Is the last point and we are not recording this track. boolean recordingSelected = isRecordingSelected(); boolean includeInSample = (loadedPoints % pointSamplingFrequency == 0 || (!recordingSelected && locationId == lastStoredLocationId)); if (!includeInSample) { for (TrackDataListener listener : sampledOutListeners) { listener.onSampledOutTrackPoint(location); } } else { // Point is valid and included in sample. for (TrackDataListener listener : sampledListeners) { // No need to allocate a new location (we can safely reuse the existing). listener.onNewTrackPoint(location); } } } // @VisibleForTesting protected void runInListenerThread(Runnable runnable) { if (listenerHandler == null) { // Use a Throwable to ensure the stack trace is logged. Log.e(TAG, "Tried to use listener thread before start()", new Throwable()); return; } listenerHandler.post(runnable); } private Set<TrackDataListener> getListenersFor(ListenerDataType type) { synchronized (dataListeners) { return dataListeners.getListenersFor(type); } } private EnumSet<ListenerDataType> getNeededListenerTypes() { EnumSet<ListenerDataType> neededTypes = dataListeners.getAllRegisteredTypes(); // We always want preference updates. neededTypes.add(ListenerDataType.DISPLAY_PREFERENCES); return neededTypes; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/content/TrackDataHub.java
Java
asf20
37,704
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.content; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.android.apps.mytracks.util.UnitConversions; import android.database.Cursor; import android.location.Location; import java.util.ArrayList; import java.util.Collection; import java.util.Comparator; import java.util.SortedSet; import java.util.TreeSet; /** * Engine for searching for tracks and waypoints by text. * * @author Rodrigo Damazio */ public class SearchEngine { /** WHERE query to get tracks by name. */ private static final String TRACK_SELECTION_QUERY = TracksColumns.NAME + " LIKE ? OR " + TracksColumns.DESCRIPTION + " LIKE ? OR " + TracksColumns.CATEGORY + " LIKE ?"; /** WHERE query to get waypoints by name. */ private static final String WAYPOINT_SELECTION_QUERY = WaypointsColumns.NAME + " LIKE ? OR " + WaypointsColumns.DESCRIPTION + " LIKE ? OR " + WaypointsColumns.CATEGORY + " LIKE ?"; /** Order of track results. */ private static final String TRACK_SELECTION_ORDER = TracksColumns._ID + " DESC LIMIT 1000"; /** Order of waypoint results. */ private static final String WAYPOINT_SELECTION_ORDER = WaypointsColumns._ID + " DESC"; /** How much we promote a match in the track category. */ private static final double TRACK_CATEGORY_PROMOTION = 2.0; /** How much we promote a match in the track description. */ private static final double TRACK_DESCRIPTION_PROMOTION = 8.0; /** How much we promote a match in the track name. */ private static final double TRACK_NAME_PROMOTION = 16.0; /** How much we promote a waypoint result if it's in the currently-selected track. */ private static final double CURRENT_TRACK_WAYPOINT_PROMOTION = 2.0; /** How much we promote a track result if it's the currently-selected track. */ private static final double CURRENT_TRACK_DEMOTION = 0.5; /** Maximum number of waypoints which will be retrieved and scored. */ private static final int MAX_SCORED_WAYPOINTS = 100; /** Oldest timestamp for which we rank based on time (2000-01-01 00:00:00.000) */ private static final long OLDEST_ALLOWED_TIMESTAMP = 946692000000L; /** * Description of a search query, along with all contextual data needed to execute it. */ public static class SearchQuery { public SearchQuery(String textQuery, Location currentLocation, long currentTrackId, long currentTimestamp) { this.textQuery = textQuery.toLowerCase(); this.currentLocation = currentLocation; this.currentTrackId = currentTrackId; this.currentTimestamp = currentTimestamp; } public final String textQuery; public final Location currentLocation; public final long currentTrackId; public final long currentTimestamp; } /** * Description of a search result which has been retrieved and scored. */ public static class ScoredResult { ScoredResult(Track track, double score) { this.track = track; this.waypoint = null; this.score = score; } ScoredResult(Waypoint waypoint, double score) { this.track = null; this.waypoint = waypoint; this.score = score; } public final Track track; public final Waypoint waypoint; public final double score; @Override public String toString() { return "ScoredResult [" + (track != null ? ("trackId=" + track.getId() + ", ") : "") + (waypoint != null ? ("wptId=" + waypoint.getId() + ", ") : "") + "score=" + score + "]"; } } /** Comparador for scored results. */ private static final Comparator<ScoredResult> SCORED_RESULT_COMPARATOR = new Comparator<ScoredResult>() { @Override public int compare(ScoredResult r1, ScoredResult r2) { // Score ordering. int scoreDiff = Double.compare(r2.score, r1.score); if (scoreDiff != 0) { return scoreDiff; } // Make tracks come before waypoints. if (r1.waypoint != null && r2.track != null) { return 1; } else if (r1.track != null && r2.waypoint != null) { return -1; } // Finally, use arbitrary ordering, by ID. long id1 = r1.track != null ? r1.track.getId() : r1.waypoint.getId(); long id2 = r2.track != null ? r2.track.getId() : r2.waypoint.getId(); long idDiff = id2 - id1; return Long.signum(idDiff); } }; private final MyTracksProviderUtils providerUtils; public SearchEngine(MyTracksProviderUtils providerUtils) { this.providerUtils = providerUtils; } /** * Executes a search query and returns a set of sorted results. * * @param query the query to execute * @return a set of results, sorted according to their score */ public SortedSet<ScoredResult> search(SearchQuery query) { ArrayList<Track> tracks = new ArrayList<Track>(); ArrayList<Waypoint> waypoints = new ArrayList<Waypoint>(); TreeSet<ScoredResult> scoredResults = new TreeSet<ScoredResult>(SCORED_RESULT_COMPARATOR); retrieveTracks(query, tracks); retrieveWaypoints(query, waypoints); scoreTrackResults(tracks, query, scoredResults); scoreWaypointResults(waypoints, query, scoredResults); return scoredResults; } /** * Retrieves tracks matching the given query from the database. * * @param query the query to retrieve for * @param tracks list to fill with the resulting tracks */ private void retrieveTracks(SearchQuery query, ArrayList<Track> tracks) { String queryLikeSelection = "%" + query.textQuery + "%"; String[] trackSelectionArgs = new String[] { queryLikeSelection, queryLikeSelection, queryLikeSelection }; Cursor tracksCursor = providerUtils.getTracksCursor( TRACK_SELECTION_QUERY, trackSelectionArgs, TRACK_SELECTION_ORDER); if (tracksCursor != null) { try { tracks.ensureCapacity(tracksCursor.getCount()); while (tracksCursor.moveToNext()) { tracks.add(providerUtils.createTrack(tracksCursor)); } } finally { tracksCursor.close(); } } } /** * Retrieves waypoints matching the given query from the database. * * @param query the query to retrieve for * @param waypoints list to fill with the resulting waypoints */ private void retrieveWaypoints(SearchQuery query, ArrayList<Waypoint> waypoints) { String queryLikeSelection2 = "%" + query.textQuery + "%"; String[] waypointSelectionArgs = new String[] { queryLikeSelection2, queryLikeSelection2, queryLikeSelection2 }; Cursor waypointsCursor = providerUtils.getWaypointsCursor( WAYPOINT_SELECTION_QUERY, waypointSelectionArgs, WAYPOINT_SELECTION_ORDER, MAX_SCORED_WAYPOINTS); if (waypointsCursor != null) { try { waypoints.ensureCapacity(waypointsCursor.getCount()); while (waypointsCursor.moveToNext()) { Waypoint waypoint = providerUtils.createWaypoint(waypointsCursor); if (LocationUtils.isValidLocation(waypoint.getLocation())) { waypoints.add(waypoint); } } } finally { waypointsCursor.close(); } } } /** * Scores a collection of track results. * * @param tracks the results to score * @param query the query to score for * @param output the collection to fill with scored results */ private void scoreTrackResults(Collection<Track> tracks, SearchQuery query, Collection<ScoredResult> output) { for (Track track : tracks) { // Calculate the score. double score = scoreTrackResult(query, track); // Add to the output. output.add(new ScoredResult(track, score)); } } /** * Scores a single track result. * * @param query the query to score for * @param track the results to score * @return the score for the track */ private double scoreTrackResult(SearchQuery query, Track track) { double score = 1.0; score *= getTitleBoost(query, track.getName(), track.getDescription(), track.getCategory()); TripStatistics statistics = track.getStatistics(); // TODO: Also boost for proximity to the currently-centered position on the map. score *= getDistanceBoost(query, statistics.getMeanLatitude(), statistics.getMeanLongitude()); long meanTimestamp = (statistics.getStartTime() + statistics.getStopTime()) / 2L; score *= getTimeBoost(query, meanTimestamp); // Score the currently-selected track lower (user is already there, wouldn't be searching for it). if (track.getId() == query.currentTrackId) { score *= CURRENT_TRACK_DEMOTION; } return score; } /** * Scores a collection of waypoint results. * * @param waypoints the results to score * @param query the query to score for * @param output the collection to fill with scored results */ private void scoreWaypointResults(Collection<Waypoint> waypoints, SearchQuery query, Collection<ScoredResult> output) { for (Waypoint waypoint : waypoints) { // Calculate the score. double score = scoreWaypointResult(query, waypoint); // Add to the output. output.add(new ScoredResult(waypoint, score)); } } /** * Scores a single waypoint result. * * @param query the query to score for * @param waypoint the results to score * @return the score for the waypoint */ private double scoreWaypointResult(SearchQuery query, Waypoint waypoint) { double score = 1.0; Location location = waypoint.getLocation(); score *= getTitleBoost(query, waypoint.getName(), waypoint.getDescription(), waypoint.getCategory()); // TODO: Also boost for proximity to the currently-centered position on the map. score *= getDistanceBoost(query, location.getLatitude(), location.getLongitude()); score *= getTimeBoost(query, location.getTime()); // Score waypoints in the currently-selected track higher (searching inside the current track). if (query.currentTrackId != -1 && waypoint.getTrackId() == query.currentTrackId) { score *= CURRENT_TRACK_WAYPOINT_PROMOTION; } return score; } /** * Calculates the boosting of the score due to the field(s) in which the match occured. * * @param query the query to boost for * @param name the name of the track or waypoint * @param description the description of the track or waypoint * @param category the category of the track or waypoint * @return the total boost to be applied to the result */ private double getTitleBoost(SearchQuery query, String name, String description, String category) { // Title boost: track name > description > category. double boost = 1.0; if (name.toLowerCase().contains(query.textQuery)) { boost *= TRACK_NAME_PROMOTION; } if (description.toLowerCase().contains(query.textQuery)) { boost *= TRACK_DESCRIPTION_PROMOTION; } if (category.toLowerCase().contains(query.textQuery)) { boost *= TRACK_CATEGORY_PROMOTION; } return boost; } /** * Calculates the boosting of the score due to the recency of the matched entity. * * @param query the query to boost for * @param timestamp the timestamp to calculate the boost for * @return the total boost to be applied to the result */ private double getTimeBoost(SearchQuery query, long timestamp) { if (timestamp < OLDEST_ALLOWED_TIMESTAMP) { // Safety: if timestamp is too old or invalid, don't rank based on time. return 1.0; } // Score recent tracks higher. long timeAgoHours = (query.currentTimestamp - timestamp) / (60L * 60L * 1000L); if (timeAgoHours > 0L) { return squash(timeAgoHours); } else { // Should rarely happen (track recorded in the last hour). return Double.POSITIVE_INFINITY; } } /** * Calculates the boosting of the score due to proximity to a location. * * @param query the query to boost for * @param latitude the latitude to calculate the boost for * @param longitude the longitude to calculate the boost for * @return the total boost to be applied to the result */ private double getDistanceBoost(SearchQuery query, double latitude, double longitude) { if (query.currentLocation == null) { return 1.0; } float[] distanceResults = new float[1]; Location.distanceBetween( latitude, longitude, query.currentLocation.getLatitude(), query.currentLocation.getLongitude(), distanceResults); // Score tracks close to the current location higher. double distanceKm = distanceResults[0] * UnitConversions.M_TO_KM; if (distanceKm > 0.0) { // Use the inverse of the amortized distance. return squash(distanceKm); } else { // Should rarely happen (distance is exactly 0). return Double.POSITIVE_INFINITY; } } /** * Squashes a number by calculating 1 / log (1 + x). */ private static double squash(double x) { return 1.0 / Math.log1p(x); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/content/SearchEngine.java
Java
asf20
13,822
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.content; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.ChartURLGenerator; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.apps.mytracks.util.UnitConversions; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.content.Context; import android.util.Pair; import java.util.Vector; /** * An implementation of {@link DescriptionGenerator} for My Tracks. * * @author Jimmy Shih */ public class DescriptionGeneratorImpl implements DescriptionGenerator { private static final String HTML_LINE_BREAK = "<br>"; private static final String TEXT_LINE_BREAK = "\n"; private Context context; public DescriptionGeneratorImpl(Context context) { this.context = context; } @Override public String generateTrackDescription( Track track, Vector<Double> distances, Vector<Double> elevations) { StringBuilder builder = new StringBuilder(); // Created by String url = context.getString(R.string.my_tracks_web_url); builder.append(context.getString( R.string.send_google_by_my_tracks, "<a href='http://" + url + "'>", "</a>")); builder.append("<p>"); builder.append(generateTripStatisticsDescription(track.getStatistics(), true)); // Activity type String trackCategory = track.getCategory(); String category = trackCategory != null && trackCategory.length() > 0 ? trackCategory : context.getString(R.string.value_unknown); builder.append(context.getString(R.string.description_activity_type, category)); builder.append(HTML_LINE_BREAK); // Elevation chart if (distances != null && elevations != null) { builder.append("<img border=\"0\" src=\"" + ChartURLGenerator.getChartUrl(distances, elevations, track, context) + "\"/>"); builder.append(HTML_LINE_BREAK); } return builder.toString(); } @Override public String generateWaypointDescription(Waypoint waypoint) { return generateTripStatisticsDescription(waypoint.getStatistics(), false); } /** * Generates a description for a {@link TripStatistics}. * * @param stats the trip statistics * @param html true to use "<br>" for line break instead of "\n" */ private String generateTripStatisticsDescription(TripStatistics stats, boolean html) { String lineBreak = html ? HTML_LINE_BREAK : TEXT_LINE_BREAK; StringBuilder builder = new StringBuilder(); // Total distance writeDistance( stats.getTotalDistance(), builder, R.string.description_total_distance, lineBreak); // Total time writeTime(stats.getTotalTime(), builder, R.string.description_total_time, lineBreak); // Moving time writeTime(stats.getMovingTime(), builder, R.string.description_moving_time, lineBreak); // Average speed Pair<Double, Double> averageSpeed = writeSpeed( stats.getAverageSpeed(), builder, R.string.description_average_speed, lineBreak); // Average moving speed Pair<Double, Double> averageMovingSpeed = writeSpeed(stats.getAverageMovingSpeed(), builder, R.string.description_average_moving_speed, lineBreak); // Max speed Pair<Double, Double> maxSpeed = writeSpeed( stats.getMaxSpeed(), builder, R.string.description_max_speed, lineBreak); // Average pace writePace(averageSpeed, builder, R.string.description_average_pace, lineBreak); // Average moving pace writePace(averageMovingSpeed, builder, R.string.description_average_moving_pace, lineBreak); // Fastest pace writePace(maxSpeed, builder, R.string.description_fastest_pace, lineBreak); // Max elevation writeElevation(stats.getMaxElevation(), builder, R.string.description_max_elevation, lineBreak); // Min elevation writeElevation(stats.getMinElevation(), builder, R.string.description_min_elevation, lineBreak); // Elevation gain writeElevation( stats.getTotalElevationGain(), builder, R.string.description_elevation_gain, lineBreak); // Max grade writeGrade(stats.getMaxGrade(), builder, R.string.description_max_grade, lineBreak); // Min grade writeGrade(stats.getMinGrade(), builder, R.string.description_min_grade, lineBreak); // Recorded time builder.append( context.getString(R.string.description_recorded_time, StringUtils.formatDateTime(context, stats.getStartTime()))); builder.append(lineBreak); return builder.toString(); } /** * Writes distance. * * @param distance distance in meters * @param builder StringBuilder to append distance * @param resId resource id of distance string * @param lineBreak line break string */ @VisibleForTesting void writeDistance(double distance, StringBuilder builder, int resId, String lineBreak) { double distanceInKm = distance * UnitConversions.M_TO_KM; double distanceInMi = distanceInKm * UnitConversions.KM_TO_MI; builder.append(context.getString(resId, distanceInKm, distanceInMi)); builder.append(lineBreak); } /** * Writes time. * * @param time time in milliseconds. * @param builder StringBuilder to append time * @param resId resource id of time string * @param lineBreak line break string */ @VisibleForTesting void writeTime(long time, StringBuilder builder, int resId, String lineBreak) { builder.append(context.getString(resId, StringUtils.formatElapsedTime(time))); builder.append(lineBreak); } /** * Writes speed. * * @param speed speed in meters per second * @param builder StringBuilder to append speed * @param resId resource id of speed string * @param lineBreak line break string * @return a pair of speed, first in kilometers per hour, second in miles per * hour. */ @VisibleForTesting Pair<Double, Double> writeSpeed( double speed, StringBuilder builder, int resId, String lineBreak) { double speedInKmHr = speed * UnitConversions.MS_TO_KMH; double speedInMiHr = speedInKmHr * UnitConversions.KM_TO_MI; builder.append(context.getString(resId, speedInKmHr, speedInMiHr)); builder.append(lineBreak); return Pair.create(speedInKmHr, speedInMiHr); } /** * Writes pace. * * @param speed a pair of speed, first in kilometers per hour, second in miles * per hour * @param builder StringBuilder to append pace * @param resId resource id of pace string * @param lineBreak line break string */ @VisibleForTesting void writePace( Pair<Double, Double> speed, StringBuilder builder, int resId, String lineBreak) { double paceInMinKm = getPace(speed.first); double paceInMinMi = getPace(speed.second); builder.append(context.getString(resId, paceInMinKm, paceInMinMi)); builder.append(lineBreak); } /** * Writes elevation. * * @param elevation elevation in meters * @param builder StringBuilder to append elevation * @param resId resource id of elevation string * @param lineBreak line break string */ @VisibleForTesting void writeElevation( double elevation, StringBuilder builder, int resId, String lineBreak) { long elevationInM = Math.round(elevation); long elevationInFt = Math.round(elevation * UnitConversions.M_TO_FT); builder.append(context.getString(resId, elevationInM, elevationInFt)); builder.append(lineBreak); } /** * Writes grade. * * @param grade grade in fraction * @param builder StringBuilder to append grade * @param resId resource id grade string * @param lineBreak line break string */ @VisibleForTesting void writeGrade(double grade, StringBuilder builder, int resId, String lineBreak) { long gradeInPercent = Double.isNaN(grade) || Double.isInfinite(grade) ? 0L : Math.round(grade * 100); builder.append(context.getString(resId, gradeInPercent)); builder.append(lineBreak); } /** * Gets pace (in minutes) from speed. * * @param speed speed in hours */ @VisibleForTesting double getPace(double speed) { return speed == 0 ? 0.0 : 60.0 / speed; // convert from hours to minutes } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/content/DescriptionGeneratorImpl.java
Java
asf20
8,843
package com.google.android.apps.mytracks.content; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.content.TrackDataHub.ListenerDataType; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.database.ContentObserver; import android.hardware.Sensor; import android.hardware.SensorEvent; import android.hardware.SensorEventListener; import android.hardware.SensorManager; import android.location.Location; import android.location.LocationListener; import android.location.LocationManager; import android.location.LocationProvider; import android.os.Bundle; import android.os.Handler; import android.util.Log; import java.util.EnumSet; import java.util.Set; /** * External data source manager, which converts system-level events into My Tracks data events. * * @author Rodrigo Damazio */ class DataSourceManager { /** Single interface for receiving system events that were registered for. */ interface DataSourceListener { void notifyTrackUpdated(); void notifyWaypointUpdated(); void notifyPointsUpdated(); void notifyPreferenceChanged(String key); void notifyLocationProviderEnabled(boolean enabled); void notifyLocationProviderAvailable(boolean available); void notifyLocationChanged(Location loc); void notifyHeadingChanged(float heading); } private final DataSourceListener listener; /** Observer for when the tracks table is updated. */ private class TrackObserver extends ContentObserver { public TrackObserver() { super(contentHandler); } @Override public void onChange(boolean selfChange) { listener.notifyTrackUpdated(); } } /** Observer for when the waypoints table is updated. */ private class WaypointObserver extends ContentObserver { public WaypointObserver() { super(contentHandler); } @Override public void onChange(boolean selfChange) { listener.notifyWaypointUpdated(); } } /** Observer for when the points table is updated. */ private class PointObserver extends ContentObserver { public PointObserver() { super(contentHandler); } @Override public void onChange(boolean selfChange) { listener.notifyPointsUpdated(); } } /** Listener for when preferences change. */ private class HubSharedPreferenceListener implements OnSharedPreferenceChangeListener { @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { listener.notifyPreferenceChanged(key); } } /** Listener for the current location (independent from track data). */ private class CurrentLocationListener implements LocationListener { @Override public void onStatusChanged(String provider, int status, Bundle extras) { if (!LocationManager.GPS_PROVIDER.equals(provider)) return; listener.notifyLocationProviderAvailable(status == LocationProvider.AVAILABLE); } @Override public void onProviderEnabled(String provider) { if (!LocationManager.GPS_PROVIDER.equals(provider)) return; listener.notifyLocationProviderEnabled(true); } @Override public void onProviderDisabled(String provider) { if (!LocationManager.GPS_PROVIDER.equals(provider)) return; listener.notifyLocationProviderEnabled(false); } @Override public void onLocationChanged(Location location) { listener.notifyLocationChanged(location); } } /** Listener for compass readings. */ private class CompassListener implements SensorEventListener { @Override public void onSensorChanged(SensorEvent event) { listener.notifyHeadingChanged(event.values[0]); } @Override public void onAccuracyChanged(Sensor sensor, int accuracy) { // Do nothing } } /** Wrapper for registering internal listeners. */ private final DataSourcesWrapper dataSources; // Internal listeners (to receive data from the system) private final Set<ListenerDataType> registeredListeners = EnumSet.noneOf(ListenerDataType.class); private final Handler contentHandler; private final ContentObserver pointObserver; private final ContentObserver waypointObserver; private final ContentObserver trackObserver; private final LocationListener locationListener; private final OnSharedPreferenceChangeListener preferenceListener; private final SensorEventListener compassListener; DataSourceManager(DataSourceListener listener, DataSourcesWrapper dataSources) { this.listener = listener; this.dataSources = dataSources; contentHandler = new Handler(); pointObserver = new PointObserver(); waypointObserver = new WaypointObserver(); trackObserver = new TrackObserver(); compassListener = new CompassListener(); locationListener = new CurrentLocationListener(); preferenceListener = new HubSharedPreferenceListener(); } /** Updates the internal (sensor, position, etc) listeners. */ void updateAllListeners(EnumSet<ListenerDataType> externallyNeededListeners) { EnumSet<ListenerDataType> neededListeners = EnumSet.copyOf(externallyNeededListeners); // Special case - map sampled-out points type to points type since they // correspond to the same internal listener. if (neededListeners.contains(ListenerDataType.SAMPLED_OUT_POINT_UPDATES)) { neededListeners.remove(ListenerDataType.SAMPLED_OUT_POINT_UPDATES); neededListeners.add(ListenerDataType.POINT_UPDATES); } Log.d(TAG, "Updating internal listeners to types " + neededListeners); // Unnecessary = registered - needed Set<ListenerDataType> unnecessaryListeners = EnumSet.copyOf(registeredListeners); unnecessaryListeners.removeAll(neededListeners); // Missing = needed - registered Set<ListenerDataType> missingListeners = EnumSet.copyOf(neededListeners); missingListeners.removeAll(registeredListeners); // Remove all unnecessary listeners. for (ListenerDataType type : unnecessaryListeners) { unregisterListener(type); } // Add all missing listeners. for (ListenerDataType type : missingListeners) { registerListener(type); } // Now all needed types are registered. registeredListeners.clear(); registeredListeners.addAll(neededListeners); } private void registerListener(ListenerDataType type) { switch (type) { case COMPASS_UPDATES: { // Listen to compass Sensor compass = dataSources.getSensor(Sensor.TYPE_ORIENTATION); if (compass != null) { Log.d(TAG, "TrackDataHub: Now registering sensor listener."); dataSources.registerSensorListener(compassListener, compass, SensorManager.SENSOR_DELAY_UI); } break; } case LOCATION_UPDATES: dataSources.requestLocationUpdates(locationListener); break; case POINT_UPDATES: dataSources.registerContentObserver( TrackPointsColumns.CONTENT_URI, false, pointObserver); break; case TRACK_UPDATES: dataSources.registerContentObserver(TracksColumns.CONTENT_URI, false, trackObserver); break; case WAYPOINT_UPDATES: dataSources.registerContentObserver( WaypointsColumns.CONTENT_URI, false, waypointObserver); break; case DISPLAY_PREFERENCES: dataSources.registerOnSharedPreferenceChangeListener(preferenceListener); break; case SAMPLED_OUT_POINT_UPDATES: throw new IllegalArgumentException("Should have been mapped to point updates"); } } private void unregisterListener(ListenerDataType type) { switch (type) { case COMPASS_UPDATES: dataSources.unregisterSensorListener(compassListener); break; case LOCATION_UPDATES: dataSources.removeLocationUpdates(locationListener); break; case POINT_UPDATES: dataSources.unregisterContentObserver(pointObserver); break; case TRACK_UPDATES: dataSources.unregisterContentObserver(trackObserver); break; case WAYPOINT_UPDATES: dataSources.unregisterContentObserver(waypointObserver); break; case DISPLAY_PREFERENCES: dataSources.unregisterOnSharedPreferenceChangeListener(preferenceListener); break; case SAMPLED_OUT_POINT_UPDATES: throw new IllegalArgumentException("Should have been mapped to point updates"); } } /** Unregisters all internal (sensor, position, etc.) listeners. */ void unregisterAllListeners() { dataSources.removeLocationUpdates(locationListener); dataSources.unregisterSensorListener(compassListener); dataSources.unregisterContentObserver(trackObserver); dataSources.unregisterContentObserver(waypointObserver); dataSources.unregisterContentObserver(pointObserver); dataSources.unregisterOnSharedPreferenceChangeListener(preferenceListener); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/content/DataSourceManager.java
Java
asf20
9,034
/* * 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.content; /** * Utilities for serializing primitive types. * * @author Rodrigo Damazio */ public class ContentTypeIds { public static final byte BOOLEAN_TYPE_ID = 0; public static final byte LONG_TYPE_ID = 1; public static final byte INT_TYPE_ID = 2; public static final byte FLOAT_TYPE_ID = 3; public static final byte DOUBLE_TYPE_ID = 4; public static final byte STRING_TYPE_ID = 5; public static final byte BLOB_TYPE_ID = 6; private ContentTypeIds() { /* Not instantiable */ } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/content/ContentTypeIds.java
Java
asf20
1,135
/* * 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.content; import com.google.android.apps.mytracks.Constants; import com.google.android.maps.mytracks.R; import android.content.ContentProvider; import android.content.ContentUris; import android.content.ContentValues; import android.content.Context; import android.content.SharedPreferences; import android.content.UriMatcher; import android.database.Cursor; import android.database.SQLException; import android.database.sqlite.SQLiteDatabase; import android.database.sqlite.SQLiteException; import android.database.sqlite.SQLiteOpenHelper; import android.database.sqlite.SQLiteQueryBuilder; import android.net.Uri; import android.os.Binder; import android.os.Process; import android.text.TextUtils; import android.util.Log; /** * A provider that handles recorded (GPS) tracks and their track points. * * @author Leif Hendrik Wilden */ public class MyTracksProvider extends ContentProvider { private static final String DATABASE_NAME = "mytracks.db"; private static final int DATABASE_VERSION = 19; private static final int TRACKPOINTS = 1; private static final int TRACKPOINTS_ID = 2; private static final int TRACKS = 3; private static final int TRACKS_ID = 4; private static final int WAYPOINTS = 5; private static final int WAYPOINTS_ID = 6; private static final String TRACKPOINTS_TABLE = "trackpoints"; private static final String TRACKS_TABLE = "tracks"; private static final String WAYPOINTS_TABLE = "waypoints"; public static final String TAG = "MyTracksProvider"; /** * Helper which creates or upgrades the database if necessary. */ private static class DatabaseHelper extends SQLiteOpenHelper { public DatabaseHelper(Context context) { super(context, DATABASE_NAME, null, DATABASE_VERSION); } @Override public void onCreate(SQLiteDatabase db) { db.execSQL("CREATE TABLE " + TRACKPOINTS_TABLE + " (" + TrackPointsColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT, " + TrackPointsColumns.TRACKID + " INTEGER, " + TrackPointsColumns.LONGITUDE + " INTEGER, " + TrackPointsColumns.LATITUDE + " INTEGER, " + TrackPointsColumns.TIME + " INTEGER, " + TrackPointsColumns.ALTITUDE + " FLOAT, " + TrackPointsColumns.ACCURACY + " FLOAT, " + TrackPointsColumns.SPEED + " FLOAT, " + TrackPointsColumns.BEARING + " FLOAT, " + TrackPointsColumns.SENSOR + " BLOB);"); db.execSQL("CREATE TABLE " + TRACKS_TABLE + " (" + TracksColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT, " + TracksColumns.NAME + " STRING, " + TracksColumns.DESCRIPTION + " STRING, " + TracksColumns.CATEGORY + " STRING, " + TracksColumns.STARTID + " INTEGER, " + TracksColumns.STOPID + " INTEGER, " + TracksColumns.STARTTIME + " INTEGER, " + TracksColumns.STOPTIME + " INTEGER, " + TracksColumns.NUMPOINTS + " INTEGER, " + TracksColumns.TOTALDISTANCE + " FLOAT, " + TracksColumns.TOTALTIME + " INTEGER, " + TracksColumns.MOVINGTIME + " INTEGER, " + TracksColumns.MINLAT + " INTEGER, " + TracksColumns.MAXLAT + " INTEGER, " + TracksColumns.MINLON + " INTEGER, " + TracksColumns.MAXLON + " INTEGER, " + TracksColumns.AVGSPEED + " FLOAT, " + TracksColumns.AVGMOVINGSPEED + " FLOAT, " + TracksColumns.MAXSPEED + " FLOAT, " + TracksColumns.MINELEVATION + " FLOAT, " + TracksColumns.MAXELEVATION + " FLOAT, " + TracksColumns.ELEVATIONGAIN + " FLOAT, " + TracksColumns.MINGRADE + " FLOAT, " + TracksColumns.MAXGRADE + " FLOAT, " + TracksColumns.MAPID + " STRING, " + TracksColumns.TABLEID + " STRING);"); db.execSQL("CREATE TABLE " + WAYPOINTS_TABLE + " (" + WaypointsColumns._ID + " INTEGER PRIMARY KEY AUTOINCREMENT, " + WaypointsColumns.NAME + " STRING, " + WaypointsColumns.DESCRIPTION + " STRING, " + WaypointsColumns.CATEGORY + " STRING, " + WaypointsColumns.ICON + " STRING, " + WaypointsColumns.TRACKID + " INTEGER, " + WaypointsColumns.TYPE + " INTEGER, " + WaypointsColumns.LENGTH + " FLOAT, " + WaypointsColumns.DURATION + " INTEGER, " + WaypointsColumns.STARTTIME + " INTEGER, " + WaypointsColumns.STARTID + " INTEGER, " + WaypointsColumns.STOPID + " INTEGER, " + WaypointsColumns.LONGITUDE + " INTEGER, " + WaypointsColumns.LATITUDE + " INTEGER, " + WaypointsColumns.TIME + " INTEGER, " + WaypointsColumns.ALTITUDE + " FLOAT, " + WaypointsColumns.ACCURACY + " FLOAT, " + WaypointsColumns.SPEED + " FLOAT, " + WaypointsColumns.BEARING + " FLOAT, " + WaypointsColumns.TOTALDISTANCE + " FLOAT, " + WaypointsColumns.TOTALTIME + " INTEGER, " + WaypointsColumns.MOVINGTIME + " INTEGER, " + WaypointsColumns.AVGSPEED + " FLOAT, " + WaypointsColumns.AVGMOVINGSPEED + " FLOAT, " + WaypointsColumns.MAXSPEED + " FLOAT, " + WaypointsColumns.MINELEVATION + " FLOAT, " + WaypointsColumns.MAXELEVATION + " FLOAT, " + WaypointsColumns.ELEVATIONGAIN + " FLOAT, " + WaypointsColumns.MINGRADE + " FLOAT, " + WaypointsColumns.MAXGRADE + " FLOAT);"); } @Override public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) { if (oldVersion < 17) { // Wipe the old data. Log.w(TAG, "Upgrading database from version " + oldVersion + " to " + newVersion + ", which will destroy all old data"); db.execSQL("DROP TABLE IF EXISTS " + TRACKPOINTS_TABLE); db.execSQL("DROP TABLE IF EXISTS " + TRACKS_TABLE); db.execSQL("DROP TABLE IF EXISTS " + WAYPOINTS_TABLE); onCreate(db); } else { // Incremental updates go here. // Each time you increase the DB version, add a corresponding if clause. Log.w(TAG, "Upgrading database from version " + oldVersion + " to " + newVersion); // Sensor data. if (oldVersion <= 17) { Log.w(TAG, "Upgrade DB: Adding sensor column."); db.execSQL("ALTER TABLE " + TRACKPOINTS_TABLE + " ADD " + TrackPointsColumns.SENSOR + " BLOB"); } if (oldVersion <= 18) { Log.w(TAG, "Upgrade DB: Adding tableid column."); db.execSQL("ALTER TABLE " + TRACKS_TABLE + " ADD " + TracksColumns.TABLEID + " STRING"); } } } } private final UriMatcher urlMatcher; private SQLiteDatabase db; public MyTracksProvider() { urlMatcher = new UriMatcher(UriMatcher.NO_MATCH); urlMatcher.addURI(MyTracksProviderUtils.AUTHORITY, "trackpoints", TRACKPOINTS); urlMatcher.addURI(MyTracksProviderUtils.AUTHORITY, "trackpoints/#", TRACKPOINTS_ID); urlMatcher.addURI(MyTracksProviderUtils.AUTHORITY, "tracks", TRACKS); urlMatcher.addURI(MyTracksProviderUtils.AUTHORITY, "tracks/#", TRACKS_ID); urlMatcher.addURI(MyTracksProviderUtils.AUTHORITY, "waypoints", WAYPOINTS); urlMatcher.addURI(MyTracksProviderUtils.AUTHORITY, "waypoints/#", WAYPOINTS_ID); } private boolean canAccess() { if (Binder.getCallingPid() == Process.myPid()) { return true; } else { Context context = getContext(); SharedPreferences sharedPreferences = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); return sharedPreferences.getBoolean(context.getString(R.string.allow_access_key), false); } } @Override public boolean onCreate() { if (!canAccess()) { return false; } DatabaseHelper dbHelper = new DatabaseHelper(getContext()); try { db = dbHelper.getWritableDatabase(); } catch (SQLiteException e) { Log.e(TAG, "Unable to open database for writing", e); } return db != null; } @Override public int delete(Uri url, String where, String[] selectionArgs) { if (!canAccess()) { return 0; } String table; boolean shouldVacuum = false; switch (urlMatcher.match(url)) { case TRACKPOINTS: table = TRACKPOINTS_TABLE; break; case TRACKS: table = TRACKS_TABLE; shouldVacuum = true; break; case WAYPOINTS: table = WAYPOINTS_TABLE; break; default: throw new IllegalArgumentException("Unknown URL " + url); } Log.w(MyTracksProvider.TAG, "provider delete in " + table + "!"); int count = db.delete(table, where, selectionArgs); getContext().getContentResolver().notifyChange(url, null, true); if (shouldVacuum) { // If a potentially large amount of data was deleted, we want to reclaim its space. Log.i(TAG, "Vacuuming the database"); db.execSQL("VACUUM"); } return count; } @Override public String getType(Uri url) { if (!canAccess()) { return null; } switch (urlMatcher.match(url)) { case TRACKPOINTS: return TrackPointsColumns.CONTENT_TYPE; case TRACKPOINTS_ID: return TrackPointsColumns.CONTENT_ITEMTYPE; case TRACKS: return TracksColumns.CONTENT_TYPE; case TRACKS_ID: return TracksColumns.CONTENT_ITEMTYPE; case WAYPOINTS: return WaypointsColumns.CONTENT_TYPE; case WAYPOINTS_ID: return WaypointsColumns.CONTENT_ITEMTYPE; default: throw new IllegalArgumentException("Unknown URL " + url); } } @Override public Uri insert(Uri url, ContentValues initialValues) { if (!canAccess()) { return null; } Log.d(MyTracksProvider.TAG, "MyTracksProvider.insert"); ContentValues values; if (initialValues != null) { values = initialValues; } else { values = new ContentValues(); } int urlMatchType = urlMatcher.match(url); return insertType(url, urlMatchType, values); } private Uri insertType(Uri url, int urlMatchType, ContentValues values) { switch (urlMatchType) { case TRACKPOINTS: return insertTrackPoint(url, values); case TRACKS: return insertTrack(url, values); case WAYPOINTS: return insertWaypoint(url, values); default: throw new IllegalArgumentException("Unknown URL " + url); } } @Override public int bulkInsert(Uri url, ContentValues[] valuesBulk) { if (!canAccess()) { return 0; } Log.d(MyTracksProvider.TAG, "MyTracksProvider.bulkInsert"); int numInserted = 0; try { // Use a transaction in order to make the insertions run as a single batch db.beginTransaction(); int urlMatch = urlMatcher.match(url); for (numInserted = 0; numInserted < valuesBulk.length; numInserted++) { ContentValues values = valuesBulk[numInserted]; if (values == null) { values = new ContentValues(); } insertType(url, urlMatch, values); } db.setTransactionSuccessful(); } finally { db.endTransaction(); } return numInserted; } private Uri insertTrackPoint(Uri url, ContentValues values) { boolean hasLat = values.containsKey(TrackPointsColumns.LATITUDE); boolean hasLong = values.containsKey(TrackPointsColumns.LONGITUDE); boolean hasTime = values.containsKey(TrackPointsColumns.TIME); if (!hasLat || !hasLong || !hasTime) { throw new IllegalArgumentException( "Latitude, longitude, and time values are required."); } long rowId = db.insert(TRACKPOINTS_TABLE, TrackPointsColumns._ID, values); if (rowId >= 0) { Uri uri = ContentUris.appendId( TrackPointsColumns.CONTENT_URI.buildUpon(), rowId).build(); getContext().getContentResolver().notifyChange(url, null, true); return uri; } throw new SQLiteException("Failed to insert row into " + url); } private Uri insertTrack(Uri url, ContentValues values) { boolean hasStartTime = values.containsKey(TracksColumns.STARTTIME); boolean hasStartId = values.containsKey(TracksColumns.STARTID); if (!hasStartTime || !hasStartId) { throw new IllegalArgumentException( "Both start time and start id values are required."); } long rowId = db.insert(TRACKS_TABLE, TracksColumns._ID, values); if (rowId > 0) { Uri uri = ContentUris.appendId( TracksColumns.CONTENT_URI.buildUpon(), rowId).build(); getContext().getContentResolver().notifyChange(url, null, true); return uri; } throw new SQLException("Failed to insert row into " + url); } private Uri insertWaypoint(Uri url, ContentValues values) { long rowId = db.insert(WAYPOINTS_TABLE, WaypointsColumns._ID, values); if (rowId > 0) { Uri uri = ContentUris.appendId( WaypointsColumns.CONTENT_URI.buildUpon(), rowId).build(); getContext().getContentResolver().notifyChange(url, null, true); return uri; } throw new SQLException("Failed to insert row into " + url); } @Override public Cursor query( Uri url, String[] projection, String selection, String[] selectionArgs, String sort) { if (!canAccess()) { return null; } SQLiteQueryBuilder qb = new SQLiteQueryBuilder(); int match = urlMatcher.match(url); String sortOrder = null; if (match == TRACKPOINTS) { qb.setTables(TRACKPOINTS_TABLE); if (sort != null) { sortOrder = sort; } else { sortOrder = TrackPointsColumns.DEFAULT_SORT_ORDER; } } else if (match == TRACKPOINTS_ID) { qb.setTables(TRACKPOINTS_TABLE); qb.appendWhere("_id=" + url.getPathSegments().get(1)); } else if (match == TRACKS) { qb.setTables(TRACKS_TABLE); if (sort != null) { sortOrder = sort; } else { sortOrder = TracksColumns.DEFAULT_SORT_ORDER; } } else if (match == TRACKS_ID) { qb.setTables(TRACKS_TABLE); qb.appendWhere("_id=" + url.getPathSegments().get(1)); } else if (match == WAYPOINTS) { qb.setTables(WAYPOINTS_TABLE); if (sort != null) { sortOrder = sort; } else { sortOrder = WaypointsColumns.DEFAULT_SORT_ORDER; } } else if (match == WAYPOINTS_ID) { qb.setTables(WAYPOINTS_TABLE); qb.appendWhere("_id=" + url.getPathSegments().get(1)); } else { throw new IllegalArgumentException("Unknown URL " + url); } Log.i(Constants.TAG, "Build query: " + qb.buildQuery(projection, selection, selectionArgs, null, null, sortOrder, null)); Cursor c = qb.query(db, projection, selection, selectionArgs, null, null, sortOrder); c.setNotificationUri(getContext().getContentResolver(), url); return c; } @Override public int update(Uri url, ContentValues values, String where, String[] selectionArgs) { if (!canAccess()) { return 0; } int count; int match = urlMatcher.match(url); if (match == TRACKPOINTS) { count = db.update(TRACKPOINTS_TABLE, values, where, selectionArgs); } else if (match == TRACKPOINTS_ID) { String segment = url.getPathSegments().get(1); count = db.update(TRACKPOINTS_TABLE, values, "_id=" + segment + (!TextUtils.isEmpty(where) ? " AND (" + where + ')' : ""), selectionArgs); } else if (match == TRACKS) { count = db.update(TRACKS_TABLE, values, where, selectionArgs); } else if (match == TRACKS_ID) { String segment = url.getPathSegments().get(1); count = db.update(TRACKS_TABLE, values, "_id=" + segment + (!TextUtils.isEmpty(where) ? " AND (" + where + ')' : ""), selectionArgs); } else if (match == WAYPOINTS) { count = db.update(WAYPOINTS_TABLE, values, where, selectionArgs); } else if (match == WAYPOINTS_ID) { String segment = url.getPathSegments().get(1); count = db.update(WAYPOINTS_TABLE, values, "_id=" + segment + (!TextUtils.isEmpty(where) ? " AND (" + where + ')' : ""), selectionArgs); } else { throw new IllegalArgumentException("Unknown URL " + url); } getContext().getContentResolver().notifyChange(url, null, true); return count; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/content/MyTracksProvider.java
Java
asf20
17,103
/* * 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.content; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import android.location.Location; /** * Listener for track data, for both initial and incremental loading. * * @author Rodrigo Damazio */ public interface TrackDataListener { /** States for the GPS location provider. */ public enum ProviderState { DISABLED, NO_FIX, BAD_FIX, GOOD_FIX; } /** * Called when the location provider changes state. */ void onProviderStateChange(ProviderState state); /** * Called when the current location changes. * This is meant for immediate location display only - track point data is * delivered by other methods below, such as {@link #onNewTrackPoint}. * * @param loc the last known location */ void onCurrentLocationChanged(Location loc); /** * Called when the current heading changes. * * @param heading the current heading, already accounting magnetic declination */ void onCurrentHeadingChanged(double heading); /** * Called when the currently-selected track changes. * This will be followed by calls to data methods such as * {@link #onTrackUpdated}, {@link #clearTrackPoints}, * {@link #onNewTrackPoint(Location)}, etc., even if no track is currently * selected (in which case you'll only get calls to clear the current data). * * @param track the selected track, or null if no track is selected * @param isRecording whether we're currently recording the selected track */ void onSelectedTrackChanged(Track track, boolean isRecording); /** * Called when the track and/or its statistics have been updated. * * @param track the updated version of the track */ void onTrackUpdated(Track track); /** * Called to clear any previously-sent track points. * This can be called at any time that we decide the data needs to be * reloaded, such as when it needs to be resampled. */ void clearTrackPoints(); /** * Called when a new interesting track point is read. * In this case, interesting means that the point has already undergone * sampling and invalid point filtering. * * @param loc the new track point */ void onNewTrackPoint(Location loc); /** * Called when a uninteresting track point is read. * Uninteresting points are all points that get sampled out of the track. * * @param loc the new track point */ void onSampledOutTrackPoint(Location loc); /** * Called when an invalid point (representing a segment split) is read. */ void onSegmentSplit(); /** * Called when we're done (for the time being) sending new points. * This gets called after every batch of calls to {@link #onNewTrackPoint}, * {@link #onSampledOutTrackPoint} and {@link #onSegmentSplit}. */ void onNewTrackPointsDone(); /** * Called to clear any previously-sent waypoints. * This can be called at any time that we decide the data needs to be * reloaded. */ void clearWaypoints(); /** * Called when a new waypoint is read. * * @param wpt the new waypoint */ void onNewWaypoint(Waypoint wpt); /** * Called when we're done (for the time being) sending new waypoints. * This gets called after every batch of calls to {@link #clearWaypoints} and * {@link #onNewWaypoint}. */ void onNewWaypointsDone(); /** * Called when the display units are changed by the user. * * @param metric true if the units are metric, false if imperial * @return true to reload all the data, false otherwise */ boolean onUnitsChanged(boolean metric); /** * Called when the speed/pace display unit is changed by the user. * * @param reportSpeed true to report speed, false for pace * @return true to reload all the data, false otherwise */ boolean onReportSpeedChanged(boolean reportSpeed); }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/content/TrackDataListener.java
Java
asf20
4,537
/* * 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.content; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.content.TrackDataHub.ListenerDataType; import android.util.Log; import java.util.EnumMap; import java.util.EnumSet; import java.util.HashMap; import java.util.LinkedHashSet; import java.util.Map; import java.util.Set; import java.util.WeakHashMap; /** * Manager for the external data listeners and their listening types. * * @author Rodrigo Damazio */ class TrackDataListeners { /** Internal representation of a listener's registration. */ static class ListenerRegistration { final TrackDataListener listener; final EnumSet<ListenerDataType> types; // State that was last notified to the listener, for resuming after a pause. long lastTrackId; long lastPointId; int lastSamplingFrequency; int numLoadedPoints; public ListenerRegistration(TrackDataListener listener, EnumSet<ListenerDataType> types) { this.listener = listener; this.types = types; } public boolean isInterestedIn(ListenerDataType type) { return types.contains(type); } public void resetState() { lastTrackId = 0L; lastPointId = 0L; lastSamplingFrequency = 0; numLoadedPoints = 0; } @Override public String toString() { return "ListenerRegistration [listener=" + listener + ", types=" + types + ", lastTrackId=" + lastTrackId + ", lastPointId=" + lastPointId + ", lastSamplingFrequency=" + lastSamplingFrequency + ", numLoadedPoints=" + numLoadedPoints + "]"; } } /** Map of external listener to its registration details. */ private final Map<TrackDataListener, ListenerRegistration> registeredListeners = new HashMap<TrackDataListener, ListenerRegistration>(); /** * Map of external paused listener to its registration details. * This will automatically discard listeners which are GCed. */ private final WeakHashMap<TrackDataListener, ListenerRegistration> oldListeners = new WeakHashMap<TrackDataListener, ListenerRegistration>(); /** Map of data type to external listeners interested in it. */ private final Map<ListenerDataType, Set<TrackDataListener>> listenerSetsPerType = new EnumMap<ListenerDataType, Set<TrackDataListener>>(ListenerDataType.class); public TrackDataListeners() { // Create sets for all data types at startup. for (ListenerDataType type : ListenerDataType.values()) { listenerSetsPerType.put(type, new LinkedHashSet<TrackDataListener>()); } } /** * Registers a listener to send data to. * It is ok to call this method before {@link TrackDataHub#start}, and in that case * the data will only be passed to listeners when {@link TrackDataHub#start} is called. * * @param listener the listener to register * @param dataTypes the type of data that the listener is interested in */ public ListenerRegistration registerTrackDataListener(final TrackDataListener listener, EnumSet<ListenerDataType> dataTypes) { Log.d(TAG, "Registered track data listener: " + listener); if (registeredListeners.containsKey(listener)) { throw new IllegalStateException("Listener already registered"); } ListenerRegistration registration = oldListeners.remove(listener); if (registration == null) { registration = new ListenerRegistration(listener, dataTypes); } registeredListeners.put(listener, registration); for (ListenerDataType type : dataTypes) { // This is guaranteed not to be null. Set<TrackDataListener> typeSet = listenerSetsPerType.get(type); typeSet.add(listener); } return registration; } /** * Unregisters a listener to send data to. * * @param listener the listener to unregister */ public void unregisterTrackDataListener(TrackDataListener listener) { Log.d(TAG, "Unregistered track data listener: " + listener); // Remove and keep the corresponding registration. ListenerRegistration match = registeredListeners.remove(listener); if (match == null) { Log.w(TAG, "Tried to unregister listener which is not registered."); return; } // Remove it from the per-type sets for (ListenerDataType type : match.types) { listenerSetsPerType.get(type).remove(listener); } // Keep it around in case it's re-registered soon oldListeners.put(listener, match); } public ListenerRegistration getRegistration(TrackDataListener listener) { ListenerRegistration registration = registeredListeners.get(listener); if (registration == null) { registration = oldListeners.get(listener); } return registration; } public Set<TrackDataListener> getListenersFor(ListenerDataType type) { return listenerSetsPerType.get(type); } public EnumSet<ListenerDataType> getAllRegisteredTypes() { EnumSet<ListenerDataType> listeners = EnumSet.noneOf(ListenerDataType.class); for (ListenerRegistration registration : this.registeredListeners.values()) { listeners.addAll(registration.types); } return listeners; } public boolean hasListeners() { return !registeredListeners.isEmpty(); } public int getNumListeners() { return registeredListeners.size(); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/content/TrackDataListeners.java
Java
asf20
5,939
/* * 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.content; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.database.ContentObserver; import android.hardware.Sensor; import android.hardware.SensorEventListener; import android.location.Location; import android.location.LocationListener; import android.net.Uri; /** * Interface for abstracting registration of external data source listeners. * * @author Rodrigo Damazio */ interface DataSourcesWrapper { // Preferences void registerOnSharedPreferenceChangeListener( OnSharedPreferenceChangeListener listener); void unregisterOnSharedPreferenceChangeListener( OnSharedPreferenceChangeListener listener); // Content provider void registerContentObserver(Uri contentUri, boolean descendents, ContentObserver observer); void unregisterContentObserver(ContentObserver observer); // Sensors Sensor getSensor(int type); void registerSensorListener(SensorEventListener listener, Sensor sensor, int sensorDelay); void unregisterSensorListener(SensorEventListener listener); // Location boolean isLocationProviderEnabled(String provider); void requestLocationUpdates(LocationListener listener); void removeLocationUpdates(LocationListener listener); Location getLastKnownLocation(); }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/content/DataSourcesWrapper.java
Java
asf20
1,913
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.content; import android.content.Context; import android.content.SearchRecentSuggestionsProvider; import android.provider.SearchRecentSuggestions; /** * Content provider for search suggestions. * * @author Rodrigo Damazio */ public class SearchEngineProvider extends SearchRecentSuggestionsProvider { private static final String AUTHORITY = "com.google.android.maps.mytracks.search"; private static final int MODE = DATABASE_MODE_QUERIES; public SearchEngineProvider() { setupSuggestions(AUTHORITY, MODE); } // TODO: Also add suggestions from the database. /** * Creates and returns a helper for adding recent queries or clearing the recent query history. */ public static SearchRecentSuggestions newHelper(Context context) { return new SearchRecentSuggestions(context, AUTHORITY, MODE); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/content/SearchEngineProvider.java
Java
asf20
1,463
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.StatsUtils; 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.util.Log; import android.widget.TextView; import java.text.NumberFormat; /** * Various utility functions for views that display statistics information. * * @deprecated use {@link StatsUtils}. * * @author Sandor Dornbush */ public class StatsUtilities { private final Activity activity; private static final NumberFormat LAT_LONG_FORMAT = NumberFormat.getNumberInstance(); private static final NumberFormat ALTITUDE_FORMAT = NumberFormat.getIntegerInstance(); private static final NumberFormat SPEED_FORMAT = NumberFormat.getNumberInstance(); private static final NumberFormat GRADE_FORMAT = NumberFormat.getPercentInstance(); static { LAT_LONG_FORMAT.setMaximumFractionDigits(5); LAT_LONG_FORMAT.setMinimumFractionDigits(5); SPEED_FORMAT.setMaximumFractionDigits(2); SPEED_FORMAT.setMinimumFractionDigits(2); GRADE_FORMAT.setMaximumFractionDigits(1); GRADE_FORMAT.setMinimumFractionDigits(1); } /** * True if distances should be displayed in metric units (from shared * preferences). */ private boolean metricUnits = true; /** * True - report speed * False - report pace */ private boolean reportSpeed = true; public StatsUtilities(Activity a) { this.activity = a; } public boolean isMetricUnits() { return metricUnits; } public void setMetricUnits(boolean metricUnits) { this.metricUnits = metricUnits; } public boolean isReportSpeed() { return reportSpeed; } public void setReportSpeed(boolean reportSpeed) { this.reportSpeed = reportSpeed; } public void setUnknown(int id) { ((TextView) activity.findViewById(id)).setText(R.string.value_unknown); } public void setText(int id, double d, NumberFormat format) { if (!Double.isNaN(d) && !Double.isInfinite(d)) { setText(id, format.format(d)); } else { setUnknown(id); } } public void setText(int id, String s) { int lengthLimit = 8; String displayString = s.length() > lengthLimit ? s.substring(0, lengthLimit - 3) + "..." : s; ((TextView) activity.findViewById(id)).setText(displayString); } public void setLatLong(int id, double d) { TextView msgTextView = (TextView) activity.findViewById(id); msgTextView.setText(LAT_LONG_FORMAT.format(d)); } public void setAltitude(int id, double d) { setText(id, (metricUnits ? d : (d * UnitConversions.M_TO_FT)), ALTITUDE_FORMAT); } public void setDistance(int id, double d) { setText(id, (metricUnits ? d : (d * UnitConversions.KM_TO_MI)), SPEED_FORMAT); } public void setSpeed(int id, double d) { if (d == 0) { setUnknown(id); return; } double speed = metricUnits ? d : d * UnitConversions.KM_TO_MI; if (reportSpeed) { setText(id, speed, SPEED_FORMAT); } else { // Format as milliseconds per unit long pace = (long) (3600000.0 / speed); setTime(id, pace); } } public void setAltitudeUnits(int unitLabelId) { TextView unitTextView = (TextView) activity.findViewById(unitLabelId); unitTextView.setText(metricUnits ? R.string.unit_meter : R.string.unit_feet); } public void setDistanceUnits(int unitLabelId) { TextView unitTextView = (TextView) activity.findViewById(unitLabelId); unitTextView.setText(metricUnits ? R.string.unit_kilometer : R.string.unit_mile); } public void setSpeedUnits(int unitLabelId, int unitLabelBottomId) { TextView unitTextView = (TextView) activity.findViewById(unitLabelId); unitTextView.setText(reportSpeed ? (metricUnits ? R.string.unit_kilometer : R.string.unit_mile) : R.string.unit_minute); unitTextView = (TextView) activity.findViewById(unitLabelBottomId); unitTextView.setText(reportSpeed ? R.string.unit_hour : (metricUnits ? R.string.unit_kilometer : R.string.unit_mile)); } public void setTime(int id, long l) { setText(id, StringUtils.formatElapsedTime(l)); } public void setGrade(int id, double d) { setText(id, d, GRADE_FORMAT); } /** * Updates the unit fields. */ public void updateUnits() { setSpeedUnits(R.id.speed_unit_label_top, R.id.speed_unit_label_bottom); updateWaypointUnits(); } /** * Updates the units fields used by waypoints. */ public void updateWaypointUnits() { setSpeedUnits(R.id.average_moving_speed_unit_label_top, R.id.average_moving_speed_unit_label_bottom); setSpeedUnits(R.id.average_speed_unit_label_top, R.id.average_speed_unit_label_bottom); setDistanceUnits(R.id.total_distance_unit_label); setSpeedUnits(R.id.max_speed_unit_label_top, R.id.max_speed_unit_label_bottom); setAltitudeUnits(R.id.elevation_unit_label); setAltitudeUnits(R.id.elevation_gain_unit_label); setAltitudeUnits(R.id.min_elevation_unit_label); setAltitudeUnits(R.id.max_elevation_unit_label); } /** * Sets all fields to "-" (unknown). */ public void setAllToUnknown() { // "Instant" values: setUnknown(R.id.elevation_register); setUnknown(R.id.latitude_register); setUnknown(R.id.longitude_register); setUnknown(R.id.speed_register); // Values from provider: setUnknown(R.id.total_time_register); setUnknown(R.id.moving_time_register); setUnknown(R.id.total_distance_register); setUnknown(R.id.average_speed_register); setUnknown(R.id.average_moving_speed_register); setUnknown(R.id.max_speed_register); setUnknown(R.id.min_elevation_register); setUnknown(R.id.max_elevation_register); setUnknown(R.id.elevation_gain_register); setUnknown(R.id.min_grade_register); setUnknown(R.id.max_grade_register); } public void setAllStats(long movingTime, double totalDistance, double averageSpeed, double averageMovingSpeed, double maxSpeed, double minElevation, double maxElevation, double elevationGain, double minGrade, double maxGrade) { setTime(R.id.moving_time_register, movingTime); setDistance(R.id.total_distance_register, totalDistance * UnitConversions.M_TO_KM); setSpeed(R.id.average_speed_register, averageSpeed * UnitConversions.MS_TO_KMH); setSpeed(R.id.average_moving_speed_register, averageMovingSpeed * UnitConversions.MS_TO_KMH); setSpeed(R.id.max_speed_register, maxSpeed * UnitConversions.MS_TO_KMH); setAltitude(R.id.min_elevation_register, minElevation); setAltitude(R.id.max_elevation_register, maxElevation); setAltitude(R.id.elevation_gain_register, elevationGain); setGrade(R.id.min_grade_register, minGrade); setGrade(R.id.max_grade_register, maxGrade); } public void setAllStats(TripStatistics stats) { setTime(R.id.moving_time_register, stats.getMovingTime()); setDistance(R.id.total_distance_register, stats.getTotalDistance() * UnitConversions.M_TO_KM); setSpeed(R.id.average_speed_register, stats.getAverageSpeed() * UnitConversions.MS_TO_KMH); setSpeed(R.id.average_moving_speed_register, stats.getAverageMovingSpeed() * UnitConversions.MS_TO_KMH); setSpeed(R.id.max_speed_register, stats.getMaxSpeed() * UnitConversions.MS_TO_KMH); setAltitude(R.id.min_elevation_register, stats.getMinElevation()); setAltitude(R.id.max_elevation_register, stats.getMaxElevation()); setAltitude(R.id.elevation_gain_register, stats.getTotalElevationGain()); setGrade(R.id.min_grade_register, stats.getMinGrade()); setGrade(R.id.max_grade_register, stats.getMaxGrade()); setTime(R.id.total_time_register, stats.getTotalTime()); } public void setSpeedLabel(int id, int speedString, int paceString) { Log.w(Constants.TAG, "Setting view " + id + " to " + reportSpeed + " speed: " + speedString + " pace: " + paceString); TextView tv = ((TextView) activity.findViewById(id)); if (tv != null) { tv.setText(reportSpeed ? speedString : paceString); } else { Log.w(Constants.TAG, "Could not find id: " + id); } } public void setSpeedLabels() { setSpeedLabel(R.id.average_speed_label, R.string.stat_average_speed, R.string.stat_average_pace); setSpeedLabel(R.id.average_moving_speed_label, R.string.stat_average_moving_speed, R.string.stat_average_moving_pace); setSpeedLabel(R.id.max_speed_label, R.string.stat_max_speed, R.string.stat_fastest_pace); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/StatsUtilities.java
Java
asf20
9,473
/* * 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 com.google.common.annotations.VisibleForTesting; 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 = 40; /** 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) { if (mode == Mode.BY_DISTANCE) { double lenghtInKm = waypoint.getLength() * UnitConversions.M_TO_KM; return getX(metricUnits ? lenghtInKm : lenghtInKm * UnitConversions.KM_TO_MI); } else { return 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(), MarkerDetailActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK) .putExtra(MarkerDetailActivity.EXTRA_MARKER_ID, 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.formatElapsedTime((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); } @VisibleForTesting int getZoomLevel() { return zoomLevel; } @VisibleForTesting int getMaxZoomLevel() { return maxZoomLevel; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/ChartView.java
Java
asf20
27,248
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import android.content.Context; import android.os.Bundle; import android.support.v4.app.Fragment; import android.support.v4.app.FragmentActivity; import android.support.v4.app.FragmentTransaction; import android.view.View; import android.widget.TabHost; import android.widget.TabHost.TabContentFactory; import android.widget.TabHost.TabSpec; import java.util.HashMap; /** * This is a helper class that implements a generic mechanism for associating * fragments with the tabs in a tab host. It relies on a trick. Normally a tab * host has a simple API for supplying a View or Intent that each tab will show. * This is not sufficient for switching between fragments. So instead we make * the content part of the tab host 0dp high (it is not shown) and the * TabManager supplies its own dummy view to show as the tab content. It listens * to changes in tabs, and takes care of switch to the correct fragment shown in * a separate content area whenever the selected tab changes. * <p> * Copied from the Fragment Tabs example in the API 4+ Support Demos. * * @author Jimmy Shih */ public class TabManager implements TabHost.OnTabChangeListener { private final FragmentActivity fragmentActivity; private final TabHost tabHost; private final int containerId; private final HashMap<String, TabInfo> tabs = new HashMap<String, TabInfo>(); private TabInfo lastTabInfo; /** * An object to hold a tab's info. * * @author Jimmy Shih */ private static final class TabInfo { private final String tag; private final Class<?> clss; private final Bundle bundle; private Fragment fragment; public TabInfo(String tag, Class<?> clss, Bundle bundle) { this.tag = tag; this.clss = clss; this.bundle = bundle; } } /** * A dummy {@link TabContentFactory} that creates an empty view to satisfy the * {@link TabHost} API. * * @author Jimmy Shih */ private static class DummyTabContentFactory implements TabContentFactory { private final Context context; public DummyTabContentFactory(Context context) { this.context = context; } @Override public View createTabContent(String tag) { View view = new View(context); view.setMinimumWidth(0); view.setMinimumHeight(0); return view; } } public TabManager(FragmentActivity fragmentActivity, TabHost tabHost, int containerId) { this.fragmentActivity = fragmentActivity; this.tabHost = tabHost; this.containerId = containerId; tabHost.setOnTabChangedListener(this); } public void addTab(TabSpec tabSpec, Class<?> clss, Bundle bundle) { tabSpec.setContent(new DummyTabContentFactory(fragmentActivity)); String tag = tabSpec.getTag(); TabInfo tabInfo = new TabInfo(tag, clss, bundle); /* * Check to see if we already have a fragment for this tab, probably from a * previously saved state. If so, deactivate it, because our initial state * is that a tab isn't shown. */ tabInfo.fragment = fragmentActivity.getSupportFragmentManager().findFragmentByTag(tag); if (tabInfo.fragment != null && !tabInfo.fragment.isDetached()) { FragmentTransaction fragmentTransaction = fragmentActivity.getSupportFragmentManager() .beginTransaction(); fragmentTransaction.detach(tabInfo.fragment); fragmentTransaction.commit(); } tabs.put(tag, tabInfo); tabHost.addTab(tabSpec); } @Override public void onTabChanged(String tabId) { TabInfo newTabInfo = tabs.get(tabId); if (lastTabInfo != newTabInfo) { FragmentTransaction fragmentTransaction = fragmentActivity.getSupportFragmentManager() .beginTransaction(); if (lastTabInfo != null) { if (lastTabInfo.fragment != null) { fragmentTransaction.detach(lastTabInfo.fragment); } } if (newTabInfo != null) { if (newTabInfo.fragment == null) { newTabInfo.fragment = Fragment.instantiate( fragmentActivity, newTabInfo.clss.getName(), newTabInfo.bundle); fragmentTransaction.add(containerId, newTabInfo.fragment, newTabInfo.tag); } else { fragmentTransaction.attach(newTabInfo.fragment); } } lastTabInfo = newTabInfo; fragmentTransaction.commit(); fragmentActivity.getSupportFragmentManager().executePendingTransactions(); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/TabManager.java
Java
asf20
5,050
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.widgets; import static com.google.android.apps.mytracks.Constants.SETTINGS_NAME; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.TrackDetailActivity; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.services.ControlRecordingService; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.mytracks.R; import android.app.PendingIntent; import android.appwidget.AppWidgetManager; import android.appwidget.AppWidgetProvider; import android.content.ComponentName; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.database.ContentObserver; import android.os.Handler; import android.util.Log; import android.widget.RemoteViews; /** * An AppWidgetProvider for displaying key track statistics (distance, time, * speed) from the current or most recent track. * * @author Sandor Dornbush * @author Paul R. Saxman */ public class TrackWidgetProvider extends AppWidgetProvider implements OnSharedPreferenceChangeListener { class TrackObserver extends ContentObserver { public TrackObserver() { super(contentHandler); } public void onChange(boolean selfChange) { updateTrack(null); } } private final Handler contentHandler; private MyTracksProviderUtils providerUtils; private Context context; private String unknown; private TrackObserver trackObserver; private boolean isMetric; private boolean reportSpeed; private long selectedTrackId; private SharedPreferences sharedPreferences; private String TRACK_STARTED_ACTION; private String TRACK_STOPPED_ACTION; public TrackWidgetProvider() { super(); contentHandler = new Handler(); selectedTrackId = -1; } private void initialize(Context aContext) { if (this.context != null) { return; } this.context = aContext; trackObserver = new TrackObserver(); providerUtils = MyTracksProviderUtils.Factory.get(context); unknown = context.getString(R.string.value_unknown); sharedPreferences = context.getSharedPreferences(SETTINGS_NAME, Context.MODE_PRIVATE); sharedPreferences.registerOnSharedPreferenceChangeListener(this); onSharedPreferenceChanged(sharedPreferences, null); context.getContentResolver().registerContentObserver( TracksColumns.CONTENT_URI, true, trackObserver); TRACK_STARTED_ACTION = context.getString(R.string.track_started_broadcast_action); TRACK_STOPPED_ACTION = context.getString(R.string.track_stopped_broadcast_action); } @Override public void onReceive(Context aContext, Intent intent) { super.onReceive(aContext, intent); initialize(aContext); selectedTrackId = intent.getLongExtra( context.getString(R.string.track_id_broadcast_extra), selectedTrackId); String action = intent.getAction(); Log.d(TAG, "TrackWidgetProvider.onReceive: trackId=" + selectedTrackId + ", action=" + action); if (AppWidgetManager.ACTION_APPWIDGET_ENABLED.equals(action) || AppWidgetManager.ACTION_APPWIDGET_UPDATE.equals(action) || TRACK_STARTED_ACTION.equals(action) || TRACK_STOPPED_ACTION.equals(action)) { updateTrack(action); } } @Override public void onDisabled(Context aContext) { if (trackObserver != null) { aContext.getContentResolver().unregisterContentObserver(trackObserver); } if (sharedPreferences != null) { sharedPreferences.unregisterOnSharedPreferenceChangeListener(this); } } private void updateTrack(String action) { Track track = null; if (selectedTrackId != -1) { Log.d(TAG, "TrackWidgetProvider.updateTrack: Retrieving specified track."); track = providerUtils.getTrack(selectedTrackId); } else { Log.d(TAG, "TrackWidgetProvider.updateTrack: Attempting to retrieve previous track."); // TODO we should really read the pref. track = providerUtils.getLastTrack(); } AppWidgetManager appWidgetManager = AppWidgetManager.getInstance(context); ComponentName widget = new ComponentName(context, TrackWidgetProvider.class); RemoteViews views = new RemoteViews(context.getPackageName(), R.layout.track_widget); // Make all of the stats open the mytracks activity. Intent intent = new Intent(context, TrackDetailActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK); if (track != null) { intent.putExtra(TrackDetailActivity.EXTRA_TRACK_ID, track.getId()); } PendingIntent pendingIntent = PendingIntent.getActivity(context, 0, intent, 0); views.setOnClickPendingIntent(R.id.appwidget_track_statistics, pendingIntent); if (action != null) { updateViewButton(views, action); } updateViewTrackStatistics(views, track); int[] appWidgetIds = appWidgetManager.getAppWidgetIds(widget); for (int appWidgetId : appWidgetIds) { appWidgetManager.updateAppWidget(appWidgetId, views); } } /** * Update the widget's button with the appropriate intent and icon. * * @param views The RemoteViews containing the button * @param action The action broadcast from the track service */ private void updateViewButton(RemoteViews views, String action) { if (TRACK_STARTED_ACTION.equals(action)) { // If a new track is started by this appwidget or elsewhere, // toggle the button to active and have it disable the track if pressed. setButtonIntent(views, R.string.track_action_end, R.drawable.appwidget_button_enabled); } else { // If a track is stopped by this appwidget or elsewhere, // toggle the button to inactive and have it start a new track if pressed. setButtonIntent(views, R.string.track_action_start, R.drawable.appwidget_button_disabled); } } /** * Set up the main widget button. * * @param views The widget views * @param action The resource id of the action to fire when the button is pressed * @param icon The resource id of the icon to show for the button */ private void setButtonIntent(RemoteViews views, int action, int icon) { Intent intent = new Intent(context, ControlRecordingService.class); intent.setAction(context.getString(action)); PendingIntent pendingIntent = PendingIntent.getService(context, 0, intent, PendingIntent.FLAG_UPDATE_CURRENT); views.setOnClickPendingIntent(R.id.appwidget_button, pendingIntent); views.setImageViewResource(R.id.appwidget_button, icon); } /** * Update the specified widget's view with the distance, time, and speed of * the specified track. * * @param views The RemoteViews to update with statistics * @param track The track to extract statistics from. */ protected void updateViewTrackStatistics(RemoteViews views, Track track) { if (track == null) { views.setTextViewText(R.id.appwidget_distance_text, unknown); views.setTextViewText(R.id.appwidget_time_text, unknown); views.setTextViewText(R.id.appwidget_speed_text, unknown); return; } TripStatistics stats = track.getStatistics(); String distance = StringUtils.formatDistance(context, stats.getTotalDistance(), isMetric); String time = StringUtils.formatElapsedTime(stats.getMovingTime()); String speed = StringUtils.formatSpeed( context, stats.getAverageMovingSpeed(), isMetric, reportSpeed); views.setTextViewText(R.id.appwidget_distance_text, distance); views.setTextViewText(R.id.appwidget_time_text, time); views.setTextViewText(R.id.appwidget_speed_text, speed); } @Override public void onSharedPreferenceChanged(SharedPreferences prefs, String key) { String metricUnitsKey = context.getString(R.string.metric_units_key); if (key == null || key.equals(metricUnitsKey)) { isMetric = prefs.getBoolean(metricUnitsKey, true); } String reportSpeedKey = context.getString(R.string.report_speed_key); if (key == null || key.equals(reportSpeedKey)) { reportSpeed = prefs.getBoolean(reportSpeedKey, true); } if (key == null || key.equals(PreferencesUtils.getSelectedTrackIdKey(context))) { selectedTrackId = PreferencesUtils.getSelectedTrackId(context); Log.d(TAG, "TrackWidgetProvider setting selecting track from preference: " + selectedTrackId); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/widgets/TrackWidgetProvider.java
Java
asf20
9,402
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; /** * Constants used by the MyTracks application. * * @author Leif Hendrik Wilden */ public abstract class Constants { /** * Should be used by all log statements */ public static final String TAG = "MyTracks"; /** * Name of the top-level directory inside the SD card where our files will * be read from/written to. */ public static final String SDCARD_TOP_DIR = "MyTracks"; /* * Main screen tab tags: */ public static final String MAP_TAB_TAG = "map"; public static final String STATS_TAB_TAG = "stats"; public static final String CHART_TAB_TAG = "chart"; /** * The number of distance readings to smooth to get a stable signal. */ public static final int DISTANCE_SMOOTHING_FACTOR = 25; /** * The number of elevation readings to smooth to get a somewhat accurate * signal. */ public static final int ELEVATION_SMOOTHING_FACTOR = 25; /** * The number of grade readings to smooth to get a somewhat accurate signal. */ public static final int GRADE_SMOOTHING_FACTOR = 5; /** * The number of speed reading to smooth to get a somewhat accurate signal. */ public static final int SPEED_SMOOTHING_FACTOR = 25; /** * Maximum number of track points displayed by the map overlay. */ public static final int MAX_DISPLAYED_TRACK_POINTS = 10000; /** * Target number of track points displayed by the map overlay. * We may display more than this number of points. */ public static final int TARGET_DISPLAYED_TRACK_POINTS = 5000; /** * Maximum number of track points ever loaded at once from the provider into * memory. * With a recording frequency of 2 seconds, 15000 corresponds to 8.3 hours. */ public static final int MAX_LOADED_TRACK_POINTS = 20000; /** * Maximum number of track points ever loaded at once from the provider into * memory in a single call to read points. */ public static final int MAX_LOADED_TRACK_POINTS_PER_BATCH = 1000; /** * Maximum number of way points displayed by the map overlay. */ public static final int MAX_DISPLAYED_WAYPOINTS_POINTS = 128; /** * Maximum number of way points that will be loaded at one time. */ public static final int MAX_LOADED_WAYPOINTS_POINTS = 10000; /** * Any time segment where the distance traveled is less than this value will * not be considered moving. */ public static final double MAX_NO_MOVEMENT_DISTANCE = 2; /** * Anything faster than that (in meters per second) will be considered moving. */ public static final double MAX_NO_MOVEMENT_SPEED = 0.224; /** * Ignore any acceleration faster than this. * Will ignore any speeds that imply accelaration greater than 2g's * 2g = 19.6 m/s^2 = 0.0002 m/ms^2 = 0.02 m/(m*ms) */ public static final double MAX_ACCELERATION = 0.02; /** Maximum age of a GPS location to be considered current. */ public static final long MAX_LOCATION_AGE_MS = 60 * 1000; // 1 minute /** Maximum age of a network location to be considered current. */ public static final long MAX_NETWORK_AGE_MS = 1000 * 60 * 10; // 10 minutes /** * The type of account that we can use for gdata uploads. */ public static final String ACCOUNT_TYPE = "com.google"; /** * The name of extra intent property to indicate whether we want to resume * a previously recorded track. */ public static final String RESUME_TRACK_EXTRA_NAME = "com.google.android.apps.mytracks.RESUME_TRACK"; public static final String MAPSHOP_BASE_URL = "https://maps.google.com/maps/ms"; /* * Default values - keep in sync with those in preferences.xml. */ public static final int DEFAULT_ANNOUNCEMENT_FREQUENCY = -1; public static final int DEFAULT_AUTO_RESUME_TRACK_TIMEOUT = 10; // In min. public static final int DEFAULT_MAX_RECORDING_DISTANCE = 200; public static final int DEFAULT_MIN_RECORDING_DISTANCE = 5; public static final int DEFAULT_MIN_RECORDING_INTERVAL = 0; public static final int DEFAULT_MIN_REQUIRED_ACCURACY = 200; public static final int DEFAULT_SPLIT_FREQUENCY = 0; public static final String SETTINGS_NAME = "SettingsActivity"; /** * This is an abstract utility class. */ protected Constants() { } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/Constants.java
Java
asf20
4,885
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.fragments.DeleteAllTrackDialogFragment; import com.google.android.apps.mytracks.fragments.DeleteOneTrackDialogFragment; import com.google.android.apps.mytracks.fragments.EulaDialogFragment; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.services.ITrackRecordingService; import com.google.android.apps.mytracks.services.TrackRecordingServiceConnection; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.apps.mytracks.util.EulaUtils; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.apps.mytracks.util.TrackRecordingServiceConnectionUtils; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.database.Cursor; import android.os.Bundle; import android.os.Parcelable; import android.speech.tts.TextToSpeech; import android.support.v4.app.Fragment; import android.support.v4.app.FragmentActivity; import android.support.v4.app.LoaderManager.LoaderCallbacks; import android.support.v4.content.CursorLoader; import android.support.v4.content.Loader; import android.support.v4.widget.ResourceCursorAdapter; import android.util.Log; import android.view.ContextMenu; import android.view.ContextMenu.ContextMenuInfo; import android.view.KeyEvent; import android.view.Menu; import android.view.MenuItem; import android.view.View; import android.widget.AdapterView; import android.widget.AdapterView.AdapterContextMenuInfo; import android.widget.AdapterView.OnItemClickListener; import android.widget.ImageButton; import android.widget.ListView; import android.widget.TextView; import android.widget.Toast; /** * An activity displaying a list of tracks. * * @author Leif Hendrik Wilden */ public class TrackListActivity extends FragmentActivity { private static final String TAG = TrackListActivity.class.getSimpleName(); private static final String[] PROJECTION = new String[] { TracksColumns._ID, TracksColumns.NAME, TracksColumns.CATEGORY, TracksColumns.TOTALTIME, TracksColumns.TOTALDISTANCE, TracksColumns.STARTTIME, TracksColumns.DESCRIPTION }; // Callback when the trackRecordingServiceConnection binding changes. private final Runnable bindChangedCallback = new Runnable() { @Override public void run() { if (!startNewRecording) { return; } ITrackRecordingService service = trackRecordingServiceConnection.getServiceIfBound(); if (service == null) { Log.d(TAG, "service not available to start a new recording"); return; } try { recordingTrackId = service.startNewTrack(); startNewRecording = false; startTrackDetailActivity(recordingTrackId); Toast.makeText( TrackListActivity.this, R.string.track_list_record_success, Toast.LENGTH_SHORT).show(); Log.d(TAG, "Started a new recording"); } catch (Exception e) { Toast.makeText(TrackListActivity.this, R.string.track_list_record_error, Toast.LENGTH_LONG) .show(); Log.e(TAG, "Unable to start a new recording.", e); } } }; /* * Note that sharedPreferenceChangeListenr cannot be an anonymous inner class. * Anonymous inner class will get garbage collected. */ private final OnSharedPreferenceChangeListener sharedPreferenceChangeListener = new OnSharedPreferenceChangeListener() { @Override public void onSharedPreferenceChanged(SharedPreferences preferences, String key) { // Note that key can be null if (getString(R.string.metric_units_key).equals(key)) { metricUnits = preferences.getBoolean(getString(R.string.metric_units_key), true); } if (PreferencesUtils.getRecordingTrackIdKey(TrackListActivity.this).equals(key)) { recordingTrackId = PreferencesUtils.getRecordingTrackId(TrackListActivity.this); if (TrackRecordingServiceConnectionUtils.isRecording( TrackListActivity.this, trackRecordingServiceConnection)) { trackRecordingServiceConnection.startAndBind(); } updateMenu(); } resourceCursorAdapter.notifyDataSetChanged(); } }; // Callback when an item is selected in the contextual action mode private ContextualActionModeCallback contextualActionModeCallback = new ContextualActionModeCallback() { @Override public boolean onClick(int itemId, long id) { return handleContextItem(itemId, id); } }; private TrackRecordingServiceConnection trackRecordingServiceConnection; private boolean metricUnits; private long recordingTrackId; private ListView listView; private ResourceCursorAdapter resourceCursorAdapter; // True to start a new recording. private boolean startNewRecording = false; private MenuItem recordTrackMenuItem; private MenuItem stopRecordingMenuItem; private MenuItem searchMenuItem; private MenuItem importAllMenuItem; private MenuItem exportAllMenuItem; private MenuItem deleteAllMenuItem; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setVolumeControlStream(TextToSpeech.Engine.DEFAULT_STREAM); setDefaultKeyMode(DEFAULT_KEYS_SEARCH_LOCAL); setContentView(R.layout.track_list); trackRecordingServiceConnection = new TrackRecordingServiceConnection( this, bindChangedCallback); SharedPreferences sharedPreferences = getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); sharedPreferences.registerOnSharedPreferenceChangeListener(sharedPreferenceChangeListener); metricUnits = sharedPreferences.getBoolean(getString(R.string.metric_units_key), true); recordingTrackId = PreferencesUtils.getRecordingTrackId(this); ImageButton recordImageButton = (ImageButton) findViewById(R.id.track_list_record_button); recordImageButton.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { updateMenuItems(true); startRecording(); } }); listView = (ListView) findViewById(R.id.track_list); listView.setEmptyView(findViewById(R.id.track_list_empty)); listView.setOnItemClickListener(new OnItemClickListener() { @Override public void onItemClick(AdapterView<?> parent, View view, int position, long id) { startTrackDetailActivity(id); } }); resourceCursorAdapter = new ResourceCursorAdapter(this, R.layout.track_list_item, null, 0) { @Override public void bindView(View view, Context context, Cursor cursor) { int idIndex = cursor.getColumnIndex(TracksColumns._ID); int nameIndex = cursor.getColumnIndex(TracksColumns.NAME); int categoryIndex = cursor.getColumnIndex(TracksColumns.CATEGORY); int timeIndex = cursor.getColumnIndexOrThrow(TracksColumns.TOTALTIME); int distanceIndex = cursor.getColumnIndexOrThrow(TracksColumns.TOTALDISTANCE); int startIndex = cursor.getColumnIndexOrThrow(TracksColumns.STARTTIME); int descriptionIndex = cursor.getColumnIndex(TracksColumns.DESCRIPTION); boolean isRecording = cursor.getLong(idIndex) == recordingTrackId; TextView name = (TextView) view.findViewById(R.id.track_list_item_name); name.setText(cursor.getString(nameIndex)); name.setCompoundDrawablesWithIntrinsicBounds( isRecording ? R.drawable.menu_record_track : R.drawable.track, 0, 0, 0); TextView category = (TextView) view.findViewById(R.id.track_list_item_category); category.setText(cursor.getString(categoryIndex)); TextView time = (TextView) view.findViewById(R.id.track_list_item_time); time.setText(StringUtils.formatElapsedTime(cursor.getLong(timeIndex))); time.setVisibility(isRecording ? View.GONE : View.VISIBLE); TextView distance = (TextView) view.findViewById(R.id.track_list_item_distance); distance.setText(StringUtils.formatDistance( TrackListActivity.this, cursor.getDouble(distanceIndex), metricUnits)); distance.setVisibility(isRecording ? View.GONE : View.VISIBLE); TextView start = (TextView) view.findViewById(R.id.track_list_item_start); start.setText( StringUtils.formatDateTime(TrackListActivity.this, cursor.getLong(startIndex))); start.setVisibility(start.getText().equals(name.getText()) ? View.GONE : View.VISIBLE); TextView description = (TextView) view.findViewById(R.id.track_list_item_description); description.setText(cursor.getString(descriptionIndex)); description.setVisibility(description.getText().length() == 0 ? View.GONE : View.VISIBLE); } }; listView.setAdapter(resourceCursorAdapter); ApiAdapterFactory.getApiAdapter().configureListViewContextualMenu( this, listView, R.menu.track_list_context_menu, R.id.track_list_item_name, contextualActionModeCallback); getSupportLoaderManager().initLoader(0, null, new LoaderCallbacks<Cursor>() { @Override public Loader<Cursor> onCreateLoader(int arg0, Bundle arg1) { return new CursorLoader(TrackListActivity.this, TracksColumns.CONTENT_URI, PROJECTION, null, null, TracksColumns._ID + " DESC"); } @Override public void onLoadFinished(Loader<Cursor> loader, Cursor cursor) { resourceCursorAdapter.swapCursor(cursor); } @Override public void onLoaderReset(Loader<Cursor> loader) { resourceCursorAdapter.swapCursor(null); } }); if (!EulaUtils.getEulaValue(this)) { Fragment fragment = getSupportFragmentManager() .findFragmentByTag(EulaDialogFragment.EULA_DIALOG_TAG); if (fragment == null) { EulaDialogFragment.newInstance(false).show( getSupportFragmentManager(), EulaDialogFragment.EULA_DIALOG_TAG); } } } @Override protected void onResume() { super.onResume(); TrackRecordingServiceConnectionUtils.resume(this, trackRecordingServiceConnection); } @Override protected void onDestroy() { super.onDestroy(); trackRecordingServiceConnection.unbind(); } @Override public boolean onCreateOptionsMenu(Menu menu) { getMenuInflater().inflate(R.menu.track_list, menu); String fileTypes[] = getResources().getStringArray(R.array.file_types); menu.findItem(R.id.track_list_export_gpx) .setTitle(getString(R.string.menu_export_all_format, fileTypes[0])); menu.findItem(R.id.track_list_export_kml) .setTitle(getString(R.string.menu_export_all_format, fileTypes[1])); menu.findItem(R.id.track_list_export_csv) .setTitle(getString(R.string.menu_export_all_format, fileTypes[2])); menu.findItem(R.id.track_list_export_tcx) .setTitle(getString(R.string.menu_export_all_format, fileTypes[3])); recordTrackMenuItem = menu.findItem(R.id.track_list_record_track); stopRecordingMenuItem = menu.findItem(R.id.track_list_stop_recording); searchMenuItem = menu.findItem(R.id.track_list_search); importAllMenuItem = menu.findItem(R.id.track_list_import_all); exportAllMenuItem = menu.findItem(R.id.track_list_export_all); deleteAllMenuItem = menu.findItem(R.id.track_list_delete_all); ApiAdapterFactory.getApiAdapter().configureSearchWidget(this, searchMenuItem); updateMenu(); return true; } /** * Updates the menu based on whether My Tracks is recording or not. */ private void updateMenu() { updateMenuItems( TrackRecordingServiceConnectionUtils.isRecording(this, trackRecordingServiceConnection)); } /** * Updates the menu items. * * @param isRecording true if recording */ private void updateMenuItems(boolean isRecording) { if (recordTrackMenuItem != null) { recordTrackMenuItem.setVisible(!isRecording); } if (stopRecordingMenuItem != null) { stopRecordingMenuItem.setVisible(isRecording); } if (importAllMenuItem != null) { importAllMenuItem.setVisible(!isRecording); } if (exportAllMenuItem != null) { exportAllMenuItem.setVisible(!isRecording); } if (deleteAllMenuItem != null) { deleteAllMenuItem.setVisible(!isRecording); } } @Override public boolean onOptionsItemSelected(MenuItem item) { switch (item.getItemId()) { case R.id.track_list_record_track: updateMenuItems(true); startRecording(); return true; case R.id.track_list_stop_recording: updateMenuItems(false); TrackRecordingServiceConnectionUtils.stop(this, trackRecordingServiceConnection); return true; case R.id.track_list_search: return ApiAdapterFactory.getApiAdapter().handleSearchMenuSelection(this); case R.id.track_list_import_all: startActivity( new Intent(this, ImportActivity.class).putExtra(ImportActivity.EXTRA_IMPORT_ALL, true)); return true; case R.id.track_list_export_gpx: startActivity(new Intent(this, ExportActivity.class).putExtra( ExportActivity.EXTRA_TRACK_FILE_FORMAT, (Parcelable) TrackFileFormat.GPX)); return true; case R.id.track_list_export_kml: startActivity(new Intent(this, ExportActivity.class).putExtra( ExportActivity.EXTRA_TRACK_FILE_FORMAT, (Parcelable) TrackFileFormat.KML)); return true; case R.id.track_list_export_csv: startActivity(new Intent(this, ExportActivity.class).putExtra( ExportActivity.EXTRA_TRACK_FILE_FORMAT, (Parcelable) TrackFileFormat.CSV)); return true; case R.id.track_list_export_tcx: startActivity(new Intent(this, ExportActivity.class).putExtra( ExportActivity.EXTRA_TRACK_FILE_FORMAT, (Parcelable) TrackFileFormat.TCX)); return true; case R.id.track_list_delete_all: new DeleteAllTrackDialogFragment().show( getSupportFragmentManager(), DeleteAllTrackDialogFragment.DELETE_ALL_TRACK_DIALOG_TAG); return true; case R.id.track_list_aggregated_statistics: startActivity(new Intent(this, AggregatedStatsActivity.class)); return true; case R.id.track_list_settings: startActivity(new Intent(this, SettingsActivity.class)); return true; case R.id.track_list_help: startActivity(new Intent(this, HelpActivity.class)); return true; default: return super.onOptionsItemSelected(item); } } @Override public void onCreateContextMenu(ContextMenu menu, View v, ContextMenuInfo menuInfo) { super.onCreateContextMenu(menu, v, menuInfo); getMenuInflater().inflate(R.menu.track_list_context_menu, menu); } @Override public boolean onContextItemSelected(MenuItem item) { if (handleContextItem(item.getItemId(), ((AdapterContextMenuInfo) item.getMenuInfo()).id)) { return true; } return super.onContextItemSelected(item); } /** * Handles a context item selection. * * @param itemId the menu item id * @param trackId the track id * @return true if handled. */ private boolean handleContextItem(int itemId, long trackId) { switch (itemId) { case R.id.track_list_context_menu_edit: startActivity(new Intent(this, TrackEditActivity.class).putExtra( TrackEditActivity.EXTRA_TRACK_ID, trackId)); return true; case R.id.track_list_context_menu_delete: DeleteOneTrackDialogFragment.newInstance(trackId).show( getSupportFragmentManager(), DeleteOneTrackDialogFragment.DELETE_ONE_TRACK_DIALOG_TAG); return true; default: return false; } } /** * Starts {@link TrackDetailActivity}. * * @param trackId the track id. */ private void startTrackDetailActivity(long trackId) { Intent intent = new Intent(TrackListActivity.this, TrackDetailActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK) .putExtra(TrackDetailActivity.EXTRA_TRACK_ID, trackId); startActivity(intent); } /** * Starts a new recording. */ private void startRecording() { startNewRecording = true; trackRecordingServiceConnection.startAndBind(); /* * If the binding has happened, then invoke the callback to start a new * recording. If the binding hasn't happened, then invoking the callback * will have no effect. But when the binding occurs, the callback will get * invoked. */ bindChangedCallback.run(); } @Override public boolean onKeyUp(int keyCode, KeyEvent event) { if (keyCode == KeyEvent.KEYCODE_SEARCH) { if (ApiAdapterFactory.getApiAdapter().handleSearchKey(searchMenuItem)) { return true; } } return super.onKeyUp(keyCode, event); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/TrackListActivity.java
Java
asf20
17,965
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.io.backup.BackupActivity; import com.google.android.apps.mytracks.io.backup.BackupPreferencesListener; import com.google.android.apps.mytracks.io.backup.RestoreChooserActivity; import com.google.android.apps.mytracks.services.sensors.ant.AntUtils; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.apps.mytracks.util.BluetoothDeviceUtils; import com.google.android.apps.mytracks.util.DialogUtils; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.apps.mytracks.util.UnitConversions; import com.google.android.maps.mytracks.R; import android.app.Dialog; import android.bluetooth.BluetoothAdapter; import android.content.DialogInterface; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.os.Bundle; import android.preference.CheckBoxPreference; import android.preference.EditTextPreference; import android.preference.ListPreference; import android.preference.Preference; import android.preference.Preference.OnPreferenceChangeListener; import android.preference.Preference.OnPreferenceClickListener; import android.preference.PreferenceActivity; import android.preference.PreferenceCategory; import android.preference.PreferenceManager; import android.preference.PreferenceScreen; import android.provider.Settings; import android.speech.tts.TextToSpeech; import android.util.Log; import android.widget.Toast; import java.util.ArrayList; import java.util.HashSet; import java.util.List; import java.util.Set; /** * An activity that let's the user see and edit the settings. * * @author Leif Hendrik Wilden * @author Rodrigo Damazio */ public class SettingsActivity extends PreferenceActivity { private static final int DIALOG_CONFIRM_RESET_ID = 0; private static final int DIALOG_CONFIRM_ACCESS_ID = 1; private static final int DIALOG_CONFIRM_RESTORE_ID = 2; // Value when the task frequency is off. private static final String TASK_FREQUENCY_OFF = "0"; // Value when the recording interval is 'Adapt battery life'. private static final String RECORDING_INTERVAL_ADAPT_BATTERY_LIFE = "-2"; // Value when the recording interval is 'Adapt accuracy'. private static final String RECORDING_INTERVAL_ADAPT_ACCURACY = "-1"; // Value for the recommended recording interval. private static final String RECORDING_INTERVAL_RECOMMENDED = "0"; // Value when the auto resume timeout is never. private static final String AUTO_RESUME_TIMEOUT_NEVER = "0"; // Value when the auto resume timeout is always. private static final String AUTO_RESUME_TIMEOUT_ALWAYS = "-1"; // Value for the recommended recording distance. private static final String RECORDING_DISTANCE_RECOMMENDED = "5"; // Value for the recommended track distance. private static final String TRACK_DISTANCE_RECOMMENDED = "200"; // Value for the recommended GPS accuracy. private static final String GPS_ACCURACY_RECOMMENDED = "200"; // Value when the GPS accuracy is for excellent GPS signal. private static final String GPS_ACCURACY_EXCELLENT = "10"; // Value when the GPS accuracy is for poor GPS signal. private static final String GPS_ACCURACY_POOR = "5000"; private BackupPreferencesListener backupListener; private SharedPreferences preferences; /** Called when the activity is first created. */ @Override protected void onCreate(Bundle icicle) { super.onCreate(icicle); // The volume we want to control is the Text-To-Speech volume setVolumeControlStream(TextToSpeech.Engine.DEFAULT_STREAM); // Tell it where to read/write preferences PreferenceManager preferenceManager = getPreferenceManager(); preferenceManager.setSharedPreferencesName(Constants.SETTINGS_NAME); preferenceManager.setSharedPreferencesMode(0); // Set up automatic preferences backup backupListener = ApiAdapterFactory.getApiAdapter().getBackupPreferencesListener(this); preferences = preferenceManager.getSharedPreferences(); preferences.registerOnSharedPreferenceChangeListener(backupListener); // Load the preferences to be displayed addPreferencesFromResource(R.xml.preferences); setRecordingIntervalOptions(); setAutoResumeTimeoutOptions(); // Hook up switching of displayed list entries between metric and imperial // units CheckBoxPreference metricUnitsPreference = (CheckBoxPreference) findPreference( getString(R.string.metric_units_key)); metricUnitsPreference.setOnPreferenceChangeListener( new OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { boolean isMetric = (Boolean) newValue; updateDisplayOptions(isMetric); return true; } }); updateDisplayOptions(metricUnitsPreference.isChecked()); customizeSensorOptionsPreferences(); customizeTrackColorModePreferences(); // Hook up action for resetting all settings Preference resetPreference = findPreference(getString(R.string.reset_key)); resetPreference.setOnPreferenceClickListener(new OnPreferenceClickListener() { @Override public boolean onPreferenceClick(Preference arg0) { showDialog(DIALOG_CONFIRM_RESET_ID); return true; } }); // Add a confirmation dialog for the 'Allow access' preference. CheckBoxPreference allowAccessPreference = (CheckBoxPreference) findPreference( getString(R.string.allow_access_key)); allowAccessPreference.setOnPreferenceChangeListener(new OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { if ((Boolean) newValue) { showDialog(DIALOG_CONFIRM_ACCESS_ID); return false; } else { return true; } } }); } @Override protected Dialog onCreateDialog(int id) { switch (id) { case DIALOG_CONFIRM_RESET_ID: return DialogUtils.createConfirmationDialog( this, R.string.settings_reset_confirm_message, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int button) { onResetPreferencesConfirmed(); } }); case DIALOG_CONFIRM_ACCESS_ID: return DialogUtils.createConfirmationDialog(this, R.string.settings_sharing_allow_access_confirm_message, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int button) { CheckBoxPreference pref = (CheckBoxPreference) findPreference( getString(R.string.allow_access_key)); pref.setChecked(true); } }); case DIALOG_CONFIRM_RESTORE_ID: return DialogUtils.createConfirmationDialog(this, R.string.settings_backup_restore_confirm_message, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { startActivity(new Intent(SettingsActivity.this, RestoreChooserActivity.class)); } }); default: return null; } } /** * Sets the display options for the 'Time between points' option. */ private void setRecordingIntervalOptions() { String[] values = getResources().getStringArray(R.array.recording_interval_values); String[] options = new String[values.length]; for (int i = 0; i < values.length; i++) { if (values[i].equals(RECORDING_INTERVAL_ADAPT_BATTERY_LIFE)) { options[i] = getString(R.string.value_adapt_battery_life); } else if (values[i].equals(RECORDING_INTERVAL_ADAPT_ACCURACY)) { options[i] = getString(R.string.value_adapt_accuracy); } else if (values[i].equals(RECORDING_INTERVAL_RECOMMENDED)) { options[i] = getString(R.string.value_smallest_recommended); } else { int value = Integer.parseInt(values[i]); String format; if (value < 60) { format = getString(R.string.value_integer_second); } else { value = value / 60; format = getString(R.string.value_integer_minute); } options[i] = String.format(format, value); } } ListPreference list = (ListPreference) findPreference( getString(R.string.min_recording_interval_key)); list.setEntries(options); } /** * Sets the display options for the 'Auto-resume timeout' option. */ private void setAutoResumeTimeoutOptions() { String[] values = getResources().getStringArray(R.array.recording_auto_resume_timeout_values); String[] options = new String[values.length]; for (int i = 0; i < values.length; i++) { if (values[i].equals(AUTO_RESUME_TIMEOUT_NEVER)) { options[i] = getString(R.string.value_never); } else if (values[i].equals(AUTO_RESUME_TIMEOUT_ALWAYS)) { options[i] = getString(R.string.value_always); } else { int value = Integer.parseInt(values[i]); String format = getString(R.string.value_integer_minute); options[i] = String.format(format, value); } } ListPreference list = (ListPreference) findPreference( getString(R.string.auto_resume_track_timeout_key)); list.setEntries(options); } private void customizeSensorOptionsPreferences() { ListPreference sensorTypePreference = (ListPreference) findPreference(getString(R.string.sensor_type_key)); sensorTypePreference.setOnPreferenceChangeListener( new OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { updateSensorSettings((String) newValue); return true; } }); updateSensorSettings(sensorTypePreference.getValue()); if (!AntUtils.hasAntSupport(this)) { // The sensor options screen has a few ANT-specific options which we // need to remove. First, we need to remove the ANT sensor types. // Second, we need to remove the ANT unpairing options. Set<Integer> toRemove = new HashSet<Integer>(); String[] antValues = getResources().getStringArray(R.array.sensor_type_ant_values); for (String antValue : antValues) { toRemove.add(sensorTypePreference.findIndexOfValue(antValue)); } CharSequence[] entries = sensorTypePreference.getEntries(); CharSequence[] entryValues = sensorTypePreference.getEntryValues(); CharSequence[] filteredEntries = new CharSequence[entries.length - toRemove.size()]; CharSequence[] filteredEntryValues = new CharSequence[filteredEntries.length]; for (int i = 0, last = 0; i < entries.length; i++) { if (!toRemove.contains(i)) { filteredEntries[last] = entries[i]; filteredEntryValues[last++] = entryValues[i]; } } sensorTypePreference.setEntries(filteredEntries); sensorTypePreference.setEntryValues(filteredEntryValues); PreferenceScreen sensorOptionsScreen = (PreferenceScreen) findPreference(getString(R.string.sensor_options_key)); sensorOptionsScreen.removePreference(findPreference(getString(R.string.ant_options_key))); } } private void customizeTrackColorModePreferences() { ListPreference trackColorModePreference = (ListPreference) findPreference(getString(R.string.track_color_mode_key)); trackColorModePreference.setOnPreferenceChangeListener( new OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { updateTrackColorModeSettings((String) newValue); return true; } }); updateTrackColorModeSettings(trackColorModePreference.getValue()); setTrackColorModePreferenceListeners(); PreferenceCategory speedOptionsCategory = (PreferenceCategory) findPreference( getString(R.string.track_color_mode_fixed_speed_options_key)); speedOptionsCategory.removePreference( findPreference(getString(R.string.track_color_mode_fixed_speed_slow_key))); speedOptionsCategory.removePreference( findPreference(getString(R.string.track_color_mode_fixed_speed_medium_key))); } @Override protected void onResume() { super.onResume(); configureBluetoothPreferences(); Preference backupNowPreference = findPreference(getString(R.string.backup_to_sd_key)); Preference restoreNowPreference = findPreference(getString(R.string.restore_from_sd_key)); Preference resetPreference = findPreference(getString(R.string.reset_key)); // If recording, disable backup/restore/reset // (we don't want to get to inconsistent states) boolean recording = PreferencesUtils.getRecordingTrackId(this) != -1; backupNowPreference.setEnabled(!recording); restoreNowPreference.setEnabled(!recording); resetPreference.setEnabled(!recording); backupNowPreference.setSummary( recording ? R.string.settings_not_while_recording : R.string.settings_backup_now_summary); restoreNowPreference.setSummary( recording ? R.string.settings_not_while_recording : R.string.settings_backup_restore_summary); resetPreference.setSummary( recording ? R.string.settings_not_while_recording : R.string.settings_reset_summary); // Add actions to the backup preferences backupNowPreference.setOnPreferenceClickListener( new OnPreferenceClickListener() { @Override public boolean onPreferenceClick(Preference preference) { startActivity(new Intent(SettingsActivity.this, BackupActivity.class)); return true; } }); restoreNowPreference.setOnPreferenceClickListener( new OnPreferenceClickListener() { @Override public boolean onPreferenceClick(Preference preference) { showDialog(DIALOG_CONFIRM_RESTORE_ID); return true; } }); } @Override protected void onDestroy() { getPreferenceManager().getSharedPreferences() .unregisterOnSharedPreferenceChangeListener(backupListener); super.onPause(); } private void updateSensorSettings(String sensorType) { boolean usesBluetooth = getString(R.string.sensor_type_value_zephyr).equals(sensorType) || getString(R.string.sensor_type_value_polar).equals(sensorType); findPreference( getString(R.string.bluetooth_sensor_key)).setEnabled(usesBluetooth); findPreference( getString(R.string.bluetooth_pairing_key)).setEnabled(usesBluetooth); // Update the ANT+ sensors. // TODO: Only enable on phones that have ANT+. Preference antHrm = findPreference(getString(R.string.ant_heart_rate_sensor_id_key)); Preference antSrm = findPreference(getString(R.string.ant_srm_bridge_sensor_id_key)); if (antHrm != null && antSrm != null) { antHrm .setEnabled(getString(R.string.sensor_type_value_ant).equals(sensorType)); antSrm .setEnabled(getString(R.string.sensor_type_value_srm_ant_bridge).equals(sensorType)); } } private void updateTrackColorModeSettings(String trackColorMode) { boolean usesFixedSpeed = trackColorMode.equals(getString(R.string.display_track_color_value_fixed)); boolean usesDynamicSpeed = trackColorMode.equals(getString(R.string.display_track_color_value_dynamic)); findPreference(getString(R.string.track_color_mode_fixed_speed_slow_display_key)) .setEnabled(usesFixedSpeed); findPreference(getString(R.string.track_color_mode_fixed_speed_medium_display_key)) .setEnabled(usesFixedSpeed); findPreference(getString(R.string.track_color_mode_dynamic_speed_variation_key)) .setEnabled(usesDynamicSpeed); } /** * Updates display options that depends on the preferred distance units, metric or imperial. * * @param isMetric true to use metric units, false to use imperial */ private void updateDisplayOptions(boolean isMetric) { setTaskOptions(isMetric, R.string.announcement_frequency_key); setTaskOptions(isMetric, R.string.split_frequency_key); setRecordingDistanceOptions(isMetric, R.string.min_recording_distance_key); setTrackDistanceOptions(isMetric, R.string.max_recording_distance_key); setGpsAccuracyOptions(isMetric, R.string.min_required_accuracy_key); } /** * Sets the display options for a periodic task. */ private void setTaskOptions(boolean isMetric, int listId) { String[] values = getResources().getStringArray(R.array.recording_task_frequency_values); String[] options = new String[values.length]; for (int i = 0; i < values.length; i++) { if (values[i].equals(TASK_FREQUENCY_OFF)) { options[i] = getString(R.string.value_off); } else if (values[i].startsWith("-")) { int value = Integer.parseInt(values[i].substring(1)); int stringId = isMetric ? R.string.value_integer_kilometer : R.string.value_integer_mile; String format = getString(stringId); options[i] = String.format(format, value); } else { int value = Integer.parseInt(values[i]); String format = getString(R.string.value_integer_minute); options[i] = String.format(format, value); } } ListPreference list = (ListPreference) findPreference(getString(listId)); list.setEntries(options); } /** * Sets the display options for 'Distance between points' option. */ private void setRecordingDistanceOptions(boolean isMetric, int listId) { String[] values = getResources().getStringArray(R.array.recording_distance_values); String[] options = new String[values.length]; for (int i = 0; i < values.length; i++) { int value = Integer.parseInt(values[i]); if (!isMetric) { value = (int) (value * UnitConversions.M_TO_FT); } String format; if (values[i].equals(RECORDING_DISTANCE_RECOMMENDED)) { int stringId = isMetric ? R.string.value_integer_meter_recommended : R.string.value_integer_feet_recommended; format = getString(stringId); } else { int stringId = isMetric ? R.string.value_integer_meter : R.string.value_integer_feet; format = getString(stringId); } options[i] = String.format(format, value); } ListPreference list = (ListPreference) findPreference(getString(listId)); list.setEntries(options); } /** * Sets the display options for 'Distance between Tracks'. */ private void setTrackDistanceOptions(boolean isMetric, int listId) { String[] values = getResources().getStringArray(R.array.recording_track_distance_values); String[] options = new String[values.length]; for (int i = 0; i < values.length; i++) { int value = Integer.parseInt(values[i]); String format; if (isMetric) { int stringId = values[i].equals(TRACK_DISTANCE_RECOMMENDED) ? R.string.value_integer_meter_recommended : R.string.value_integer_meter; format = getString(stringId); options[i] = String.format(format, value); } else { value = (int) (value * UnitConversions.M_TO_FT); if (value < 2000) { int stringId = values[i].equals(TRACK_DISTANCE_RECOMMENDED) ? R.string.value_integer_feet_recommended : R.string.value_integer_feet; format = getString(stringId); options[i] = String.format(format, value); } else { double mile = value * UnitConversions.FT_TO_MI; format = getString(R.string.value_float_mile); options[i] = String.format(format, mile); } } } ListPreference list = (ListPreference) findPreference(getString(listId)); list.setEntries(options); } /** * Sets the display options for 'GPS accuracy'. */ private void setGpsAccuracyOptions(boolean isMetric, int listId) { String[] values = getResources().getStringArray(R.array.recording_gps_accuracy_values); String[] options = new String[values.length]; for (int i = 0; i < values.length; i++) { int value = Integer.parseInt(values[i]); String format; if (isMetric) { if (values[i].equals(GPS_ACCURACY_RECOMMENDED)) { format = getString(R.string.value_integer_meter_recommended); } else if (values[i].equals(GPS_ACCURACY_EXCELLENT)) { format = getString(R.string.value_integer_meter_excellent_gps); } else if (values[i].equals(GPS_ACCURACY_POOR)) { format = getString(R.string.value_integer_meter_poor_gps); } else { format = getString(R.string.value_integer_meter); } options[i] = String.format(format, value); } else { value = (int) (value * UnitConversions.M_TO_FT); if (value < 2000) { if (values[i].equals(GPS_ACCURACY_RECOMMENDED)) { format = getString(R.string.value_integer_feet_recommended); } else if (values[i].equals(GPS_ACCURACY_EXCELLENT)) { format = getString(R.string.value_integer_feet_excellent_gps); } else { format = getString(R.string.value_integer_feet); } options[i] = String.format(format, value); } else { double mile = value * UnitConversions.FT_TO_MI; if (values[i].equals(GPS_ACCURACY_POOR)) { format = getString(R.string.value_float_mile_poor_gps); } else { format = getString(R.string.value_float_mile); } options[i] = String.format(format, mile); } } } ListPreference list = (ListPreference) findPreference(getString(listId)); list.setEntries(options); } /** * Configures preference actions related to bluetooth. */ private void configureBluetoothPreferences() { // Populate the list of bluetooth devices populateBluetoothDeviceList(); // Make the pair devices preference go to the system preferences findPreference(getString(R.string.bluetooth_pairing_key)).setOnPreferenceClickListener( new OnPreferenceClickListener() { public boolean onPreferenceClick(Preference preference) { Intent settingsIntent = new Intent(Settings.ACTION_BLUETOOTH_SETTINGS); startActivity(settingsIntent); return false; } }); } /** * Populates the list preference with all available bluetooth devices. */ private void populateBluetoothDeviceList() { // Build the list of entries and their values List<String> entries = new ArrayList<String>(); List<String> entryValues = new ArrayList<String>(); // The actual devices BluetoothAdapter bluetoothAdapter = BluetoothAdapter.getDefaultAdapter(); if (bluetoothAdapter != null) { BluetoothDeviceUtils.populateDeviceLists(bluetoothAdapter, entries, entryValues); } CharSequence[] entriesArray = entries.toArray(new CharSequence[entries.size()]); CharSequence[] entryValuesArray = entryValues.toArray(new CharSequence[entryValues.size()]); ListPreference devicesPreference = (ListPreference) findPreference(getString(R.string.bluetooth_sensor_key)); devicesPreference.setEntryValues(entryValuesArray); devicesPreference.setEntries(entriesArray); } /** Callback for when user confirms resetting all settings. */ private void onResetPreferencesConfirmed() { // Change preferences in a separate thread. new Thread() { @Override public void run() { Log.i(TAG, "Resetting all settings"); // Actually wipe preferences (and save synchronously). preferences.edit().clear().commit(); // Give UI feedback in the UI thread. runOnUiThread(new Runnable() { @Override public void run() { // Give feedback to the user. Toast.makeText( SettingsActivity.this, R.string.settings_reset_done, Toast.LENGTH_SHORT).show(); // Restart the settings activity so all changes are loaded. Intent intent = getIntent(); intent.addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK); startActivity(intent); } }); } }.start(); } /** * Set the given edit text preference text. * If the units are not metric convert the value before displaying. */ private void viewTrackColorModeSettings(EditTextPreference preference, int id) { CheckBoxPreference metricUnitsPreference = (CheckBoxPreference) findPreference( getString(R.string.metric_units_key)); if(metricUnitsPreference.isChecked()) { return; } // Convert miles/h to km/h SharedPreferences prefs = getPreferenceManager().getSharedPreferences(); String metricspeed = prefs.getString(getString(id), null); int englishspeed; try { englishspeed = (int) (Double.parseDouble(metricspeed) * UnitConversions.KM_TO_MI); } catch (NumberFormatException e) { englishspeed = 0; } preference.getEditText().setText(String.valueOf(englishspeed)); } /** * Saves the given edit text preference value. * If the units are not metric convert the value before saving. */ private void validateTrackColorModeSettings(String newValue, int id) { CheckBoxPreference metricUnitsPreference = (CheckBoxPreference) findPreference( getString(R.string.metric_units_key)); String metricspeed; if(!metricUnitsPreference.isChecked()) { // Convert miles/h to km/h try { metricspeed = String.valueOf( (int) (Double.parseDouble(newValue) * UnitConversions.MI_TO_KM)); } catch (NumberFormatException e) { metricspeed = "0"; } } else { metricspeed = newValue; } SharedPreferences prefs = getPreferenceManager().getSharedPreferences(); Editor editor = prefs.edit(); editor.putString(getString(id), metricspeed); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); } /** * Sets the TrackColorMode preference listeners. */ private void setTrackColorModePreferenceListeners() { setTrackColorModePreferenceListener(R.string.track_color_mode_fixed_speed_slow_display_key, R.string.track_color_mode_fixed_speed_slow_key); setTrackColorModePreferenceListener(R.string.track_color_mode_fixed_speed_medium_display_key, R.string.track_color_mode_fixed_speed_medium_key); } /** * Sets a TrackColorMode preference listener. */ private void setTrackColorModePreferenceListener(int displayKey, final int metricKey) { EditTextPreference trackColorModePreference = (EditTextPreference) findPreference(getString(displayKey)); trackColorModePreference.setOnPreferenceChangeListener( new OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { validateTrackColorModeSettings((String) newValue, metricKey); return true; } }); trackColorModePreference.setOnPreferenceClickListener( new OnPreferenceClickListener() { @Override public boolean onPreferenceClick(Preference preference) { viewTrackColorModeSettings((EditTextPreference) preference, metricKey); return true; } }); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/SettingsActivity.java
Java
asf20
28,666
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.io.file.TrackWriter; import com.google.android.apps.mytracks.io.file.TrackWriterFactory; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.apps.mytracks.util.SystemUtils; import com.google.android.maps.mytracks.R; import android.content.Context; import android.database.Cursor; import android.os.AsyncTask; import android.os.PowerManager.WakeLock; /** * AsyncTask to export all the tracks to the SD card. * * @author Jimmy Shih */ public class ExportAsyncTask extends AsyncTask<Void, Integer, Boolean> { private ExportActivity exportActivity; private final TrackFileFormat trackFileFormat; private final Context context; private final MyTracksProviderUtils myTracksProviderUtils; private WakeLock wakeLock; private TrackWriter trackWriter; // true if the AsyncTask result is success private boolean success; // true if the AsyncTask has completed private boolean completed; // message id to return to the activity private int messageId; /** * Creates an AsyncTask. * * @param exportActivity the activity currently associated with this AsyncTask * @param trackFileFormat the track file format */ public ExportAsyncTask(ExportActivity exportActivity, TrackFileFormat trackFileFormat) { this.exportActivity = exportActivity; this.trackFileFormat = trackFileFormat; context = exportActivity.getApplicationContext(); myTracksProviderUtils = MyTracksProviderUtils.Factory.get(exportActivity); // Get the wake lock if not recording if (PreferencesUtils.getRecordingTrackId(exportActivity) == -1L) { wakeLock = SystemUtils.acquireWakeLock(exportActivity, wakeLock); } success = false; completed = false; messageId = R.string.export_error; } /** * Sets the current {@link ExportActivity} associated with this AyncTask. * * @param exportActivity the current {@link ExportActivity}, can be null */ public void setActivity(ExportActivity exportActivity) { this.exportActivity = exportActivity; if (completed && exportActivity != null) { exportActivity.onAsyncTaskCompleted(success, messageId); } } @Override protected void onPreExecute() { if (exportActivity != null) { exportActivity.showProgressDialog(); } } @Override protected Boolean doInBackground(Void... params) { Cursor cursor = null; try { cursor = myTracksProviderUtils.getTracksCursor(null, null, TracksColumns._ID); if (cursor == null) { messageId = R.string.export_success; return true; } int count = cursor.getCount(); int idIndex = cursor.getColumnIndexOrThrow(TracksColumns._ID); for (int i = 0; i < count; i++) { if (isCancelled()) { return false; } cursor.moveToPosition(i); long id = cursor.getLong(idIndex); trackWriter = TrackWriterFactory.newWriter( context, myTracksProviderUtils, id, trackFileFormat); if (trackWriter == null) { return false; } trackWriter.writeTrack(); if (!trackWriter.wasSuccess()) { messageId = trackWriter.getErrorMessage(); return false; } publishProgress(i + 1, count); } messageId = R.string.export_success; return true; } finally { if (cursor != null) { cursor.close(); } // Release the wake lock if obtained if (wakeLock != null && wakeLock.isHeld()) { wakeLock.release(); } } } @Override protected void onProgressUpdate(Integer... values) { if (exportActivity != null) { exportActivity.setProgressDialogValue(values[0], values[1]); } } @Override protected void onPostExecute(Boolean result) { success = result; completed = true; if (exportActivity != null) { exportActivity.onAsyncTaskCompleted(success, messageId); } } @Override protected void onCancelled() { if (trackWriter != null) { trackWriter.stopWriteTrack(); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/ExportAsyncTask.java
Java
asf20
4,961
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.maps.TrackPathPainter; import com.google.android.apps.mytracks.maps.TrackPathPainterFactory; import com.google.android.apps.mytracks.maps.TrackPathUtilities; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.android.apps.mytracks.util.UnitConversions; import com.google.android.maps.GeoPoint; import com.google.android.maps.MapView; import com.google.android.maps.Overlay; import com.google.android.maps.Projection; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.content.res.Resources; import android.graphics.Canvas; import android.graphics.Paint; import android.graphics.Point; import android.graphics.Rect; import android.graphics.drawable.Drawable; import android.location.Location; import android.util.Log; import java.util.ArrayList; import java.util.List; import java.util.concurrent.ArrayBlockingQueue; import java.util.concurrent.BlockingQueue; /** * A map overlay that displays a "MyLocation" arrow, an error circle, the * currently recording track and optionally a selected track. * * @author Leif Hendrik Wilden */ public class MapOverlay extends Overlay implements OnSharedPreferenceChangeListener { private final Drawable[] arrows; private final int arrowWidth, arrowHeight; private final Drawable statsMarker; private final Drawable waypointMarker; private final Drawable startMarker; private final Drawable endMarker; private final int markerWidth, markerHeight; private final Paint errorCirclePaint; private final Context context; private final List<Waypoint> waypoints; private final List<CachedLocation> points; private final BlockingQueue<CachedLocation> pendingPoints; private boolean trackDrawingEnabled; private int lastHeading = 0; private Location myLocation; private boolean showEndMarker = true; // TODO: Remove it completely after completing performance tests. private boolean alwaysVisible = true; private GeoPoint lastReferencePoint; private Rect lastViewRect; private boolean lastPathExists; private TrackPathPainter trackPathPainter; /** * Represents a pre-processed {@code Location} to speed up drawing. * This class is more like a data object and doesn't provide accessors. */ public static class CachedLocation { public final boolean valid; public final GeoPoint geoPoint; public final int speed; /** * Constructor for an invalid cached location. */ public CachedLocation() { this.valid = false; this.geoPoint = null; this.speed = -1; } /** * Constructor for a potentially valid cached location. */ public CachedLocation(Location location) { this.valid = LocationUtils.isValidLocation(location); this.geoPoint = valid ? LocationUtils.getGeoPoint(location) : null; this.speed = (int) Math.floor(location.getSpeed() * UnitConversions.MS_TO_KMH); } }; public MapOverlay(Context context) { this.context = context; this.waypoints = new ArrayList<Waypoint>(); this.points = new ArrayList<CachedLocation>(1024); this.pendingPoints = new ArrayBlockingQueue<CachedLocation>( Constants.MAX_DISPLAYED_TRACK_POINTS, true); // TODO: Can we use a FrameAnimation or similar here rather // than individual resources for each arrow direction? final Resources resources = context.getResources(); arrows = new Drawable[] { resources.getDrawable(R.drawable.arrow_0), resources.getDrawable(R.drawable.arrow_20), resources.getDrawable(R.drawable.arrow_40), resources.getDrawable(R.drawable.arrow_60), resources.getDrawable(R.drawable.arrow_80), resources.getDrawable(R.drawable.arrow_100), resources.getDrawable(R.drawable.arrow_120), resources.getDrawable(R.drawable.arrow_140), resources.getDrawable(R.drawable.arrow_160), resources.getDrawable(R.drawable.arrow_180), resources.getDrawable(R.drawable.arrow_200), resources.getDrawable(R.drawable.arrow_220), resources.getDrawable(R.drawable.arrow_240), resources.getDrawable(R.drawable.arrow_260), resources.getDrawable(R.drawable.arrow_280), resources.getDrawable(R.drawable.arrow_300), resources.getDrawable(R.drawable.arrow_320), resources.getDrawable(R.drawable.arrow_340) }; arrowWidth = arrows[lastHeading].getIntrinsicWidth(); arrowHeight = arrows[lastHeading].getIntrinsicHeight(); for (Drawable arrow : arrows) { arrow.setBounds(0, 0, arrowWidth, arrowHeight); } statsMarker = resources.getDrawable(R.drawable.ylw_pushpin); markerWidth = statsMarker.getIntrinsicWidth(); markerHeight = statsMarker.getIntrinsicHeight(); statsMarker.setBounds(0, 0, markerWidth, markerHeight); startMarker = resources.getDrawable(R.drawable.green_dot); startMarker.setBounds(0, 0, markerWidth, markerHeight); endMarker = resources.getDrawable(R.drawable.red_dot); endMarker.setBounds(0, 0, markerWidth, markerHeight); waypointMarker = resources.getDrawable(R.drawable.blue_pushpin); waypointMarker.setBounds(0, 0, markerWidth, markerHeight); errorCirclePaint = TrackPathUtilities.getPaint(R.color.blue, context); errorCirclePaint.setAlpha(127); trackPathPainter = TrackPathPainterFactory.getTrackPathPainter(context); context.getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE) .registerOnSharedPreferenceChangeListener(this); } /** * Add a location to the map overlay. * * NOTE: This method doesn't take ownership of the given location, so it is * safe to reuse the same location while calling this method. * * @param l the location to add. */ public void addLocation(Location l) { // Queue up in the pending queue until it's merged with {@code #points}. if (!pendingPoints.offer(new CachedLocation(l))) { Log.e(TAG, "Unable to add pending points"); } } /** * Adds a segment split to the map overlay. */ public void addSegmentSplit() { if (!pendingPoints.offer(new CachedLocation())) { Log.e(TAG, "Unable to add pending points"); } } public void addWaypoint(Waypoint wpt) { // Note: We don't cache waypoints, because it's not worth the effort. if (wpt != null && wpt.getLocation() != null) { synchronized (waypoints) { waypoints.add(wpt); } } } public int getNumLocations() { synchronized (points) { return points.size() + pendingPoints.size(); } } // Visible for testing. public int getNumWaypoints() { synchronized (waypoints) { return waypoints.size(); } } public void clearPoints() { synchronized (getPoints()) { getPoints().clear(); pendingPoints.clear(); lastPathExists = false; lastViewRect = null; trackPathPainter.clear(); } } public void clearWaypoints() { synchronized (waypoints) { waypoints.clear(); } } public void setTrackDrawingEnabled(boolean trackDrawingEnabled) { this.trackDrawingEnabled = trackDrawingEnabled; } public void setShowEndMarker(boolean showEndMarker) { this.showEndMarker = showEndMarker; } @Override public void draw(Canvas canvas, MapView mapView, boolean shadow) { if (shadow) { return; } // It's safe to keep projection within a single draw operation. final Projection projection = getMapProjection(mapView); if (projection == null) { Log.w(TAG, "No projection, unable to draw"); return; } // Get the current viewing window. if (trackDrawingEnabled) { Rect viewRect = getMapViewRect(mapView); // Draw the selected track: drawTrack(canvas, projection, viewRect); // Draw the "Start" and "End" markers: drawMarkers(canvas, projection); // Draw the waypoints: drawWaypoints(canvas, projection); } // Draw the current location drawMyLocation(canvas, projection); } private void drawMarkers(Canvas canvas, Projection projection) { // Draw the "End" marker. if (showEndMarker) { for (int i = getPoints().size() - 1; i >= 0; --i) { if (getPoints().get(i).valid) { drawElement(canvas, projection, getPoints().get(i).geoPoint, endMarker, -markerWidth / 2, -markerHeight); break; } } } // Draw the "Start" marker. for (int i = 0; i < getPoints().size(); ++i) { if (getPoints().get(i).valid) { drawElement(canvas, projection, getPoints().get(i).geoPoint, startMarker, -markerWidth / 2, -markerHeight); break; } } } // Visible for testing. Projection getMapProjection(MapView mapView) { return mapView.getProjection(); } // Visible for testing. Rect getMapViewRect(MapView mapView) { int w = mapView.getLongitudeSpan(); int h = mapView.getLatitudeSpan(); int cx = mapView.getMapCenter().getLongitudeE6(); int cy = mapView.getMapCenter().getLatitudeE6(); return new Rect(cx - w / 2, cy - h / 2, cx + w / 2, cy + h / 2); } // For use in testing only. public TrackPathPainter getTrackPathPainter() { return trackPathPainter; } // For use in testing only. public void setTrackPathPainter(TrackPathPainter trackPathPainter) { this.trackPathPainter = trackPathPainter; } private void drawWaypoints(Canvas canvas, Projection projection) { synchronized (waypoints) {; for (Waypoint wpt : waypoints) { Location loc = wpt.getLocation(); drawElement(canvas, projection, LocationUtils.getGeoPoint(loc), wpt.getType() == Waypoint.TYPE_STATISTICS ? statsMarker : waypointMarker, -(markerWidth / 2) + 3, -markerHeight); } } } private void drawMyLocation(Canvas canvas, Projection projection) { // Draw the arrow icon. if (myLocation == null) { return; } Point pt = drawElement(canvas, projection, LocationUtils.getGeoPoint(myLocation), arrows[lastHeading], -(arrowWidth / 2) + 3, -(arrowHeight / 2)); // Draw the error circle. float radius = projection.metersToEquatorPixels(myLocation.getAccuracy()); canvas.drawCircle(pt.x, pt.y, radius, errorCirclePaint); } private void drawTrack(Canvas canvas, Projection projection, Rect viewRect) { boolean draw; synchronized (points) { // Merge the pending points with the list of cached locations. final GeoPoint referencePoint = projection.fromPixels(0, 0); int newPoints = pendingPoints.drainTo(points); boolean newProjection = !viewRect.equals(lastViewRect) || !referencePoint.equals(lastReferencePoint); if (newPoints == 0 && lastPathExists && !newProjection) { // No need to recreate path (same points and viewing area). draw = true; } else { int numPoints = points.size(); if (numPoints < 2) { // Not enough points to draw a path. draw = false; } else if (!trackPathPainter.needsRedraw() && lastPathExists && !newProjection) { // Incremental update of the path, without repositioning the view. draw = true; trackPathPainter.updatePath(projection, viewRect, numPoints - newPoints, alwaysVisible, points); } else { // The view has changed so we have to start from scratch. draw = true; trackPathPainter.updatePath(projection, viewRect, 0, alwaysVisible, points); } } lastReferencePoint = referencePoint; lastViewRect = viewRect; } if (draw) { trackPathPainter.drawTrack(canvas); } } // Visible for testing. Point drawElement(Canvas canvas, Projection projection, GeoPoint geoPoint, Drawable element, int offsetX, int offsetY) { Point pt = new Point(); projection.toPixels(geoPoint, pt); canvas.save(); canvas.translate(pt.x + offsetX, pt.y + offsetY); element.draw(canvas); canvas.restore(); return pt; } /** * Sets the pointer location (will be drawn on next invalidate). */ public void setMyLocation(Location myLocation) { this.myLocation = myLocation; } /** * Sets the pointer heading in degrees (will be drawn on next invalidate). * * @return true if the visible heading changed (i.e. a redraw of pointer is * potentially necessary) */ public boolean setHeading(float heading) { int newhdg = Math.round(-heading / 360 * 18 + 180); while (newhdg < 0) newhdg += 18; while (newhdg > 17) newhdg -= 18; if (newhdg != lastHeading) { lastHeading = newhdg; return true; } else { return false; } } @Override public boolean onTap(GeoPoint p, MapView mapView) { if (p.equals(mapView.getMapCenter())) { // There is (unfortunately) no good way to determine whether the tap was // caused by an actual tap on the screen or the track ball. If the // location is equal to the map center,then it was a track ball press with // very high likelihood. return false; } final Location tapLocation = LocationUtils.getLocation(p); double dmin = Double.MAX_VALUE; Waypoint waypoint = null; synchronized (waypoints) { for (int i = 0; i < waypoints.size(); i++) { final Location waypointLocation = waypoints.get(i).getLocation(); if (waypointLocation == null) { continue; } final double d = waypointLocation.distanceTo(tapLocation); if (d < dmin) { dmin = d; waypoint = waypoints.get(i); } } } if (waypoint != null && dmin < 15000000 / Math.pow(2, mapView.getZoomLevel())) { Intent intent = new Intent(context, MarkerDetailActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK) .putExtra(MarkerDetailActivity.EXTRA_MARKER_ID, waypoint.getId()); context.startActivity(intent); return true; } return super.onTap(p, mapView); } /** * @return the points */ public List<CachedLocation> getPoints() { return points; } @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { Log.d(TAG, "MapOverlay: onSharedPreferences changed " + key); if (key != null) { if (key.equals(context.getString(R.string.track_color_mode_key))) { trackPathPainter = TrackPathPainterFactory.getTrackPathPainter(context); } } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/MapOverlay.java
Java
asf20
15,597
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; /** * Callback when an item in the contextual action mode is selected. * * @author Jimmy Shih */ public interface ContextualActionModeCallback { /** * Invoked when an item is selected. * * @param itemId the context menu item id * @param id the row id of the item that is selected */ public boolean onClick(int itemId, long id); }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/ContextualActionModeCallback.java
Java
asf20
998
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.io.file.GpxImporter; import com.google.android.apps.mytracks.util.FileUtils; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.apps.mytracks.util.SystemUtils; import android.os.AsyncTask; import android.os.PowerManager.WakeLock; import android.util.Log; import java.io.File; import java.io.FileInputStream; import java.io.FileNotFoundException; import java.io.IOException; import java.util.ArrayList; import java.util.List; import javax.xml.parsers.ParserConfigurationException; import org.xml.sax.SAXException; /** * AsyncTask to import GPX files from the SD card. * * @author Jimmy Shih */ public class ImportAsyncTask extends AsyncTask<Void, Integer, Boolean> { private static final String TAG = ImportAsyncTask.class.getSimpleName(); private ImportActivity importActivity; private final boolean importAll; private final String path; private final MyTracksProviderUtils myTracksProviderUtils; private WakeLock wakeLock; // true if the AsyncTask result is success private boolean success; // true if the AsyncTask has completed private boolean completed; // number of files successfully imported private int successCount; // number of files to import private int totalCount; // the last successfully imported track id private long trackId; /** * Creates an AsyncTask. * * @param importActivity the activity currently associated with this AsyncTask * @param importAll true to import all GPX files * @param path path to import GPX files */ public ImportAsyncTask(ImportActivity importActivity, boolean importAll, String path) { this.importActivity = importActivity; this.importAll = importAll; this.path = path; myTracksProviderUtils = MyTracksProviderUtils.Factory.get(importActivity); // Get the wake lock if not recording if (PreferencesUtils.getRecordingTrackId(importActivity) == -1L) { wakeLock = SystemUtils.acquireWakeLock(importActivity, wakeLock); } success = false; completed = false; successCount = 0; totalCount = 0; trackId = -1L; } /** * Sets the current {@link ImportActivity} associated with this AyncTask. * * @param importActivity the current {@link ImportActivity}, can be null */ public void setActivity(ImportActivity importActivity) { this.importActivity = importActivity; if (completed && importActivity != null) { importActivity.onAsyncTaskCompleted(success, successCount, totalCount, trackId); } } @Override protected void onPreExecute() { if (importActivity != null) { importActivity.showProgressDialog(); } } @Override protected Boolean doInBackground(Void... params) { try { if (!FileUtils.isSdCardAvailable()) { return false; } List<File> files = getFiles(); totalCount = files.size(); if (totalCount == 0) { return true; } for (int i = 0; i < totalCount; i++) { if (isCancelled()) { // If cancelled, return true to show the number of files imported return true; } File file = files.get(i); if (importFile(file)) { successCount++; } publishProgress(i + 1, totalCount); } return true; } finally { // Release the wake lock if obtained if (wakeLock != null && wakeLock.isHeld()) { wakeLock.release(); } } } @Override protected void onProgressUpdate(Integer... values) { if (importActivity != null) { importActivity.setProgressDialogValue(values[0], values[1]); } } @Override protected void onPostExecute(Boolean result) { success = result; completed = true; if (importActivity != null) { importActivity.onAsyncTaskCompleted(success, successCount, totalCount, trackId); } } /** * Imports a GPX file. * * @param file the file */ private boolean importFile(final File file) { try { long trackIds[] = GpxImporter.importGPXFile(new FileInputStream(file), myTracksProviderUtils); int length = trackIds.length; if (length > 0) { trackId = trackIds[length - 1]; } return true; } catch (FileNotFoundException e) { Log.d(TAG, "file: " + file.getAbsolutePath(), e); return false; } catch (ParserConfigurationException e) { Log.d(TAG, "file: " + file.getAbsolutePath(), e); return false; } catch (SAXException e) { Log.d(TAG, "file: " + file.getAbsolutePath(), e); return false; } catch (IOException e) { Log.d(TAG, "file: " + file.getAbsolutePath(), e); return false; } } /** * Gets a list of GPX files. If importAll is true, returns a list of GPX files * under the path directory. If importAll is false, returns a list containing * just the path file. */ private List<File> getFiles() { List<File> files = new ArrayList<File>(); File file = new File(path); if (importAll) { File[] candidates = file.listFiles(); if (candidates != null) { for (File candidate : candidates) { if (!candidate.isDirectory() && candidate.getName().endsWith(".gpx")) { files.add(candidate); } } } } else { files.add(file); } return files; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/ImportAsyncTask.java
Java
asf20
6,099
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.DialogUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.app.Dialog; import android.app.ProgressDialog; import android.content.DialogInterface; import android.content.Intent; import android.os.Bundle; import android.widget.Toast; /** * An activity to export all the tracks to the SD card. * * @author Sandor Dornbush */ public class ExportActivity extends Activity { public static final String EXTRA_TRACK_FILE_FORMAT = "track_file_format"; private static final int DIALOG_PROGRESS_ID = 0; private ExportAsyncTask exportAsyncTask; private ProgressDialog progressDialog; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); Object retained = getLastNonConfigurationInstance(); if (retained instanceof ExportAsyncTask) { exportAsyncTask = (ExportAsyncTask) retained; exportAsyncTask.setActivity(this); } else { Intent intent = getIntent(); TrackFileFormat trackFileFormat = intent.getParcelableExtra(EXTRA_TRACK_FILE_FORMAT); exportAsyncTask = new ExportAsyncTask(this, trackFileFormat); exportAsyncTask.execute(); } } @Override public Object onRetainNonConfigurationInstance() { exportAsyncTask.setActivity(null); return exportAsyncTask; } @Override protected Dialog onCreateDialog(int id) { if (id != DIALOG_PROGRESS_ID) { return null; } progressDialog = DialogUtils.createHorizontalProgressDialog( this, R.string.export_progress_message, new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { exportAsyncTask.cancel(true); finish(); } }); return progressDialog; } /** * Invokes when the associated AsyncTask completes. * * @param success true if the AsyncTask is successful * @param messageId message id to display to user */ public void onAsyncTaskCompleted(boolean success, int messageId) { removeDialog(DIALOG_PROGRESS_ID); Toast.makeText(this, messageId, success ? Toast.LENGTH_SHORT : Toast.LENGTH_LONG).show(); finish(); } /** * Shows the progress dialog. */ public void showProgressDialog() { showDialog(DIALOG_PROGRESS_ID); } /** * Sets the progress dialog value. * * @param number the number of tracks exported * @param max the maximum number of tracks */ public void setProgressDialogValue(int number, int max) { if (progressDialog != null) { progressDialog.setIndeterminate(false); progressDialog.setMax(max); progressDialog.setProgress(Math.min(number, max)); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/ExportActivity.java
Java
asf20
3,472
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.mytracks.R; import android.content.Context; import android.location.Location; import java.io.OutputStream; import java.io.PrintWriter; import java.text.NumberFormat; import java.util.Locale; /** * Write track as GPX to a file. * * @author Sandor Dornbush */ public class GpxTrackWriter implements TrackFormatWriter { private static final NumberFormat ELEVATION_FORMAT = NumberFormat.getInstance(Locale.US); private static final NumberFormat COORDINATE_FORMAT = NumberFormat.getInstance(Locale.US); static { // GPX readers expect to see fractional numbers with US-style punctuation. // That is, they want periods for decimal points, rather than commas. ELEVATION_FORMAT.setMaximumFractionDigits(1); ELEVATION_FORMAT.setGroupingUsed(false); COORDINATE_FORMAT.setMaximumFractionDigits(5); COORDINATE_FORMAT.setMaximumIntegerDigits(3); COORDINATE_FORMAT.setGroupingUsed(false); } private final Context context; private Track track; private PrintWriter printWriter; public GpxTrackWriter(Context context) { this.context = context; } @Override public String getExtension() { return TrackFileFormat.GPX.getExtension(); } @Override public void prepare(Track aTrack, OutputStream outputStream) { this.track = aTrack; this.printWriter = new PrintWriter(outputStream); } @Override public void close() { if (printWriter != null) { printWriter.close(); printWriter = null; } } @Override public void writeHeader() { if (printWriter != null) { printWriter.println("<?xml version=\"1.0\" encoding=\"UTF-8\"?>"); printWriter.println("<gpx"); printWriter.println("version=\"1.1\""); printWriter.println( "creator=\"" + context.getString(R.string.send_google_by_my_tracks, "", "") + "\""); printWriter.println("xmlns=\"http://www.topografix.com/GPX/1/1\""); printWriter.println( "xmlns:topografix=\"http://www.topografix.com/GPX/Private/TopoGrafix/0/1\""); printWriter.println("xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\""); printWriter.println("xsi:schemaLocation=\"http://www.topografix.com/GPX/1/1" + " http://www.topografix.com/GPX/1/1/gpx.xsd" + " http://www.topografix.com/GPX/Private/TopoGrafix/0/1" + " http://www.topografix.com/GPX/Private/TopoGrafix/0/1/topografix.xsd\">"); printWriter.println("<metadata>"); printWriter.println("<name>" + StringUtils.formatCData(track.getName()) + "</name>"); printWriter.println("<desc>" + StringUtils.formatCData(track.getDescription()) + "</desc>"); printWriter.println("</metadata>"); } } @Override public void writeFooter() { if (printWriter != null) { printWriter.println("</gpx>"); } } @Override public void writeBeginTrack(Location firstLocation) { if (printWriter != null) { printWriter.println("<trk>"); printWriter.println("<name>" + StringUtils.formatCData(track.getName()) + "</name>"); printWriter.println("<desc>" + StringUtils.formatCData(track.getDescription()) + "</desc>"); printWriter.println("<extensions><topografix:color>c0c0c0</topografix:color></extensions>"); } } @Override public void writeEndTrack(Location lastLocation) { if (printWriter != null) { printWriter.println("</trk>"); } } @Override public void writeOpenSegment() { printWriter.println("<trkseg>"); } @Override public void writeCloseSegment() { printWriter.println("</trkseg>"); } @Override public void writeLocation(Location location) { if (printWriter != null) { printWriter.println("<trkpt " + formatLocation(location) + ">"); printWriter.println("<ele>" + ELEVATION_FORMAT.format(location.getAltitude()) + "</ele>"); printWriter.println("<time>" + StringUtils.formatDateTimeIso8601(location.getTime()) + "</time>"); printWriter.println("</trkpt>"); } } @Override public void writeBeginWaypoints() { // Do nothing } @Override public void writeEndWaypoints() { // Do nothing } @Override public void writeWaypoint(Waypoint waypoint) { if (printWriter != null) { Location location = waypoint.getLocation(); if (location != null) { printWriter.println("<wpt " + formatLocation(location) + ">"); printWriter.println("<ele>" + ELEVATION_FORMAT.format(location.getAltitude()) + "</ele>"); printWriter.println("<time>" + StringUtils.formatDateTimeIso8601(location.getTime()) + "</time>"); printWriter.println("<name>" + StringUtils.formatCData(waypoint.getName()) + "</name>"); printWriter.println( "<desc>" + StringUtils.formatCData(waypoint.getDescription()) + "</desc>"); printWriter.println("</wpt>"); } } } /** * Formats a location with latitude and longitude coordinates. * * @param location the location */ private String formatLocation(Location location) { return "lat=\"" + COORDINATE_FORMAT.format(location.getLatitude()) + "\" lon=\"" + COORDINATE_FORMAT.format(location.getLongitude()) + "\""; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/GpxTrackWriter.java
Java
asf20
6,101
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import com.google.android.apps.mytracks.content.MyTracksLocation; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.content.Sensor.SensorData; import com.google.android.apps.mytracks.content.Sensor.SensorDataSet; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.mytracks.R; import android.content.Context; import android.location.Location; import java.io.OutputStream; import java.io.PrintWriter; import java.text.NumberFormat; /** * Write track as CSV to a file. See RFC 4180 for info on CSV. Output three * tables.<br> * The first table contains the track info. Its columns are:<br> * "Track name","Activity type","Track description" <br> * <br> * The second table contains the markers. Its columns are:<br> * "Marker name","Marker type","Marker description","Latitude (deg)","Longitude * (deg)","Altitude (m)","Bearing (deg)","Accuracy (m)","Speed (m/s)","Time"<br> * <br> * The thrid table contains the points. Its columns are:<br> * "Segment","Point","Latitude (deg)","Longitude (deg)","Altitude (m)","Bearing * (deg)","Accuracy (m)","Speed (m/s)","Time","Power (W)","Cadence (rpm)","Heart * rate (bpm)","Battery level (%)"<br> * * @author Rodrigo Damazio */ public class CsvTrackWriter implements TrackFormatWriter { private static final NumberFormat SHORT_FORMAT = NumberFormat.getInstance(); static { SHORT_FORMAT.setMaximumFractionDigits(4); } private final Context context; private PrintWriter printWriter; private Track track; private int segmentIndex; private int pointIndex; public CsvTrackWriter(Context context) { this.context = context; } @Override public String getExtension() { return TrackFileFormat.CSV.getExtension(); } @Override public void prepare(Track aTrack, OutputStream out) { track = aTrack; printWriter = new PrintWriter(out); segmentIndex = 0; pointIndex = 0; } @Override public void close() { printWriter.close(); } @Override public void writeHeader() { writeCommaSeparatedLine(context.getString(R.string.generic_name), context.getString(R.string.track_edit_activity_type_hint), context.getString(R.string.generic_description)); writeCommaSeparatedLine(track.getName(), track.getCategory(), track.getDescription()); writeCommaSeparatedLine(); } @Override public void writeFooter() { // Do nothing } @Override public void writeBeginWaypoints() { writeCommaSeparatedLine(context.getString(R.string.generic_name), context.getString(R.string.marker_edit_marker_type_hint), context.getString(R.string.generic_description), context.getString(R.string.description_location_latitude), context.getString(R.string.description_location_longitude), context.getString(R.string.description_location_altitude), context.getString(R.string.description_location_bearing), context.getString(R.string.description_location_accuracy), context.getString(R.string.description_location_speed), context.getString(R.string.description_location_time)); } @Override public void writeEndWaypoints() { writeCommaSeparatedLine(); } @Override public void writeWaypoint(Waypoint waypoint) { Location location = waypoint.getLocation(); writeCommaSeparatedLine(waypoint.getName(), waypoint.getCategory(), waypoint.getDescription(), Double.toString(location.getLatitude()), Double.toString(location.getLongitude()), Double.toString(location.getAltitude()), Double.toString(location.getBearing()), SHORT_FORMAT.format(location.getAccuracy()), SHORT_FORMAT.format(location.getSpeed()), StringUtils.formatDateTimeIso8601(location.getTime())); } @Override public void writeBeginTrack(Location firstPoint) { writeCommaSeparatedLine(context.getString(R.string.description_track_segment), context.getString(R.string.description_track_point), context.getString(R.string.description_location_latitude), context.getString(R.string.description_location_longitude), context.getString(R.string.description_location_altitude), context.getString(R.string.description_location_bearing), context.getString(R.string.description_location_accuracy), context.getString(R.string.description_location_speed), context.getString(R.string.description_location_time), context.getString(R.string.description_sensor_power), context.getString(R.string.description_sensor_cadence), context.getString(R.string.description_sensor_heart_rate), context.getString(R.string.description_sensor_battery_level)); } @Override public void writeEndTrack(Location lastPoint) { // Do nothing } @Override public void writeOpenSegment() { segmentIndex++; pointIndex = 0; } @Override public void writeCloseSegment() { // Do nothing } @Override public void writeLocation(Location location) { String power = null; String cadence = null; String heartRate = null; String batteryLevel = null; if (location instanceof MyTracksLocation) { SensorDataSet sensorDataSet = ((MyTracksLocation) location).getSensorDataSet(); if (sensorDataSet != null) { if (sensorDataSet.hasPower()) { SensorData sensorData = sensorDataSet.getPower(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { power = Double.toString(sensorData.getValue()); } } if (sensorDataSet.hasCadence()) { SensorData sensorData = sensorDataSet.getCadence(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { cadence = Double.toString(sensorData.getValue()); } } if (sensorDataSet.hasHeartRate()) { SensorData sensorData = sensorDataSet.getHeartRate(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { heartRate = Double.toString(sensorData.getValue()); } } if (sensorDataSet.hasBatteryLevel()) { SensorData sensorData = sensorDataSet.getBatteryLevel(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { batteryLevel = Double.toString(sensorData.getValue()); } } } } pointIndex++; writeCommaSeparatedLine(Integer.toString(segmentIndex), Integer.toString(pointIndex), Double.toString(location.getLatitude()), Double.toString(location.getLongitude()), Double.toString(location.getAltitude()), Double.toString(location.getBearing()), SHORT_FORMAT.format(location.getAccuracy()), SHORT_FORMAT.format(location.getSpeed()), StringUtils.formatDateTimeIso8601(location.getTime()), power, cadence, heartRate, batteryLevel); } /** * Writes a single line of a CSV file. * * @param values the values to be written as CSV */ private void writeCommaSeparatedLine(String... values) { StringBuilder builder = new StringBuilder(); boolean isFirst = true; for (String value : values) { if (!isFirst) { builder.append(','); } isFirst = false; if (value != null) { builder.append('"'); builder.append(value.replaceAll("\"", "\"\"")); builder.append('"'); } } printWriter.println(builder.toString()); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/CsvTrackWriter.java
Java
asf20
8,500
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import com.google.android.apps.mytracks.content.MyTracksLocation; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.content.Sensor.SensorDataSet; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.lib.R; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.apps.mytracks.util.SystemUtils; import android.content.Context; import android.location.Location; import java.io.OutputStream; import java.io.PrintWriter; import java.util.Locale; /** * Write track as TCX to a file. See http://developer.garmin.com/schemas/tcx/v2/ * for info on TCX. <br> * The TCX file output is verified by uploading the file to * http://connect.garmin.com/. * * @author Sandor Dornbush * @author Dominik Ršttsches */ public class TcxTrackWriter implements TrackFormatWriter { /** * TCX sport type. See the TCX spec. * * @author Jimmy Shih */ private enum SportType { RUNNING("Running"), BIKING("Biking"), OTHER("Other"); private final String name; private SportType(String name) { this.name = name; } /** * Gets the name of the sport type */ public String getName() { return name; } } // My Tracks categories that are considered as TCX biking sport type. private static final int TCX_SPORT_BIKING_IDS[] = { R.string.activity_type_cycling, R.string.activity_type_dirt_bike, R.string.activity_type_mountain_biking, R.string.activity_type_road_biking, R.string.activity_type_track_cycling }; // My Tracks categories that are considered as TCX running sport type. private static final int TCX_SPORT_RUNNING_IDS[] = { R.string.activity_type_running, R.string.activity_type_speed_walking, R.string.activity_type_street_running, R.string.activity_type_track_running, R.string.activity_type_trail_running, R.string.activity_type_walking }; private final Context context; private Track track; private PrintWriter printWriter; private SportType sportType; public TcxTrackWriter(Context context) { this.context = context; } @Override public void prepare(Track aTrack, OutputStream out) { this.track = aTrack; this.printWriter = new PrintWriter(out); this.sportType = getSportType(track.getCategory()); } @Override public void close() { if (printWriter != null) { printWriter.close(); printWriter = null; } } @Override public String getExtension() { return TrackFileFormat.TCX.getExtension(); } @Override public void writeHeader() { if (printWriter != null) { printWriter.println("<?xml version=\"1.0\" encoding=\"UTF-8\"?>"); printWriter.println("<TrainingCenterDatabase" + " xmlns=\"http://www.garmin.com/xmlschemas/TrainingCenterDatabase/v2\""); printWriter.println("xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\""); printWriter.println("xsi:schemaLocation=" + "\"http://www.garmin.com/xmlschemas/TrainingCenterDatabase/v2" + " http://www.garmin.com/xmlschemas/TrainingCenterDatabasev2.xsd\">"); } } @Override public void writeFooter() { if (printWriter != null) { printWriter.println("<Author xsi:type=\"Application_t\">"); printWriter.println("<Name>" + StringUtils.formatCData(context.getString(R.string.send_google_by_my_tracks, "", "")) + "</Name>"); // <Build>, <LangID>, and <PartNumber> are required by type=Application_t. printWriter.println("<Build>"); writeVersion(); printWriter.println("</Build>"); printWriter.println("<LangID>" + Locale.getDefault().getLanguage() + "</LangID>"); printWriter.println("<PartNumber>000-00000-00</PartNumber>"); printWriter.println("</Author>"); printWriter.println("</TrainingCenterDatabase>"); } } @Override public void writeBeginTrack(Location firstPoint) { if (printWriter != null) { String startTime = StringUtils.formatDateTimeIso8601(track.getStatistics().getStartTime()); long totalTimeInSeconds = track.getStatistics().getTotalTime() / 1000; printWriter.println("<Activities>"); printWriter.println("<Activity Sport=\"" + sportType.getName() + "\">"); printWriter.println("<Id>" + startTime + "</Id>"); printWriter.println("<Lap StartTime=\"" + startTime + "\">"); printWriter.println("<TotalTimeSeconds>" + totalTimeInSeconds + "</TotalTimeSeconds>"); printWriter.println("<DistanceMeters>" + track.getStatistics().getTotalDistance() + "</DistanceMeters>"); // <Calories> is required, just put in 0. printWriter.println("<Calories>0</Calories>"); printWriter.println("<Intensity>Active</Intensity>"); printWriter.println("<TriggerMethod>Manual</TriggerMethod>"); } } @Override public void writeEndTrack(Location lastPoint) { if (printWriter != null) { printWriter.println("</Lap>"); printWriter.println("<Creator xsi:type=\"Device_t\">"); printWriter.println("<Name>" + StringUtils.formatCData(context.getString(R.string.send_google_by_my_tracks, "", "")) + "</Name>"); // <UnitId>, <ProductID>, and <Version> are required for type=Device_t. printWriter.println("<UnitId>0</UnitId>"); printWriter.println("<ProductID>0</ProductID>"); writeVersion(); printWriter.println("</Creator>"); printWriter.println("</Activity>"); printWriter.println("</Activities>"); } } @Override public void writeOpenSegment() { if (printWriter != null) { printWriter.println("<Track>"); } } @Override public void writeCloseSegment() { if (printWriter != null) { printWriter.println("</Track>"); } } @Override public void writeLocation(Location location) { if (printWriter != null) { printWriter.println("<Trackpoint>"); printWriter.println("<Time>" + StringUtils.formatDateTimeIso8601(location.getTime()) + "</Time>"); printWriter.println("<Position>"); printWriter.println("<LatitudeDegrees>" + location.getLatitude() + "</LatitudeDegrees>"); printWriter.println("<LongitudeDegrees>" + location.getLongitude() + "</LongitudeDegrees>"); printWriter.println("</Position>"); printWriter.println("<AltitudeMeters>" + location.getAltitude() + "</AltitudeMeters>"); if (location instanceof MyTracksLocation) { SensorDataSet sensorDataSet = ((MyTracksLocation) location).getSensorDataSet(); if (sensorDataSet != null) { boolean heartRateAvailable = sensorDataSet.hasHeartRate() && sensorDataSet.getHeartRate().hasValue() && sensorDataSet.getHeartRate().getState() == Sensor.SensorState.SENDING; boolean cadenceAvailable = sensorDataSet.hasCadence() && sensorDataSet.getCadence().hasValue() && sensorDataSet.getCadence().getState() == Sensor.SensorState.SENDING; boolean powerAvailable = sensorDataSet.hasPower() && sensorDataSet.getPower().hasValue() && sensorDataSet.getPower().getState() == Sensor.SensorState.SENDING; if (heartRateAvailable) { printWriter.println("<HeartRateBpm>"); printWriter.println("<Value>" + sensorDataSet.getHeartRate().getValue() + "</Value>"); printWriter.println("</HeartRateBpm>"); } // <Cadence> needs to be put before <Extensions>. // According to the TCX spec, <Cadence> is only for the biking sport // type. For others, use <RunCadence> in <Extensions>. if (cadenceAvailable && sportType == SportType.BIKING) { // The spec requires the max value be 254. printWriter.println( "<Cadence>" + Math.min(254, sensorDataSet.getCadence().getValue()) + "</Cadence>"); } if ((cadenceAvailable && sportType != SportType.BIKING) || powerAvailable) { printWriter.println("<Extensions>"); printWriter.println( "<TPX xmlns=\"http://www.garmin.com/xmlschemas/ActivityExtension/v2\">"); // <RunCadence> needs to be put before <Watts>. if (cadenceAvailable && sportType != SportType.BIKING) { // The spec requires the max value to be 254. printWriter.println("<RunCadence>" + Math.min(254, sensorDataSet.getCadence().getValue()) + "</RunCadence>"); } if (powerAvailable) { printWriter.println("<Watts>" + sensorDataSet.getPower().getValue() + "</Watts>"); } printWriter.println("</TPX>"); printWriter.println("</Extensions>"); } } } printWriter.println("</Trackpoint>"); } } @Override public void writeBeginWaypoints() { // Do nothing. } @Override public void writeEndWaypoints() { // Do nothing. } @Override public void writeWaypoint(Waypoint waypoint) { // Do nothing. } /** * Writes the TCX Version. */ private void writeVersion() { // Split the My Tracks version code into VersionMajor, VersionMinor, and, // BuildMajor to fit the integer type requirement for these fields in the // TCX spec. String[] versionComponents = SystemUtils.getMyTracksVersion(context).split("\\."); int versionMajor = versionComponents.length > 0 ? Integer.valueOf(versionComponents[0]) : 0; int versionMinor = versionComponents.length > 1 ? Integer.valueOf(versionComponents[1]) : 0; int buildMajor = versionComponents.length > 2 ? Integer.valueOf(versionComponents[2]) : 0; printWriter.println("<Version>"); printWriter.println("<VersionMajor>" + versionMajor + "</VersionMajor>"); printWriter.println("<VersionMinor>" + versionMinor + "</VersionMinor>"); // According to TCX spec, these are optional. But http://connect.garmin.com // requires them. printWriter.println("<BuildMajor>" + buildMajor + "</BuildMajor>"); printWriter.println("<BuildMinor>0</BuildMinor>"); printWriter.println("</Version>"); } /** * Gets the sport type from the category. * * @param category the category */ private SportType getSportType(String category) { category = category.trim(); // For tracks with localized category. for (int i : TCX_SPORT_RUNNING_IDS) { if (category.equalsIgnoreCase(context.getString(i))) { return SportType.RUNNING; } } for (int i : TCX_SPORT_BIKING_IDS) { if (category.equalsIgnoreCase(context.getString(i))) { return SportType.BIKING; } } // For tracks without localized category. if (category.equalsIgnoreCase(SportType.RUNNING.getName())) { return SportType.RUNNING; } else if (category.equalsIgnoreCase(SportType.BIKING.getName())) { return SportType.BIKING; } else { return SportType.OTHER; } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/TcxTrackWriter.java
Java
asf20
11,867
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import android.location.Location; import java.io.OutputStream; /** * Interface for writing a track to file. * * The expected sequence of calls is: * <ol> * <li>{@link #prepare} * <li>{@link #writeHeader} * <li>{@link #writeBeginWaypoints} * <li>For each waypoint: {@link #writeWaypoint} * <li>{@link #writeEndWaypoints} * <li>{@link #writeBeginTrack} * <li>For each segment: * <ol> * <li>{@link #writeOpenSegment} * <li>For each location in the segment: {@link #writeLocation} * <li>{@link #writeCloseSegment} * </ol> * <li>{@link #writeEndTrack} * <li>{@link #writeFooter} * <li>{@link #close} * </ol> * * @author Rodrigo Damazio */ public interface TrackFormatWriter { /** * Gets the file extension (i.e. gpx, kml, ...) */ public String getExtension(); /** * Sets up the writer to write the given track. * * @param track the track to write * @param outputStream the output stream to write the track to */ public void prepare(Track track, OutputStream outputStream); /** * Closes the underlying file handler. */ public void close(); /** * Writes the header. */ public void writeHeader(); /** * Writes the footer. */ public void writeFooter(); /** * Writes the beginning of the waypoints. */ public void writeBeginWaypoints(); /** * Writes the end of the waypoints. */ public void writeEndWaypoints(); /** * Writes a waypoint. * * @param waypoint the waypoint */ public void writeWaypoint(Waypoint waypoint); /** * Writes the beginning of the track. * * @param firstLocation the first location */ public void writeBeginTrack(Location firstLocation); /** * Writes the end of the track. * * @param lastLocation the last location */ public void writeEndTrack(Location lastLocation); /** * Writes the statements necessary to open a new segment. */ public void writeOpenSegment(); /** * Writes the statements necessary to close a segment. */ public void writeCloseSegment(); /** * Writes a location. * * @param location the location */ public void writeLocation(Location location); }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/TrackFormatWriter.java
Java
asf20
2,977
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.stats.TripStatisticsBuilder; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.android.apps.mytracks.util.StringUtils; import android.location.Location; import android.location.LocationManager; import android.net.Uri; import android.util.Log; import java.io.IOException; import java.io.InputStream; import java.util.ArrayList; import java.util.List; import javax.xml.parsers.ParserConfigurationException; import javax.xml.parsers.SAXParser; import javax.xml.parsers.SAXParserFactory; import org.xml.sax.Attributes; import org.xml.sax.Locator; import org.xml.sax.SAXException; import org.xml.sax.helpers.DefaultHandler; /** * Imports GPX XML files to the my tracks provider. * * TODO: Show progress indication to the user. * * @author Leif Hendrik Wilden * @author Steffen Horlacher * @author Rodrigo Damazio */ public class GpxImporter extends DefaultHandler { /* * GPX-XML tag names and attributes. */ private static final String TAG_TRACK = "trk"; private static final String TAG_TRACK_POINT = "trkpt"; private static final Object TAG_TRACK_SEGMENT = "trkseg"; private static final String TAG_NAME = "name"; private static final String TAG_DESCRIPTION = "desc"; private static final String TAG_ALTITUDE = "ele"; private static final String TAG_TIME = "time"; private static final String ATT_LAT = "lat"; private static final String ATT_LON = "lon"; /** * The maximum number of locations to buffer for bulk-insertion into the database. */ private static final int MAX_BUFFERED_LOCATIONS = 512; /** * Utilities for accessing the contnet provider. */ private final MyTracksProviderUtils providerUtils; /** * List of track ids written in the database. Only contains successfully * written tracks. */ private final List<Long> tracksWritten; /** * Contains the current elements content. */ private String content; /** * Currently reading location. */ private Location location; /** * Previous location, required for calculations. */ private Location lastLocation; /** * Currently reading track. */ private Track track; /** * Statistics builder for the current track. */ private TripStatisticsBuilder statsBuilder; /** * Buffer of locations to be bulk-inserted into the database. */ private Location[] bufferedPointInserts = new Location[MAX_BUFFERED_LOCATIONS]; /** * Number of locations buffered to be inserted into the database. */ private int numBufferedPointInserts = 0; /** * Number of locations already processed. */ private int numberOfLocations; /** * Number of segments already processed. */ private int numberOfSegments; /** * Used to identify if a track was written to the database but not yet * finished successfully. */ private boolean isCurrentTrackRollbackable; /** * Flag to indicate if we're inside a track's xml element. * Some sub elements like name may be used in other parts of the gpx file, * and we use this to ignore them. */ private boolean isInTrackElement; /** * Counter to find out which child level of track we are processing. */ private int trackChildDepth; /** * SAX-Locator to get current line information. */ private Locator locator; private Location lastSegmentLocation; /** * Reads GPS tracks from a GPX file and writes tracks and their coordinates to * the database. * * @param is a input steam with gpx-xml data * @return long[] array of track ids written in the database * @throws SAXException a parsing error * @throws ParserConfigurationException internal error * @throws IOException a file reading problem */ public static long[] importGPXFile(final InputStream is, final MyTracksProviderUtils providerUtils) throws ParserConfigurationException, SAXException, IOException { SAXParserFactory factory = SAXParserFactory.newInstance(); GpxImporter handler = new GpxImporter(providerUtils); SAXParser parser = factory.newSAXParser(); long[] trackIds = null; try { long start = System.currentTimeMillis(); parser.parse(is, handler); long end = System.currentTimeMillis(); Log.d(Constants.TAG, "Total import time: " + (end - start) + "ms"); trackIds = handler.getImportedTrackIds(); } finally { // delete track if not finished handler.rollbackUnfinishedTracks(); } return trackIds; } /** * Constructor, requires providerUtils for writing tracks the database. */ public GpxImporter(MyTracksProviderUtils providerUtils) { this.providerUtils = providerUtils; tracksWritten = new ArrayList<Long>(); } @Override public void characters(char[] ch, int start, int length) throws SAXException { String newContent = new String(ch, start, length); if (content == null) { content = newContent; } else { // In 99% of the cases, a single call to this method will be made for each // sequence of characters we're interested in, so we'll rarely be // concatenating strings, thus not justifying the use of a StringBuilder. content += newContent; } } @Override public void startElement(String uri, String localName, String name, Attributes attributes) throws SAXException { if (isInTrackElement) { trackChildDepth++; if (localName.equals(TAG_TRACK_POINT)) { onTrackPointElementStart(attributes); } else if (localName.equals(TAG_TRACK_SEGMENT)) { onTrackSegmentElementStart(); } else if (localName.equals(TAG_TRACK)) { String msg = createErrorMessage("Invalid GPX-XML detected"); throw new SAXException(msg); } } else if (localName.equals(TAG_TRACK)) { isInTrackElement = true; trackChildDepth = 0; onTrackElementStart(); } } @Override public void endElement(String uri, String localName, String name) throws SAXException { if (!isInTrackElement) { content = null; return; } // process these elements only as sub-elements of track if (localName.equals(TAG_TRACK_POINT)) { onTrackPointElementEnd(); } else if (localName.equals(TAG_ALTITUDE)) { onAltitudeElementEnd(); } else if (localName.equals(TAG_TIME)) { onTimeElementEnd(); } else if (localName.equals(TAG_NAME)) { // we are only interested in the first level name element if (trackChildDepth == 1) { onNameElementEnd(); } } else if (localName.equals(TAG_DESCRIPTION)) { // we are only interested in the first level description element if (trackChildDepth == 1) { onDescriptionElementEnd(); } } else if (localName.equals(TAG_TRACK_SEGMENT)) { onTrackSegmentElementEnd(); } else if (localName.equals(TAG_TRACK)) { onTrackElementEnd(); isInTrackElement = false; trackChildDepth = 0; } trackChildDepth--; // reset element content content = null; } @Override public void setDocumentLocator(Locator locator) { this.locator = locator; } /** * Create a new Track object and insert empty track in database. Track will be * updated with missing values later. */ private void onTrackElementStart() { track = new Track(); numberOfLocations = 0; Uri trackUri = providerUtils.insertTrack(track); long trackId = Long.parseLong(trackUri.getLastPathSegment()); track.setId(trackId); isCurrentTrackRollbackable = true; } private void onDescriptionElementEnd() { track.setDescription(content.toString().trim()); } private void onNameElementEnd() { track.setName(content.toString().trim()); } /** * Track segment started. */ private void onTrackSegmentElementStart() { if (numberOfSegments > 0) { // Add a segment separator: location = new Location(LocationManager.GPS_PROVIDER); location.setLatitude(100.0); location.setLongitude(100.0); location.setAltitude(0); if (lastLocation != null) { location.setTime(lastLocation.getTime()); } insertTrackPoint(location); lastLocation = location; lastSegmentLocation = null; location = null; } numberOfSegments++; } /** * Reads trackpoint attributes and assigns them to the current location. * * @param attributes xml attributes */ private void onTrackPointElementStart(Attributes attributes) throws SAXException { if (location != null) { String errorMsg = createErrorMessage("Found a track point inside another one."); throw new SAXException(errorMsg); } location = createLocationFromAttributes(attributes); } /** * Creates and returns a location with the position parsed from the given * attributes. * * @param attributes the attributes to parse * @return the created location * @throws SAXException if the attributes cannot be parsed */ private Location createLocationFromAttributes(Attributes attributes) throws SAXException { String latitude = attributes.getValue(ATT_LAT); String longitude = attributes.getValue(ATT_LON); if (latitude == null || longitude == null) { throw new SAXException(createErrorMessage("Point with no longitude or latitude")); } // create new location and set attributes Location loc = new Location(LocationManager.GPS_PROVIDER); try { loc.setLatitude(Double.parseDouble(latitude)); loc.setLongitude(Double.parseDouble(longitude)); } catch (NumberFormatException e) { String msg = createErrorMessage( "Unable to parse lat/long: " + latitude + "/" + longitude); throw new SAXException(msg, e); } return loc; } /** * Track point finished, write in database. * * @throws SAXException - thrown if track point is invalid */ private void onTrackPointElementEnd() throws SAXException { if (LocationUtils.isValidLocation(location)) { if (statsBuilder == null) { // first point did not have a time, start stats builder without it statsBuilder = new TripStatisticsBuilder(0); } statsBuilder.addLocation(location, location.getTime()); // insert in db insertTrackPoint(location); // first track point? if (lastLocation == null && numberOfSegments == 1) { track.setStartId(getLastPointId()); } lastLocation = location; lastSegmentLocation = location; location = null; } else { // invalid location - abort import String msg = createErrorMessage("Invalid location detected: " + location); throw new SAXException(msg); } } private void insertTrackPoint(Location loc) { bufferedPointInserts[numBufferedPointInserts] = loc; numBufferedPointInserts++; numberOfLocations++; if (numBufferedPointInserts >= MAX_BUFFERED_LOCATIONS) { flushPointInserts(); } } private void flushPointInserts() { if (numBufferedPointInserts <= 0) { return; } providerUtils.bulkInsertTrackPoints(bufferedPointInserts, numBufferedPointInserts, track.getId()); numBufferedPointInserts = 0; } /** * Track segment finished. */ private void onTrackSegmentElementEnd() { // Nothing to be done } /** * Track finished - update in database. */ private void onTrackElementEnd() { if (lastLocation != null) { flushPointInserts(); // Calculate statistics for the imported track and update statsBuilder.pauseAt(lastLocation.getTime()); track.setStopId(getLastPointId()); track.setNumberOfPoints(numberOfLocations); track.setStatistics(statsBuilder.getStatistics()); providerUtils.updateTrack(track); tracksWritten.add(track.getId()); isCurrentTrackRollbackable = false; lastSegmentLocation = null; lastLocation = null; statsBuilder = null; } else { // track contains no track points makes no real // sense to import it as we have no location // information -> roll back rollbackUnfinishedTracks(); } } /** * Setting time and doing additional calculations as this is the last value * required. Also sets the start time for track and statistics as there is no * start time in the track root element. * * @throws SAXException on parsing errors */ private void onTimeElementEnd() throws SAXException { if (location == null) { return; } // Parse the time long time; try { time = StringUtils.getTime(content.trim()); } catch (IllegalArgumentException e) { String msg = createErrorMessage("Unable to parse time: " + content); throw new SAXException(msg, e); } // Calculate derived attributes from previous point if (lastSegmentLocation != null) { long timeDifference = time - lastSegmentLocation.getTime(); // check for negative time change if (timeDifference < 0) { Log.w(Constants.TAG, "Found negative time change."); } else { // We don't have a speed and bearing in GPX, make something up from // the last two points. // TODO GPS points tend to have some inherent imprecision, // speed and bearing will likely be off, so the statistics for things like // max speed will also be off. float speed = location.distanceTo(lastLocation) * 1000.0f / timeDifference; location.setSpeed(speed); location.setBearing(lastSegmentLocation.bearingTo(location)); } } // Fill in the time location.setTime(time); // initialize start time with time of first track point if (statsBuilder == null) { statsBuilder = new TripStatisticsBuilder(time); } } private void onAltitudeElementEnd() throws SAXException { if (location != null) { try { location.setAltitude(Double.parseDouble(content)); } catch (NumberFormatException e) { String msg = createErrorMessage("Unable to parse altitude: " + content); throw new SAXException(msg, e); } } } /** * Deletes the last track if it was not completely imported. */ public void rollbackUnfinishedTracks() { if (isCurrentTrackRollbackable) { providerUtils.deleteTrack(track.getId()); isCurrentTrackRollbackable = false; } } /** * Get all track ids of the tracks created by this importer run. * * @return array of track ids */ private long[] getImportedTrackIds() { // Convert from java.lang.Long for convenience long[] result = new long[tracksWritten.size()]; for (int i = 0; i < result.length; i++) { result[i] = tracksWritten.get(i); } return result; } /** * Returns the ID of the last point inserted into the database. */ private long getLastPointId() { flushPointInserts(); return providerUtils.getLastLocationId(track.getId()); } /** * Builds a parsing error message with current line information. * * @param details details about the error, will be appended * @return error message string with current line information */ private String createErrorMessage(String details) { StringBuffer msg = new StringBuffer(); msg.append("Parsing error at line: "); msg.append(locator.getLineNumber()); msg.append(" column: "); msg.append(locator.getColumnNumber()); msg.append(". "); msg.append(details); return msg.toString(); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/GpxImporter.java
Java
asf20
16,388
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import android.content.Context; import android.os.Parcel; import android.os.Parcelable; import android.util.Log; /** * A factory to produce track writers for any format. * * @author Rodrigo Damazio */ public class TrackWriterFactory { /** * Definition of all possible track formats. */ public enum TrackFileFormat implements Parcelable { GPX { @Override TrackFormatWriter newFormatWriter(Context context) { return new GpxTrackWriter(context); } }, KML { @Override TrackFormatWriter newFormatWriter(Context context) { return new KmlTrackWriter(context); } }, CSV { @Override public TrackFormatWriter newFormatWriter(Context context) { return new CsvTrackWriter(context); } }, TCX { @Override public TrackFormatWriter newFormatWriter(Context context) { return new TcxTrackWriter(context); } }; @Override public int describeContents() { return 0; } @Override public void writeToParcel(final Parcel dest, final int flags) { dest.writeInt(ordinal()); } public static final Creator<TrackFileFormat> CREATOR = new Creator<TrackFileFormat>() { @Override public TrackFileFormat createFromParcel(final Parcel source) { return TrackFileFormat.values()[source.readInt()]; } @Override public TrackFileFormat[] newArray(final int size) { return new TrackFileFormat[size]; } }; /** * Creates and returns a new format writer for each format. */ abstract TrackFormatWriter newFormatWriter(Context context); /** * Returns the mime type for each format. */ public String getMimeType() { return "application/" + getExtension() + "+xml"; } /** * Returns the file extension for each format. */ public String getExtension() { return this.name().toLowerCase(); } } /** * Creates a new track writer to write the track with the given ID. * * @param context the context in which the track will be read * @param providerUtils the data provider utils to read the track with * @param trackId the ID of the track to be written * @param format the output format to write in * @return the new track writer */ public static TrackWriter newWriter(Context context, MyTracksProviderUtils providerUtils, long trackId, TrackFileFormat format) { Track track = providerUtils.getTrack(trackId); if (track == null) { Log.w(TAG, "Trying to create a writer for an invalid track, id=" + trackId); return null; } return newWriter(context, providerUtils, track, format); } /** * Creates a new track writer to write the given track. * * @param context the context in which the track will be read * @param providerUtils the data provider utils to read the track with * @param track the track to be written * @param format the output format to write in * @return the new track writer */ private static TrackWriter newWriter(Context context, MyTracksProviderUtils providerUtils, Track track, TrackFileFormat format) { TrackFormatWriter writer = format.newFormatWriter(context); return new TrackWriterImpl(context, providerUtils, track, writer); } private TrackWriterFactory() { } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/TrackWriterFactory.java
Java
asf20
4,220
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import android.os.AsyncTask; /** * Async Task to save a track to the SD card. * * @author Jimmy Shih */ public class SaveAsyncTask extends AsyncTask<Void, Integer, Boolean> { private SaveActivity saveActivity; private final TrackWriter trackWriter; // true if the AsyncTask result is success private boolean success; // true if the AsyncTask has completed private boolean completed; /** * Creates an AsyncTask. * * @param saveActivity the {@link SaveActivity} currently associated with this * AsyncTask * @param trackWriter the track writer */ public SaveAsyncTask(SaveActivity saveActivity, TrackWriter trackWriter) { this.saveActivity = saveActivity; this.trackWriter = trackWriter; success = false; completed = false; } /** * Sets the current {@link SaveActivity} associated with this AyncTask. * * @param saveActivity the current {@link SaveActivity}, can be null */ public void setActivity(SaveActivity saveActivity) { this.saveActivity = saveActivity; if (completed && saveActivity != null) { saveActivity.onAsyncTaskCompleted( success, trackWriter.getErrorMessage(), trackWriter.getAbsolutePath()); } } @Override protected void onPreExecute() { if (saveActivity != null) { saveActivity.showProgressDialog(); } } @Override protected Boolean doInBackground(Void... params) { trackWriter.setOnWriteListener(new TrackWriter.OnWriteListener() { @Override public void onWrite(int number, int max) { // Update the progress dialog once every 500 points if (number % 500 == 0) { publishProgress(number, max); } } }); trackWriter.writeTrack(); return trackWriter.wasSuccess(); } @Override protected void onProgressUpdate(Integer... values) { if (saveActivity != null) { saveActivity.setProgressDialogValue(values[0], values[1]); } } @Override protected void onPostExecute(Boolean result) { success = result; completed = true; if (saveActivity != null) { saveActivity.onAsyncTaskCompleted( success, trackWriter.getErrorMessage(), trackWriter.getAbsolutePath()); } } @Override protected void onCancelled() { trackWriter.stopWriteTrack(); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/SaveAsyncTask.java
Java
asf20
2,968
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import com.google.android.apps.mytracks.content.DescriptionGenerator; import com.google.android.apps.mytracks.content.DescriptionGeneratorImpl; import com.google.android.apps.mytracks.content.MyTracksLocation; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.content.Sensor.SensorData; import com.google.android.apps.mytracks.content.Sensor.SensorDataSet; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.content.Context; import android.location.Location; import java.io.OutputStream; import java.io.PrintWriter; import java.util.ArrayList; /** * Write track as KML to a file. * * @author Leif Hendrik Wilden */ public class KmlTrackWriter implements TrackFormatWriter { /** * ID of the KML feature to play a tour. */ public static final String TOUR_FEATURE_ID = "tour"; private static final String WAYPOINT_STYLE = "waypoint"; private static final String STATISTICS_STYLE = "statistics"; private static final String START_STYLE = "start"; private static final String END_STYLE = "end"; private static final String TRACK_STYLE = "track"; private static final String SCHEMA_ID = "schema"; private static final String CADENCE = "cadence"; private static final String HEART_RATE = "heart_rate"; private static final String POWER = "power"; private static final String BATTER_LEVEL = "battery_level"; private static final String WAYPOINT_ICON = "http://maps.google.com/mapfiles/kml/pushpin/blue-pushpin.png"; private static final String STATISTICS_ICON = "http://maps.google.com/mapfiles/kml/pushpin/ylw-pushpin.png"; private static final String START_ICON = "http://maps.google.com/mapfiles/kml/paddle/grn-circle.png"; private static final String END_ICON = "http://maps.google.com/mapfiles/kml/paddle/red-circle.png"; private static final String TRACK_ICON = "http://earth.google.com/images/kml-icons/track-directional/track-0.png"; private final Context context; private final DescriptionGenerator descriptionGenerator; private Track track; private PrintWriter printWriter; private ArrayList<Integer> powerList = new ArrayList<Integer>(); private ArrayList<Integer> cadenceList = new ArrayList<Integer>(); private ArrayList<Integer> heartRateList = new ArrayList<Integer>(); private ArrayList<Integer> batteryLevelList = new ArrayList<Integer>(); private boolean hasPower; private boolean hasCadence; private boolean hasHeartRate; private boolean hasBatteryLevel; public KmlTrackWriter(Context context) { this(context, new DescriptionGeneratorImpl(context)); } @VisibleForTesting KmlTrackWriter(Context context, DescriptionGenerator descriptionGenerator) { this.context = context; this.descriptionGenerator = descriptionGenerator; } @Override public String getExtension() { return TrackFileFormat.KML.getExtension(); } @Override public void prepare(Track aTrack, OutputStream outputStream) { this.track = aTrack; this.printWriter = new PrintWriter(outputStream); } @Override public void close() { if (printWriter != null) { printWriter.close(); printWriter = null; } } @Override public void writeHeader() { if (printWriter != null) { printWriter.println("<?xml version=\"1.0\" encoding=\"UTF-8\"?>"); printWriter.println("<kml xmlns=\"http://www.opengis.net/kml/2.2\""); printWriter.println("xmlns:atom=\"http://www.w3.org/2005/Atom\""); printWriter.println("xmlns:gx=\"http://www.google.com/kml/ext/2.2\">"); printWriter.println("<Document>"); printWriter.println("<open>1</open>"); printWriter.println("<visibility>1</visibility>"); printWriter.println( "<description>" + StringUtils.formatCData(track.getDescription()) + "</description>"); printWriter.println("<name>" + StringUtils.formatCData(track.getName()) + "</name>"); printWriter.println("<atom:author><atom:name>" + StringUtils.formatCData( context.getString(R.string.send_google_by_my_tracks, "", "")) + "</atom:name></atom:author>"); writeTrackStyle(); writePlacemarkerStyle(START_STYLE, START_ICON, 32, 1); writePlacemarkerStyle(END_STYLE, END_ICON, 32, 1); writePlacemarkerStyle(STATISTICS_STYLE, STATISTICS_ICON, 20, 2); writePlacemarkerStyle(WAYPOINT_STYLE, WAYPOINT_ICON, 20, 2); printWriter.println("<Schema id=\"" + SCHEMA_ID + "\">"); writeSensorStyle(POWER, context.getString(R.string.description_sensor_power)); writeSensorStyle(CADENCE, context.getString(R.string.description_sensor_cadence)); writeSensorStyle(HEART_RATE, context.getString(R.string.description_sensor_heart_rate)); writeSensorStyle(BATTER_LEVEL, context.getString(R.string.description_sensor_battery_level)); printWriter.println("</Schema>"); } } @Override public void writeFooter() { if (printWriter != null) { printWriter.println("</Document>"); printWriter.println("</kml>"); } } @Override public void writeBeginWaypoints() { if (printWriter != null) { printWriter.println( "<Folder><name>" + StringUtils.formatCData(context.getString(R.string.menu_markers)) + "</name>"); } } @Override public void writeEndWaypoints() { if (printWriter != null) { printWriter.println("</Folder>"); } } @Override public void writeWaypoint(Waypoint waypoint) { if (printWriter != null) { String styleName = waypoint.getType() == Waypoint.TYPE_STATISTICS ? STATISTICS_STYLE : WAYPOINT_STYLE; writePlacemark( waypoint.getName(), waypoint.getDescription(), styleName, waypoint.getLocation()); } } @Override public void writeBeginTrack(Location firstLocation) { if (printWriter != null) { String name = context.getString(R.string.marker_label_start, track.getName()); writePlacemark(name, track.getDescription(), START_STYLE, firstLocation); printWriter.println("<Placemark id=\"" + TOUR_FEATURE_ID + "\">"); printWriter.println( "<description>" + StringUtils.formatCData(track.getDescription()) + "</description>"); printWriter.println("<name>" + StringUtils.formatCData(track.getName()) + "</name>"); printWriter.println("<styleUrl>#" + TRACK_STYLE + "</styleUrl>"); printWriter.println("<gx:MultiTrack>"); printWriter.println("<altitudeMode>absolute</altitudeMode>"); printWriter.println("<gx:interpolate>1</gx:interpolate>"); } } @Override public void writeEndTrack(Location lastLocation) { if (printWriter != null) { printWriter.println("</gx:MultiTrack>"); printWriter.println("</Placemark>"); String name = context.getString(R.string.marker_label_end, track.getName()); String description = descriptionGenerator.generateTrackDescription(track, null, null); writePlacemark(name, description, END_STYLE, lastLocation); } } @Override public void writeOpenSegment() { if (printWriter != null) { printWriter.println("<gx:Track>"); hasPower = false; hasCadence = false; hasHeartRate = false; hasBatteryLevel = false; powerList.clear(); cadenceList.clear(); heartRateList.clear(); batteryLevelList.clear(); } } @Override public void writeCloseSegment() { if (printWriter != null) { printWriter.println("<ExtendedData>"); printWriter.println("<SchemaData schemaUrl=\"#" + SCHEMA_ID + "\">"); if (hasPower) { writeSensorData(powerList, POWER); } if (hasCadence) { writeSensorData(cadenceList, CADENCE); } if (hasHeartRate) { writeSensorData(heartRateList, HEART_RATE); } if (hasBatteryLevel) { writeSensorData(batteryLevelList, BATTER_LEVEL); } printWriter.println("</SchemaData>"); printWriter.println("</ExtendedData>"); printWriter.println("</gx:Track>"); } } @Override public void writeLocation(Location location) { if (printWriter != null) { printWriter.println("<when>" + StringUtils.formatDateTimeIso8601(location.getTime()) + "</when>"); printWriter.println( "<gx:coord>" + location.getLongitude() + " " + location.getLatitude() + " " + location.getAltitude() + "</gx:coord>"); if (location instanceof MyTracksLocation) { SensorDataSet sensorDataSet = ((MyTracksLocation) location).getSensorDataSet(); int power = -1; int cadence = -1; int heartRate = -1; int batteryLevel = -1; if (sensorDataSet != null) { if (sensorDataSet.hasPower()) { SensorData sensorData = sensorDataSet.getPower(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { hasPower = true; power = sensorData.getValue(); } } if (sensorDataSet.hasCadence()) { SensorData sensorData = sensorDataSet.getCadence(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { hasCadence = true; cadence = sensorData.getValue(); } } if (sensorDataSet.hasHeartRate()) { SensorData sensorData = sensorDataSet.getHeartRate(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { hasHeartRate = true; heartRate = sensorData.getValue(); } } if (sensorDataSet.hasBatteryLevel()) { SensorData sensorData = sensorDataSet.getBatteryLevel(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { hasBatteryLevel = true; batteryLevel = sensorData.getValue(); } } } powerList.add(power); cadenceList.add(cadence); heartRateList.add(heartRate); batteryLevelList.add(batteryLevel); } } } /** * Writes the sensor data. * * @param list a list of sensor data * @param name the name of the sensor data */ private void writeSensorData(ArrayList<Integer> list, String name) { printWriter.println("<gx:SimpleArrayData name=\"" + name + "\">"); for (int i = 0; i < list.size(); i++) { printWriter.println("<gx:value>" + list.get(i) + "</gx:value>"); } printWriter.println("</gx:SimpleArrayData>"); } /** * Writes a placemark. * * @param name the name of the placemark * @param description the description * @param styleName the style name * @param location the location */ private void writePlacemark( String name, String description, String styleName, Location location) { if (location != null) { printWriter.println("<Placemark>"); printWriter.println( "<description>" + StringUtils.formatCData(description) + "</description>"); printWriter.println("<name>" + StringUtils.formatCData(name) + "</name>"); printWriter.println("<styleUrl>#" + styleName + "</styleUrl>"); printWriter.println("<Point>"); printWriter.println( "<coordinates>" + location.getLongitude() + "," + location.getLatitude() + "," + location.getAltitude() + "</coordinates>"); printWriter.println("</Point>"); printWriter.println("</Placemark>"); } } /** * Writes the track style. */ private void writeTrackStyle() { printWriter.println("<Style id=\"" + TRACK_STYLE + "\">"); printWriter.println("<LineStyle><color>7f0000ff</color><width>4</width></LineStyle>"); printWriter.println("<IconStyle>"); printWriter.println("<scale>1.3</scale>"); printWriter.println("<Icon><href>" + TRACK_ICON + "</href></Icon>"); printWriter.println("</IconStyle>"); printWriter.println("</Style>"); } /** * Writes a placemarker style. * * @param name the name of the style * @param url the url of the style icon * @param x the x position of the hotspot * @param y the y position of the hotspot */ private void writePlacemarkerStyle(String name, String url, int x, int y) { printWriter.println("<Style id=\"" + name + "\"><IconStyle>"); printWriter.println("<scale>1.3</scale>"); printWriter.println("<Icon><href>" + url + "</href></Icon>"); printWriter.println( "<hotSpot x=\"" + x + "\" y=\"" + y + "\" xunits=\"pixels\" yunits=\"pixels\"/>"); printWriter.println("</IconStyle></Style>"); } /** * Writes a sensor style. * * @param name the name of the sesnor * @param displayName the sensor display name */ private void writeSensorStyle(String name, String displayName) { printWriter.println("<gx:SimpleArrayField name=\"" + name + "\" type=\"int\">"); printWriter.println( "<displayName>" + StringUtils.formatCData(displayName) + "</displayName>"); printWriter.println("</gx:SimpleArrayField>"); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/KmlTrackWriter.java
Java
asf20
14,057
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.DialogUtils; import com.google.android.apps.mytracks.util.FileUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.app.AlertDialog; import android.app.Dialog; import android.app.ProgressDialog; import android.content.DialogInterface; import android.content.Intent; import android.net.Uri; import android.os.Bundle; import android.util.Log; import java.io.File; /** * Activity for saving a track to the SD card, and optionally share or play the * track. * * @author Rodrigo Damazio */ public class SaveActivity extends Activity { public static final String EXTRA_TRACK_ID = "track_id"; public static final String EXTRA_TRACK_FILE_FORMAT = "track_file_format"; public static final String EXTRA_SHARE_TRACK = "share_track"; public static final String EXTRA_PLAY_TRACK = "play_track"; public static final String GOOGLE_EARTH_KML_MIME_TYPE = "application/vnd.google-earth.kml+xml"; public static final String GOOGLE_EARTH_PACKAGE = "com.google.earth"; public static final String GOOGLE_EARTH_MARKET_URL = "market://details?id=" + GOOGLE_EARTH_PACKAGE; private static final String GOOGLE_EARTH_TOUR_FEATURE_ID = "com.google.earth.EXTRA.tour_feature_id"; private static final String GOOGLE_EARTH_CLASS = "com.google.earth.EarthActivity"; private static final String TAG = SaveActivity.class.getSimpleName(); private static final int DIALOG_PROGRESS_ID = 0; private static final int DIALOG_RESULT_ID = 1; private long trackId; private TrackFileFormat trackFileFormat; private boolean shareTrack; private boolean playTrack; private SaveAsyncTask saveAsyncTask; private ProgressDialog progressDialog; // result from the AsyncTask private boolean success; // message id from the AsyncTask private int messageId; // path of the saved file private String filePath; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); Intent intent = getIntent(); trackId = intent.getLongExtra(EXTRA_TRACK_ID, -1L); if (trackId < 0) { Log.d(TAG, "Invalid track id"); finish(); return; } trackFileFormat = intent.getParcelableExtra(EXTRA_TRACK_FILE_FORMAT); shareTrack = intent.getBooleanExtra(EXTRA_SHARE_TRACK, false); playTrack = intent.getBooleanExtra(EXTRA_PLAY_TRACK, false); Object retained = getLastNonConfigurationInstance(); if (retained instanceof SaveAsyncTask) { saveAsyncTask = (SaveAsyncTask) retained; saveAsyncTask.setActivity(this); } else { TrackWriter trackWriter = TrackWriterFactory.newWriter( this, MyTracksProviderUtils.Factory.get(this), trackId, trackFileFormat); if (trackWriter == null) { Log.e(TAG, "Track writer is null"); finish(); return; } if (shareTrack || playTrack) { // Save to the temp directory String dirName = FileUtils.buildExternalDirectoryPath( trackFileFormat.getExtension(), "tmp"); trackWriter.setDirectory(new File(dirName)); } saveAsyncTask = new SaveAsyncTask(this, trackWriter); saveAsyncTask.execute(); } } @Override public Object onRetainNonConfigurationInstance() { saveAsyncTask.setActivity(null); return saveAsyncTask; } @Override protected Dialog onCreateDialog(int id) { switch (id) { case DIALOG_PROGRESS_ID: progressDialog = DialogUtils.createHorizontalProgressDialog( this, R.string.sd_card_progress_message, new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { saveAsyncTask.cancel(true); finish(); } }); return progressDialog; case DIALOG_RESULT_ID: return new AlertDialog.Builder(this) .setCancelable(true) .setIcon(success ? android.R.drawable.ic_dialog_info : android.R.drawable.ic_dialog_alert) .setMessage(messageId) .setOnCancelListener(new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { dialog.dismiss(); onPostResultDialog(); } }) .setPositiveButton(R.string.generic_ok, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int arg1) { dialog.dismiss(); onPostResultDialog(); } }) .setTitle(success ? R.string.generic_success_title : R.string.generic_error_title) .create(); default: return null; } } /** * Invokes when the associated AsyncTask completes. * * @param isSuccess true if the AsyncTask is successful * @param aMessageId the id of the AsyncTask message * @param aPath the path of the saved file */ public void onAsyncTaskCompleted(boolean isSuccess, int aMessageId, String aPath) { this.success = isSuccess; this.messageId = aMessageId; this.filePath = aPath; removeDialog(DIALOG_PROGRESS_ID); showDialog(DIALOG_RESULT_ID); } /** * Shows the progress dialog. */ public void showProgressDialog() { showDialog(DIALOG_PROGRESS_ID); } /** * Sets the progress dialog value. * * @param number the number of points saved * @param max the maximum number of points */ public void setProgressDialogValue(int number, int max) { if (progressDialog != null) { progressDialog.setIndeterminate(false); progressDialog.setMax(max); progressDialog.setProgress(Math.min(number, max)); } } /** * To be invoked after showing the result dialog. */ private void onPostResultDialog() { if (success) { if (shareTrack) { Intent intent = new Intent(Intent.ACTION_SEND) .putExtra(Intent.EXTRA_STREAM, Uri.fromFile(new File(filePath))) .putExtra(Intent.EXTRA_SUBJECT, getString(R.string.share_track_subject)) .putExtra(Intent.EXTRA_TEXT, getString(R.string.share_track_file_body_format)) .putExtra(getString(R.string.track_id_broadcast_extra), trackId) .setType(trackFileFormat.getMimeType()); startActivity(Intent.createChooser(intent, getString(R.string.share_track_picker_title))); } else if (playTrack) { Intent intent = new Intent() .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK) .putExtra(GOOGLE_EARTH_TOUR_FEATURE_ID, KmlTrackWriter.TOUR_FEATURE_ID) .setClassName(GOOGLE_EARTH_PACKAGE, GOOGLE_EARTH_CLASS) .setDataAndType(Uri.fromFile(new File(filePath)), GOOGLE_EARTH_KML_MIME_TYPE); startActivity(intent); } } finish(); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/SaveActivity.java
Java
asf20
7,770
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.MyTracksLocation; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.MyTracksProviderUtils.LocationIterator; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.util.FileUtils; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.content.Context; import android.database.Cursor; import android.location.Location; import android.util.Log; import java.io.File; import java.io.FileNotFoundException; import java.io.FileOutputStream; import java.io.OutputStream; /** * This class exports tracks to the SD card. It is intended to be format- * neutral -- it handles creating the output file and reading the track to be * exported, but requires an instance of {@link TrackFormatWriter} to actually * format the data. * * @author Sandor Dornbush * @author Rodrigo Damazio */ class TrackWriterImpl implements TrackWriter { private final Context context; private final MyTracksProviderUtils providerUtils; private final Track track; private final TrackFormatWriter writer; private boolean success = false; private int errorMessage = -1; private File directory = null; private File file = null; private OnWriteListener onWriteListener; private Thread writeThread; TrackWriterImpl(Context context, MyTracksProviderUtils providerUtils, Track track, TrackFormatWriter writer) { this.context = context; this.providerUtils = providerUtils; this.track = track; this.writer = writer; } @Override public void setOnWriteListener(OnWriteListener onWriteListener) { this.onWriteListener = onWriteListener; } @Override public void setDirectory(File directory) { this.directory = directory; } @Override public String getAbsolutePath() { return file.getAbsolutePath(); } private void writeTrackAsync() { writeThread = new Thread() { @Override public void run() { doWriteTrack(); } }; writeThread.start(); } @Override public void writeTrack() { writeTrackAsync(); try { writeThread.join(); } catch (InterruptedException e) { Log.e(Constants.TAG, "Interrupted waiting for write to complete", e); } } private void doWriteTrack() { // Open the input and output success = false; errorMessage = R.string.sd_card_error_write_file; if (track != null) { if (openFile()) { try { writeDocument(); } catch (InterruptedException e) { Log.i(Constants.TAG, "The track write was interrupted"); if (file != null) { if (!file.delete()) { Log.w(TAG, "Failed to delete file " + file.getAbsolutePath()); } } success = false; errorMessage = R.string.sd_card_canceled; } } } } public void stopWriteTrack() { if (writeThread != null && writeThread.isAlive()) { Log.i(Constants.TAG, "Attempting to stop track write"); writeThread.interrupt(); try { writeThread.join(); Log.i(Constants.TAG, "Track write stopped"); } catch (InterruptedException e) { Log.e(Constants.TAG, "Failed to wait for writer to stop", e); } } } @Override public int getErrorMessage() { return errorMessage; } @Override public boolean wasSuccess() { return success; } /* * Helper methods: * =============== */ /** * Runs the given runnable in the UI thread. */ protected void runOnUiThread(Runnable runnable) { if (context instanceof Activity) { ((Activity) context).runOnUiThread(runnable); } } /** * Opens the file and prepares the format writer for it. * * @return true on success, false otherwise (and errorMessage is set) */ protected boolean openFile() { if (!canWriteFile()) { return false; } // Make sure the file doesn't exist yet (possibly by changing the filename) String fileName = FileUtils.buildUniqueFileName( directory, track.getName(), writer.getExtension()); if (fileName == null) { Log.e(Constants.TAG, "Unable to get a unique filename for " + track.getName()); return false; } Log.i(Constants.TAG, "Writing track to: " + fileName); try { writer.prepare(track, newOutputStream(fileName)); } catch (FileNotFoundException e) { Log.e(Constants.TAG, "Failed to open output file.", e); errorMessage = R.string.sd_card_error_write_file; return false; } return true; } /** * Checks and returns whether we're ready to create the output file. */ protected boolean canWriteFile() { if (directory == null) { String dirName = FileUtils.buildExternalDirectoryPath(writer.getExtension()); directory = newFile(dirName); } if (!FileUtils.isSdCardAvailable()) { Log.i(Constants.TAG, "Could not find SD card."); errorMessage = R.string.sd_card_error_no_storage; return false; } if (!FileUtils.ensureDirectoryExists(directory)) { Log.i(Constants.TAG, "Could not create export directory."); errorMessage = R.string.sd_card_error_create_dir; return false; } return true; } /** * Creates a new output stream to write to the given filename. * * @throws FileNotFoundException if the file could't be created */ protected OutputStream newOutputStream(String fileName) throws FileNotFoundException { file = new File(directory, fileName); return new FileOutputStream(file); } /** * Creates a new file object for the given path. */ protected File newFile(String path) { return new File(path); } /** * Writes the waypoints for the given track. * * @param trackId the ID of the track to write waypoints for */ private void writeWaypoints(long trackId) { // TODO: Stream through he waypoints in chunks. // I am leaving the number of waypoints very high which should not be a // problem because we don't try to load them into objects all at the // same time. Cursor cursor = null; cursor = providerUtils.getWaypointsCursor(trackId, 0, Constants.MAX_LOADED_WAYPOINTS_POINTS); boolean hasWaypoints = false; if (cursor != null) { try { if (cursor.moveToFirst()) { // Yes, this will skip the 1st way point and that is intentional // as the 1st points holds the stats for the current/last segment. while (cursor.moveToNext()) { if (!hasWaypoints) { writer.writeBeginWaypoints(); hasWaypoints = true; } Waypoint wpt = providerUtils.createWaypoint(cursor); writer.writeWaypoint(wpt); } } } finally { cursor.close(); } } if (hasWaypoints) { writer.writeEndWaypoints(); } } /** * Does the actual work of writing the track to the now open file. */ void writeDocument() throws InterruptedException { Log.d(Constants.TAG, "Started writing track."); writer.writeHeader(); writeWaypoints(track.getId()); writeLocations(); writer.writeFooter(); writer.close(); success = true; Log.d(Constants.TAG, "Done writing track."); errorMessage = R.string.sd_card_success_write_file; } private void writeLocations() throws InterruptedException { boolean wroteFirst = false; boolean segmentOpen = false; boolean isLastValid = false; class TrackWriterLocationFactory implements MyTracksProviderUtils.LocationFactory { Location currentLocation; Location lastLocation; @Override public Location createLocation() { if (currentLocation == null) { currentLocation = new MyTracksLocation(""); } return currentLocation; } public void swapLocations() { Location tmpLoc = lastLocation; lastLocation = currentLocation; currentLocation = tmpLoc; if (currentLocation != null) { currentLocation.reset(); } } }; TrackWriterLocationFactory locationFactory = new TrackWriterLocationFactory(); LocationIterator it = providerUtils.getLocationIterator(track.getId(), 0, false, locationFactory); try { if (!it.hasNext()) { Log.w(Constants.TAG, "Unable to get any points to write"); return; } int pointNumber = 0; while (it.hasNext()) { Location loc = it.next(); if (Thread.interrupted()) { throw new InterruptedException(); } pointNumber++; boolean isValid = LocationUtils.isValidLocation(loc); boolean validSegment = isValid && isLastValid; if (!wroteFirst && validSegment) { // Found the first two consecutive points which are valid writer.writeBeginTrack(locationFactory.lastLocation); wroteFirst = true; } if (validSegment) { if (!segmentOpen) { // Start a segment for this point writer.writeOpenSegment(); segmentOpen = true; // Write the previous point, which we had previously skipped writer.writeLocation(locationFactory.lastLocation); } // Write the current point writer.writeLocation(loc); if (onWriteListener != null) { onWriteListener.onWrite(pointNumber, track.getNumberOfPoints()); } } else { if (segmentOpen) { writer.writeCloseSegment(); segmentOpen = false; } } locationFactory.swapLocations(); isLastValid = isValid; } if (segmentOpen) { writer.writeCloseSegment(); segmentOpen = false; } if (wroteFirst) { writer.writeEndTrack(locationFactory.lastLocation); } } finally { it.close(); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/TrackWriterImpl.java
Java
asf20
10,963
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import java.io.File; /** * Implementations of this class export tracks to the SD card. This class is * intended to be format-neutral - it handles creating the output file and * reading the track to be exported, but requires an instance of * {@link TrackFormatWriter} to actually format the data. * * @author Sandor Dornbush * @author Rodrigo Damazio */ public interface TrackWriter { /** This listener is used to signal track writes. */ public interface OnWriteListener { /** * This method is invoked whenever a location within a track is written. * @param number the location number * @param max the maximum number of locations, for calculation of * completion percentage */ public void onWrite(int number, int max); } /** * Sets a listener to be invoked for each location writer. */ void setOnWriteListener(OnWriteListener onWriteListener); /** * Sets a custom directory where the file will be written. */ void setDirectory(File directory); /** * Returns the absolute path to the file which was created. */ String getAbsolutePath(); /** * Writes the given track id to the SD card. * This is blocking. */ void writeTrack(); /** * Stop any in-progress writes */ void stopWriteTrack(); /** * Returns true if the write completed successfully. */ boolean wasSuccess(); /** * Returns the error message (if any) generated by a writer failure. */ int getErrorMessage(); }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/TrackWriter.java
Java
asf20
2,142
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.sendtogoogle; import android.os.AsyncTask; /** * The abstract class for AsyncTasks sending a track to Google. * * @author Jimmy Shih */ public abstract class AbstractSendAsyncTask extends AsyncTask<Void, Integer, Boolean> { /** * The activity associated with this AsyncTask. */ private AbstractSendActivity activity; /** * True if the AsyncTask result is success. */ private boolean success; /** * True if the AsyncTask has completed. */ private boolean completed; /** * True if can retry the AsyncTask. */ private boolean canRetry; /** * Creates an AsyncTask. * * @param activity the activity currently associated with this AsyncTask */ public AbstractSendAsyncTask(AbstractSendActivity activity) { this.activity = activity; success = false; completed = false; canRetry = true; } /** * Sets the current activity associated with this AyncTask. * * @param activity the current activity, can be null */ public void setActivity(AbstractSendActivity activity) { this.activity = activity; if (completed && activity != null) { activity.onAsyncTaskCompleted(success); } } @Override protected void onPreExecute() { activity.showProgressDialog(); } @Override protected Boolean doInBackground(Void... params) { try { return performTask(); } finally { closeConnection(); if (success) { saveResult(); } } } @Override protected void onProgressUpdate(Integer... values) { if (activity != null) { activity.setProgressDialogValue(values[0]); } } @Override protected void onPostExecute(Boolean result) { success = result; completed = true; if (activity != null) { activity.onAsyncTaskCompleted(success); } } /** * Retries the task. First, invalidates the auth token. If can retry, invokes * {@link #performTask()}. Returns false if cannot retry. * * @return the result of the retry. */ protected boolean retryTask() { if (isCancelled()) { return false; } invalidateToken(); if (canRetry) { canRetry = false; return performTask(); } return false; } /** * Closes any AsyncTask connection. */ protected abstract void closeConnection(); /** * Saves any AsyncTask result. */ protected abstract void saveResult(); /** * Performs the AsyncTask. * * @return true if success */ protected abstract boolean performTask(); /** * Invalidates the auth token. */ protected abstract void invalidateToken(); }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/sendtogoogle/AbstractSendAsyncTask.java
Java
asf20
3,261
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.sendtogoogle; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.common.annotations.VisibleForTesting; import android.location.Location; import android.util.Log; import java.util.ArrayList; import java.util.List; /** * Commons utilities for sending a track to Google. * * @author Jimmy Shih */ public class SendToGoogleUtils { private static final String TAG = SendToGoogleUtils.class.getSimpleName(); private SendToGoogleUtils() {} /** * Prepares a list of locations to send to Google Maps or Google Fusion * Tables. Splits the locations into segments if necessary. * * @param track the track * @param locations the list of locations * @return an array of split segments. */ public static ArrayList<Track> prepareLocations(Track track, List<Location> locations) { ArrayList<Track> splitTracks = new ArrayList<Track>(); // Create a new segment Track segment = new Track(); segment.setId(track.getId()); segment.setName(track.getName()); segment.setDescription(""); segment.setCategory(track.getCategory()); TripStatistics segmentStats = segment.getStatistics(); TripStatistics trackStats = track.getStatistics(); segmentStats.setStartTime(trackStats.getStartTime()); segmentStats.setStopTime(trackStats.getStopTime()); boolean startNewTrackSegment = false; for (Location loc : locations) { // Latitude is greater than 90 if the location is invalid. Do not add to // the segment. if (loc.getLatitude() > 90) { startNewTrackSegment = true; } if (startNewTrackSegment) { // Close the last segment prepareTrackSegment(segment, splitTracks); startNewTrackSegment = false; segment = new Track(); segment.setId(track.getId()); segment.setName(track.getName()); segment.setDescription(""); segment.setCategory(track.getCategory()); segmentStats = segment.getStatistics(); } if (loc.getLatitude() <= 90) { segment.addLocation(loc); // For a new segment, sets its start time using the first available // location time. if (segmentStats.getStartTime() < 0) { segmentStats.setStartTime(loc.getTime()); } } } prepareTrackSegment(segment, splitTracks); return splitTracks; } /** * Prepares a track segment for sending to Google Maps or Google Fusion * Tables. The main steps are: * <ul> * <li>make sure the segment has at least 2 points</li> * <li>set the segment stop time if necessary</li> * <li>decimate locations precision</li> * </ul> * The prepared track will be added to the splitTracks. * * @param segment the track segment * @param splitTracks an array of track segments */ @VisibleForTesting static boolean prepareTrackSegment(Track segment, ArrayList<Track> splitTracks) { // Make sure the segment has at least 2 points if (segment.getLocations().size() < 2) { Log.d(TAG, "segment has less than 2 points"); return false; } // For a new segment, sets it stop time TripStatistics segmentStats = segment.getStatistics(); if (segmentStats.getStopTime() < 0) { Location lastLocation = segment.getLocations().get(segment.getLocations().size() - 1); segmentStats.setStopTime(lastLocation.getTime()); } // Decimate to 2 meter precision. Google Maps and Google Fusion Tables do // not like the locations to be too precise. LocationUtils.decimate(segment, 2.0); splitTracks.add(segment); return true; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/sendtogoogle/SendToGoogleUtils.java
Java
asf20
4,385
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.sendtogoogle; import android.accounts.Account; import android.os.Parcel; import android.os.Parcelable; /** * Send request states for sending a track to Google Maps, Google Fusion Tables, * and Google Docs. * * @author Jimmy Shih */ public class SendRequest implements Parcelable { public static final String SEND_REQUEST_KEY = "sendRequest"; private long trackId = -1L; private boolean showMaps = false; private boolean showFusionTables = false; private boolean showDocs = false; private boolean sendMaps = false; private boolean sendFusionTables = false; private boolean sendDocs = false; private boolean newMap = false; private Account account = null; private String mapId = null; private boolean mapsSuccess = false; private boolean docsSuccess = false; private boolean fusionTablesSuccess = false; /** * Creates a new send request. * * @param trackId the track id * @param showMaps true to show the Google Maps option * @param showFusionTables true to show the Google Fusion Tables option * @param showDocs true to show the Google Docs option */ public SendRequest(long trackId, boolean showMaps, boolean showFusionTables, boolean showDocs) { this.trackId = trackId; this.showMaps = showMaps; this.showFusionTables = showFusionTables; this.showDocs = showDocs; } /** * Get the track id. */ public long getTrackId() { return trackId; } /** * True if showing the send to Google Maps option. */ public boolean isShowMaps() { return showMaps; } /** * True if showing the send to Google Fusion Tables option. */ public boolean isShowFusionTables() { return showFusionTables; } /** * True if showing the send to Google Docs option. */ public boolean isShowDocs() { return showDocs; } /** * True if showing all the send options. */ public boolean isShowAll() { return showMaps && showFusionTables && showDocs; } /** * True if the user has selected the send to Google Maps option. */ public boolean isSendMaps() { return sendMaps; } /** * Sets the send to Google Maps option. * * @param sendMaps true if the user has selected the send to Google Maps * option */ public void setSendMaps(boolean sendMaps) { this.sendMaps = sendMaps; } /** * True if the user has selected the send to Google Fusion Tables option. */ public boolean isSendFusionTables() { return sendFusionTables; } /** * Sets the send to Google Fusion Tables option. * * @param sendFusionTables true if the user has selected the send to Google * Fusion Tables option */ public void setSendFusionTables(boolean sendFusionTables) { this.sendFusionTables = sendFusionTables; } /** * True if the user has selected the send to Google Docs option. */ public boolean isSendDocs() { return sendDocs; } /** * Sets the send to Google Docs option. * * @param sendDocs true if the user has selected the send to Google Docs * option */ public void setSendDocs(boolean sendDocs) { this.sendDocs = sendDocs; } /** * True if the user has selected to create a new Google Maps. */ public boolean isNewMap() { return newMap; } /** * Sets the new map option. * * @param newMap true if the user has selected to create a new Google Maps. */ public void setNewMap(boolean newMap) { this.newMap = newMap; } /** * Gets the account. */ public Account getAccount() { return account; } /** * Sets the account. * * @param account the account */ public void setAccount(Account account) { this.account = account; } /** * Gets the selected map id if the user has selected to send a track to an * existing Google Maps. */ public String getMapId() { return mapId; } /** * Sets the map id. * * @param mapId the map id */ public void setMapId(String mapId) { this.mapId = mapId; } /** * True if sending to Google Maps is success. */ public boolean isMapsSuccess() { return mapsSuccess; } /** * Sets the Google Maps result. * * @param mapsSuccess true if sending to Google Maps is success */ public void setMapsSuccess(boolean mapsSuccess) { this.mapsSuccess = mapsSuccess; } /** * True if sending to Google Fusion Tables is success. */ public boolean isFusionTablesSuccess() { return fusionTablesSuccess; } /** * Sets the Google Fusion Tables result. * * @param fusionTablesSuccess true if sending to Google Fusion Tables is * success */ public void setFusionTablesSuccess(boolean fusionTablesSuccess) { this.fusionTablesSuccess = fusionTablesSuccess; } /** * True if sending to Google Docs is success. */ public boolean isDocsSuccess() { return docsSuccess; } /** * Sets the Google Docs result. * * @param docsSuccess true if sending to Google Docs is success */ public void setDocsSuccess(boolean docsSuccess) { this.docsSuccess = docsSuccess; } private SendRequest(Parcel in) { trackId = in.readLong(); showMaps = in.readByte() == 1; showFusionTables = in.readByte() == 1; showDocs = in.readByte() == 1; sendMaps = in.readByte() == 1; sendFusionTables = in.readByte() == 1; sendDocs = in.readByte() == 1; newMap = in.readByte() == 1; account = in.readParcelable(null); mapId = in.readString(); mapsSuccess = in.readByte() == 1; fusionTablesSuccess = in.readByte() == 1; docsSuccess = in.readByte() == 1; } @Override public int describeContents() { return 0; } @Override public void writeToParcel(Parcel out, int flags) { out.writeLong(trackId); out.writeByte((byte) (showMaps ? 1 : 0)); out.writeByte((byte) (showFusionTables ? 1 : 0)); out.writeByte((byte) (showDocs ? 1 : 0)); out.writeByte((byte) (sendMaps ? 1 : 0)); out.writeByte((byte) (sendFusionTables ? 1 : 0)); out.writeByte((byte) (sendDocs ? 1 : 0)); out.writeByte((byte) (newMap ? 1 : 0)); out.writeParcelable(account, 0); out.writeString(mapId); out.writeByte((byte) (mapsSuccess ? 1 : 0)); out.writeByte((byte) (fusionTablesSuccess ? 1 : 0)); out.writeByte((byte) (docsSuccess ? 1 : 0)); } public static final Parcelable.Creator<SendRequest> CREATOR = new Parcelable.Creator< SendRequest>() { public SendRequest createFromParcel(Parcel in) { return new SendRequest(in); } public SendRequest[] newArray(int size) { return new SendRequest[size]; } }; }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/sendtogoogle/SendRequest.java
Java
asf20
7,323
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.sendtogoogle; import com.google.android.apps.mytracks.util.DialogUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.app.Dialog; import android.app.ProgressDialog; import android.content.DialogInterface; import android.os.Bundle; /** * The abstract class for activities sending a track to Google. * <p> * The activity gets recreated when the screen rotates. To support the activity * displaying a progress dialog, we do the following: * <ul> * <li>use one instance of an AyncTask to send the track</li> * <li>save that instance as the last non configuration instance of the activity * </li> * <li>when a new activity is created, pass the activity to the AsyncTask so * that the AsyncTask can update the progress dialog of the activity</li> * </ul> * * @author Jimmy Shih */ public abstract class AbstractSendActivity extends Activity { private static final int DIALOG_PROGRESS_ID = 0; protected SendRequest sendRequest; private AbstractSendAsyncTask asyncTask; private ProgressDialog progressDialog; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); sendRequest = getIntent().getParcelableExtra(SendRequest.SEND_REQUEST_KEY); Object retained = getLastNonConfigurationInstance(); if (retained instanceof AbstractSendAsyncTask) { asyncTask = (AbstractSendAsyncTask) retained; asyncTask.setActivity(this); } else { asyncTask = createAsyncTask(); asyncTask.execute(); } } @Override public Object onRetainNonConfigurationInstance() { asyncTask.setActivity(null); return asyncTask; } @Override protected Dialog onCreateDialog(int id) { if (id != DIALOG_PROGRESS_ID) { return null; } progressDialog = DialogUtils.createHorizontalProgressDialog( this, R.string.send_google_progress_message, new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { asyncTask.cancel(true); startNextActivity(false, true); } }, getServiceName()); return progressDialog; } /** * Invokes when the associated AsyncTask completes. * * @param success true if the AsyncTask is successful */ public void onAsyncTaskCompleted(boolean success) { startNextActivity(success, false); } /** * Shows the progress dialog. */ public void showProgressDialog() { showDialog(DIALOG_PROGRESS_ID); } /** * Sets the progress dialog value. * * @param value the dialog value */ public void setProgressDialogValue(int value) { if (progressDialog != null) { progressDialog.setIndeterminate(false); progressDialog.setProgress(value); progressDialog.setMax(100); } } /** * Creates the AsyncTask. */ protected abstract AbstractSendAsyncTask createAsyncTask(); /** * Gets the service name. */ protected abstract String getServiceName(); /** * Starts the next activity. * * @param success true if this activity is successful * @param isCancel true if it is a cancel request */ protected abstract void startNextActivity(boolean success, boolean isCancel); }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/sendtogoogle/AbstractSendActivity.java
Java
asf20
3,888
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.sendtogoogle; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.io.docs.SendDocsActivity; import com.google.android.apps.mytracks.io.fusiontables.SendFusionTablesActivity; import com.google.android.apps.mytracks.io.fusiontables.SendFusionTablesUtils; import com.google.android.apps.mytracks.io.gdata.docs.DocumentsClient; import com.google.android.apps.mytracks.io.gdata.docs.SpreadsheetsClient; import com.google.android.apps.mytracks.io.gdata.maps.MapsConstants; import com.google.android.apps.mytracks.io.maps.ChooseMapActivity; import com.google.android.apps.mytracks.io.maps.SendMapsActivity; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.maps.mytracks.R; import android.accounts.Account; import android.accounts.AccountManager; import android.accounts.AccountManagerCallback; import android.accounts.AccountManagerFuture; import android.accounts.AuthenticatorException; import android.accounts.OperationCanceledException; import android.app.Activity; import android.app.AlertDialog; import android.app.Dialog; import android.content.Context; import android.content.DialogInterface; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.os.Bundle; import android.util.Log; import java.io.IOException; /** * A chooser to select an account. * * @author Jimmy Shih */ public class AccountChooserActivity extends Activity { private static final String TAG = AccountChooserActivity.class.getSimpleName(); private static final int DIALOG_NO_ACCOUNT_ID = 0; private static final int DIALOG_CHOOSER_ID = 1; /** * A callback after getting the permission to access a Google service. * * @author Jimmy Shih */ private interface PermissionCallback { /** * To be invoked when the permission is granted. */ public void onSuccess(); /** * To be invoked when the permission is not granted. */ public void onFailure(); } private SendRequest sendRequest; private Account[] accounts; private int selectedAccountIndex; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); sendRequest = getIntent().getParcelableExtra(SendRequest.SEND_REQUEST_KEY); accounts = AccountManager.get(this).getAccountsByType(Constants.ACCOUNT_TYPE); if (accounts.length == 1) { sendRequest.setAccount(accounts[0]); getPermission(MapsConstants.SERVICE_NAME, sendRequest.isSendMaps(), mapsCallback); return; } SharedPreferences prefs = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); String preferredAccount = prefs.getString(getString(R.string.preferred_account_key), ""); selectedAccountIndex = 0; for (int i = 0; i < accounts.length; i++) { if (accounts[i].name.equals(preferredAccount)) { selectedAccountIndex = i; break; } } } @Override protected void onResume() { super.onResume(); if (accounts.length == 0) { showDialog(DIALOG_NO_ACCOUNT_ID); } else if (accounts.length > 1 ) { showDialog(DIALOG_CHOOSER_ID); } } @Override protected Dialog onCreateDialog(int id) { switch (id) { case DIALOG_NO_ACCOUNT_ID: return new AlertDialog.Builder(this) .setCancelable(true) .setMessage(R.string.send_google_no_account_message) .setOnCancelListener(new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { finish(); } }) .setPositiveButton(R.string.generic_ok, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int which) { finish(); } }) .setTitle(R.string.send_google_no_account_title) .create(); case DIALOG_CHOOSER_ID: return createChooserDialog(); default: return null; } } /** * Creates a chooser dialog. */ private Dialog createChooserDialog() { String[] choices = new String[accounts.length]; for (int i = 0; i < accounts.length; i++) { choices[i] = accounts[i].name; } return new AlertDialog.Builder(this) .setCancelable(true) .setNegativeButton(R.string.generic_cancel, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int which) { finish(); } }) .setOnCancelListener(new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { finish(); } }) .setPositiveButton(R.string.generic_ok, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int which) { Account account = accounts[selectedAccountIndex]; SharedPreferences sharedPreferences = getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); Editor editor = sharedPreferences.edit(); editor.putString(getString(R.string.preferred_account_key), account.name); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); sendRequest.setAccount(account); getPermission(MapsConstants.SERVICE_NAME, sendRequest.isSendMaps(), mapsCallback); } }) .setSingleChoiceItems( choices, selectedAccountIndex, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { selectedAccountIndex = which; } }) .setTitle(R.string.send_google_choose_account_title) .create(); } private PermissionCallback spreadsheetsCallback = new PermissionCallback() { @Override public void onSuccess() { startNextActivity(); } @Override public void onFailure() { finish(); } }; private PermissionCallback docsCallback = new PermissionCallback() { @Override public void onSuccess() { getPermission(SpreadsheetsClient.SERVICE, sendRequest.isSendDocs(), spreadsheetsCallback); } @Override public void onFailure() { finish(); } }; private PermissionCallback fusionTablesCallback = new PermissionCallback() { @Override public void onSuccess() { getPermission(DocumentsClient.SERVICE, sendRequest.isSendDocs(), docsCallback); } @Override public void onFailure() { finish(); } }; private PermissionCallback mapsCallback = new PermissionCallback() { @Override public void onSuccess() { getPermission( SendFusionTablesUtils.SERVICE, sendRequest.isSendFusionTables(), fusionTablesCallback); } @Override public void onFailure() { finish(); } }; /** * Gets the user permission to access a service. * * @param authTokenType the auth token type of the service * @param needPermission true if need the permission * @param callback callback after getting the permission */ private void getPermission( String authTokenType, boolean needPermission, final PermissionCallback callback) { if (needPermission) { AccountManager.get(this).getAuthToken(sendRequest.getAccount(), authTokenType, null, this, new AccountManagerCallback<Bundle>() { @Override public void run(AccountManagerFuture<Bundle> future) { try { if (future.getResult().getString(AccountManager.KEY_AUTHTOKEN) != null) { callback.onSuccess(); } else { Log.d(TAG, "auth token is null"); callback.onFailure(); } } catch (OperationCanceledException e) { Log.d(TAG, "Unable to get auth token", e); callback.onFailure(); } catch (AuthenticatorException e) { Log.d(TAG, "Unable to get auth token", e); callback.onFailure(); } catch (IOException e) { Log.d(TAG, "Unable to get auth token", e); callback.onFailure(); } } }, null); } else { callback.onSuccess(); } } /** * Starts the next activity. If * <p> * sendMaps and newMap -> {@link SendMapsActivity} * <p> * sendMaps and !newMap -> {@link ChooseMapActivity} * <p> * !sendMaps && sendFusionTables -> {@link SendFusionTablesActivity} * <p> * !sendMaps && !sendFusionTables && sendDocs -> {@link SendDocsActivity} * <p> * !sendMaps && !sendFusionTables && !sendDocs -> {@link UploadResultActivity} * */ private void startNextActivity() { Class<?> next; if (sendRequest.isSendMaps()) { next = sendRequest.isNewMap() ? SendMapsActivity.class : ChooseMapActivity.class; } else if (sendRequest.isSendFusionTables()) { next = SendFusionTablesActivity.class; } else if (sendRequest.isSendDocs()) { next = SendDocsActivity.class; } else { next = UploadResultActivity.class; } Intent intent = new Intent(this, next) .putExtra(SendRequest.SEND_REQUEST_KEY, sendRequest); startActivity(intent); finish(); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/sendtogoogle/AccountChooserActivity.java
Java
asf20
10,132
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.sendtogoogle; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.io.fusiontables.SendFusionTablesUtils; import com.google.android.apps.mytracks.io.maps.SendMapsUtils; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.app.Activity; import android.app.AlertDialog; import android.app.Dialog; import android.content.Context; import android.content.DialogInterface; import android.content.Intent; import android.content.SharedPreferences; import android.os.Bundle; import android.view.View; import android.widget.ImageView; import android.widget.LinearLayout; import android.widget.TextView; /** * A dialog to show the result of uploading to Google services. * * @author Jimmy Shih */ public class UploadResultActivity extends Activity { private static final String TEXT_PLAIN_TYPE = "text/plain"; private static final int DIALOG_RESULT_ID = 0; private SendRequest sendRequest; private Track track; private String shareUrl; private Dialog dialog; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); sendRequest = getIntent().getParcelableExtra(SendRequest.SEND_REQUEST_KEY); track = null; shareUrl = null; if (sendRequest.isSendMaps() && sendRequest.isMapsSuccess()) { shareUrl = SendMapsUtils.getMapUrl(getTrack()); } if (shareUrl == null && sendRequest.isSendFusionTables() && sendRequest.isFusionTablesSuccess()) { shareUrl = SendFusionTablesUtils.getMapUrl(getTrack()); } } private Track getTrack() { if (track == null) { track = MyTracksProviderUtils.Factory.get(this).getTrack(sendRequest.getTrackId()); } return track; } @Override protected void onResume() { super.onResume(); showDialog(DIALOG_RESULT_ID); } @Override protected Dialog onCreateDialog(int id) { if (id != DIALOG_RESULT_ID) { return null; } View view = getLayoutInflater().inflate(R.layout.upload_result, null); LinearLayout mapsResult = (LinearLayout) view.findViewById(R.id.upload_result_maps_result); LinearLayout fusionTablesResult = (LinearLayout) view.findViewById( R.id.upload_result_fusion_tables_result); LinearLayout docsResult = (LinearLayout) view.findViewById(R.id.upload_result_docs_result); ImageView mapsResultIcon = (ImageView) view.findViewById(R.id.upload_result_maps_result_icon); ImageView fusionTablesResultIcon = (ImageView) view.findViewById( R.id.upload_result_fusion_tables_result_icon); ImageView docsResultIcon = (ImageView) view.findViewById(R.id.upload_result_docs_result_icon); TextView successFooter = (TextView) view.findViewById(R.id.upload_result_success_footer); TextView errorFooter = (TextView) view.findViewById(R.id.upload_result_error_footer); boolean hasError = false; if (!sendRequest.isSendMaps()) { mapsResult.setVisibility(View.GONE); } else { if (!sendRequest.isMapsSuccess()) { mapsResultIcon.setImageResource(R.drawable.failure); mapsResultIcon.setContentDescription(getString(R.string.generic_error_title)); hasError = true; } } if (!sendRequest.isSendFusionTables()) { fusionTablesResult.setVisibility(View.GONE); } else { if (!sendRequest.isFusionTablesSuccess()) { fusionTablesResultIcon.setImageResource(R.drawable.failure); fusionTablesResultIcon.setContentDescription(getString(R.string.generic_error_title)); hasError = true; } } if (!sendRequest.isSendDocs()) { docsResult.setVisibility(View.GONE); } else { if (!sendRequest.isDocsSuccess()) { docsResultIcon.setImageResource(R.drawable.failure); docsResultIcon.setContentDescription(getString(R.string.generic_error_title)); hasError = true; } } if (hasError) { successFooter.setVisibility(View.GONE); } else { errorFooter.setVisibility(View.GONE); } AlertDialog.Builder builder = new AlertDialog.Builder(this) .setCancelable(true) .setIcon(hasError ? android.R.drawable.ic_dialog_alert : android.R.drawable.ic_dialog_info) .setOnCancelListener(new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { finish(); } }) .setPositiveButton(R.string.generic_ok, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { if (!sendRequest.isShowAll() && shareUrl != null) { startShareUrlActivity(shareUrl); } finish(); } }) .setTitle(hasError ? R.string.generic_error_title : R.string.generic_success_title) .setView(view); // Add a Share URL button if showing all the options and a shareUrl exists if (sendRequest.isShowAll() && shareUrl != null) { builder.setNegativeButton( R.string.send_google_result_share_url, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { startShareUrlActivity(shareUrl); finish(); } }); } dialog = builder.create(); return dialog; } /** * Starts an activity to share the url. * * @param url the url */ private void startShareUrlActivity(String url) { SharedPreferences prefs = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); boolean shareUrlOnly = prefs.getBoolean(getString(R.string.share_url_only_key), false); Intent intent = new Intent(Intent.ACTION_SEND); intent.setType(TEXT_PLAIN_TYPE); intent.putExtra(Intent.EXTRA_SUBJECT, getString(R.string.share_track_subject)); intent.putExtra(Intent.EXTRA_TEXT, shareUrlOnly ? url : getString(R.string.share_track_url_body_format, url)); startActivity(Intent.createChooser(intent, getString(R.string.share_track_picker_title))); } @VisibleForTesting Dialog getDialog() { return dialog; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/sendtogoogle/UploadResultActivity.java
Java
asf20
6,985
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.sendtogoogle; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.util.AnalyticsUtils; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.app.Activity; import android.app.AlertDialog; import android.app.Dialog; import android.content.Context; import android.content.DialogInterface; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.os.Bundle; import android.view.View; import android.widget.CheckBox; import android.widget.CompoundButton; import android.widget.CompoundButton.OnCheckedChangeListener; import android.widget.RadioButton; import android.widget.TableRow; import android.widget.Toast; import java.util.ArrayList; /** * A chooser to select the Google services to upload a track to. * * @author Jimmy Shih */ public class UploadServiceChooserActivity extends Activity { private static final int DIALOG_CHOOSER_ID = 0; private SendRequest sendRequest; private AlertDialog alertDialog; private TableRow mapsTableRow; private TableRow fusionTablesTableRow; private TableRow docsTableRow; private CheckBox mapsCheckBox; private CheckBox fusionTablesCheckBox; private CheckBox docsCheckBox; private TableRow mapsOptionTableRow; private RadioButton newMapRadioButton; private RadioButton existingMapRadioButton; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); sendRequest = getIntent().getParcelableExtra(SendRequest.SEND_REQUEST_KEY); } @Override protected void onResume() { super.onResume(); showDialog(DIALOG_CHOOSER_ID); } @Override protected Dialog onCreateDialog(int id) { if (id != DIALOG_CHOOSER_ID) { return null; } View view = getLayoutInflater().inflate(R.layout.upload_service_chooser, null); mapsTableRow = (TableRow) view.findViewById(R.id.send_google_maps_row); fusionTablesTableRow = (TableRow) view.findViewById(R.id.send_google_fusion_tables_row); docsTableRow = (TableRow) view.findViewById(R.id.send_google_docs_row); mapsCheckBox = (CheckBox) view.findViewById(R.id.send_google_maps); fusionTablesCheckBox = (CheckBox) view.findViewById(R.id.send_google_fusion_tables); docsCheckBox = (CheckBox) view.findViewById(R.id.send_google_docs); mapsOptionTableRow = (TableRow) view.findViewById(R.id.send_google_maps_option_row); newMapRadioButton = (RadioButton) view.findViewById(R.id.send_google_new_map); existingMapRadioButton = (RadioButton) view.findViewById(R.id.send_google_existing_map); // Setup checkboxes OnCheckedChangeListener checkBoxListener = new OnCheckedChangeListener() { public void onCheckedChanged(CompoundButton button, boolean checked) { updateStateBySelection(); } }; mapsCheckBox.setOnCheckedChangeListener(checkBoxListener); fusionTablesCheckBox.setOnCheckedChangeListener(checkBoxListener); docsCheckBox.setOnCheckedChangeListener(checkBoxListener); // Setup initial state initState(); // Update state based on sendRequest updateStateBySendRequest(); // Update state based on current selection updateStateBySelection(); alertDialog = new AlertDialog.Builder(this) .setCancelable(true) .setNegativeButton(R.string.generic_cancel, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { finish(); } }) .setOnCancelListener(new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface d) { finish(); } }) .setPositiveButton(R.string.send_google_send_now, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { saveState(); if (sendMaps() || sendFusionTables() || sendDocs()) { startNextActivity(); } else { Toast.makeText(UploadServiceChooserActivity.this, R.string.send_google_no_service_selected, Toast.LENGTH_LONG).show(); finish(); } } }) .setTitle(R.string.send_google_title) .setView(view) .create(); return alertDialog; } /** * Initializes the UI state based on the shared preferences. */ @VisibleForTesting void initState() { SharedPreferences prefs = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); boolean pickExistingMap = prefs.getBoolean(getString(R.string.pick_existing_map_key), false); newMapRadioButton.setChecked(!pickExistingMap); existingMapRadioButton.setChecked(pickExistingMap); mapsCheckBox.setChecked(prefs.getBoolean(getString(R.string.send_to_maps_key), true)); fusionTablesCheckBox.setChecked( prefs.getBoolean(getString(R.string.send_to_fusion_tables_key), true)); docsCheckBox.setChecked(prefs.getBoolean(getString(R.string.send_to_docs_key), true)); } /** * Updates the UI state based on sendRequest. */ private void updateStateBySendRequest() { if (!sendRequest.isShowAll()) { if (sendRequest.isShowMaps()) { mapsCheckBox.setChecked(true); } else if (sendRequest.isShowFusionTables()) { fusionTablesCheckBox.setChecked(true); } else if (sendRequest.isShowDocs()) { docsCheckBox.setChecked(true); } } mapsTableRow.setVisibility(sendRequest.isShowMaps() ? View.VISIBLE : View.GONE); fusionTablesTableRow.setVisibility(sendRequest.isShowFusionTables() ? View.VISIBLE : View.GONE); docsTableRow.setVisibility(sendRequest.isShowDocs() ? View.VISIBLE : View.GONE); } /** * Updates the UI state based on the current selection. */ private void updateStateBySelection() { mapsOptionTableRow.setVisibility(sendMaps() ? View.VISIBLE : View.GONE); } /** * Saves the UI state to the shared preferences. */ @VisibleForTesting void saveState() { SharedPreferences prefs = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); Editor editor = prefs.edit(); editor.putBoolean( getString(R.string.pick_existing_map_key), existingMapRadioButton.isChecked()); if (sendRequest.isShowAll()) { editor.putBoolean(getString(R.string.send_to_maps_key), sendMaps()); editor.putBoolean(getString(R.string.send_to_fusion_tables_key), sendFusionTables()); editor.putBoolean(getString(R.string.send_to_docs_key), sendDocs()); } ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); } /** * Returns true to send to Google Maps. */ private boolean sendMaps() { return sendRequest.isShowMaps() && mapsCheckBox.isChecked(); } /** * Returns true to send to Google Fusion Tables. */ private boolean sendFusionTables() { return sendRequest.isShowFusionTables() && fusionTablesCheckBox.isChecked(); } /** * Returns true to send to Google Docs. */ private boolean sendDocs() { return sendRequest.isShowDocs() && docsCheckBox.isChecked(); } /** * Starts the next activity, {@link AccountChooserActivity}. */ @VisibleForTesting protected void startNextActivity() { sendStats(); sendRequest.setSendMaps(sendMaps()); sendRequest.setSendFusionTables(sendFusionTables()); sendRequest.setSendDocs(sendDocs()); sendRequest.setNewMap(!existingMapRadioButton.isChecked()); Intent intent = new Intent(this, AccountChooserActivity.class) .putExtra(SendRequest.SEND_REQUEST_KEY, sendRequest); startActivity(intent); finish(); } /** * Sends stats to Google Analytics. */ private void sendStats() { ArrayList<String> pages = new ArrayList<String>(); if (sendRequest.isSendMaps()) { pages.add("/send/maps"); } if (sendRequest.isSendFusionTables()) { pages.add("/send/fusion_tables"); } if (sendRequest.isSendDocs()) { pages.add("/send/docs"); } AnalyticsUtils.sendPageViews(this, pages.toArray(new String[pages.size()])); } @VisibleForTesting AlertDialog getAlertDialog() { return alertDialog; } @VisibleForTesting SendRequest getSendRequest() { return sendRequest; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/sendtogoogle/UploadServiceChooserActivity.java
Java
asf20
9,131
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.gdata; import com.google.android.apps.mytracks.Constants; import com.google.wireless.gdata.client.GDataClient; import android.content.Context; import android.util.Log; /** * This factory will fetch the right class for the platform. * * @author Sandor Dornbush */ public class GDataClientFactory { private GDataClientFactory() { } /** * Creates a new GData client. * This factory will fetch the right class for the platform. * @return A GDataClient appropriate for this platform */ public static GDataClient getGDataClient(Context context) { // TODO This should be moved into ApiAdapter try { // Try to use the official unbundled gdata client implementation. // This should work on Froyo and beyond. return new com.google.android.common.gdata.AndroidGDataClient(context); } catch (LinkageError e) { // On all other platforms use the client implementation packaged in the // apk. Log.i(Constants.TAG, "Using mytracks AndroidGDataClient.", e); return new com.google.android.apps.mytracks.io.gdata.AndroidGDataClient(); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/GDataClientFactory.java
Java
asf20
1,745
/* * Copyright 2007 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.gdata.docs; import com.google.wireless.gdata.client.GDataClient; import com.google.wireless.gdata.client.GDataParserFactory; import com.google.wireless.gdata.client.GDataServiceClient; import com.google.wireless.gdata.client.HttpException; import com.google.wireless.gdata.data.Entry; import com.google.wireless.gdata.data.StringUtils; import com.google.wireless.gdata.parser.GDataParser; import com.google.wireless.gdata.parser.ParseException; import com.google.wireless.gdata.serializer.GDataSerializer; import com.google.wireless.gdata2.client.AuthenticationException; import java.io.IOException; import java.io.InputStream; /** * GDataServiceClient for accessing Google Spreadsheets. This client can access * and parse all of the Spreadsheets feed types: Spreadsheets feed, Worksheets * feed, List feed, and Cells feed. Read operations are supported on all feed * types, but only the List and Cells feeds support write operations. (This is a * limitation of the protocol, not this API. Such write access may be added to * the protocol in the future, requiring changes to this implementation.) * * Only 'private' visibility and 'full' projections are currently supported. */ public class SpreadsheetsClient extends GDataServiceClient { /** The name of the service, dictated to be 'wise' by the protocol. */ public static final String SERVICE = "wise"; /** Standard base feed url for spreadsheets. */ public static final String SPREADSHEETS_BASE_FEED_URL = "http://spreadsheets.google.com/feeds/spreadsheets/private/full"; /** * Represents an entry in a GData Spreadsheets meta-feed. */ public static class SpreadsheetEntry extends Entry { } /** * Represents an entry in a GData Worksheets meta-feed. */ public static class WorksheetEntry extends Entry { } /** * Creates a new SpreadsheetsClient. Uses the standard base URL for * spreadsheets feeds. * * @param client The GDataClient that should be used to authenticate requests, * retrieve feeds, etc */ public SpreadsheetsClient(GDataClient client, GDataParserFactory spreadsheetFactory) { super(client, spreadsheetFactory); } @Override public String getServiceName() { return SERVICE; } /** * Returns a parser for the specified feed type. * * @param feedEntryClass the Class of entry type that will be parsed, which * lets this method figure out which parser to create * @param feedUri the URI of the feed to be fetched and parsed * @param authToken the current authToken to use for the request * @return a parser for the indicated feed * @throws AuthenticationException if the authToken is not valid * @throws ParseException if the response from the server could not be parsed */ private GDataParser getParserForTypedFeed( Class<? extends Entry> feedEntryClass, String feedUri, String authToken) throws AuthenticationException, ParseException, IOException { GDataClient gDataClient = getGDataClient(); GDataParserFactory gDataParserFactory = getGDataParserFactory(); try { InputStream is = gDataClient.getFeedAsStream(feedUri, authToken); return gDataParserFactory.createParser(feedEntryClass, is); } catch (HttpException e) { convertHttpExceptionForReads("Could not fetch parser feed.", e); return null; // never reached } } /** * Converts an HTTP exception that happened while reading into the equivalent * local exception. */ public void convertHttpExceptionForReads(String message, HttpException cause) throws AuthenticationException, IOException { switch (cause.getStatusCode()) { case HttpException.SC_FORBIDDEN: case HttpException.SC_UNAUTHORIZED: throw new AuthenticationException(message, cause); case HttpException.SC_GONE: default: throw new IOException(message + ": " + cause.getMessage()); } } @Override public Entry createEntry(String feedUri, String authToken, Entry entry) throws ParseException, IOException { GDataParserFactory factory = getGDataParserFactory(); GDataSerializer serializer = factory.createSerializer(entry); InputStream is; try { is = getGDataClient().createEntry(feedUri, authToken, serializer); } catch (HttpException e) { convertHttpExceptionForWrites(entry.getClass(), "Could not update entry.", e); return null; // never reached. } GDataParser parser = factory.createParser(entry.getClass(), is); try { return parser.parseStandaloneEntry(); } finally { parser.close(); } } /** * Fetches a GDataParser for the indicated feed. The parser can be used to * access the contents of URI. WARNING: because we cannot reliably infer the * feed type from the URI alone, this method assumes the default feed type! * This is probably NOT what you want. Please use the getParserFor[Type]Feed * methods. * * @param feedEntryClass * @param feedUri the URI of the feed to be fetched and parsed * @param authToken the current authToken to use for the request * @return a parser for the indicated feed * @throws ParseException if the response from the server could not be parsed */ @SuppressWarnings("rawtypes") @Override public GDataParser getParserForFeed( Class feedEntryClass, String feedUri, String authToken) throws ParseException, IOException { try { return getParserForTypedFeed(SpreadsheetEntry.class, feedUri, authToken); } catch (AuthenticationException e) { throw new IOException("Authentication Failure: " + e.getMessage()); } } /** * Returns a parser for a Worksheets meta-feed. * * @param feedUri the URI of the feed to be fetched and parsed * @param authToken the current authToken to use for the request * @return a parser for the indicated feed * @throws AuthenticationException if the authToken is not valid * @throws ParseException if the response from the server could not be parsed */ public GDataParser getParserForWorksheetsFeed( String feedUri, String authToken) throws AuthenticationException, ParseException, IOException { return getParserForTypedFeed(WorksheetEntry.class, feedUri, authToken); } /** * Updates an entry. The URI to be updated is taken from <code>entry</code>. * Note that only entries in List and Cells feeds can be updated, so * <code>entry</code> must be of the corresponding type; other types will * result in an exception. * * @param entry the entry to be updated; must include its URI * @param authToken the current authToken to be used for the operation * @return An Entry containing the re-parsed version of the entry returned by * the server in response to the update * @throws ParseException if the server returned an error, if the server's * response was unparseable (unlikely), or if <code>entry</code> is of * a read-only type * @throws IOException on network error */ @Override public Entry updateEntry(Entry entry, String authToken) throws ParseException, IOException { GDataParserFactory factory = getGDataParserFactory(); GDataSerializer serializer = factory.createSerializer(entry); String editUri = entry.getEditUri(); if (StringUtils.isEmpty(editUri)) { throw new ParseException("No edit URI -- cannot update."); } InputStream is; try { is = getGDataClient().updateEntry(editUri, authToken, serializer); } catch (HttpException e) { convertHttpExceptionForWrites(entry.getClass(), "Could not update entry.", e); return null; // never reached } GDataParser parser = factory.createParser(entry.getClass(), is); try { return parser.parseStandaloneEntry(); } finally { parser.close(); } } /** * Converts an HTTP exception which happened while writing to the equivalent * local exception. */ @SuppressWarnings("rawtypes") private void convertHttpExceptionForWrites( Class entryClass, String message, HttpException cause) throws ParseException, IOException { switch (cause.getStatusCode()) { case HttpException.SC_CONFLICT: if (entryClass != null) { InputStream is = cause.getResponseStream(); if (is != null) { parseEntry(entryClass, cause.getResponseStream()); } } throw new IOException(message); case HttpException.SC_BAD_REQUEST: throw new ParseException(message + ": " + cause); case HttpException.SC_FORBIDDEN: case HttpException.SC_UNAUTHORIZED: throw new IOException(message); default: throw new IOException(message + ": " + cause.getMessage()); } } /** * Parses one entry from the input stream. */ @SuppressWarnings("rawtypes") private Entry parseEntry(Class entryClass, InputStream is) throws ParseException, IOException { GDataParser parser = null; try { parser = getGDataParserFactory().createParser(entryClass, is); return parser.parseStandaloneEntry(); } finally { if (parser != null) { parser.close(); } } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/docs/SpreadsheetsClient.java
Java
asf20
9,909
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.gdata.docs; import com.google.wireless.gdata.client.GDataClient; import com.google.wireless.gdata.client.GDataParserFactory; import com.google.wireless.gdata.client.GDataServiceClient; /** * GDataServiceClient for accessing Google Documents. This is not a full * implementation. */ public class DocumentsClient extends GDataServiceClient { /** The name of the service, dictated to be 'wise' by the protocol. */ public static final String SERVICE = "writely"; /** * Creates a new DocumentsClient. * * @param client The GDataClient that should be used to authenticate requests, * retrieve feeds, etc * @param parserFactory The GDataParserFactory that should be used to obtain * GDataParsers used by this client */ public DocumentsClient(GDataClient client, GDataParserFactory parserFactory) { super(client, parserFactory); } @Override public String getServiceName() { return SERVICE; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/docs/DocumentsClient.java
Java
asf20
1,591
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.gdata.docs; import com.google.wireless.gdata.client.GDataParserFactory; import com.google.wireless.gdata.data.Entry; import com.google.wireless.gdata.parser.GDataParser; import com.google.wireless.gdata.parser.ParseException; import com.google.wireless.gdata.parser.xml.XmlGDataParser; import com.google.wireless.gdata.parser.xml.XmlParserFactory; import com.google.wireless.gdata.serializer.GDataSerializer; import com.google.wireless.gdata.serializer.xml.XmlEntryGDataSerializer; import java.io.InputStream; import org.xmlpull.v1.XmlPullParserException; /** * Factory of Xml parsers for gdata maps data. */ public class XmlDocsGDataParserFactory implements GDataParserFactory { private XmlParserFactory xmlFactory; public XmlDocsGDataParserFactory(XmlParserFactory xmlFactory) { this.xmlFactory = xmlFactory; } @Override public GDataParser createParser(InputStream is) throws ParseException { try { return new XmlGDataParser(is, xmlFactory.createParser()); } catch (XmlPullParserException e) { e.printStackTrace(); return null; } } @SuppressWarnings("rawtypes") @Override public GDataParser createParser(Class cls, InputStream is) throws ParseException { try { return createParserForClass(is); } catch (XmlPullParserException e) { e.printStackTrace(); return null; } } private GDataParser createParserForClass(InputStream is) throws ParseException, XmlPullParserException { return new XmlGDataParser(is, xmlFactory.createParser()); } @Override public GDataSerializer createSerializer(Entry en) { return new XmlEntryGDataSerializer(xmlFactory, en); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/docs/XmlDocsGDataParserFactory.java
Java
asf20
2,313
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; import com.google.wireless.gdata.data.Entry; import com.google.wireless.gdata.data.Feed; import com.google.wireless.gdata.data.XmlUtils; import com.google.wireless.gdata.parser.ParseException; import com.google.wireless.gdata.parser.xml.XmlGDataParser; import org.xmlpull.v1.XmlPullParser; import org.xmlpull.v1.XmlPullParserException; import java.io.IOException; import java.io.InputStream; /** * Parser for XML gdata maps data. */ class XmlMapsGDataParser extends XmlGDataParser { public XmlMapsGDataParser(InputStream is, XmlPullParser xpp) throws ParseException { super(is, xpp); } @Override protected Feed createFeed() { return new Feed(); } @Override protected Entry createEntry() { return new MapFeatureEntry(); } @Override protected void handleExtraElementInFeed(Feed feed) { // Do nothing } @Override protected void handleExtraLinkInEntry( String rel, String type, String href, Entry entry) throws XmlPullParserException, IOException { if (!(entry instanceof MapFeatureEntry)) { throw new IllegalArgumentException("Expected MapFeatureEntry!"); } if (rel.endsWith("#view")) { return; } super.handleExtraLinkInEntry(rel, type, href, entry); } /** * Parses the current entry in the XML document. Assumes that the parser is * currently pointing just after an &lt;entry&gt;. * * @param plainEntry The entry that will be filled. * @throws XmlPullParserException Thrown if the XML cannot be parsed. * @throws IOException Thrown if the underlying inputstream cannot be read. */ @Override protected void handleEntry(Entry plainEntry) throws XmlPullParserException, IOException, ParseException { XmlPullParser parser = getParser(); if (!(plainEntry instanceof MapFeatureEntry)) { throw new IllegalArgumentException("Expected MapFeatureEntry!"); } MapFeatureEntry entry = (MapFeatureEntry) plainEntry; int eventType = parser.getEventType(); entry.setPrivacy("public"); while (eventType != XmlPullParser.END_DOCUMENT) { switch (eventType) { case XmlPullParser.START_TAG: String name = parser.getName(); if ("entry".equals(name)) { // stop parsing here. return; } else if ("id".equals(name)) { entry.setId(XmlUtils.extractChildText(parser)); } else if ("title".equals(name)) { entry.setTitle(XmlUtils.extractChildText(parser)); } else if ("link".equals(name)) { String rel = parser.getAttributeValue(null /* ns */, "rel"); String type = parser.getAttributeValue(null /* ns */, "type"); String href = parser.getAttributeValue(null /* ns */, "href"); if ("edit".equals(rel)) { entry.setEditUri(href); } else if ("alternate".equals(rel) && "text/html".equals(type)) { entry.setHtmlUri(href); } else { handleExtraLinkInEntry(rel, type, href, entry); } } else if ("summary".equals(name)) { entry.setSummary(XmlUtils.extractChildText(parser)); } else if ("content".equals(name)) { StringBuilder contentBuilder = new StringBuilder(); int parentDepth = parser.getDepth(); while (parser.getEventType() != XmlPullParser.END_DOCUMENT) { int etype = parser.next(); switch (etype) { case XmlPullParser.START_TAG: contentBuilder.append('<'); contentBuilder.append(parser.getName()); contentBuilder.append('>'); break; case XmlPullParser.TEXT: contentBuilder.append("<![CDATA["); contentBuilder.append(parser.getText()); contentBuilder.append("]]>"); break; case XmlPullParser.END_TAG: if (parser.getDepth() > parentDepth) { contentBuilder.append("</"); contentBuilder.append(parser.getName()); contentBuilder.append('>'); } break; } if (etype == XmlPullParser.END_TAG && parser.getDepth() == parentDepth) { break; } } entry.setContent(contentBuilder.toString()); } else if ("category".equals(name)) { String category = parser.getAttributeValue(null /* ns */, "term"); if (category != null && category.length() > 0) { entry.setCategory(category); } String categoryScheme = parser.getAttributeValue(null /* ns */, "scheme"); if (categoryScheme != null && category.length() > 0) { entry.setCategoryScheme(categoryScheme); } } else if ("published".equals(name)) { entry.setPublicationDate(XmlUtils.extractChildText(parser)); } else if ("updated".equals(name)) { entry.setUpdateDate(XmlUtils.extractChildText(parser)); } else if ("deleted".equals(name)) { entry.setDeleted(true); } else if ("draft".equals(name)) { String draft = XmlUtils.extractChildText(parser); entry.setPrivacy("yes".equals(draft) ? "unlisted" : "public"); } else if ("customProperty".equals(name)) { String attrName = parser.getAttributeValue(null, "name"); String attrValue = XmlUtils.extractChildText(parser); entry.setAttribute(attrName, attrValue); } else if ("deleted".equals(name)) { entry.setDeleted(true); } else { handleExtraElementInEntry(entry); } break; default: break; } eventType = parser.next(); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/maps/XmlMapsGDataParser.java
Java
asf20
6,061
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; import com.google.wireless.gdata.data.StringUtils; import com.google.wireless.gdata.parser.ParseException; import com.google.wireless.gdata.parser.xml.XmlGDataParser; import com.google.wireless.gdata.parser.xml.XmlParserFactory; import com.google.wireless.gdata.serializer.xml.XmlEntryGDataSerializer; import android.util.Log; import java.io.ByteArrayOutputStream; import java.io.IOException; import java.io.OutputStream; import java.util.Map; import org.xmlpull.v1.XmlPullParserException; import org.xmlpull.v1.XmlSerializer; /** * Serializer of maps data for GData. */ class XmlMapsGDataSerializer extends XmlEntryGDataSerializer { private static final String APP_NAMESPACE = "http://www.w3.org/2007/app"; private MapFeatureEntry entry; private XmlParserFactory factory; private OutputStream stream; public XmlMapsGDataSerializer(XmlParserFactory factory, MapFeatureEntry entry) { super(factory, entry); this.factory = factory; this.entry = entry; } @Override public void serialize(OutputStream out, int format) throws IOException, ParseException { XmlSerializer serializer = null; try { serializer = factory.createSerializer(); } catch (XmlPullParserException e) { throw new ParseException("Unable to create XmlSerializer.", e); } ByteArrayOutputStream printStream; if (MapsClient.LOG_COMMUNICATION) { printStream = new ByteArrayOutputStream(); serializer.setOutput(printStream, "UTF-8"); } else { serializer.setOutput(out, "UTF-8"); } serializer.startDocument("UTF-8", Boolean.FALSE); declareEntryNamespaces(serializer); serializer.startTag(XmlGDataParser.NAMESPACE_ATOM_URI, "entry"); if (MapsClient.LOG_COMMUNICATION) { stream = printStream; } else { stream = out; } serializeEntryContents(serializer, format); serializer.endTag(XmlGDataParser.NAMESPACE_ATOM_URI, "entry"); serializer.endDocument(); serializer.flush(); if (MapsClient.LOG_COMMUNICATION) { Log.d("Request", printStream.toString()); out.write(printStream.toByteArray()); stream = out; } } private final void declareEntryNamespaces(XmlSerializer serializer) throws IOException { serializer.setPrefix( "" /* default ns */, XmlGDataParser.NAMESPACE_ATOM_URI); serializer.setPrefix( XmlGDataParser.NAMESPACE_GD, XmlGDataParser.NAMESPACE_GD_URI); declareExtraEntryNamespaces(serializer); } private final void serializeEntryContents(XmlSerializer serializer, int format) throws IOException { if (format != FORMAT_CREATE) { serializeId(serializer, entry.getId()); } serializeTitle(serializer, entry.getTitle()); if (format != FORMAT_CREATE) { serializeLink(serializer, "edit" /* rel */, entry.getEditUri(), null /* type */); serializeLink(serializer, "alternate" /* rel */, entry.getHtmlUri(), "text/html" /* type */); } serializeSummary(serializer, entry.getSummary()); serializeContent(serializer, entry.getContent()); serializeAuthor(serializer, entry.getAuthor(), entry.getEmail()); serializeCategory(serializer, entry.getCategory(), entry.getCategoryScheme()); if (format == FORMAT_FULL) { serializePublicationDate(serializer, entry.getPublicationDate()); } if (format != FORMAT_CREATE) { serializeUpdateDate(serializer, entry.getUpdateDate()); } serializeExtraEntryContents(serializer, format); } private static void serializeId(XmlSerializer serializer, String id) throws IOException { if (StringUtils.isEmpty(id)) { return; } serializer.startTag(null /* ns */, "id"); serializer.text(id); serializer.endTag(null /* ns */, "id"); } private static void serializeTitle(XmlSerializer serializer, String title) throws IOException { if (StringUtils.isEmpty(title)) { return; } serializer.startTag(null /* ns */, "title"); serializer.text(title); serializer.endTag(null /* ns */, "title"); } public static void serializeLink(XmlSerializer serializer, String rel, String href, String type) throws IOException { if (StringUtils.isEmpty(href)) { return; } serializer.startTag(null /* ns */, "link"); serializer.attribute(null /* ns */, "rel", rel); serializer.attribute(null /* ns */, "href", href); if (!StringUtils.isEmpty(type)) { serializer.attribute(null /* ns */, "type", type); } serializer.endTag(null /* ns */, "link"); } private static void serializeSummary(XmlSerializer serializer, String summary) throws IOException { if (StringUtils.isEmpty(summary)) { return; } serializer.startTag(null /* ns */, "summary"); serializer.text(summary); serializer.endTag(null /* ns */, "summary"); } private void serializeContent(XmlSerializer serializer, String content) throws IOException { if (content == null) { return; } serializer.startTag(null /* ns */, "content"); if (content.contains("</Placemark>")) { serializer.attribute( null /* ns */, "type", "application/vnd.google-earth.kml+xml"); serializer.flush(); stream.write(content.getBytes()); } else { serializer.text(content); } serializer.endTag(null /* ns */, "content"); } private static void serializeAuthor(XmlSerializer serializer, String author, String email) throws IOException { if (StringUtils.isEmpty(author) || StringUtils.isEmpty(email)) { return; } serializer.startTag(null /* ns */, "author"); serializer.startTag(null /* ns */, "name"); serializer.text(author); serializer.endTag(null /* ns */, "name"); serializer.startTag(null /* ns */, "email"); serializer.text(email); serializer.endTag(null /* ns */, "email"); serializer.endTag(null /* ns */, "author"); } private static void serializeCategory(XmlSerializer serializer, String category, String categoryScheme) throws IOException { if (StringUtils.isEmpty(category) && StringUtils.isEmpty(categoryScheme)) { return; } serializer.startTag(null /* ns */, "category"); if (!StringUtils.isEmpty(category)) { serializer.attribute(null /* ns */, "term", category); } if (!StringUtils.isEmpty(categoryScheme)) { serializer.attribute(null /* ns */, "scheme", categoryScheme); } serializer.endTag(null /* ns */, "category"); } private static void serializePublicationDate(XmlSerializer serializer, String publicationDate) throws IOException { if (StringUtils.isEmpty(publicationDate)) { return; } serializer.startTag(null /* ns */, "published"); serializer.text(publicationDate); serializer.endTag(null /* ns */, "published"); } private static void serializeUpdateDate(XmlSerializer serializer, String updateDate) throws IOException { if (StringUtils.isEmpty(updateDate)) { return; } serializer.startTag(null /* ns */, "updated"); serializer.text(updateDate); serializer.endTag(null /* ns */, "updated"); } @Override protected void serializeExtraEntryContents(XmlSerializer serializer, int format) throws IOException { Map<String, String> attrs = entry.getAllAttributes(); for (Map.Entry<String, String> attr : attrs.entrySet()) { serializer.startTag("http://schemas.google.com/g/2005", "customProperty"); serializer.attribute(null, "name", attr.getKey()); serializer.text(attr.getValue()); serializer.endTag("http://schemas.google.com/g/2005", "customProperty"); } String privacy = entry.getPrivacy(); if (!StringUtils.isEmpty(privacy)) { serializer.setPrefix("app", APP_NAMESPACE); if ("public".equals(privacy)) { serializer.startTag(APP_NAMESPACE, "control"); serializer.startTag(APP_NAMESPACE, "draft"); serializer.text("no"); serializer.endTag(APP_NAMESPACE, "draft"); serializer.endTag(APP_NAMESPACE, "control"); } if ("unlisted".equals(privacy)) { serializer.startTag(APP_NAMESPACE, "control"); serializer.startTag(APP_NAMESPACE, "draft"); serializer.text("yes"); serializer.endTag(APP_NAMESPACE, "draft"); serializer.endTag(APP_NAMESPACE, "control"); } } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/maps/XmlMapsGDataSerializer.java
Java
asf20
8,530
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; import com.google.wireless.gdata.data.Entry; import com.google.wireless.gdata.data.StringUtils; import android.graphics.Color; import android.util.Log; import java.io.IOException; import java.io.StringWriter; import org.xmlpull.v1.XmlPullParserException; import org.xmlpull.v1.XmlPullParserFactory; import org.xmlpull.v1.XmlSerializer; /** * Converter from GData objects to Maps objects. */ public class MapsGDataConverter { private final XmlSerializer xmlSerializer; public MapsGDataConverter() throws XmlPullParserException { xmlSerializer = XmlPullParserFactory.newInstance().newSerializer(); } public static MapsMapMetadata getMapMetadataForEntry( MapFeatureEntry entry) { MapsMapMetadata metadata = new MapsMapMetadata(); if ("public".equals(entry.getPrivacy())) { metadata.setSearchable(true); } else { metadata.setSearchable(false); } metadata.setTitle(entry.getTitle()); metadata.setDescription(entry.getSummary()); String editUri = entry.getEditUri(); if (editUri != null) { metadata.setGDataEditUri(editUri); } return metadata; } public static String getMapidForEntry(Entry entry) { return MapsClient.getMapIdFromMapEntryId(entry.getId()); } public static Entry getMapEntryForMetadata(MapsMapMetadata metadata) { MapFeatureEntry entry = new MapFeatureEntry(); entry.setEditUri(metadata.getGDataEditUri()); entry.setTitle(metadata.getTitle()); entry.setSummary(metadata.getDescription()); entry.setPrivacy(metadata.getSearchable() ? "public" : "unlisted"); entry.setAuthor("android"); entry.setEmail("nobody@google.com"); return entry; } public MapFeatureEntry getEntryForFeature(MapsFeature feature) { MapFeatureEntry entry = new MapFeatureEntry(); entry.setTitle(feature.getTitle()); entry.setAuthor("android"); entry.setEmail("nobody@google.com"); entry.setCategoryScheme("http://schemas.google.com/g/2005#kind"); entry.setCategory("http://schemas.google.com/g/2008#mapfeature"); entry.setEditUri(""); if (!StringUtils.isEmpty(feature.getAndroidId())) { entry.setAttribute("_androidId", feature.getAndroidId()); } try { StringWriter writer = new StringWriter(); xmlSerializer.setOutput(writer); xmlSerializer.startTag(null, "Placemark"); xmlSerializer.attribute(null, "xmlns", "http://earth.google.com/kml/2.2"); xmlSerializer.startTag(null, "Style"); if (feature.getType() == MapsFeature.MARKER) { xmlSerializer.startTag(null, "IconStyle"); xmlSerializer.startTag(null, "Icon"); xmlSerializer.startTag(null, "href"); xmlSerializer.text(feature.getIconUrl()); xmlSerializer.endTag(null, "href"); xmlSerializer.endTag(null, "Icon"); xmlSerializer.endTag(null, "IconStyle"); } else { xmlSerializer.startTag(null, "LineStyle"); xmlSerializer.startTag(null, "color"); int color = feature.getColor(); // Reverse the color because KML is ABGR and Android is ARGB xmlSerializer.text(Integer.toHexString( Color.argb(Color.alpha(color), Color.blue(color), Color.green(color), Color.red(color)))); xmlSerializer.endTag(null, "color"); xmlSerializer.startTag(null, "width"); xmlSerializer.text(Integer.toString(feature.getLineWidth())); xmlSerializer.endTag(null, "width"); xmlSerializer.endTag(null, "LineStyle"); if (feature.getType() == MapsFeature.SHAPE) { xmlSerializer.startTag(null, "PolyStyle"); xmlSerializer.startTag(null, "color"); int fcolor = feature.getFillColor(); // Reverse the color because KML is ABGR and Android is ARGB xmlSerializer.text(Integer.toHexString(Color.argb(Color.alpha(fcolor), Color.blue(fcolor), Color.green(fcolor), Color.red(fcolor)))); xmlSerializer.endTag(null, "color"); xmlSerializer.startTag(null, "fill"); xmlSerializer.text("1"); xmlSerializer.endTag(null, "fill"); xmlSerializer.startTag(null, "outline"); xmlSerializer.text("1"); xmlSerializer.endTag(null, "outline"); xmlSerializer.endTag(null, "PolyStyle"); } } xmlSerializer.endTag(null, "Style"); xmlSerializer.startTag(null, "name"); xmlSerializer.text(feature.getTitle()); xmlSerializer.endTag(null, "name"); xmlSerializer.startTag(null, "description"); xmlSerializer.cdsect(feature.getDescription()); xmlSerializer.endTag(null, "description"); StringBuilder pointBuilder = new StringBuilder(); for (int i = 0; i < feature.getPointCount(); ++i) { if (i > 0) { pointBuilder.append('\n'); } pointBuilder.append(feature.getPoint(i).getLongitudeE6() / 1e6); pointBuilder.append(','); pointBuilder.append(feature.getPoint(i).getLatitudeE6() / 1e6); pointBuilder.append(",0.000000"); } String pointString = pointBuilder.toString(); if (feature.getType() == MapsFeature.MARKER) { xmlSerializer.startTag(null, "Point"); xmlSerializer.startTag(null, "coordinates"); xmlSerializer.text(pointString); xmlSerializer.endTag(null, "coordinates"); xmlSerializer.endTag(null, "Point"); } else if (feature.getType() == MapsFeature.LINE) { xmlSerializer.startTag(null, "LineString"); xmlSerializer.startTag(null, "tessellate"); xmlSerializer.text("1"); xmlSerializer.endTag(null, "tessellate"); xmlSerializer.startTag(null, "coordinates"); xmlSerializer.text(pointString); xmlSerializer.endTag(null, "coordinates"); xmlSerializer.endTag(null, "LineString"); } else { xmlSerializer.startTag(null, "Polygon"); xmlSerializer.startTag(null, "outerBoundaryIs"); xmlSerializer.startTag(null, "LinearRing"); xmlSerializer.startTag(null, "tessellate"); xmlSerializer.text("1"); xmlSerializer.endTag(null, "tessellate"); xmlSerializer.startTag(null, "coordinates"); xmlSerializer.text(pointString + "\n" + Double.toString(feature.getPoint(0).getLongitudeE6() / 1e6) + "," + Double.toString(feature.getPoint(0).getLatitudeE6() / 1e6) + ",0.000000"); xmlSerializer.endTag(null, "coordinates"); xmlSerializer.endTag(null, "LinearRing"); xmlSerializer.endTag(null, "outerBoundaryIs"); xmlSerializer.endTag(null, "Polygon"); } xmlSerializer.endTag(null, "Placemark"); xmlSerializer.flush(); entry.setContent(writer.toString()); Log.d("My Google Maps", "Edit URI: " + entry.getEditUri()); } catch (IOException e) { e.printStackTrace(); } return entry; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/maps/MapsGDataConverter.java
Java
asf20
7,028
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; import com.google.wireless.gdata.client.GDataParserFactory; import com.google.wireless.gdata.data.Entry; import com.google.wireless.gdata.parser.GDataParser; import com.google.wireless.gdata.parser.ParseException; import com.google.wireless.gdata.parser.xml.XmlGDataParser; import com.google.wireless.gdata.parser.xml.XmlParserFactory; import com.google.wireless.gdata.serializer.GDataSerializer; import com.google.wireless.gdata.serializer.xml.XmlEntryGDataSerializer; import android.util.Log; import java.io.ByteArrayInputStream; import java.io.IOException; import java.io.InputStream; import org.xmlpull.v1.XmlPullParserException; /** * Factory of Xml parsers for gdata maps data. */ public class XmlMapsGDataParserFactory implements GDataParserFactory { private XmlParserFactory xmlFactory; public XmlMapsGDataParserFactory(XmlParserFactory xmlFactory) { this.xmlFactory = xmlFactory; } @Override public GDataParser createParser(InputStream is) throws ParseException { is = maybeLogCommunication(is); try { return new XmlGDataParser(is, xmlFactory.createParser()); } catch (XmlPullParserException e) { e.printStackTrace(); return null; } } @SuppressWarnings({ "unchecked", "rawtypes" }) @Override public GDataParser createParser(Class cls, InputStream is) throws ParseException { is = maybeLogCommunication(is); try { return createParserForClass(cls, is); } catch (XmlPullParserException e) { e.printStackTrace(); return null; } } private InputStream maybeLogCommunication(InputStream is) throws ParseException { if (MapsClient.LOG_COMMUNICATION) { StringBuilder builder = new StringBuilder(); byte[] buffer = new byte[2048]; try { for (int n = is.read(buffer); n >= 0; n = is.read(buffer)) { String part = new String(buffer, 0, n); builder.append(part); Log.d("Response part", part); } } catch (IOException e) { throw new ParseException("Could not read stream", e); } String whole = builder.toString(); Log.d("Response", whole); is = new ByteArrayInputStream(whole.getBytes()); } return is; } private GDataParser createParserForClass( Class<? extends Entry> cls, InputStream is) throws ParseException, XmlPullParserException { if (cls == MapFeatureEntry.class) { return new XmlMapsGDataParser(is, xmlFactory.createParser()); } else { return new XmlGDataParser(is, xmlFactory.createParser()); } } @Override public GDataSerializer createSerializer(Entry en) { if (en instanceof MapFeatureEntry) { return new XmlMapsGDataSerializer(xmlFactory, (MapFeatureEntry) en); } else { return new XmlEntryGDataSerializer(xmlFactory, en); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/maps/XmlMapsGDataParserFactory.java
Java
asf20
2,948
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; /** * Metadata about a maps feature. */ class MapsFeatureMetadata { private static final String BLUE_DOT_URL = "http://maps.google.com/mapfiles/ms/micons/blue-dot.png"; private static final int DEFAULT_COLOR = 0x800000FF; private static final int DEFAULT_FILL_COLOR = 0xC00000FF; private String title; private String description; private int type; private int color; private int lineWidth; private int fillColor; private String iconUrl; public MapsFeatureMetadata() { title = ""; description = ""; type = MapsFeature.MARKER; color = DEFAULT_COLOR; lineWidth = 5; fillColor = DEFAULT_FILL_COLOR; iconUrl = BLUE_DOT_URL; } public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } public String getDescription() { return description; } public void setDescription(String description) { this.description = description; } public int getType() { return type; } public void setType(int type) { this.type = type; } public int getColor() { return color; } public void setColor(int color) { this.color = color; } public int getLineWidth() { return lineWidth; } public void setLineWidth(int width) { lineWidth = width; } public int getFillColor() { return fillColor; } public void setFillColor(int color) { fillColor = color; } public String getIconUrl() { return iconUrl; } public void setIconUrl(String url) { iconUrl = url; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/maps/MapsFeatureMetadata.java
Java
asf20
1,662
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; /** * Constants for Google Maps. */ public class MapsConstants { static final String MAPSHOP_BASE_URL = "https://maps.google.com/maps/ms"; public static final String SERVICE_NAME = "local"; /** * Private constructor to prevent instantiation. */ private MapsConstants() { } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/maps/MapsConstants.java
Java
asf20
406
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; import com.google.wireless.gdata.client.GDataClient; import com.google.wireless.gdata.client.GDataParserFactory; import com.google.wireless.gdata.client.GDataServiceClient; import android.util.Log; /** * Client to talk to Google Maps via GData. */ public class MapsClient extends GDataServiceClient { private static final boolean DEBUG = false; public static final boolean LOG_COMMUNICATION = false; private static final String MAPS_BASE_FEED_URL = "http://maps.google.com/maps/feeds/"; private static final String MAPS_MAP_FEED_PATH = "maps/default/full"; private static final String MAPS_FEATURE_FEED_PATH_BEFORE_MAPID = "features/"; private static final String MAPS_FEATURE_FEED_PATH_AFTER_MAPID = "/full"; private static final String MAPS_VERSION_FEED_PATH_FORMAT = "%smaps/%s/versions/%s/full/%s"; private static final String MAP_ENTRY_ID_BEFORE_USER_ID = "maps/feeds/maps/"; private static final String MAP_ENTRY_ID_BETWEEN_USER_ID_AND_MAP_ID = "/"; private static final String V2_ONLY_PARAM = "?v=2.0"; public MapsClient(GDataClient dataClient, GDataParserFactory dataParserFactory) { super(dataClient, dataParserFactory); } @Override public String getServiceName() { return MapsConstants.SERVICE_NAME; } public static String buildMapUrl(String mapId) { return MapsConstants.MAPSHOP_BASE_URL + "?msa=0&msid=" + mapId; } public static String getMapsFeed() { if (DEBUG) { Log.d("Maps Client", "Requesting map feed:"); } return MAPS_BASE_FEED_URL + MAPS_MAP_FEED_PATH + V2_ONLY_PARAM; } public static String getFeaturesFeed(String mapid) { StringBuilder feed = new StringBuilder(); feed.append(MAPS_BASE_FEED_URL); feed.append(MAPS_FEATURE_FEED_PATH_BEFORE_MAPID); feed.append(mapid); feed.append(MAPS_FEATURE_FEED_PATH_AFTER_MAPID); feed.append(V2_ONLY_PARAM); return feed.toString(); } public static String getMapIdFromMapEntryId(String entryId) { String userId = null; String mapId = null; if (DEBUG) { Log.d("Maps GData Client", "Getting mapid from entry id: " + entryId); } int userIdStart = entryId.indexOf(MAP_ENTRY_ID_BEFORE_USER_ID) + MAP_ENTRY_ID_BEFORE_USER_ID.length(); int userIdEnd = entryId.indexOf(MAP_ENTRY_ID_BETWEEN_USER_ID_AND_MAP_ID, userIdStart); if (userIdStart >= 0 && userIdEnd < entryId.length() && userIdStart <= userIdEnd) { userId = entryId.substring(userIdStart, userIdEnd); } int mapIdStart = entryId.indexOf(MAP_ENTRY_ID_BETWEEN_USER_ID_AND_MAP_ID, userIdEnd) + MAP_ENTRY_ID_BETWEEN_USER_ID_AND_MAP_ID.length(); if (mapIdStart >= 0 && mapIdStart < entryId.length()) { mapId = entryId.substring(mapIdStart); } if (userId == null) { userId = ""; } if (mapId == null) { mapId = ""; } if (DEBUG) { Log.d("Maps GData Client", "Got user id: " + userId); Log.d("Maps GData Client", "Got map id: " + mapId); } return userId + "." + mapId; } public static String getVersionFeed(String versionUserId, String versionClient, String currentVersion) { return String.format(MAPS_VERSION_FEED_PATH_FORMAT, MAPS_BASE_FEED_URL, versionUserId, versionClient, currentVersion); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/maps/MapsClient.java
Java
asf20
3,475
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; import com.google.android.maps.GeoPoint; import java.util.Random; import java.util.Vector; /** * MapsFeature contains all of the data associated with a feature in Google * Maps, where a feature is a marker, line, or shape. Some of the data is stored * in a {@link MapsFeatureMetadata} object so that it can be more efficiently * transmitted to other activities. */ public class MapsFeature { /** A marker feature displays an icon at a single point on the map. */ public static final int MARKER = 0; /** * A line feature displays a line connecting a set of points on the map. */ public static final int LINE = 1; /** * A shape feature displays a border defined by connecting a set of points, * including connecting the last to the first, and displays the area * confined by this border. */ public static final int SHAPE = 2; /** The local feature id for this feature, if needed. */ private String androidId; /** * The latitudes of the points of this feature in order, specified in * millionths of a degree north. */ private final Vector<Integer> latitudeE6 = new Vector<Integer>(); /** * The longitudes of the points of this feature in order, specified in * millionths of a degree east. */ private final Vector<Integer> longitudeE6 = new Vector<Integer>(); /** The metadata of this feature in a format efficient for transmission. */ private MapsFeatureMetadata featureInfo = new MapsFeatureMetadata(); private final Random random = new Random(); /** * Initializes a valid but empty feature. It will default to a * {@link #MARKER} with a blue placemark with a dot as an icon at the * location (0, 0). */ public MapsFeature() { } /** * Adds a new point to the end of this feature. * * @param point The new point to add */ public void addPoint(GeoPoint point) { latitudeE6.add(point.getLatitudeE6()); longitudeE6.add(point.getLongitudeE6()); } /** * Generates a new local id for this feature based on the current time and * a random number. */ public void generateAndroidId() { long time = System.currentTimeMillis(); int rand = random.nextInt(10000); androidId = time + "." + rand; } /** * Retrieves the current local id for this feature if one is available. * * @return The local id for this feature */ public String getAndroidId() { return androidId; } /** * Retrieves the current (html) description of this feature. The description * is stored in the feature metadata. * * @return The description of this feature */ public String getDescription() { return featureInfo.getDescription(); } /** * Sets the description of this feature. That description is stored in the * feature metadata. * * @param description The new description of this feature */ public void setDescription(String description) { featureInfo.setDescription(description); } /** * Retrieves the point at the given index for this feature. * * @param index The index of the point desired * @return A {@link GeoPoint} representing the point or null if that point * doesn't exist */ public GeoPoint getPoint(int index) { if (latitudeE6.size() <= index) { return null; } return new GeoPoint(latitudeE6.get(index), longitudeE6.get(index)); } /** * Counts the number of points in this feature and return that count. * * @return The number of points in this feature */ public int getPointCount() { return latitudeE6.size(); } /** * Retrieves the title of this feature. That title is stored in the feature * metadata. * * @return the current title of this feature */ public String getTitle() { return featureInfo.getTitle(); } /** * Retrieves the type of this feature. That type is stored in the feature * metadata. * * @return One of {@link #MARKER}, {@link #LINE}, or {@link #SHAPE} * identifying the type of this feature */ public int getType() { return featureInfo.getType(); } /** * Retrieves the current color of this feature as an ARGB color integer. * That color is stored in the feature metadata. * * @return The ARGB color of this feature */ public int getColor() { return featureInfo.getColor(); } /** * Retrieves the current line width of this feature. That line width is * stored in the feature metadata. * * @return The line width of this feature */ public int getLineWidth() { return featureInfo.getLineWidth(); } /** * Retrieves the current fill color of this feature as an ARGB color * integer. That color is stored in the feature metadata. * * @return The ARGB fill color of this feature */ public int getFillColor() { return featureInfo.getFillColor(); } /** * Retrieves the current icon url of this feature. That icon url is stored * in the feature metadata. * * @return The icon url for this feature */ public String getIconUrl() { return featureInfo.getIconUrl(); } /** * Sets the title of this feature. That title is stored in the feature * metadata. * * @param title The new title of this feature */ public void setTitle(String title) { featureInfo.setTitle(title); } /** * Sets the type of this feature. That type is stored in the feature * metadata. * * @param type The new type of the feature. That type must be one of * {@link #MARKER}, {@link #LINE}, or {@link #SHAPE} */ public void setType(int type) { featureInfo.setType(type); } /** * Sets the ARGB color of this feature. That color is stored in the feature * metadata. * * @param color The new ARGB color of this feature */ public void setColor(int color) { featureInfo.setColor(color); } /** * Sets the icon url of this feature. That icon url is stored in the feature * metadata. * * @param url The new icon url of the feature */ public void setIconUrl(String url) { featureInfo.setIconUrl(url); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/maps/MapsFeature.java
Java
asf20
6,234
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; import com.google.wireless.gdata.data.Entry; import java.util.HashMap; import java.util.Map; /** * GData entry for a map feature. */ public class MapFeatureEntry extends Entry { private String mPrivacy = null; private Map<String, String> mAttributes = new HashMap<String, String>(); public void setPrivacy(String privacy) { mPrivacy = privacy; } public String getPrivacy() { return mPrivacy; } public void setAttribute(String name, String value) { mAttributes.put(name, value); } public void removeAttribute(String name) { mAttributes.remove(name); } public Map<String, String> getAllAttributes() { return mAttributes; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/maps/MapFeatureEntry.java
Java
asf20
785