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.test.AndroidTestCase; /** * Tests for {@link StatusAnnouncerFactory}. * These tests require Donut+ to run. * * @author Rodrigo Damazio */ public class StatusAnnouncerFactoryTest extends AndroidTestCase { public void testCreate() { PeriodicTaskFactory factory = new StatusAnnouncerFactory(); PeriodicTask task = factory.create(getContext()); assertTrue(task instanceof StatusAnnouncerTask); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/tasks/StatusAnnouncerFactoryTest.java
Java
asf20
1,080
/* * 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.util.StringUtils; import com.google.android.maps.mytracks.R; import android.test.AndroidTestCase; import java.text.SimpleDateFormat; import java.util.Date; /** * Tests {@link DefaultTrackNameFactory} * * @author Matthew Simmons */ public class DefaultTrackNameFactoryTest extends AndroidTestCase { private static final long TRACK_ID = 1L; private static final long START_TIME = 1288213406000L; public void testDefaultTrackName_date_local() { DefaultTrackNameFactory defaultTrackNameFactory = new DefaultTrackNameFactory(getContext()) { @Override String getTrackNameSetting() { return getContext().getString(R.string.settings_recording_track_name_date_local_value); } }; assertEquals(StringUtils.formatDateTime(getContext(), START_TIME), defaultTrackNameFactory.getDefaultTrackName(TRACK_ID, START_TIME)); } public void testDefaultTrackName_date_iso_8601() { DefaultTrackNameFactory defaultTrackNameFactory = new DefaultTrackNameFactory(getContext()) { @Override String getTrackNameSetting() { return getContext().getString(R.string.settings_recording_track_name_date_iso_8601_value); } }; SimpleDateFormat simpleDateFormat = new SimpleDateFormat( DefaultTrackNameFactory.ISO_8601_FORMAT); assertEquals(simpleDateFormat.format(new Date(START_TIME)), defaultTrackNameFactory.getDefaultTrackName(TRACK_ID, START_TIME)); } public void testDefaultTrackName_number() { DefaultTrackNameFactory defaultTrackNameFactory = new DefaultTrackNameFactory(getContext()) { @Override String getTrackNameSetting() { return getContext().getString(R.string.settings_recording_track_name_number_value); } }; assertEquals( "Track " + TRACK_ID, defaultTrackNameFactory.getDefaultTrackName(TRACK_ID, START_TIME)); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/DefaultTrackNameFactoryTest.java
Java
asf20
2,554
/* * 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 android.test.AndroidTestCase; public class AntChannelIdMessageTest extends AndroidTestCase { public void testParse() { byte[] rawMessage = { 0, // channel number 0x34, 0x12, // device number (byte) 0xaa, // device type id (byte) 0xbb, // transmission type }; AntChannelIdMessage message = new AntChannelIdMessage(rawMessage); assertEquals(0, message.getChannelNumber()); assertEquals(0x1234, message.getDeviceNumber()); assertEquals((byte) 0xaa, message.getDeviceTypeId()); assertEquals((byte) 0xbb, message.getTransmissionType()); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/sensors/ant/AntChannelIdMessageTest.java
Java
asf20
1,268
/* * 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 android.test.AndroidTestCase; public class AntMessageTest extends AndroidTestCase { private static class TestAntMessage extends AntMessage { public static short decodeShort(byte low, byte high) { return AntMessage.decodeShort(low, high); } } public void testDecode() { assertEquals(0x1234, TestAntMessage.decodeShort((byte) 0x34, (byte) 0x12)); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/sensors/ant/AntMessageTest.java
Java
asf20
1,039
/* * 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 android.content.Context; import android.test.AndroidTestCase; import android.test.MoreAsserts; public class AntSensorManagerTest extends AndroidTestCase { private class TestAntSensorManager extends AntSensorManager { public TestAntSensorManager(Context context) { super(context); } public byte messageId; public byte[] messageData; @Override protected void setupAntSensorChannels() {} @SuppressWarnings("deprecation") @Override public void handleMessage(byte[] rawMessage) { super.handleMessage(rawMessage); } @SuppressWarnings("hiding") @Override public boolean handleMessage(byte messageId, byte[] messageData) { this.messageId = messageId; this.messageData = messageData; return true; } } private TestAntSensorManager sensorManager; @Override protected void setUp() throws Exception { super.setUp(); sensorManager = new TestAntSensorManager(getContext()); } public void testSimple() { byte[] rawMessage = { 0x03, // length 0x12, // message id 0x11, 0x22, 0x33, // body }; byte[] expectedBody = { 0x11, 0x22, 0x33 }; sensorManager.handleMessage(rawMessage); assertEquals((byte) 0x12, sensorManager.messageId); MoreAsserts.assertEquals(expectedBody, sensorManager.messageData); } public void testTooShort() { byte[] rawMessage = { 0x53, // length 0x12 // message id }; sensorManager.handleMessage(rawMessage); assertEquals(0, sensorManager.messageId); assertNull(sensorManager.messageData); } public void testLengthWrong() { byte[] rawMessage = { 0x53, // length 0x12, // message id 0x34, // body }; sensorManager.handleMessage(rawMessage); assertEquals(0, sensorManager.messageId); assertNull(sensorManager.messageData); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/sensors/ant/AntSensorManagerTest.java
Java
asf20
2,587
/* * 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 android.test.AndroidTestCase; import android.test.suitebuilder.annotation.SmallTest; /** * @author Laszlo Molnar */ public class SensorEventCounterTest extends AndroidTestCase { @SmallTest public void testGetEventsPerMinute() { SensorEventCounter sec = new SensorEventCounter(); assertEquals(0, sec.getEventsPerMinute(0, 0, 0)); assertEquals(0, sec.getEventsPerMinute(1, 1024, 1000)); assertEquals(60, sec.getEventsPerMinute(2, 1024 * 2, 2000)); assertEquals(60, sec.getEventsPerMinute(2, 1024 * 2, 2500)); assertTrue(60 > sec.getEventsPerMinute(2, 1024 * 2, 4000)); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/sensors/ant/SensorEventCounterTest.java
Java
asf20
1,267
/* * 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.AntMesg; import android.test.AndroidTestCase; public class AntChannelResponseMessageTest extends AndroidTestCase { public void testParse() { byte[] rawMessage = { 0, AntMesg.MESG_EVENT_ID, AntDefine.EVENT_RX_SEARCH_TIMEOUT }; AntChannelResponseMessage message = new AntChannelResponseMessage(rawMessage); assertEquals(0, message.getChannelNumber()); assertEquals(AntMesg.MESG_EVENT_ID, message.getMessageId()); assertEquals(AntDefine.EVENT_RX_SEARCH_TIMEOUT, message.getMessageCode()); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/sensors/ant/AntChannelResponseMessageTest.java
Java
asf20
1,249
/* * 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 android.test.AndroidTestCase; public class AntStartupMessageTest extends AndroidTestCase { public void testParse() { byte[] rawMessage = { 0x12, }; AntStartupMessage message = new AntStartupMessage(rawMessage); assertEquals(0x12, message.getMessage()); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/sensors/ant/AntStartupMessageTest.java
Java
asf20
949
/* * 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 com.dsi.ant.AntMesg; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.test.AndroidTestCase; import android.test.suitebuilder.annotation.SmallTest; public class AntDirectSensorManagerTest extends AndroidTestCase { private SharedPreferences sharedPreferences; private AntSensorBase heartRateSensor; private static final byte HEART_RATE_CHANNEL = 0; private class MockAntDirectSensorManager extends AntDirectSensorManager { public MockAntDirectSensorManager(Context context) { super(context); } @Override protected boolean setupChannel(AntSensorBase sensor, byte channel) { if (channel == HEART_RATE_CHANNEL) { heartRateSensor = sensor; return true; } return false; } } private AntDirectSensorManager manager; public void setUp() { sharedPreferences = getContext().getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); // Let's use default values. sharedPreferences.edit().clear().apply(); manager = new MockAntDirectSensorManager(getContext()); } @SmallTest public void testBroadcastData() { manager.setupAntSensorChannels(); assertNotNull(heartRateSensor); heartRateSensor.setDeviceNumber((short) 42); byte[] buff = new byte[9]; buff[0] = HEART_RATE_CHANNEL; buff[8] = (byte) 220; manager.handleMessage(AntMesg.MESG_BROADCAST_DATA_ID, buff); Sensor.SensorDataSet sds = manager.getSensorDataSet(); assertNotNull(sds); assertTrue(sds.hasHeartRate()); assertEquals(Sensor.SensorState.SENDING, sds.getHeartRate().getState()); assertEquals(220, sds.getHeartRate().getValue()); assertFalse(sds.hasCadence()); assertFalse(sds.hasPower()); assertEquals(Sensor.SensorState.CONNECTED, manager.getSensorState()); } @SmallTest public void testChannelId() { manager.setupAntSensorChannels(); assertNotNull(heartRateSensor); byte[] buff = new byte[9]; buff[1] = 43; manager.handleMessage(AntMesg.MESG_CHANNEL_ID_ID, buff); assertEquals(43, heartRateSensor.getDeviceNumber()); assertEquals(43, sharedPreferences.getInt( getContext().getString(R.string.ant_heart_rate_sensor_id_key), -1)); assertNull(manager.getSensorDataSet()); } @SmallTest public void testResponseEvent() { manager.setupAntSensorChannels(); assertNotNull(heartRateSensor); manager.setHeartRate(210); heartRateSensor.setDeviceNumber((short) 42); assertEquals(Sensor.SensorState.CONNECTED, manager.getSensorState()); byte[] buff = new byte[3]; buff[0] = HEART_RATE_CHANNEL; buff[1] = AntMesg.MESG_UNASSIGN_CHANNEL_ID; buff[2] = 0; // code manager.handleMessage(AntMesg.MESG_RESPONSE_EVENT_ID, buff); assertEquals(Sensor.SensorState.CONNECTED, manager.getSensorState()); heartRateSensor.setDeviceNumber((short) 0); manager.handleMessage(AntMesg.MESG_RESPONSE_EVENT_ID, buff); assertEquals(Sensor.SensorState.DISCONNECTED, manager.getSensorState()); } // TODO: Test timeout too. }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/sensors/ant/AntDirectSensorManagerTest.java
Java
asf20
3,911
package com.google.android.apps.mytracks.services.sensors; import com.google.android.apps.mytracks.Constants; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.test.AndroidTestCase; import android.test.suitebuilder.annotation.SmallTest; public class SensorManagerFactoryTest extends AndroidTestCase { private SharedPreferences sharedPreferences; @Override protected void setUp() throws Exception { super.setUp(); sharedPreferences = getContext().getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); // Let's use default values. sharedPreferences.edit().clear().apply(); } @SmallTest public void testDefaultSettings() throws Exception { assertNull(SensorManagerFactory.getInstance().getSensorManager(getContext())); } @SmallTest public void testCreateZephyr() throws Exception { assertClassForName(ZephyrSensorManager.class, R.string.sensor_type_value_zephyr); } @SmallTest public void testCreatePolar() throws Exception { assertClassForName(PolarSensorManager.class, R.string.sensor_type_value_polar); } private void assertClassForName(Class<?> c, int i) { sharedPreferences.edit() .putString(getContext().getString(R.string.sensor_type_key), getContext().getString(i)) .apply(); SensorManager sm = SensorManagerFactory.getInstance().getSensorManager(getContext()); assertNotNull(sm); assertTrue(c.isInstance(sm)); SensorManagerFactory.getInstance().releaseSensorManager(sm); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/sensors/SensorManagerFactoryTest.java
Java
asf20
1,603
package com.google.android.apps.mytracks.services.sensors; import com.google.android.apps.mytracks.content.Sensor; import junit.framework.TestCase; public class ZephyrMessageParserTest extends TestCase { ZephyrMessageParser parser = new ZephyrMessageParser(); public void testIsValid() { byte[] smallBuf = new byte[59]; assertFalse(parser.isValid(smallBuf)); // A complete and valid Zephyr HxM packet byte[] buf = { 2,38,55,26,0,49,101,80,0,49,98,100,42,113,120,-53,-24,-60,-123,-61,117,-69,42,-75,74,-78,51,-79,27,-83,28,-88,28,-93,29,-98,25,-103,26,-108,26,-113,59,-118,0,0,0,0,0,0,-22,3,125,1,48,0,96,4,30,0 }; // Make buffer invalid buf[0] = buf[58] = buf[59] = 0; assertFalse(parser.isValid(buf)); buf[0] = 0x02; assertFalse(parser.isValid(buf)); buf[58] = 0x1E; assertFalse(parser.isValid(buf)); buf[59] = 0x03; assertTrue(parser.isValid(buf)); } public void testParseBuffer() { byte[] buf = new byte[60]; // Heart Rate (-1 =^ 255 unsigned byte) buf[12] = -1; // Battery Level buf[11] = 51; // Cadence (=^ 255*16 strides/min) buf[56] = -1; buf[57] = 15; Sensor.SensorDataSet sds = parser.parseBuffer(buf); assertTrue(sds.hasHeartRate()); assertTrue(sds.getHeartRate().getState() == Sensor.SensorState.SENDING); assertEquals(255, sds.getHeartRate().getValue()); assertTrue(sds.hasBatteryLevel()); assertTrue(sds.getBatteryLevel().getState() == Sensor.SensorState.SENDING); assertEquals(51, sds.getBatteryLevel().getValue()); assertTrue(sds.hasCadence()); assertTrue(sds.getCadence().getState() == Sensor.SensorState.SENDING); assertEquals(255, sds.getCadence().getValue()); } public void testFindNextAlignment() { byte[] buf = new byte[60]; assertEquals(-1, parser.findNextAlignment(buf)); buf[10] = 0x03; buf[11] = 0x02; assertEquals(10, parser.findNextAlignment(buf)); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/sensors/ZephyrMessageParserTest.java
Java
asf20
1,945
package com.google.android.apps.mytracks.services.sensors; import java.util.Arrays; import com.google.android.apps.mytracks.content.Sensor; import junit.framework.TestCase; public class PolarMessageParserTest extends TestCase { PolarMessageParser parser = new PolarMessageParser(); // A complete and valid Polar HxM packet // FE08F701D1001104FE08F702D1001104 private final byte[] originalBuf = {(byte) 0xFE, 0x08, (byte) 0xF7, 0x01, (byte) 0xD1, 0x00, 0x11, 0x04, (byte) 0xFE, 0x08, (byte) 0xF7, 0x02, (byte) 0xD1, 0x00, 0x11, 0x04}; private byte[] buf; public void setUp() { buf = Arrays.copyOf(originalBuf, originalBuf.length); } public void testIsValid() { assertTrue(parser.isValid(buf)); } public void testIsValid_invalidHeader() { // Invalidate header. buf[0] = 0x03; assertFalse(parser.isValid(buf)); } public void testIsValid_invalidCheckbyte() { // Invalidate checkbyte. buf[2] = 0x03; assertFalse(parser.isValid(buf)); } public void testIsValid_invalidSequence() { // Invalidate sequence. buf[3] = 0x11; assertFalse(parser.isValid(buf)); } public void testParseBuffer() { buf[5] = 70; Sensor.SensorDataSet sds = parser.parseBuffer(buf); assertTrue(sds.hasHeartRate()); assertTrue(sds.getHeartRate().getState() == Sensor.SensorState.SENDING); assertEquals(70, sds.getHeartRate().getValue()); } public void testFindNextAlignment_offset() { // The first 4 bytes are garbage buf = new byte[originalBuf.length + 4]; buf[0] = 4; buf[1] = 2; buf[2] = 4; buf[3] = 2; // Then the valid message. System.arraycopy(originalBuf, 0, buf, 4, originalBuf.length); assertEquals(4, parser.findNextAlignment(buf)); } public void testFindNextAlignment_invalid() { buf[0] = 0; assertEquals(-1, parser.findNextAlignment(buf)); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/sensors/PolarMessageParserTest.java
Java
asf20
1,870
// Copyright 2012 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.services; import android.app.Notification; import android.app.Service; import android.test.ServiceTestCase; import android.util.Log; import java.lang.reflect.InvocationTargetException; import java.lang.reflect.Method; /** * A {@link TrackRecordingService} that can be used with {@link ServiceTestCase}. * {@link ServiceTestCase} throws a null pointer exception when the service * calls {@link Service#startForeground(int, android.app.Notification)} and * {@link Service#stopForeground(boolean)}. * <p> * See http://code.google.com/p/android/issues/detail?id=12122 * <p> * Wrap these two methods in wrappers and override them. * * @author Jimmy Shih */ public class TestRecordingService extends TrackRecordingService { private static final String TAG = TestRecordingService.class.getSimpleName(); @Override protected void startForegroundService(Notification notification) { try { Method setForegroundMethod = Service.class.getMethod("setForeground", boolean.class); setForegroundMethod.invoke(this, true); } catch (SecurityException e) { Log.e(TAG, "Unable to start a service in foreground", e); } catch (NoSuchMethodException e) { Log.e(TAG, "Unable to start a service in foreground", e); } catch (IllegalArgumentException e) { Log.e(TAG, "Unable to start a service in foreground", e); } catch (IllegalAccessException e) { Log.e(TAG, "Unable to start a service in foreground", e); } catch (InvocationTargetException e) { Log.e(TAG, "Unable to start a service in foreground", e); } } @Override protected void stopForegroundService() { try { Method setForegroundMethod = Service.class.getMethod("setForeground", boolean.class); setForegroundMethod.invoke(this, false); } catch (SecurityException e) { Log.e(TAG, "Unable to start a service in foreground", e); } catch (NoSuchMethodException e) { Log.e(TAG, "Unable to start a service in foreground", e); } catch (IllegalArgumentException e) { Log.e(TAG, "Unable to start a service in foreground", e); } catch (IllegalAccessException e) { Log.e(TAG, "Unable to start a service in foreground", e); } catch (InvocationTargetException e) { Log.e(TAG, "Unable to start a service in foreground", e); } } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/TestRecordingService.java
Java
asf20
2,412
/* * 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 static com.google.android.testing.mocking.AndroidMock.expect; import com.google.android.testing.mocking.AndroidMock; import com.google.android.testing.mocking.UsesMocks; import android.test.AndroidTestCase; import java.io.File; /** * Tests {@link RemoveTempFilesService}. * * @author Sandor Dornbush */ public class RemoveTempFilesServiceTest extends AndroidTestCase { private static final String DIR_NAME = "/tmp"; private static final String FILE_NAME = "foo"; private RemoveTempFilesService service; @UsesMocks({ File.class, }) protected void setUp() throws Exception { service = new RemoveTempFilesService(); }; /** * Tests when the directory doesn't exists. */ public void test_noDir() { File dir = AndroidMock.createMock(File.class, DIR_NAME); expect(dir.exists()).andStubReturn(false); AndroidMock.replay(dir); assertEquals(0, service.cleanTempDirectory(dir)); AndroidMock.verify(dir); } /** * Tests when the directory is empty. */ public void test_emptyDir() { File dir = AndroidMock.createMock(File.class, DIR_NAME); expect(dir.exists()).andStubReturn(true); expect(dir.listFiles()).andStubReturn(new File[0]); AndroidMock.replay(dir); assertEquals(0, service.cleanTempDirectory(dir)); AndroidMock.verify(dir); } /** * Tests when there is a new file and it shouldn't get deleted. */ public void test_newFile() { File file = AndroidMock.createMock(File.class, DIR_NAME + FILE_NAME); expect(file.lastModified()).andStubReturn(System.currentTimeMillis()); File dir = AndroidMock.createMock(File.class, DIR_NAME); expect(dir.exists()).andStubReturn(true); expect(dir.listFiles()).andStubReturn(new File[] { file }); AndroidMock.replay(dir, file); assertEquals(0, service.cleanTempDirectory(dir)); AndroidMock.verify(dir, file); } /** * Tests when there is an old file and it should get deleted. */ public void test_oldFile() { File file = AndroidMock.createMock(File.class, DIR_NAME + FILE_NAME); // qSet to one hour and 1 millisecond later than the current time expect(file.lastModified()).andStubReturn(System.currentTimeMillis() - 3600001); expect(file.delete()).andStubReturn(true); File dir = AndroidMock.createMock(File.class, DIR_NAME); expect(dir.exists()).andStubReturn(true); expect(dir.listFiles()).andStubReturn(new File[] { file }); AndroidMock.replay(dir, file); assertEquals(1, service.cleanTempDirectory(dir)); AndroidMock.verify(dir, file); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/RemoveTempFilesServiceTest.java
Java
asf20
3,229
/* * 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 static com.google.android.apps.mytracks.Constants.RESUME_TRACK_EXTRA_NAME; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.MyTracksProvider; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.content.WaypointCreationRequest; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.maps.mytracks.R; import android.content.BroadcastReceiver; import android.content.ContentResolver; import android.content.Context; import android.content.ContextWrapper; import android.content.Intent; import android.content.IntentFilter; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.database.Cursor; import android.location.Location; import android.net.Uri; import android.os.Bundle; import android.os.IBinder; import android.provider.Settings; import android.test.RenamingDelegatingContext; import android.test.ServiceTestCase; import android.test.mock.MockContentProvider; import android.test.mock.MockContentResolver; import android.test.suitebuilder.annotation.MediumTest; import android.test.suitebuilder.annotation.SmallTest; import android.util.Log; import java.util.ArrayList; import java.util.List; /** * Tests for the MyTracks track recording service. * * @author Bartlomiej Niechwiej * * TODO: The original class, ServiceTestCase, has a few limitations, e.g. * it's not possible to properly shutdown the service, unless tearDown() * is called, which prevents from testing multiple scenarios in a single * test (see runFunctionTest for more details). */ public class TrackRecordingServiceTest extends ServiceTestCase<TestRecordingService> { private Context context; private MyTracksProviderUtils providerUtils; private SharedPreferences sharedPreferences; /* * In order to support starting and binding to the service in the same * unit test, we provide a workaround, as the original class doesn't allow * to bind after the service has been previously started. */ private boolean bound; private Intent serviceIntent; public TrackRecordingServiceTest() { super(TestRecordingService.class); } /** * A context wrapper with the user provided {@link ContentResolver}. * * TODO: Move to test utils package. */ public static class MockContext extends ContextWrapper { private final ContentResolver contentResolver; public MockContext(ContentResolver contentResolver, Context base) { super(base); this.contentResolver = contentResolver; } @Override public ContentResolver getContentResolver() { return contentResolver; } } @Override protected IBinder bindService(Intent intent) { if (getService() != null) { if (bound) { throw new IllegalStateException( "Service: " + getService() + " is already bound"); } bound = true; serviceIntent = intent.cloneFilter(); return getService().onBind(intent); } else { return super.bindService(intent); } } @Override protected void shutdownService() { if (bound) { assertNotNull(getService()); getService().onUnbind(serviceIntent); bound = false; } super.shutdownService(); } @Override protected void setUp() throws Exception { super.setUp(); /* * Create a mock context that uses a mock content resolver and a renaming * delegating context. */ MockContentResolver mockContentResolver = new MockContentResolver(); RenamingDelegatingContext renamingDelegatingContext = new RenamingDelegatingContext( getContext(), getContext(), "test."); context = new MockContext(mockContentResolver, renamingDelegatingContext); // Set up the mock content resolver MyTracksProvider myTracksProvider = new MyTracksProvider(); myTracksProvider.attachInfo(context, null); mockContentResolver.addProvider(MyTracksProviderUtils.AUTHORITY, myTracksProvider); MockContentProvider settingsProvider = new MockContentProvider(context) { @Override public Bundle call(String method, String arg, Bundle extras) { return null; } @Override public Cursor query(Uri uri, String[] projection, String selection, String[] selectionArgs, String sortOrder) { return null; } }; mockContentResolver.addProvider(Settings.AUTHORITY, settingsProvider); // Set the context setContext(context); providerUtils = MyTracksProviderUtils.Factory.get(context); sharedPreferences = context.getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); // Let's use default values. sharedPreferences.edit().clear().apply(); // Disable auto resume by default. updateAutoResumePrefs(0, -1); // No recording track. PreferencesUtils.setRecordingTrackId(context, -1L); } @SmallTest public void testStartable() { startService(createStartIntent()); assertNotNull(getService()); } @MediumTest public void testBindable() { IBinder service = bindService(createStartIntent()); assertNotNull(service); } @MediumTest public void testResumeAfterReboot_shouldResume() throws Exception { // Insert a dummy track and mark it as recording track. createDummyTrack(123L, System.currentTimeMillis(), true); // Clear the number of attempts and set the timeout to 10 min. updateAutoResumePrefs(0, 10); // Start the service in "resume" mode (simulates the on-reboot action). Intent startIntent = createStartIntent(); startIntent.putExtra(RESUME_TRACK_EXTRA_NAME, true); startService(startIntent); assertNotNull(getService()); // We expect to resume the previous track. assertTrue(getService().isRecording()); ITrackRecordingService service = bindAndGetService(createStartIntent()); assertEquals(123L, service.getRecordingTrackId()); } // TODO: shutdownService() has a bug and doesn't set mServiceCreated // to false, thus preventing from a second call to onCreate(). // Report the bug to Android team. Until then, the following tests // and checks must be commented out. // // TODO: If fixed, remove "disabled" prefix from the test name. @MediumTest public void disabledTestResumeAfterReboot_simulateReboot() throws Exception { updateAutoResumePrefs(0, 10); ITrackRecordingService service = bindAndGetService(createStartIntent()); assertFalse(service.isRecording()); // Simulate recording a track. long id = service.startNewTrack(); assertTrue(service.isRecording()); assertEquals(id, service.getRecordingTrackId()); shutdownService(); assertEquals(id, PreferencesUtils.getRecordingTrackId(context)); // Start the service in "resume" mode (simulates the on-reboot action). Intent startIntent = createStartIntent(); startIntent.putExtra(RESUME_TRACK_EXTRA_NAME, true); startService(startIntent); assertNotNull(getService()); assertTrue(getService().isRecording()); } @MediumTest public void testResumeAfterReboot_noRecordingTrack() throws Exception { // Insert a dummy track and mark it as recording track. createDummyTrack(123L, System.currentTimeMillis(), false); // Clear the number of attempts and set the timeout to 10 min. updateAutoResumePrefs(0, 10); // Start the service in "resume" mode (simulates the on-reboot action). Intent startIntent = createStartIntent(); startIntent.putExtra(RESUME_TRACK_EXTRA_NAME, true); startService(startIntent); assertNotNull(getService()); // We don't expect to resume the previous track, because it was stopped. assertFalse(getService().isRecording()); ITrackRecordingService service = bindAndGetService(createStartIntent()); assertEquals(-1L, service.getRecordingTrackId()); } @MediumTest public void testResumeAfterReboot_expiredTrack() throws Exception { // Insert a dummy track last updated 20 min ago. createDummyTrack(123L, System.currentTimeMillis() - 20 * 60 * 1000, true); // Clear the number of attempts and set the timeout to 10 min. updateAutoResumePrefs(0, 10); // Start the service in "resume" mode (simulates the on-reboot action). Intent startIntent = createStartIntent(); startIntent.putExtra(RESUME_TRACK_EXTRA_NAME, true); startService(startIntent); assertNotNull(getService()); // We don't expect to resume the previous track, because it has expired. assertFalse(getService().isRecording()); ITrackRecordingService service = bindAndGetService(createStartIntent()); assertEquals(-1L, service.getRecordingTrackId()); } @MediumTest public void testResumeAfterReboot_tooManyAttempts() throws Exception { // Insert a dummy track. createDummyTrack(123L, System.currentTimeMillis(), true); // Set the number of attempts to max. updateAutoResumePrefs( TrackRecordingService.MAX_AUTO_RESUME_TRACK_RETRY_ATTEMPTS, 10); // Start the service in "resume" mode (simulates the on-reboot action). Intent startIntent = createStartIntent(); startIntent.putExtra(RESUME_TRACK_EXTRA_NAME, true); startService(startIntent); assertNotNull(getService()); // We don't expect to resume the previous track, because there were already // too many attempts. assertFalse(getService().isRecording()); ITrackRecordingService service = bindAndGetService(createStartIntent()); assertEquals(-1L, service.getRecordingTrackId()); } @MediumTest public void testRecording_noTracks() throws Exception { List<Track> tracks = providerUtils.getAllTracks(); assertTrue(tracks.isEmpty()); ITrackRecordingService service = bindAndGetService(createStartIntent()); // Test if we start in no-recording mode by default. assertFalse(service.isRecording()); assertEquals(-1L, service.getRecordingTrackId()); } @MediumTest public void testRecording_oldTracks() throws Exception { createDummyTrack(123L, -1L, false); ITrackRecordingService service = bindAndGetService(createStartIntent()); assertFalse(service.isRecording()); assertEquals(-1L, service.getRecordingTrackId()); } @MediumTest public void testRecording_orphanedRecordingTrack() throws Exception { // Just set recording track to a bogus value. PreferencesUtils.setRecordingTrackId(context, 256L); // Make sure that the service will not start recording and will clear // the bogus track. ITrackRecordingService service = bindAndGetService(createStartIntent()); assertFalse(service.isRecording()); assertEquals(-1L, service.getRecordingTrackId()); } /** * Synchronous/waitable broadcast receiver to be used in testing. */ private class BlockingBroadcastReceiver extends BroadcastReceiver { private static final long MAX_WAIT_TIME_MS = 10000; private List<Intent> receivedIntents = new ArrayList<Intent>(); public List<Intent> getReceivedIntents() { return receivedIntents; } @Override public void onReceive(Context ctx, Intent intent) { Log.d("MyTracksTest", "Got broadcast: " + intent); synchronized (receivedIntents) { receivedIntents.add(intent); receivedIntents.notifyAll(); } } public boolean waitUntilReceived(int receiveCount) { long deadline = System.currentTimeMillis() + MAX_WAIT_TIME_MS; synchronized (receivedIntents) { while (receivedIntents.size() < receiveCount) { try { // Wait releases synchronized lock until it returns receivedIntents.wait(500); } catch (InterruptedException e) { // Do nothing } if (System.currentTimeMillis() > deadline) { return false; } } } return true; } } @MediumTest public void testStartNewTrack_noRecording() throws Exception { // NOTICE: due to the way Android permissions work, if this fails, // uninstall the test apk then retry - the test must be installed *after* // My Tracks (go figure). // Reference: http://code.google.com/p/android/issues/detail?id=5521 BlockingBroadcastReceiver startReceiver = new BlockingBroadcastReceiver(); String startAction = context.getString(R.string.track_started_broadcast_action); context.registerReceiver(startReceiver, new IntentFilter(startAction)); List<Track> tracks = providerUtils.getAllTracks(); assertTrue(tracks.isEmpty()); ITrackRecordingService service = bindAndGetService(createStartIntent()); assertFalse(service.isRecording()); long id = service.startNewTrack(); assertTrue(id >= 0); assertTrue(service.isRecording()); Track track = providerUtils.getTrack(id); assertNotNull(track); assertEquals(id, track.getId()); assertEquals(sharedPreferences.getString(context.getString(R.string.default_activity_key), ""), track.getCategory()); assertEquals(id, PreferencesUtils.getRecordingTrackId(context)); assertEquals(id, service.getRecordingTrackId()); // Verify that the start broadcast was received. assertTrue(startReceiver.waitUntilReceived(1)); List<Intent> receivedIntents = startReceiver.getReceivedIntents(); assertEquals(1, receivedIntents.size()); Intent broadcastIntent = receivedIntents.get(0); assertEquals(startAction, broadcastIntent.getAction()); assertEquals(id, broadcastIntent.getLongExtra( context.getString(R.string.track_id_broadcast_extra), -1L)); context.unregisterReceiver(startReceiver); } @MediumTest public void testStartNewTrack_alreadyRecording() throws Exception { createDummyTrack(123L, -1L, true); ITrackRecordingService service = bindAndGetService(createStartIntent()); assertTrue(service.isRecording()); // Starting a new track when there is a recording should just return -1L. long newTrack = service.startNewTrack(); assertEquals(-1L, newTrack); assertEquals(123L, PreferencesUtils.getRecordingTrackId(context)); assertEquals(123L, service.getRecordingTrackId()); } @MediumTest public void testEndCurrentTrack_alreadyRecording() throws Exception { // See comment above if this fails randomly. BlockingBroadcastReceiver stopReceiver = new BlockingBroadcastReceiver(); String stopAction = context.getString(R.string.track_stopped_broadcast_action); context.registerReceiver(stopReceiver, new IntentFilter(stopAction)); createDummyTrack(123L, -1L, true); ITrackRecordingService service = bindAndGetService(createStartIntent()); assertTrue(service.isRecording()); // End the current track. service.endCurrentTrack(); assertFalse(service.isRecording()); assertEquals(-1L, PreferencesUtils.getRecordingTrackId(context)); assertEquals(-1L, service.getRecordingTrackId()); // Verify that the stop broadcast was received. assertTrue(stopReceiver.waitUntilReceived(1)); List<Intent> receivedIntents = stopReceiver.getReceivedIntents(); assertEquals(1, receivedIntents.size()); Intent broadcastIntent = receivedIntents.get(0); assertEquals(stopAction, broadcastIntent.getAction()); assertEquals(123L, broadcastIntent.getLongExtra( context.getString(R.string.track_id_broadcast_extra), -1L)); context.unregisterReceiver(stopReceiver); } @MediumTest public void testEndCurrentTrack_noRecording() throws Exception { ITrackRecordingService service = bindAndGetService(createStartIntent()); assertFalse(service.isRecording()); // Ending the current track when there is no recording should not result in any error. service.endCurrentTrack(); assertEquals(-1L, PreferencesUtils.getRecordingTrackId(context)); assertEquals(-1L, service.getRecordingTrackId()); } @MediumTest public void testIntegration_completeRecordingSession() throws Exception { List<Track> tracks = providerUtils.getAllTracks(); assertTrue(tracks.isEmpty()); fullRecordingSession(); } @MediumTest public void testInsertStatisticsMarker_noRecordingTrack() throws Exception { ITrackRecordingService service = bindAndGetService(createStartIntent()); assertFalse(service.isRecording()); try { service.insertWaypoint(WaypointCreationRequest.DEFAULT_STATISTICS); fail("Expecting IllegalStateException"); } catch (IllegalStateException e) { // Expected. } } @MediumTest public void testInsertStatisticsMarker_validLocation() throws Exception { createDummyTrack(123L, -1L, true); ITrackRecordingService service = bindAndGetService(createStartIntent()); assertTrue(service.isRecording()); assertEquals(1, service.insertWaypoint(WaypointCreationRequest.DEFAULT_STATISTICS)); assertEquals(2, service.insertWaypoint(WaypointCreationRequest.DEFAULT_STATISTICS)); Waypoint wpt = providerUtils.getWaypoint(1); assertEquals(getContext().getString(R.string.marker_statistics_icon_url), wpt.getIcon()); assertEquals(getContext().getString(R.string.marker_edit_type_statistics), wpt.getName()); assertEquals(Waypoint.TYPE_STATISTICS, wpt.getType()); assertEquals(123L, wpt.getTrackId()); assertEquals(0.0, wpt.getLength()); assertNotNull(wpt.getLocation()); assertNotNull(wpt.getStatistics()); // TODO check the rest of the params. // TODO: Check waypoint 2. } @MediumTest public void testInsertWaypointMarker_noRecordingTrack() throws Exception { ITrackRecordingService service = bindAndGetService(createStartIntent()); assertFalse(service.isRecording()); try { service.insertWaypoint(WaypointCreationRequest.DEFAULT_MARKER); fail("Expecting IllegalStateException"); } catch (IllegalStateException e) { // Expected. } } @MediumTest public void testInsertWaypointMarker_validWaypoint() throws Exception { createDummyTrack(123L, -1L, true); ITrackRecordingService service = bindAndGetService(createStartIntent()); assertTrue(service.isRecording()); assertEquals(1, service.insertWaypoint(WaypointCreationRequest.DEFAULT_MARKER)); Waypoint wpt = providerUtils.getWaypoint(1); assertEquals(getContext().getString(R.string.marker_waypoint_icon_url), wpt.getIcon()); assertEquals(getContext().getString(R.string.marker_edit_type_waypoint), wpt.getName()); assertEquals(Waypoint.TYPE_WAYPOINT, wpt.getType()); assertEquals(123L, wpt.getTrackId()); assertEquals(0.0, wpt.getLength()); assertNotNull(wpt.getLocation()); assertNull(wpt.getStatistics()); } @MediumTest public void testWithProperties_noAnnouncementFreq() throws Exception { functionalTest(R.string.announcement_frequency_key, (Object) null); } @MediumTest public void testWithProperties_defaultAnnouncementFreq() throws Exception { functionalTest(R.string.announcement_frequency_key, 1); } @MediumTest public void testWithProperties_noMaxRecordingDist() throws Exception { functionalTest(R.string.max_recording_distance_key, (Object) null); } @MediumTest public void testWithProperties_defaultMaxRecordingDist() throws Exception { functionalTest(R.string.max_recording_distance_key, 5); } @MediumTest public void testWithProperties_noMinRecordingDist() throws Exception { functionalTest(R.string.min_recording_distance_key, (Object) null); } @MediumTest public void testWithProperties_defaultMinRecordingDist() throws Exception { functionalTest(R.string.min_recording_distance_key, 2); } @MediumTest public void testWithProperties_noSplitFreq() throws Exception { functionalTest(R.string.split_frequency_key, (Object) null); } @MediumTest public void testWithProperties_defaultSplitFreqByDist() throws Exception { functionalTest(R.string.split_frequency_key, 5); } @MediumTest public void testWithProperties_defaultSplitFreqByTime() throws Exception { functionalTest(R.string.split_frequency_key, -2); } @MediumTest public void testWithProperties_noMetricUnits() throws Exception { functionalTest(R.string.metric_units_key, (Object) null); } @MediumTest public void testWithProperties_metricUnitsEnabled() throws Exception { functionalTest(R.string.metric_units_key, true); } @MediumTest public void testWithProperties_metricUnitsDisabled() throws Exception { functionalTest(R.string.metric_units_key, false); } @MediumTest public void testWithProperties_noMinRecordingInterval() throws Exception { functionalTest(R.string.min_recording_interval_key, (Object) null); } @MediumTest public void testWithProperties_defaultMinRecordingInterval() throws Exception { functionalTest(R.string.min_recording_interval_key, 3); } @MediumTest public void testWithProperties_noMinRequiredAccuracy() throws Exception { functionalTest(R.string.min_required_accuracy_key, (Object) null); } @MediumTest public void testWithProperties_defaultMinRequiredAccuracy() throws Exception { functionalTest(R.string.min_required_accuracy_key, 500); } @MediumTest public void testWithProperties_noSensorType() throws Exception { functionalTest(R.string.sensor_type_key, (Object) null); } @MediumTest public void testWithProperties_zephyrSensorType() throws Exception { functionalTest(R.string.sensor_type_key, context.getString(R.string.sensor_type_value_zephyr)); } private ITrackRecordingService bindAndGetService(Intent intent) { ITrackRecordingService service = ITrackRecordingService.Stub.asInterface( bindService(intent)); assertNotNull(service); return service; } private Track createDummyTrack(long id, long stopTime, boolean isRecording) { Track dummyTrack = new Track(); dummyTrack.setId(id); dummyTrack.setName("Dummy Track"); TripStatistics tripStatistics = new TripStatistics(); tripStatistics.setStopTime(stopTime); dummyTrack.setStatistics(tripStatistics); addTrack(dummyTrack, isRecording); return dummyTrack; } private void updateAutoResumePrefs(int attempts, int timeoutMins) { Editor editor = sharedPreferences.edit(); editor.putInt(context.getString( R.string.auto_resume_track_current_retry_key), attempts); editor.putInt(context.getString( R.string.auto_resume_track_timeout_key), timeoutMins); editor.apply(); } private Intent createStartIntent() { Intent startIntent = new Intent(); startIntent.setClass(context, TrackRecordingService.class); return startIntent; } private void addTrack(Track track, boolean isRecording) { assertTrue(track.getId() >= 0); providerUtils.insertTrack(track); assertEquals(track.getId(), providerUtils.getTrack(track.getId()).getId()); PreferencesUtils.setRecordingTrackId(context, isRecording ? track.getId() : -1L); } // TODO: We support multiple values for readability, however this test's // base class doesn't properly shutdown the service, so it's not possible // to pass more than 1 value at a time. private void functionalTest(int resourceId, Object ...values) throws Exception { final String key = context.getString(resourceId); for (Object value : values) { // Remove all properties and set the property for the given key. Editor editor = sharedPreferences.edit(); editor.clear(); if (value instanceof String) { editor.putString(key, (String) value); } else if (value instanceof Long) { editor.putLong(key, (Long) value); } else if (value instanceof Integer) { editor.putInt(key, (Integer) value); } else if (value instanceof Boolean) { editor.putBoolean(key, (Boolean) value); } else if (value == null) { // Do nothing, as clear above has already removed this property. } editor.apply(); fullRecordingSession(); } } private void fullRecordingSession() throws Exception { ITrackRecordingService service = bindAndGetService(createStartIntent()); assertFalse(service.isRecording()); // Start a track. long id = service.startNewTrack(); assertTrue(id >= 0); assertTrue(service.isRecording()); Track track = providerUtils.getTrack(id); assertNotNull(track); assertEquals(id, track.getId()); assertEquals(id, PreferencesUtils.getRecordingTrackId(context)); assertEquals(id, service.getRecordingTrackId()); // Insert a few points, markers and statistics. long startTime = System.currentTimeMillis(); for (int i = 0; i < 30; i++) { Location loc = new Location("gps"); loc.setLongitude(35.0f + i / 10.0f); loc.setLatitude(45.0f - i / 5.0f); loc.setAccuracy(5); loc.setSpeed(10); loc.setTime(startTime + i * 10000); loc.setBearing(3.0f); service.recordLocation(loc); if (i % 10 == 0) { service.insertWaypoint(WaypointCreationRequest.DEFAULT_STATISTICS); } else if (i % 7 == 0) { service.insertWaypoint(WaypointCreationRequest.DEFAULT_MARKER); } } // Stop the track. Validate if it has correct data. service.endCurrentTrack(); assertFalse(service.isRecording()); assertEquals(-1L, service.getRecordingTrackId()); track = providerUtils.getTrack(id); assertNotNull(track); assertEquals(id, track.getId()); TripStatistics tripStatistics = track.getStatistics(); assertNotNull(tripStatistics); assertTrue(tripStatistics.getStartTime() > 0); assertTrue(tripStatistics.getStopTime() >= tripStatistics.getStartTime()); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/services/TrackRecordingServiceTest.java
Java
asf20
26,578
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.ChartValueSeries.ZoomSettings; import com.google.android.maps.mytracks.R; import android.graphics.Paint.Style; import android.test.AndroidTestCase; /** * @author Sandor Dornbush */ public class ChartValueSeriesTest extends AndroidTestCase { private ChartValueSeries series; @Override protected void setUp() throws Exception { series = new ChartValueSeries(getContext(), R.color.elevation_fill, R.color.elevation_border, new ZoomSettings(5, new int[] {100}), R.string.stat_elevation); } public void testInitialConditions() { assertEquals(0, series.getInterval()); assertEquals(1, series.getMaxLabelLength()); assertEquals(0, series.getMin()); assertEquals(0, series.getMax()); assertEquals(0.0, series.getSpread()); assertEquals(Style.STROKE, series.getPaint().getStyle()); assertEquals(getContext().getString(R.string.stat_elevation), series.getTitle()); assertTrue(series.isEnabled()); } public void testEnabled() { series.setEnabled(false); assertFalse(series.isEnabled()); } public void testSmallUpdates() { series.update(0); series.update(10); series.updateDimension(); assertEquals(100, series.getInterval()); assertEquals(3, series.getMaxLabelLength()); assertEquals(0, series.getMin()); assertEquals(100, series.getMax()); assertEquals(100.0, series.getSpread()); } public void testBigUpdates() { series.update(0); series.update(901); series.updateDimension(); assertEquals(100, series.getInterval()); assertEquals(5, series.getMaxLabelLength()); assertEquals(0, series.getMin()); assertEquals(1000, series.getMax()); assertEquals(1000.0, series.getSpread()); } public void testNotZeroBasedUpdates() { series.update(500); series.update(1401); series.updateDimension(); assertEquals(100, series.getInterval()); assertEquals(5, series.getMaxLabelLength()); assertEquals(500, series.getMin()); assertEquals(1500, series.getMax()); assertEquals(1000.0, series.getSpread()); } public void testZoomSettings_invalidArgs() { try { new ZoomSettings(0, new int[] {10, 50, 100}); fail("Expected IllegalArgumentException"); } catch (IllegalArgumentException e) { // OK. } try { new ZoomSettings(1, null); fail("Expected IllegalArgumentException"); } catch (IllegalArgumentException e) { // OK. } try { new ZoomSettings(1, new int[] {}); fail("Expected IllegalArgumentException"); } catch (IllegalArgumentException e) { // OK. } try { new ZoomSettings(1, new int[] {1, 3, 2}); fail("Expected IllegalArgumentException"); } catch (IllegalArgumentException e) { // OK. } } public void testZoomSettings_minAligned() { ZoomSettings settings = new ZoomSettings(5, new int[] {10, 50, 100}); assertEquals(10, settings.calculateInterval(0, 15)); assertEquals(10, settings.calculateInterval(0, 50)); assertEquals(50, settings.calculateInterval(0, 111)); assertEquals(50, settings.calculateInterval(0, 250)); assertEquals(100, settings.calculateInterval(0, 251)); assertEquals(100, settings.calculateInterval(0, 10000)); } public void testZoomSettings_minNotAligned() { ZoomSettings settings = new ZoomSettings(5, new int[] {10, 50, 100}); assertEquals(50, settings.calculateInterval(5, 55)); assertEquals(10, settings.calculateInterval(10, 60)); assertEquals(50, settings.calculateInterval(7, 250)); assertEquals(100, settings.calculateInterval(7, 257)); assertEquals(100, settings.calculateInterval(11, 10000)); // A regression test. settings = new ZoomSettings(5, new int[] {5, 10, 20}); assertEquals(10, settings.calculateInterval(-37.14, -11.89)); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/ChartValueSeriesTest.java
Java
asf20
4,544
/* * 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.stats; import junit.framework.TestCase; /** * Tests for {@link TripStatistics}. * This only tests non-trivial pieces of that class. * * @author Rodrigo Damazio */ public class TripStatisticsTest extends TestCase { private TripStatistics statistics; @Override protected void setUp() throws Exception { super.setUp(); statistics = new TripStatistics(); } public void testSetBounds() { // This is not a trivial setter, conversion happens in it statistics.setBounds(12345, -34567, 56789, -98765); assertEquals(12345, statistics.getLeft()); assertEquals(-34567, statistics.getTop()); assertEquals(56789, statistics.getRight()); assertEquals(-98765, statistics.getBottom()); } public void testMerge() { TripStatistics statistics2 = new TripStatistics(); statistics.setStartTime(1000L); // Resulting start time statistics.setStopTime(2500L); statistics2.setStartTime(3000L); statistics2.setStopTime(4000L); // Resulting stop time statistics.setTotalTime(1500L); statistics2.setTotalTime(1000L); // Result: 1500+1000 statistics.setMovingTime(700L); statistics2.setMovingTime(600L); // Result: 700+600 statistics.setTotalDistance(750.0); statistics2.setTotalDistance(350.0); // Result: 750+350 statistics.setTotalElevationGain(50.0); statistics2.setTotalElevationGain(850.0); // Result: 850+50 statistics.setMaxSpeed(60.0); // Resulting max speed statistics2.setMaxSpeed(30.0); statistics.setMaxElevation(1250.0); statistics.setMinElevation(1200.0); // Resulting min elevation statistics2.setMaxElevation(3575.0); // Resulting max elevation statistics2.setMinElevation(2800.0); statistics.setMaxGrade(15.0); statistics.setMinGrade(-25.0); // Resulting min grade statistics2.setMaxGrade(35.0); // Resulting max grade statistics2.setMinGrade(0.0); // Resulting bounds: -10000, 35000, 30000, -40000 statistics.setBounds(-10000, 20000, 30000, -40000); statistics2.setBounds(-5000, 35000, 0, 20000); statistics.merge(statistics2); assertEquals(1000L, statistics.getStartTime()); assertEquals(4000L, statistics.getStopTime()); assertEquals(2500L, statistics.getTotalTime()); assertEquals(1300L, statistics.getMovingTime()); assertEquals(1100.0, statistics.getTotalDistance()); assertEquals(900.0, statistics.getTotalElevationGain()); assertEquals(60.0, statistics.getMaxSpeed()); assertEquals(-10000, statistics.getLeft()); assertEquals(30000, statistics.getRight()); assertEquals(35000, statistics.getTop()); assertEquals(-40000, statistics.getBottom()); assertEquals(1200.0, statistics.getMinElevation()); assertEquals(3575.0, statistics.getMaxElevation()); assertEquals(-25.0, statistics.getMinGrade()); assertEquals(35.0, statistics.getMaxGrade()); } public void testGetAverageSpeed() { statistics.setTotalDistance(1000.0); statistics.setTotalTime(50000); // in milliseconds assertEquals(20.0, statistics.getAverageSpeed()); } public void testGetAverageMovingSpeed() { statistics.setTotalDistance(1000.0); statistics.setMovingTime(20000); // in milliseconds assertEquals(50.0, statistics.getAverageMovingSpeed()); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/stats/TripStatisticsTest.java
Java
asf20
3,920
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.stats; import com.google.android.apps.mytracks.Constants; import android.location.Location; import junit.framework.TestCase; /** * Test the the function of the TripStatisticsBuilder class. * * @author Sandor Dornbush */ public class TripStatisticsBuilderTest extends TestCase { private TripStatisticsBuilder builder = null; @Override protected void setUp() throws Exception { super.setUp(); builder = new TripStatisticsBuilder(System.currentTimeMillis()); } public void testAddLocationSimple() throws Exception { builder = new TripStatisticsBuilder(1000); TripStatistics stats = builder.getStatistics(); assertEquals(0.0, builder.getSmoothedElevation()); assertEquals(Double.POSITIVE_INFINITY, stats.getMinElevation()); assertEquals(Double.NEGATIVE_INFINITY, stats.getMaxElevation()); assertEquals(0.0, stats.getMaxSpeed()); assertEquals(Double.POSITIVE_INFINITY, stats.getMinGrade()); assertEquals(Double.NEGATIVE_INFINITY, stats.getMaxGrade()); assertEquals(0.0, stats.getTotalElevationGain()); assertEquals(0, stats.getMovingTime()); assertEquals(0.0, stats.getTotalDistance()); for (int i = 0; i < 100; i++) { Location l = new Location("test"); l.setAccuracy(1.0f); l.setLongitude(45.0); // Going up by 5 meters each time. l.setAltitude(i); // Moving by .1% of a degree latitude. l.setLatitude(i * .001); l.setSpeed(11.1f); // Each time slice is 10 seconds. long time = 1000 + 10000 * i; l.setTime(time); boolean moving = builder.addLocation(l, time); assertEquals((i != 0), moving); stats = builder.getStatistics(); assertEquals(10000 * i, stats.getTotalTime()); assertEquals(10000 * i, stats.getMovingTime()); assertEquals(i, builder.getSmoothedElevation(), Constants.ELEVATION_SMOOTHING_FACTOR / 2); assertEquals(0.0, stats.getMinElevation()); assertEquals(i, stats.getMaxElevation(), Constants.ELEVATION_SMOOTHING_FACTOR / 2); assertEquals(i, stats.getTotalElevationGain(), Constants.ELEVATION_SMOOTHING_FACTOR); if (i > Constants.SPEED_SMOOTHING_FACTOR) { assertEquals(11.1f, stats.getMaxSpeed(), 0.1); } if ((i > Constants.GRADE_SMOOTHING_FACTOR) && (i > Constants.ELEVATION_SMOOTHING_FACTOR)) { assertEquals(0.009, stats.getMinGrade(), 0.0001); assertEquals(0.009, stats.getMaxGrade(), 0.0001); } // 1 degree = 111 km // 1 timeslice = 0.001 degree = 111 m assertEquals(111.0 * i, stats.getTotalDistance(), 100); } } /** * Test that elevation works if the user is stable. */ public void testElevationSimple() throws Exception { for (double elevation = 0; elevation < 1000; elevation += 10) { builder = new TripStatisticsBuilder(System.currentTimeMillis()); for (int j = 0; j < 100; j++) { assertEquals(0.0, builder.updateElevation(elevation)); assertEquals(elevation, builder.getSmoothedElevation()); TripStatistics data = builder.getStatistics(); assertEquals(elevation, data.getMinElevation()); assertEquals(elevation, data.getMaxElevation()); assertEquals(0.0, data.getTotalElevationGain()); } } } public void testElevationGain() throws Exception { for (double i = 0; i < 1000; i++) { double expectedGain; if (i < (Constants.ELEVATION_SMOOTHING_FACTOR - 1)) { expectedGain = 0; } else if (i < Constants.ELEVATION_SMOOTHING_FACTOR) { expectedGain = 0.5; } else { expectedGain = 1.0; } assertEquals(expectedGain, builder.updateElevation(i)); assertEquals(i, builder.getSmoothedElevation(), 20); TripStatistics data = builder.getStatistics(); assertEquals(0.0, data.getMinElevation(), 0.0); assertEquals(i, data.getMaxElevation(), Constants.ELEVATION_SMOOTHING_FACTOR); assertEquals(i, data.getTotalElevationGain(), Constants.ELEVATION_SMOOTHING_FACTOR); } } public void testGradeSimple() throws Exception { for (double i = 0; i < 1000; i++) { // The value of the elevation does not matter. This is just to fill the // buffer. builder.updateElevation(i); builder.updateGrade(100, 100); if ((i > Constants.GRADE_SMOOTHING_FACTOR) && (i > Constants.ELEVATION_SMOOTHING_FACTOR)) { assertEquals(1.0, builder.getStatistics().getMaxGrade()); assertEquals(1.0, builder.getStatistics().getMinGrade()); } } for (double i = 0; i < 1000; i++) { // The value of the elevation does not matter. This is just to fill the // buffer. builder.updateElevation(i); builder.updateGrade(100, -100); if ((i > Constants.GRADE_SMOOTHING_FACTOR) && (i > Constants.ELEVATION_SMOOTHING_FACTOR)) { assertEquals(1.0, builder.getStatistics().getMaxGrade()); assertEquals(-1.0, builder.getStatistics().getMinGrade()); } } } public void testGradeIgnoreShort() throws Exception { for (double i = 0; i < 100; i++) { // The value of the elevation does not matter. This is just to fill the // buffer. builder.updateElevation(i); builder.updateGrade(1, 100); assertEquals(Double.NEGATIVE_INFINITY, builder.getStatistics().getMaxGrade()); assertEquals(Double.POSITIVE_INFINITY, builder.getStatistics().getMinGrade()); } } public void testUpdateSpeedIncludeZero() { for (int i = 0; i < 1000; i++) { builder.updateSpeed(i + 1000, 0.0, i, 4.0); assertEquals(0.0, builder.getStatistics().getMaxSpeed()); assertEquals((i + 1) * 1000, builder.getStatistics().getMovingTime()); } } public void testUpdateSpeedIngoreErrorCode() { builder.updateSpeed(12345000, 128.0, 12344000, 0.0); assertEquals(0.0, builder.getStatistics().getMaxSpeed()); assertEquals(1000, builder.getStatistics().getMovingTime()); } public void testUpdateSpeedIngoreLargeAcceleration() { builder.updateSpeed(12345000, 100.0, 12344000, 1.0); assertEquals(0.0, builder.getStatistics().getMaxSpeed()); assertEquals(1000, builder.getStatistics().getMovingTime()); } public void testUpdateSpeed() { for (int i = 0; i < 1000; i++) { builder.updateSpeed(i + 1000, 4.0, i, 4.0); assertEquals((i + 1) * 1000, builder.getStatistics().getMovingTime()); if (i > Constants.SPEED_SMOOTHING_FACTOR) { assertEquals(4.0, builder.getStatistics().getMaxSpeed()); } } } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/stats/TripStatisticsBuilderTest.java
Java
asf20
6,773
/* * Copyright 2009 Google Inc. All Rights Reserved. */ package com.google.android.apps.mytracks.stats; import junit.framework.TestCase; /** * Test for the DoubleBuffer class. * * @author Sandor Dornbush */ public class DoubleBufferTest extends TestCase { /** * Tests that the constructor leaves the buffer in a valid state. */ public void testConstructor() { DoubleBuffer buffer = new DoubleBuffer(10); assertFalse(buffer.isFull()); assertEquals(0.0, buffer.getAverage()); double[] averageAndVariance = buffer.getAverageAndVariance(); assertEquals(0.0, averageAndVariance[0]); assertEquals(0.0, averageAndVariance[1]); } /** * Simple test with 10 of the same values. */ public void testBasic() { DoubleBuffer buffer = new DoubleBuffer(10); for (int i = 0; i < 9; i++) { buffer.setNext(1.0); assertFalse(buffer.isFull()); assertEquals(1.0, buffer.getAverage()); double[] averageAndVariance = buffer.getAverageAndVariance(); assertEquals(1.0, averageAndVariance[0]); assertEquals(0.0, averageAndVariance[1]); } buffer.setNext(1); assertTrue(buffer.isFull()); assertEquals(1.0, buffer.getAverage()); double[] averageAndVariance = buffer.getAverageAndVariance(); assertEquals(1.0, averageAndVariance[0]); assertEquals(0.0, averageAndVariance[1]); } /** * Tests with 5 entries of -10 and 5 entries of 10. */ public void testSplit() { DoubleBuffer buffer = new DoubleBuffer(10); for (int i = 0; i < 5; i++) { buffer.setNext(-10); assertFalse(buffer.isFull()); assertEquals(-10.0, buffer.getAverage()); double[] averageAndVariance = buffer.getAverageAndVariance(); assertEquals(-10.0, averageAndVariance[0]); assertEquals(0.0, averageAndVariance[1]); } for (int i = 1; i < 5; i++) { buffer.setNext(10); assertFalse(buffer.isFull()); double expectedAverage = ((i * 10.0) - 50.0) / (i + 5); assertEquals(buffer.toString(), expectedAverage, buffer.getAverage(), 0.01); double[] averageAndVariance = buffer.getAverageAndVariance(); assertEquals(expectedAverage, averageAndVariance[0]); } buffer.setNext(10); assertTrue(buffer.isFull()); assertEquals(0.0, buffer.getAverage()); double[] averageAndVariance = buffer.getAverageAndVariance(); assertEquals(0.0, averageAndVariance[0]); assertEquals(100.0, averageAndVariance[1]); } /** * Tests that reset leaves the buffer in a valid state. */ public void testReset() { DoubleBuffer buffer = new DoubleBuffer(10); for (int i = 0; i < 100; i++) { buffer.setNext(i); } assertTrue(buffer.isFull()); buffer.reset(); assertFalse(buffer.isFull()); assertEquals(0.0, buffer.getAverage()); double[] averageAndVariance = buffer.getAverageAndVariance(); assertEquals(0.0, averageAndVariance[0]); assertEquals(0.0, averageAndVariance[1]); } /** * Tests that if a lot of items are inserted the smoothing and looping works. */ public void testLoop() { DoubleBuffer buffer = new DoubleBuffer(10); for (int i = 0; i < 1000; i++) { buffer.setNext(i); assertEquals(i >= 9, buffer.isFull()); if (i > 10) { assertEquals(i - 4.5, buffer.getAverage()); } } } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/stats/DoubleBufferTest.java
Java
asf20
3,378
/** * Copyright 2009 Google Inc. All Rights Reserved. */ package com.google.android.apps.mytracks.stats; import junit.framework.TestCase; import java.util.Random; /** * This class test the ExtremityMonitor class. * * @author Sandor Dornbush */ public class ExtremityMonitorTest extends TestCase { public ExtremityMonitorTest(String name) { super(name); } public void testInitialize() { ExtremityMonitor monitor = new ExtremityMonitor(); assertEquals(Double.POSITIVE_INFINITY, monitor.getMin()); assertEquals(Double.NEGATIVE_INFINITY, monitor.getMax()); } public void testSimple() { ExtremityMonitor monitor = new ExtremityMonitor(); assertTrue(monitor.update(0)); assertTrue(monitor.update(1)); assertEquals(0.0, monitor.getMin()); assertEquals(1.0, monitor.getMax()); assertFalse(monitor.update(1)); assertFalse(monitor.update(0.5)); } /** * Throws a bunch of random numbers between [0,1] at the monitor. */ public void testRandom() { ExtremityMonitor monitor = new ExtremityMonitor(); Random random = new Random(42); for (int i = 0; i < 1000; i++) { monitor.update(random.nextDouble()); } assertTrue(monitor.getMin() < 0.1); assertTrue(monitor.getMax() < 1.0); assertTrue(monitor.getMin() >= 0.0); assertTrue(monitor.getMax() > 0.9); } public void testReset() { ExtremityMonitor monitor = new ExtremityMonitor(); assertTrue(monitor.update(0)); assertTrue(monitor.update(1)); monitor.reset(); assertEquals(Double.POSITIVE_INFINITY, monitor.getMin()); assertEquals(Double.NEGATIVE_INFINITY, monitor.getMax()); assertTrue(monitor.update(0)); assertTrue(monitor.update(1)); assertEquals(0.0, monitor.getMin()); assertEquals(1.0, monitor.getMax()); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/stats/ExtremityMonitorTest.java
Java
asf20
1,813
/* * 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.content.SearchEngine.ScoredResult; import com.google.android.apps.mytracks.content.SearchEngine.SearchQuery; import com.google.android.apps.mytracks.services.TrackRecordingServiceTest.MockContext; import com.google.android.apps.mytracks.stats.TripStatistics; import android.content.ContentUris; import android.location.Location; import android.net.Uri; import android.test.AndroidTestCase; import android.test.RenamingDelegatingContext; import android.test.mock.MockContentResolver; import java.util.ArrayList; import java.util.Arrays; import java.util.List; /** * Tests for {@link SearchEngine}. * These are not meant to be quality tests, but instead feature-by-feature tests * (in other words, they don't test the mixing of different score boostings, just * each boosting separately) * * @author Rodrigo Damazio */ public class SearchEngineTest extends AndroidTestCase { private static final Location HERE = new Location("gps"); private static final long NOW = 1234567890000L; // After OLDEST_ALLOWED_TIMESTAMP private MyTracksProviderUtils providerUtils; private SearchEngine engine; @Override protected void setUp() throws Exception { super.setUp(); MockContentResolver mockContentResolver = new MockContentResolver(); RenamingDelegatingContext targetContext = new RenamingDelegatingContext( getContext(), getContext(), "test."); MockContext context = new MockContext(mockContentResolver, targetContext); MyTracksProvider provider = new MyTracksProvider(); provider.attachInfo(context, null); mockContentResolver.addProvider(MyTracksProviderUtils.AUTHORITY, provider); setContext(context); providerUtils = MyTracksProviderUtils.Factory.get(context); engine = new SearchEngine(providerUtils); } @Override protected void tearDown() throws Exception { providerUtils.deleteAllTracks(); super.tearDown(); } private long insertTrack(String title, String description, String category, double distance, long hoursAgo) { Track track = new Track(); track.setName(title); track.setDescription(description); track.setCategory(category); TripStatistics stats = track.getStatistics(); if (hoursAgo > 0) { // Started twice hoursAgo, so the average time is hoursAgo. stats.setStartTime(NOW - hoursAgo * 1000L * 60L * 60L * 2); stats.setStopTime(NOW); } int latitude = (int) ((HERE.getLatitude() + distance) * 1E6); int longitude = (int) ((HERE.getLongitude() + distance) * 1E6); stats.setBounds(latitude, longitude, latitude, longitude); Uri uri = providerUtils.insertTrack(track); return ContentUris.parseId(uri); } private long insertTrack(String title, String description, String category) { return insertTrack(title, description, category, 0, -1); } private long insertTrack(String title, double distance) { return insertTrack(title, "", "", distance, -1); } private long insertTrack(String title, long hoursAgo) { return insertTrack(title, "", "", 0.0, hoursAgo); } private long insertWaypoint(String title, String description, String category, double distance, long hoursAgo, long trackId) { Waypoint waypoint = new Waypoint(); waypoint.setName(title); waypoint.setDescription(description); waypoint.setCategory(category); waypoint.setTrackId(trackId); Location location = new Location(HERE); location.setLatitude(location.getLatitude() + distance); location.setLongitude(location.getLongitude() + distance); if (hoursAgo >= 0) { location.setTime(NOW - hoursAgo * 1000L * 60L * 60L); } waypoint.setLocation(location); Uri uri = providerUtils.insertWaypoint(waypoint); return ContentUris.parseId(uri); } private long insertWaypoint(String title, String description, String category) { return insertWaypoint(title, description, category, 0.0, -1, -1); } private long insertWaypoint(String title, double distance) { return insertWaypoint(title, "", "", distance, -1, -1); } private long insertWaypoint(String title, long hoursAgo) { return insertWaypoint(title, "", "", 0.0, hoursAgo, -1); } private long insertWaypoint(String title, long hoursAgo, long trackId) { return insertWaypoint(title, "", "", 0.0, hoursAgo, trackId); } public void testSearchText() { // Insert 7 tracks (purposefully out of result order): // - one which won't match // - one which will match the description // - one which will match the category // - one which will match the title // - one which will match in title and category // - one which will match in title and description // - one which will match in all fields insertTrack("bb", "cc", "dd"); long descriptionMatchId = insertTrack("bb", "aa", "cc"); long categoryMatchId = insertTrack("bb", "cc", "aa"); long titleMatchId = insertTrack("aa", "bb", "cc"); long titleCategoryMatchId = insertTrack("aa", "bb", "ca"); long titleDescriptionMatchId = insertTrack("aa", "ba", "cc"); long allMatchId = insertTrack("aa", "ba", "ca"); SearchQuery query = new SearchQuery("a", null, -1, NOW); ArrayList<ScoredResult> results = new ArrayList<ScoredResult>(engine.search(query)); // Title > Description > Category. assertTrackResults(results, allMatchId, titleDescriptionMatchId, titleCategoryMatchId, titleMatchId, descriptionMatchId, categoryMatchId); } public void testSearchWaypointText() { // Insert 7 waypoints (purposefully out of result order): // - one which won't match // - one which will match the description // - one which will match the category // - one which will match the title // - one which will match in title and category // - one which will match in title and description // - one which will match in all fields insertWaypoint("bb", "cc", "dd"); long descriptionMatchId = insertWaypoint("bb", "aa", "cc"); long categoryMatchId = insertWaypoint("bb", "cc", "aa"); long titleMatchId = insertWaypoint("aa", "bb", "cc"); long titleCategoryMatchId = insertWaypoint("aa", "bb", "ca"); long titleDescriptionMatchId = insertWaypoint("aa", "ba", "cc"); long allMatchId = insertWaypoint("aa", "ba", "ca"); SearchQuery query = new SearchQuery("a", null, -1, NOW); ArrayList<ScoredResult> results = new ArrayList<ScoredResult>(engine.search(query)); // Title > Description > Category. assertWaypointResults(results, allMatchId, titleDescriptionMatchId, titleCategoryMatchId, titleMatchId, descriptionMatchId, categoryMatchId); } public void testSearchMixedText() { // Insert 5 entries (purposefully out of result order): // - one waypoint which will match by description // - one waypoint which won't match // - one waypoint which will match by title // - one track which won't match // - one track which will match by title long descriptionWaypointId = insertWaypoint("bb", "aa", "cc"); insertWaypoint("bb", "cc", "dd"); long titleWaypointId = insertWaypoint("aa", "bb", "cc"); insertTrack("bb", "cc", "dd"); long trackId = insertTrack("aa", "bb", "cc"); SearchQuery query = new SearchQuery("a", null, -1, NOW); ArrayList<ScoredResult> results = new ArrayList<ScoredResult>(engine.search(query)); // Title > Description > Category. assertEquals(results.toString(), 3, results.size()); assertTrackResult(trackId, results.get(0)); assertWaypointResult(titleWaypointId, results.get(1)); assertWaypointResult(descriptionWaypointId, results.get(2)); } public void testSearchTrackDistance() { // All results match text, but they're at difference distances from the user. long farFarAwayId = insertTrack("aa", 0.3); long nearId = insertTrack("ab", 0.1); long farId = insertTrack("ac", 0.2); SearchQuery query = new SearchQuery("a", HERE, -1, NOW); ArrayList<ScoredResult> results = new ArrayList<ScoredResult>(engine.search(query)); // Distance order. assertTrackResults(results, nearId, farId, farFarAwayId); } public void testSearchWaypointDistance() { // All results match text, but they're at difference distances from the user. long farFarAwayId = insertWaypoint("aa", 0.3); long nearId = insertWaypoint("ab", 0.1); long farId = insertWaypoint("ac", 0.2); SearchQuery query = new SearchQuery("a", HERE, -1, NOW); ArrayList<ScoredResult> results = new ArrayList<ScoredResult>(engine.search(query)); // Distance order. assertWaypointResults(results, nearId, farId, farFarAwayId); } public void testSearchTrackRecent() { // All results match text, but they're were recorded at different times. long oldestId = insertTrack("aa", 3); long recentId = insertTrack("ab", 1); long oldId = insertTrack("ac", 2); SearchQuery query = new SearchQuery("a", null, -1, NOW); ArrayList<ScoredResult> results = new ArrayList<ScoredResult>(engine.search(query)); // Reverse time order. assertTrackResults(results, recentId, oldId, oldestId); } public void testSearchWaypointRecent() { // All results match text, but they're were recorded at different times. long oldestId = insertWaypoint("aa", 2); long recentId = insertWaypoint("ab", 0); long oldId = insertWaypoint("ac", 1); SearchQuery query = new SearchQuery("a", null, -1, NOW); ArrayList<ScoredResult> results = new ArrayList<ScoredResult>(engine.search(query)); // Reverse time order. assertWaypointResults(results, recentId, oldId, oldestId); } public void testSearchCurrentTrack() { // All results match text, but one of them is the current track. long currentId = insertTrack("ab", 1); long otherId = insertTrack("aa", 1); SearchQuery query = new SearchQuery("a", null, currentId, NOW); ArrayList<ScoredResult> results = new ArrayList<ScoredResult>(engine.search(query)); // Current track should be demoted. assertTrackResults(results, otherId, currentId); } public void testSearchCurrentTrackWaypoint() { // All results match text, but one of them is in the current track. long otherId = insertWaypoint("aa", 1, 456); long currentId = insertWaypoint("ab", 1, 123); SearchQuery query = new SearchQuery("a", null, 123, NOW); ArrayList<ScoredResult> results = new ArrayList<ScoredResult>(engine.search(query)); // Waypoint in current track should be promoted. assertWaypointResults(results, currentId, otherId); } private void assertTrackResult(long trackId, ScoredResult result) { assertNotNull("Not a track", result.track); assertNull("Ambiguous result", result.waypoint); assertEquals(trackId, result.track.getId()); } private void assertTrackResults(List<ScoredResult> results, long... trackIds) { String errMsg = "Expected IDs=" + Arrays.toString(trackIds) + "; results=" + results; assertEquals(results.size(), trackIds.length); for (int i = 0; i < results.size(); i++) { ScoredResult result = results.get(i); assertNotNull(errMsg, result.track); assertNull(errMsg, result.waypoint); assertEquals(errMsg, trackIds[i], result.track.getId()); } } private void assertWaypointResult(long waypointId, ScoredResult result) { assertNotNull("Not a waypoint", result.waypoint); assertNull("Ambiguous result", result.track); assertEquals(waypointId, result.waypoint.getId()); } private void assertWaypointResults(List<ScoredResult> results, long... waypointIds) { String errMsg = "Expected IDs=" + Arrays.toString(waypointIds) + "; results=" + results; assertEquals(results.size(), waypointIds.length); for (int i = 0; i < results.size(); i++) { ScoredResult result = results.get(i); assertNotNull(errMsg, result.waypoint); assertNull(errMsg, result.track); assertEquals(errMsg, waypointIds[i], result.waypoint.getId()); } } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/content/SearchEngineTest.java
Java
asf20
12,696
/* * 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; import com.google.android.apps.mytracks.content.WaypointCreationRequest.WaypointType; import android.os.Parcel; import android.test.AndroidTestCase; /** * Tests for the WaypointCreationRequest class. * {@link WaypointCreationRequest} * * @author Sandor Dornbush */ public class WaypointCreationRequestTest extends AndroidTestCase { public void testTypeParceling() { WaypointCreationRequest original = WaypointCreationRequest.DEFAULT_MARKER; Parcel p = Parcel.obtain(); original.writeToParcel(p, 0); p.setDataPosition(0); WaypointCreationRequest copy = WaypointCreationRequest.CREATOR.createFromParcel(p); assertEquals(original.getType(), copy.getType()); assertNull(copy.getName()); assertNull(copy.getDescription()); assertNull(copy.getIconUrl()); } public void testAllAttributesParceling() { WaypointCreationRequest original = new WaypointCreationRequest(WaypointType.MARKER, "name", "category", "description", "img.png"); Parcel p = Parcel.obtain(); original.writeToParcel(p, 0); p.setDataPosition(0); WaypointCreationRequest copy = WaypointCreationRequest.CREATOR.createFromParcel(p); assertEquals(original.getType(), copy.getType()); assertEquals("name", copy.getName()); assertEquals("category", copy.getCategory()); assertEquals("description", copy.getDescription()); assertEquals("img.png", copy.getIconUrl()); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/content/WaypointCreationRequestTest.java
Java
asf20
2,067
/* * 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.StringUtils; import com.google.android.maps.mytracks.R; import android.test.AndroidTestCase; import android.util.Pair; /** * Tests for {@link DescriptionGeneratorImpl}. * * @author Jimmy Shih */ public class DescriptionGeneratorImplTest extends AndroidTestCase { private static final long START_TIME = 1288721514000L; private DescriptionGeneratorImpl descriptionGenerator; @Override protected void setUp() throws Exception { descriptionGenerator = new DescriptionGeneratorImpl(getContext()); } /** * Tests {@link DescriptionGeneratorImpl#generateTrackDescription(Track, * java.util.Vector, java.util.Vector)}. */ public void testGenerateTrackDescription() { Track track = new Track(); TripStatistics stats = new TripStatistics(); stats.setTotalDistance(20000); stats.setTotalTime(600000); stats.setMovingTime(300000); stats.setMaxSpeed(100); stats.setMaxElevation(550); stats.setMinElevation(-500); stats.setTotalElevationGain(6000); stats.setMaxGrade(0.42); stats.setMinGrade(0.11); stats.setStartTime(START_TIME); track.setStatistics(stats); track.setCategory("hiking"); String expected = "Created by" + " <a href='http://www.google.com/mobile/mytracks'>My Tracks</a> on Android.<p>" + "Total distance: 20.00 km (12.4 mi)<br>" + "Total time: 10:00<br>" + "Moving time: 05:00<br>" + "Average speed: 120.00 km/h (74.6 mi/h)<br>" + "Average moving speed: 240.00 km/h (149.1 mi/h)<br>" + "Max speed: 360.00 km/h (223.7 mi/h)<br>" + "Average pace: 0.50 min/km (0.8 min/mi)<br>" + "Average moving pace: 0.25 min/km (0.4 min/mi)<br>" + "Fastest pace: 0.17 min/km (0.3 min/mi)<br>" + "Max elevation: 550 m (1804 ft)<br>" + "Min elevation: -500 m (-1640 ft)<br>" + "Elevation gain: 6000 m (19685 ft)<br>" + "Max grade: 42 %<br>" + "Min grade: 11 %<br>" + "Recorded: " + StringUtils.formatDateTime(getContext(), START_TIME) + "<br>" + "Activity type: hiking<br>"; assertEquals(expected, descriptionGenerator.generateTrackDescription(track, null, null)); } /** * Tests {@link DescriptionGeneratorImpl#generateWaypointDescription(Waypoint)}. */ public void testGenerateWaypointDescription() { Waypoint waypoint = new Waypoint(); TripStatistics stats = new TripStatistics(); stats.setTotalDistance(20000); stats.setTotalTime(600000); stats.setMovingTime(300000); stats.setMaxSpeed(100); stats.setMaxElevation(550); stats.setMinElevation(-500); stats.setTotalElevationGain(6000); stats.setMaxGrade(0.42); stats.setMinGrade(0.11); stats.setStartTime(START_TIME); waypoint.setStatistics(stats); String expected = "Total distance: 20.00 km (12.4 mi)\n" + "Total time: 10:00\n" + "Moving time: 05:00\n" + "Average speed: 120.00 km/h (74.6 mi/h)\n" + "Average moving speed: 240.00 km/h (149.1 mi/h)\n" + "Max speed: 360.00 km/h (223.7 mi/h)\n" + "Average pace: 0.50 min/km (0.8 min/mi)\n" + "Average moving pace: 0.25 min/km (0.4 min/mi)\n" + "Fastest pace: 0.17 min/km (0.3 min/mi)\n" + "Max elevation: 550 m (1804 ft)\n" + "Min elevation: -500 m (-1640 ft)\n" + "Elevation gain: 6000 m (19685 ft)\n" + "Max grade: 42 %\n" + "Min grade: 11 %\n" + "Recorded: " + StringUtils.formatDateTime(getContext(), START_TIME) + "\n"; assertEquals(expected, descriptionGenerator.generateWaypointDescription(waypoint)); } /** * Tests {@link DescriptionGeneratorImpl#writeDistance(double, StringBuilder, * int, String)}. */ public void testWriteDistance() { StringBuilder builder = new StringBuilder(); descriptionGenerator.writeDistance(1100, builder, R.string.description_total_distance, "<br>"); assertEquals("Total distance: 1.10 km (0.7 mi)<br>", builder.toString()); } /** * Tests {@link DescriptionGeneratorImpl#writeTime(long, StringBuilder, int, * String)}. */ public void testWriteTime() { StringBuilder builder = new StringBuilder(); descriptionGenerator.writeTime(1000, builder, R.string.description_total_time, "<br>"); assertEquals("Total time: 00:01<br>", builder.toString()); } /** * Tests {@link DescriptionGeneratorImpl#writeSpeed(double, StringBuilder, * int, String)}. */ public void testWriteSpeed() { StringBuilder builder = new StringBuilder(); descriptionGenerator.writeSpeed(1.1, builder, R.string.description_average_speed, "\n"); assertEquals("Average speed: 3.96 km/h (2.5 mi/h)\n", builder.toString()); } /** * Tests {@link DescriptionGeneratorImpl#writeElevation(double, StringBuilder, * int, String)}. */ public void testWriteElevation() { StringBuilder builder = new StringBuilder(); descriptionGenerator.writeElevation(4.2, builder, R.string.description_min_elevation, "<br>"); assertEquals("Min elevation: 4 m (14 ft)<br>", builder.toString()); } /** * Tests {@link DescriptionGeneratorImpl#writePace(Pair, StringBuilder, int, * String)}. */ public void testWritePace() { StringBuilder builder = new StringBuilder(); descriptionGenerator.writePace( new Pair<Double, Double>(1.1, 2.2), builder, R.string.description_average_pace, "\n"); assertEquals("Average pace: 54.55 min/km (27.3 min/mi)\n", builder.toString()); } /** * Tests {@link DescriptionGeneratorImpl#writeGrade(double, StringBuilder, * int, String)}. */ public void testWriteGrade() { StringBuilder builder = new StringBuilder(); descriptionGenerator.writeGrade(.042, builder, R.string.description_max_grade, "<br>"); assertEquals("Max grade: 4 %<br>", builder.toString()); } /** * Tests {@link DescriptionGeneratorImpl#writeGrade(double, StringBuilder, * int, String)} with a NaN. */ public void testWriteGrade_nan() { StringBuilder builder = new StringBuilder(); descriptionGenerator.writeGrade(Double.NaN, builder, R.string.description_max_grade, "<br>"); assertEquals("Max grade: 0 %<br>", builder.toString()); } /** * Tests {@link DescriptionGeneratorImpl#writeGrade(double, StringBuilder, * int, String)} with an infinite number. */ public void testWriteGrade_infinite() { StringBuilder builder = new StringBuilder(); descriptionGenerator.writeGrade( Double.POSITIVE_INFINITY, builder, R.string.description_max_grade, "<br>"); assertEquals("Max grade: 0 %<br>", builder.toString()); } /** * Tests {@link DescriptionGeneratorImpl#getPace(double)}. */ public void testGetPace() { assertEquals(12.0, descriptionGenerator.getPace(5)); } /** * Tests {@link DescriptionGeneratorImpl#getPace(double)} with zero speed. */ public void testGetPace_zero() { assertEquals(0.0, descriptionGenerator.getPace(0)); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/content/DescriptionGeneratorImplTest.java
Java
asf20
7,665
/* * 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.testing.mocking.AndroidMock.anyInt; import static com.google.android.testing.mocking.AndroidMock.capture; import static com.google.android.testing.mocking.AndroidMock.eq; import static com.google.android.testing.mocking.AndroidMock.expect; import static com.google.android.testing.mocking.AndroidMock.isA; import static com.google.android.testing.mocking.AndroidMock.leq; import static com.google.android.testing.mocking.AndroidMock.same; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.MyTracksProviderUtils.LocationFactory; import com.google.android.apps.mytracks.content.MyTracksProviderUtils.LocationIterator; import com.google.android.apps.mytracks.content.TrackDataHub.ListenerDataType; import com.google.android.apps.mytracks.content.TrackDataListener.ProviderState; import com.google.android.apps.mytracks.services.TrackRecordingServiceTest.MockContext; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.maps.mytracks.R; import com.google.android.testing.mocking.AndroidMock; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.database.ContentObserver; import android.database.Cursor; import android.database.MatrixCursor; import android.hardware.Sensor; import android.hardware.SensorEvent; import android.hardware.SensorEventListener; import android.location.Location; import android.location.LocationListener; import android.provider.BaseColumns; import android.test.AndroidTestCase; import android.test.RenamingDelegatingContext; import android.test.mock.MockContentResolver; import java.lang.reflect.Constructor; import java.util.EnumSet; import java.util.HashSet; import java.util.Set; import org.easymock.Capture; import org.easymock.IAnswer; /** * Tests for {@link TrackDataHub}. * * @author Rodrigo Damazio */ public class TrackDataHubTest extends AndroidTestCase { private static final long TRACK_ID = 42L; private static final int TARGET_POINTS = 50; private MyTracksProviderUtils providerUtils; private TrackDataHub hub; private TrackDataListeners listeners; private DataSourcesWrapper dataSources; private SharedPreferences prefs; private TrackDataListener listener1; private TrackDataListener listener2; private Capture<OnSharedPreferenceChangeListener> preferenceListenerCapture = new Capture<SharedPreferences.OnSharedPreferenceChangeListener>(); private MockContext context; private float declination; @Override protected void setUp() throws Exception { super.setUp(); MockContentResolver mockContentResolver = new MockContentResolver(); RenamingDelegatingContext targetContext = new RenamingDelegatingContext( getContext(), getContext(), "test."); context = new MockContext(mockContentResolver, targetContext); prefs = context.getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); providerUtils = AndroidMock.createMock("providerUtils", MyTracksProviderUtils.class); dataSources = AndroidMock.createNiceMock("dataSources", DataSourcesWrapper.class); listeners = new TrackDataListeners(); hub = new TrackDataHub(context, listeners, prefs, providerUtils, TARGET_POINTS) { @Override protected DataSourcesWrapper newDataSources() { return dataSources; } @Override protected void runInListenerThread(Runnable runnable) { // Run everything in the same thread. runnable.run(); } @Override protected float getDeclinationFor(Location location, long timestamp) { return declination; } }; listener1 = AndroidMock.createStrictMock("listener1", TrackDataListener.class); listener2 = AndroidMock.createStrictMock("listener2", TrackDataListener.class); PreferencesUtils.setRecordingTrackId(context, TRACK_ID); PreferencesUtils.setSelectedTrackId(context, TRACK_ID); } @Override protected void tearDown() throws Exception { AndroidMock.reset(dataSources); // Expect everything to be unregistered. if (preferenceListenerCapture.hasCaptured()) { dataSources.unregisterOnSharedPreferenceChangeListener(preferenceListenerCapture.getValue()); } dataSources.removeLocationUpdates(isA(LocationListener.class)); dataSources.unregisterSensorListener(isA(SensorEventListener.class)); dataSources.unregisterContentObserver(isA(ContentObserver.class)); AndroidMock.expectLastCall().times(3); AndroidMock.replay(dataSources); hub.stop(); hub = null; super.tearDown(); } public void testTrackListen() { Capture<ContentObserver> observerCapture = new Capture<ContentObserver>(); Track track = new Track(); expect(providerUtils.getTrack(TRACK_ID)).andStubReturn(track); expectStart(); dataSources.registerContentObserver( eq(TracksColumns.CONTENT_URI), eq(false), capture(observerCapture)); // Expect the initial loading. // Both listeners (registered before and after start) should get the same data. listener1.onTrackUpdated(track); listener2.onTrackUpdated(track); replay(); hub.registerTrackDataListener(listener1, EnumSet.of(ListenerDataType.TRACK_UPDATES)); hub.start(); hub.registerTrackDataListener(listener2, EnumSet.of(ListenerDataType.TRACK_UPDATES)); verifyAndReset(); ContentObserver observer = observerCapture.getValue(); expect(providerUtils.getTrack(TRACK_ID)).andStubReturn(track); // Now expect an update. listener1.onTrackUpdated(track); listener2.onTrackUpdated(track); replay(); observer.onChange(false); verifyAndReset(); // Unregister one, get another update. expect(providerUtils.getTrack(TRACK_ID)).andStubReturn(track); listener2.onTrackUpdated(track); replay(); hub.unregisterTrackDataListener(listener1); observer.onChange(false); verifyAndReset(); // Unregister the other, expect internal unregistration dataSources.unregisterContentObserver(observer); replay(); hub.unregisterTrackDataListener(listener2); observer.onChange(false); verifyAndReset(); } private static class FixedSizeCursorAnswer implements IAnswer<Cursor> { private final int size; public FixedSizeCursorAnswer(int size) { this.size = size; } @Override public Cursor answer() throws Throwable { MatrixCursor cursor = new MatrixCursor(new String[] { BaseColumns._ID }); for (long i = 1; i <= size; i++) { cursor.addRow(new Object[] { i }); } return cursor; } } private static class FixedSizeLocationIterator implements LocationIterator { private final long startId; private final Location[] locs; private final Set<Integer> splitIndexSet = new HashSet<Integer>(); private int currentIdx = -1; public FixedSizeLocationIterator(long startId, int size) { this(startId, size, null); } public FixedSizeLocationIterator(long startId, int size, int... splitIndices) { this.startId = startId; this.locs = new Location[size]; for (int i = 0; i < size; i++) { Location loc = new Location("gps"); loc.setLatitude(-15.0 + i / 1000.0); loc.setLongitude(37 + i / 1000.0); loc.setAltitude(i); locs[i] = loc; } if (splitIndices != null) { for (int splitIdx : splitIndices) { splitIndexSet.add(splitIdx); Location splitLoc = locs[splitIdx]; splitLoc.setLatitude(100.0); splitLoc.setLongitude(200.0); } } } public void expectLocationsDelivered(TrackDataListener listener) { for (int i = 0; i < locs.length; i++) { if (splitIndexSet.contains(i)) { listener.onSegmentSplit(); } else { listener.onNewTrackPoint(locs[i]); } } } public void expectSampledLocationsDelivered( TrackDataListener listener, int sampleFrequency, boolean includeSampledOut) { for (int i = 0; i < locs.length; i++) { if (splitIndexSet.contains(i)) { listener.onSegmentSplit(); } else if (i % sampleFrequency == 0) { listener.onNewTrackPoint(locs[i]); } else if (includeSampledOut) { listener.onSampledOutTrackPoint(locs[i]); } } } @Override public boolean hasNext() { return currentIdx < (locs.length - 1); } @Override public Location next() { currentIdx++; return locs[currentIdx]; } @Override public void remove() { throw new UnsupportedOperationException(); } @Override public long getLocationId() { return startId + currentIdx; } @Override public void close() { // Do nothing } } public void testWaypointListen() { Capture<ContentObserver> observerCapture = new Capture<ContentObserver>(); Waypoint wpt1 = new Waypoint(), wpt2 = new Waypoint(), wpt3 = new Waypoint(), wpt4 = new Waypoint(); Location loc = new Location("gps"); loc.setLatitude(10.0); loc.setLongitude(8.0); wpt1.setLocation(loc); wpt2.setLocation(loc); wpt3.setLocation(loc); wpt4.setLocation(loc); expect(providerUtils.getWaypointsCursor( eq(TRACK_ID), leq(0L), eq(Constants.MAX_DISPLAYED_WAYPOINTS_POINTS))) .andStubAnswer(new FixedSizeCursorAnswer(2)); expect(providerUtils.createWaypoint(isA(Cursor.class))) .andReturn(wpt1) .andReturn(wpt2) .andReturn(wpt1) .andReturn(wpt2); expectStart(); dataSources.registerContentObserver( eq(WaypointsColumns.CONTENT_URI), eq(false), capture(observerCapture)); // Expect the initial loading. // Both listeners (registered before and after start) should get the same data. listener1.clearWaypoints(); listener1.onNewWaypoint(wpt1); listener1.onNewWaypoint(wpt2); listener1.onNewWaypointsDone(); listener2.clearWaypoints(); listener2.onNewWaypoint(wpt1); listener2.onNewWaypoint(wpt2); listener2.onNewWaypointsDone(); replay(); hub.registerTrackDataListener(listener1, EnumSet.of(ListenerDataType.WAYPOINT_UPDATES)); hub.start(); hub.registerTrackDataListener(listener2, EnumSet.of(ListenerDataType.WAYPOINT_UPDATES)); verifyAndReset(); ContentObserver observer = observerCapture.getValue(); expect(providerUtils.getWaypointsCursor( eq(TRACK_ID), leq(0L), eq(Constants.MAX_DISPLAYED_WAYPOINTS_POINTS))) .andStubAnswer(new FixedSizeCursorAnswer(3)); expect(providerUtils.createWaypoint(isA(Cursor.class))) .andReturn(wpt1) .andReturn(wpt2) .andReturn(wpt3); // Now expect an update. listener1.clearWaypoints(); listener2.clearWaypoints(); listener1.onNewWaypoint(wpt1); listener2.onNewWaypoint(wpt1); listener1.onNewWaypoint(wpt2); listener2.onNewWaypoint(wpt2); listener1.onNewWaypoint(wpt3); listener2.onNewWaypoint(wpt3); listener1.onNewWaypointsDone(); listener2.onNewWaypointsDone(); replay(); observer.onChange(false); verifyAndReset(); // Unregister one, get another update. expect(providerUtils.getWaypointsCursor( eq(TRACK_ID), leq(0L), eq(Constants.MAX_DISPLAYED_WAYPOINTS_POINTS))) .andStubAnswer(new FixedSizeCursorAnswer(4)); expect(providerUtils.createWaypoint(isA(Cursor.class))) .andReturn(wpt1) .andReturn(wpt2) .andReturn(wpt3) .andReturn(wpt4); // Now expect an update. listener2.clearWaypoints(); listener2.onNewWaypoint(wpt1); listener2.onNewWaypoint(wpt2); listener2.onNewWaypoint(wpt3); listener2.onNewWaypoint(wpt4); listener2.onNewWaypointsDone(); replay(); hub.unregisterTrackDataListener(listener1); observer.onChange(false); verifyAndReset(); // Unregister the other, expect internal unregistration dataSources.unregisterContentObserver(observer); replay(); hub.unregisterTrackDataListener(listener2); observer.onChange(false); verifyAndReset(); } public void testPointsListen() { Capture<ContentObserver> observerCapture = new Capture<ContentObserver>(); expectStart(); dataSources.registerContentObserver( eq(TrackPointsColumns.CONTENT_URI), eq(false), capture(observerCapture)); FixedSizeLocationIterator locationIterator = new FixedSizeLocationIterator(1, 10, 5); expect(providerUtils.getLocationIterator( eq(TRACK_ID), eq(0L), eq(false), isA(LocationFactory.class))) .andReturn(locationIterator); expect(providerUtils.getLastLocationId(TRACK_ID)).andReturn(10L); listener1.clearTrackPoints(); locationIterator.expectLocationsDelivered(listener1); listener1.onNewTrackPointsDone(); replay(); hub.start(); hub.registerTrackDataListener(listener1, EnumSet.of(ListenerDataType.POINT_UPDATES)); verifyAndReset(); // Register a second listener - it will get the same points as the previous one locationIterator = new FixedSizeLocationIterator(1, 10, 5); expect(providerUtils.getLocationIterator( eq(TRACK_ID), eq(0L), eq(false), isA(LocationFactory.class))) .andReturn(locationIterator); expect(providerUtils.getLastLocationId(TRACK_ID)).andReturn(10L); listener2.clearTrackPoints(); locationIterator.expectLocationsDelivered(listener2); listener2.onNewTrackPointsDone(); replay(); hub.start(); hub.registerTrackDataListener(listener2, EnumSet.of(ListenerDataType.POINT_UPDATES)); verifyAndReset(); // Deliver more points - should go to both listeners, without clearing. ContentObserver observer = observerCapture.getValue(); locationIterator = new FixedSizeLocationIterator(11, 10, 1); expect(providerUtils.getLocationIterator( eq(TRACK_ID), eq(11L), eq(false), isA(LocationFactory.class))) .andReturn(locationIterator); expect(providerUtils.getLastLocationId(TRACK_ID)).andReturn(20L); locationIterator.expectLocationsDelivered(listener1); locationIterator.expectLocationsDelivered(listener2); listener1.onNewTrackPointsDone(); listener2.onNewTrackPointsDone(); replay(); observer.onChange(false); verifyAndReset(); // Unregister listener1, switch tracks to ensure data is cleared/reloaded. locationIterator = new FixedSizeLocationIterator(101, 10); expect(providerUtils.getLocationIterator( eq(TRACK_ID + 1), eq(0L), eq(false), isA(LocationFactory.class))) .andReturn(locationIterator); expect(providerUtils.getLastLocationId(TRACK_ID + 1)).andReturn(110L); listener2.clearTrackPoints(); locationIterator.expectLocationsDelivered(listener2); listener2.onNewTrackPointsDone(); replay(); hub.unregisterTrackDataListener(listener1); hub.loadTrack(TRACK_ID + 1); verifyAndReset(); } public void testPointsListen_beforeStart() { } public void testPointsListen_reRegister() { Capture<ContentObserver> observerCapture = new Capture<ContentObserver>(); expectStart(); dataSources.registerContentObserver( eq(TrackPointsColumns.CONTENT_URI), eq(false), capture(observerCapture)); FixedSizeLocationIterator locationIterator = new FixedSizeLocationIterator(1, 10, 5); expect(providerUtils.getLocationIterator( eq(TRACK_ID), eq(0L), eq(false), isA(LocationFactory.class))) .andReturn(locationIterator); expect(providerUtils.getLastLocationId(TRACK_ID)).andReturn(10L); listener1.clearTrackPoints(); locationIterator.expectLocationsDelivered(listener1); listener1.onNewTrackPointsDone(); replay(); hub.start(); hub.registerTrackDataListener(listener1, EnumSet.of(ListenerDataType.POINT_UPDATES)); verifyAndReset(); // Unregister ContentObserver observer = observerCapture.getValue(); dataSources.unregisterContentObserver(observer); replay(); hub.unregisterTrackDataListener(listener1); verifyAndReset(); // Register again, except only points since unregistered. dataSources.registerContentObserver( eq(TrackPointsColumns.CONTENT_URI), eq(false), capture(observerCapture)); locationIterator = new FixedSizeLocationIterator(11, 10); expect(providerUtils.getLocationIterator( eq(TRACK_ID), eq(11L), eq(false), isA(LocationFactory.class))) .andReturn(locationIterator); expect(providerUtils.getLastLocationId(TRACK_ID)).andReturn(20L); locationIterator.expectLocationsDelivered(listener1); listener1.onNewTrackPointsDone(); replay(); hub.registerTrackDataListener(listener1, EnumSet.of(ListenerDataType.POINT_UPDATES)); verifyAndReset(); // Deliver more points - should still be incremental. locationIterator = new FixedSizeLocationIterator(21, 10, 1); expect(providerUtils.getLocationIterator( eq(TRACK_ID), eq(21L), eq(false), isA(LocationFactory.class))) .andReturn(locationIterator); expect(providerUtils.getLastLocationId(TRACK_ID)).andReturn(30L); locationIterator.expectLocationsDelivered(listener1); listener1.onNewTrackPointsDone(); replay(); observer.onChange(false); verifyAndReset(); } public void testPointsListen_reRegisterTrackChanged() { Capture<ContentObserver> observerCapture = new Capture<ContentObserver>(); expectStart(); dataSources.registerContentObserver( eq(TrackPointsColumns.CONTENT_URI), eq(false), capture(observerCapture)); FixedSizeLocationIterator locationIterator = new FixedSizeLocationIterator(1, 10, 5); expect(providerUtils.getLocationIterator( eq(TRACK_ID), eq(0L), eq(false), isA(LocationFactory.class))) .andReturn(locationIterator); expect(providerUtils.getLastLocationId(TRACK_ID)).andReturn(10L); listener1.clearTrackPoints(); locationIterator.expectLocationsDelivered(listener1); listener1.onNewTrackPointsDone(); replay(); hub.start(); hub.registerTrackDataListener(listener1, EnumSet.of(ListenerDataType.POINT_UPDATES)); verifyAndReset(); // Unregister ContentObserver observer = observerCapture.getValue(); dataSources.unregisterContentObserver(observer); replay(); hub.unregisterTrackDataListener(listener1); verifyAndReset(); // Register again after track changed, expect all points. dataSources.registerContentObserver( eq(TrackPointsColumns.CONTENT_URI), eq(false), capture(observerCapture)); locationIterator = new FixedSizeLocationIterator(1, 10); expect(providerUtils.getLocationIterator( eq(TRACK_ID + 1), eq(0L), eq(false), isA(LocationFactory.class))) .andReturn(locationIterator); expect(providerUtils.getLastLocationId(TRACK_ID + 1)).andReturn(10L); listener1.clearTrackPoints(); locationIterator.expectLocationsDelivered(listener1); listener1.onNewTrackPointsDone(); replay(); hub.loadTrack(TRACK_ID + 1); hub.registerTrackDataListener(listener1, EnumSet.of(ListenerDataType.POINT_UPDATES)); verifyAndReset(); } public void testPointsListen_largeTrackSampling() { Capture<ContentObserver> observerCapture = new Capture<ContentObserver>(); expectStart(); dataSources.registerContentObserver( eq(TrackPointsColumns.CONTENT_URI), eq(false), capture(observerCapture)); FixedSizeLocationIterator locationIterator = new FixedSizeLocationIterator(1, 200, 4, 25, 71, 120); expect(providerUtils.getLocationIterator( eq(TRACK_ID), eq(0L), eq(false), isA(LocationFactory.class))) .andReturn(locationIterator); expect(providerUtils.getLastLocationId(TRACK_ID)).andReturn(200L); listener1.clearTrackPoints(); listener2.clearTrackPoints(); locationIterator.expectSampledLocationsDelivered(listener1, 4, false); locationIterator.expectSampledLocationsDelivered(listener2, 4, true); listener1.onNewTrackPointsDone(); listener2.onNewTrackPointsDone(); replay(); hub.registerTrackDataListener(listener1, EnumSet.of(ListenerDataType.POINT_UPDATES)); hub.registerTrackDataListener(listener2, EnumSet.of(ListenerDataType.POINT_UPDATES, ListenerDataType.SAMPLED_OUT_POINT_UPDATES)); hub.start(); verifyAndReset(); } public void testPointsListen_resampling() { Capture<ContentObserver> observerCapture = new Capture<ContentObserver>(); expectStart(); dataSources.registerContentObserver( eq(TrackPointsColumns.CONTENT_URI), eq(false), capture(observerCapture)); // Deliver 30 points (no sampling happens) FixedSizeLocationIterator locationIterator = new FixedSizeLocationIterator(1, 30, 5); expect(providerUtils.getLocationIterator( eq(TRACK_ID), eq(0L), eq(false), isA(LocationFactory.class))) .andReturn(locationIterator); expect(providerUtils.getLastLocationId(TRACK_ID)).andReturn(30L); listener1.clearTrackPoints(); locationIterator.expectLocationsDelivered(listener1); listener1.onNewTrackPointsDone(); replay(); hub.start(); hub.registerTrackDataListener(listener1, EnumSet.of(ListenerDataType.POINT_UPDATES)); verifyAndReset(); // Now deliver 30 more (incrementally sampled) ContentObserver observer = observerCapture.getValue(); locationIterator = new FixedSizeLocationIterator(31, 30); expect(providerUtils.getLocationIterator( eq(TRACK_ID), eq(31L), eq(false), isA(LocationFactory.class))) .andReturn(locationIterator); expect(providerUtils.getLastLocationId(TRACK_ID)).andReturn(60L); locationIterator.expectSampledLocationsDelivered(listener1, 2, false); listener1.onNewTrackPointsDone(); replay(); observer.onChange(false); verifyAndReset(); // Now another 30 (triggers resampling) locationIterator = new FixedSizeLocationIterator(1, 90); expect(providerUtils.getLocationIterator( eq(TRACK_ID), eq(0L), eq(false), isA(LocationFactory.class))) .andReturn(locationIterator); expect(providerUtils.getLastLocationId(TRACK_ID)).andReturn(90L); listener1.clearTrackPoints(); locationIterator.expectSampledLocationsDelivered(listener1, 2, false); listener1.onNewTrackPointsDone(); replay(); observer.onChange(false); verifyAndReset(); } public void testLocationListen() { // TODO } public void testCompassListen() throws Exception { AndroidMock.resetToDefault(listener1); Sensor compass = newSensor(); expect(dataSources.getSensor(Sensor.TYPE_ORIENTATION)).andReturn(compass); Capture<SensorEventListener> listenerCapture = new Capture<SensorEventListener>(); dataSources.registerSensorListener(capture(listenerCapture), same(compass), anyInt()); Capture<LocationListener> locationListenerCapture = new Capture<LocationListener>(); dataSources.requestLocationUpdates(capture(locationListenerCapture)); SensorEvent event = newSensorEvent(); event.sensor = compass; // First, get a dummy heading update. listener1.onCurrentHeadingChanged(0.0); // Then, get a heading update without a known location (thus can't calculate declination). listener1.onCurrentHeadingChanged(42.0f); // Also expect location updates which are not relevant to us. listener1.onProviderStateChange(isA(ProviderState.class)); AndroidMock.expectLastCall().anyTimes(); replay(); hub.registerTrackDataListener(listener1, EnumSet.of(ListenerDataType.COMPASS_UPDATES, ListenerDataType.LOCATION_UPDATES)); hub.start(); SensorEventListener sensorListener = listenerCapture.getValue(); LocationListener locationListener = locationListenerCapture.getValue(); event.values[0] = 42.0f; sensorListener.onSensorChanged(event); verifyAndReset(); // Expect the heading update to include declination. listener1.onCurrentHeadingChanged(52.0); // Also expect location updates which are not relevant to us. listener1.onProviderStateChange(isA(ProviderState.class)); AndroidMock.expectLastCall().anyTimes(); listener1.onCurrentLocationChanged(isA(Location.class)); AndroidMock.expectLastCall().anyTimes(); replay(); // Now try injecting a location update, triggering a declination update. Location location = new Location("gps"); location.setLatitude(10.0); location.setLongitude(20.0); location.setAltitude(30.0); declination = 10.0f; locationListener.onLocationChanged(location); sensorListener.onSensorChanged(event); verifyAndReset(); listener1.onCurrentHeadingChanged(52.0); replay(); // Now try changing the known declination - it should still return the old declination, since // updates only happen sparsely. declination = 20.0f; sensorListener.onSensorChanged(event); verifyAndReset(); } private Sensor newSensor() throws Exception { Constructor<Sensor> constructor = Sensor.class.getDeclaredConstructor(); constructor.setAccessible(true); return constructor.newInstance(); } private SensorEvent newSensorEvent() throws Exception { Constructor<SensorEvent> constructor = SensorEvent.class.getDeclaredConstructor(int.class); constructor.setAccessible(true); return constructor.newInstance(3); } public void testDisplayPreferencesListen() throws Exception { String metricUnitsKey = context.getString(R.string.metric_units_key); String speedKey = context.getString(R.string.report_speed_key); prefs.edit() .putBoolean(metricUnitsKey, true) .putBoolean(speedKey, true) .apply(); Capture<OnSharedPreferenceChangeListener> listenerCapture = new Capture<OnSharedPreferenceChangeListener>(); dataSources.registerOnSharedPreferenceChangeListener(capture(listenerCapture)); expect(listener1.onUnitsChanged(true)).andReturn(false); expect(listener2.onUnitsChanged(true)).andReturn(false); expect(listener1.onReportSpeedChanged(true)).andReturn(false); expect(listener2.onReportSpeedChanged(true)).andReturn(false); replay(); hub.registerTrackDataListener(listener1, EnumSet.of(ListenerDataType.DISPLAY_PREFERENCES)); hub.start(); hub.registerTrackDataListener(listener2, EnumSet.of(ListenerDataType.DISPLAY_PREFERENCES)); verifyAndReset(); expect(listener1.onReportSpeedChanged(false)).andReturn(false); expect(listener2.onReportSpeedChanged(false)).andReturn(false); replay(); prefs.edit() .putBoolean(speedKey, false) .apply(); OnSharedPreferenceChangeListener listener = listenerCapture.getValue(); listener.onSharedPreferenceChanged(prefs, speedKey); AndroidMock.verify(dataSources, providerUtils, listener1, listener2); AndroidMock.reset(dataSources, providerUtils, listener1, listener2); expect(listener1.onUnitsChanged(false)).andReturn(false); expect(listener2.onUnitsChanged(false)).andReturn(false); replay(); prefs.edit() .putBoolean(metricUnitsKey, false) .apply(); listener.onSharedPreferenceChanged(prefs, metricUnitsKey); verifyAndReset(); } private void expectStart() { dataSources.registerOnSharedPreferenceChangeListener(capture(preferenceListenerCapture)); } private void replay() { AndroidMock.replay(dataSources, providerUtils, listener1, listener2); } private void verifyAndReset() { AndroidMock.verify(listener1, listener2, dataSources, providerUtils); AndroidMock.reset(listener1, listener2, dataSources, providerUtils); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/content/TrackDataHubTest.java
Java
asf20
28,479
/* * 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; import com.google.android.apps.mytracks.content.MyTracksProviderUtils.LocationFactory; import com.google.android.apps.mytracks.content.MyTracksProviderUtils.LocationIterator; import com.google.android.apps.mytracks.services.TrackRecordingServiceTest.MockContext; import android.content.Context; import android.location.Location; import android.test.AndroidTestCase; import android.test.RenamingDelegatingContext; import android.test.mock.MockContentResolver; import java.util.ArrayList; import java.util.List; import java.util.concurrent.atomic.AtomicInteger; /** * A unit test for {@link MyTracksProviderUtilsImpl}. * * @author Bartlomiej Niechwiej */ public class MyTracksProviderUtilsImplTest extends AndroidTestCase { private Context context; private MyTracksProviderUtils providerUtils; @Override protected void setUp() throws Exception { super.setUp(); MockContentResolver mockContentResolver = new MockContentResolver(); RenamingDelegatingContext targetContext = new RenamingDelegatingContext( getContext(), getContext(), "test."); context = new MockContext(mockContentResolver, targetContext); MyTracksProvider provider = new MyTracksProvider(); provider.attachInfo(context, null); mockContentResolver.addProvider(MyTracksProviderUtils.AUTHORITY, provider); setContext(context); providerUtils = MyTracksProviderUtils.Factory.get(context); } public void testLocationIterator_noPoints() { testIterator(1, 0, 1, false, MyTracksProviderUtils.DEFAULT_LOCATION_FACTORY); } public void testLocationIterator_customFactory() { final Location location = new Location("test_location"); final AtomicInteger counter = new AtomicInteger(); testIterator(1, 15, 4, false, new LocationFactory() { @Override public Location createLocation() { counter.incrementAndGet(); return location; } }); // Make sure we were called exactly as many times as we had track points. assertEquals(15, counter.get()); } public void testLocationIterator_nullFactory() { try { testIterator(1, 15, 4, false, null); fail("Expecting IllegalArgumentException"); } catch (IllegalArgumentException e) { // Expected. } } public void testLocationIterator_noBatchAscending() { testIterator(1, 50, 100, false, MyTracksProviderUtils.DEFAULT_LOCATION_FACTORY); testIterator(2, 50, 50, false, MyTracksProviderUtils.DEFAULT_LOCATION_FACTORY); } public void testLocationIterator_noBatchDescending() { testIterator(1, 50, 100, true, MyTracksProviderUtils.DEFAULT_LOCATION_FACTORY); testIterator(2, 50, 50, true, MyTracksProviderUtils.DEFAULT_LOCATION_FACTORY); } public void testLocationIterator_batchAscending() { testIterator(1, 50, 11, false, MyTracksProviderUtils.DEFAULT_LOCATION_FACTORY); testIterator(2, 50, 25, false, MyTracksProviderUtils.DEFAULT_LOCATION_FACTORY); } public void testLocationIterator_batchDescending() { testIterator(1, 50, 11, true, MyTracksProviderUtils.DEFAULT_LOCATION_FACTORY); testIterator(2, 50, 25, true, MyTracksProviderUtils.DEFAULT_LOCATION_FACTORY); } public void testLocationIterator_largeTrack() { testIterator(1, 20000, 2000, false, MyTracksProviderUtils.DEFAULT_LOCATION_FACTORY); } private List<Location> testIterator(long trackId, int numPoints, int batchSize, boolean descending, LocationFactory locationFactory) { long lastPointId = initializeTrack(trackId, numPoints); ((MyTracksProviderUtilsImpl) providerUtils).setDefaultCursorBatchSize(batchSize); List<Location> locations = new ArrayList<Location>(numPoints); LocationIterator it = providerUtils.getLocationIterator(trackId, -1, descending, locationFactory); try { while (it.hasNext()) { Location loc = it.next(); assertNotNull(loc); locations.add(loc); // Make sure the IDs are returned in the right order. assertEquals(descending ? lastPointId - locations.size() + 1 : lastPointId - numPoints + locations.size(), it.getLocationId()); } assertEquals(numPoints, locations.size()); } finally { it.close(); } return locations; } private long initializeTrack(long id, int numPoints) { Track track = new Track(); track.setId(id); track.setName("Test: " + id); track.setNumberOfPoints(numPoints); providerUtils.insertTrack(track); track = providerUtils.getTrack(id); assertNotNull(track); Location[] locations = new Location[numPoints]; for (int i = 0; i < numPoints; ++i) { Location loc = new Location("test"); loc.setLatitude(37.0 + (double) i / 10000.0); loc.setLongitude(57.0 - (double) i / 10000.0); loc.setAccuracy((float) i / 100.0f); loc.setAltitude(i * 2.5); locations[i] = loc; } providerUtils.bulkInsertTrackPoints(locations, numPoints, id); // Load all inserted locations. long lastPointId = -1; int counter = 0; LocationIterator it = providerUtils.getLocationIterator(id, -1, false, MyTracksProviderUtils.DEFAULT_LOCATION_FACTORY); try { while (it.hasNext()) { it.next(); lastPointId = it.getLocationId(); counter++; } } finally { it.close(); } assertTrue(numPoints == 0 || lastPointId > 0); assertEquals(numPoints, track.getNumberOfPoints()); assertEquals(numPoints, counter); return lastPointId; } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/content/MyTracksProviderUtilsImplTest.java
Java
asf20
6,171
/* * 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 android.graphics.Path; import android.graphics.PointF; import java.util.ArrayList; import java.util.Arrays; import java.util.LinkedList; import java.util.List; import junit.framework.Assert; /** * Elements for Tests for the MyTracks map overlay. * * @author Bartlomiej Niechwiej * @author Vangelis S. * * A mock class that intercepts {@code Path}'s and records calls to * {@code #moveTo()} and {@code #lineTo()}. */ public class MockPath extends Path { /** A list of disjoined path segments. */ public final List<List<PointF>> segments = new LinkedList<List<PointF>>(); /** The total number of points in this path. */ public int totalPoints; private List<PointF> currentSegment; @Override public void lineTo(float x, float y) { super.lineTo(x, y); Assert.assertNotNull(currentSegment); currentSegment.add(new PointF(x, y)); totalPoints++; } @Override public void moveTo(float x, float y) { super.moveTo(x, y); segments.add(currentSegment = new ArrayList<PointF>(Arrays.asList(new PointF(x, y)))); totalPoints++; } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/MockPath.java
Java
asf20
1,734
/* * 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.maps.mytracks.R; import android.test.AndroidTestCase; /** * Tests for the AntPreference. * * @author Youtao Liu */ public class AntPreferenceTest extends AndroidTestCase { public void testNotPaired() { AntPreference antPreference = new AntPreference(getContext()) { @Override protected int getPersistedInt(int defaultReturnValue) { return 0; } }; assertEquals(getContext().getString(R.string.settings_sensor_ant_not_paired), antPreference.getSummary()); } public void testPaired() { int persistInt = 1; AntPreference antPreference = new AntPreference(getContext()) { @Override protected int getPersistedInt(int defaultReturnValue) { return 1; } }; assertEquals( getContext().getString(R.string.settings_sensor_ant_paired, persistInt), antPreference.getSummary()); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/AntPreferenceTest.java
Java
asf20
1,549
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.maps.GeoPoint; import com.google.android.maps.Projection; import android.graphics.Point; /** * Elements for Tests for the MyTracks map overlay. * * @author Bartlomiej Niechwiej * @author Vangelis S. * * A mock {@code Projection} that acts as the identity matrix. */ public class MockProjection implements Projection { @Override public Point toPixels(GeoPoint in, Point out) { return out; } @Override public float metersToEquatorPixels(float meters) { return meters; } @Override public GeoPoint fromPixels(int x, int y) { return new GeoPoint(y, x); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/MockProjection.java
Java
asf20
1,255
/* * 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.MyTracksLocation; import com.google.android.apps.mytracks.content.Sensor.SensorDataSet; import com.google.android.apps.mytracks.content.Track; import android.location.Location; /** * Commons utilities for creating stubs of track, location. The class will be * enriched if needs more similar stubs for test. * * @author Youtao Liu */ public class TrackStubUtils { static final String LOCATION_PROVIDER = "gps"; public static final double INITIAL_LATITUDE = 22; public static final double INITIAL_LONGITUDE = 22; public static final double INITIAL_ALTITUDE = 22; static final float INITIAL_ACCURACY = 5; static final float INITIAL_SPEED = 10; static final float INITIAL_BEARING = 3.0f; // Used to change the value of latitude, longitude, and altitude. static final double DIFFERENCE = 0.01; /** * Gets a a {@link Track} stub with specified number of locations. * * @param numberOfLocations the number of locations for the track * @return a track stub. */ public static Track createTrack(int numberOfLocations) { Track track = new Track(); for (int i = 0; i < numberOfLocations; i++) { track.addLocation(createMyTracksLocation(INITIAL_LATITUDE + i * DIFFERENCE, INITIAL_LONGITUDE + i * DIFFERENCE, INITIAL_ALTITUDE + i * DIFFERENCE)); } return track; } /** * Create a MyTracks location with default values. * * @return a track stub. */ public static MyTracksLocation createMyTracksLocation() { return createMyTracksLocation(INITIAL_LATITUDE, INITIAL_LONGITUDE, INITIAL_ALTITUDE); } /** * Creates a {@link MyTracksLocation} stub with specified values. * * @return a MyTracksLocation stub. */ public static MyTracksLocation createMyTracksLocation(double latitude, double longitude, double altitude) { // Initial Location Location loc = new Location(LOCATION_PROVIDER); loc.setLatitude(latitude); loc.setLongitude(longitude); loc.setAltitude(altitude); loc.setAccuracy(INITIAL_ACCURACY); loc.setSpeed(INITIAL_SPEED); loc.setTime(System.currentTimeMillis()); loc.setBearing(INITIAL_BEARING); SensorDataSet sd = SensorDataSet.newBuilder().build(); MyTracksLocation myTracksLocation = new MyTracksLocation(loc, sd); return myTracksLocation; } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/TrackStubUtils.java
Java
asf20
3,002
/* * 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.services.TrackRecordingService; import android.app.ActivityManager; import android.app.ActivityManager.RunningServiceInfo; import android.content.ComponentName; import android.content.Context; import android.content.Intent; import android.test.AndroidTestCase; import java.util.List; /** * Tests for the BootReceiver. * * @author Youtao Liu */ public class BootReceiverTest extends AndroidTestCase { private static final String SERVICE_NAME = "com.google.android.apps.mytracks.services.TrackRecordingService"; /** * Tests the behavior when receive notification which is the phone boot. */ public void testOnReceive_startService() { // Make sure no TrackRecordingService Intent stopIntent = new Intent(getContext(), TrackRecordingService.class); getContext().stopService(stopIntent); assertFalse(isServiceExisted(getContext(), SERVICE_NAME)); BootReceiver bootReceiver = new BootReceiver(); Intent intent = new Intent(); intent.setAction(Intent.ACTION_BOOT_COMPLETED); bootReceiver.onReceive(getContext(), intent); // Check if the service is started assertTrue(isServiceExisted(getContext(), SERVICE_NAME)); } /** * Tests the behavior when receive notification which is not the phone boot. */ public void testOnReceive_noStartService() { // Make sure no TrackRecordingService Intent stopIntent = new Intent(getContext(), TrackRecordingService.class); getContext().stopService(stopIntent); assertFalse(isServiceExisted(getContext(), SERVICE_NAME)); BootReceiver bootReceiver = new BootReceiver(); Intent intent = new Intent(); intent.setAction(Intent.ACTION_BUG_REPORT); bootReceiver.onReceive(getContext(), intent); // Check if the service is not started assertFalse(isServiceExisted(getContext(), SERVICE_NAME)); } /** * Checks if a service is started in a context. * * @param context the context for checking a service * @param serviceName the service name to find if existed */ private boolean isServiceExisted(Context context, String serviceName) { ActivityManager activityManager = (ActivityManager) context .getSystemService(Context.ACTIVITY_SERVICE); List<ActivityManager.RunningServiceInfo> serviceList = activityManager .getRunningServices(Integer.MAX_VALUE); for (int i = 0; i < serviceList.size(); i++) { RunningServiceInfo serviceInfo = serviceList.get(i); ComponentName componentName = serviceInfo.service; if (componentName.getClassName().equals(serviceName)) { return true; } } return false; } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/BootReceiverTest.java
Java
asf20
3,294
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.maps.SingleColorTrackPathPainter; import com.google.android.maps.MapView; import android.graphics.Canvas; import android.graphics.Path; import android.location.Location; import android.test.AndroidTestCase; /** * Tests for the MyTracks map overlay. * * @author Bartlomiej Niechwiej * @author Vangelis S. */ public class MapOverlayTest extends AndroidTestCase { private Canvas canvas; private MockMyTracksOverlay myTracksOverlay; private MapView mockView; @Override protected void setUp() throws Exception { super.setUp(); canvas = new Canvas(); myTracksOverlay = new MockMyTracksOverlay(getContext()); // Enable drawing. myTracksOverlay.setTrackDrawingEnabled(true); // Set a TrackPathPainter with a MockPath. myTracksOverlay.setTrackPathPainter(new SingleColorTrackPathPainter(getContext()) { @Override public Path newPath() { return new MockPath(); } }); mockView = null; } public void testAddLocation() throws Exception { Location location = new Location("gps"); location.setLatitude(10); location.setLongitude(20); myTracksOverlay.addLocation(location); assertEquals(1, myTracksOverlay.getNumLocations()); assertEquals(0, myTracksOverlay.getNumWaypoints()); location.setLatitude(20); location.setLongitude(30); myTracksOverlay.addLocation(location); assertEquals(2, myTracksOverlay.getNumLocations()); assertEquals(0, myTracksOverlay.getNumWaypoints()); assertNull(myTracksOverlay.getTrackPathPainter().getLastPath()); // Draw and make sure that we don't lose any point. myTracksOverlay.draw(canvas, mockView, false); assertEquals(2, myTracksOverlay.getNumLocations()); assertEquals(0, myTracksOverlay.getNumWaypoints()); assertNotNull(myTracksOverlay.getTrackPathPainter().getLastPath()); assertTrue(myTracksOverlay.getTrackPathPainter().getLastPath() instanceof MockPath); MockPath path = (MockPath) myTracksOverlay.getTrackPathPainter().getLastPath(); assertEquals(2, path.totalPoints); myTracksOverlay.draw(canvas, mockView, true); assertEquals(2, myTracksOverlay.getNumLocations()); assertEquals(0, myTracksOverlay.getNumWaypoints()); assertNotNull(myTracksOverlay.getTrackPathPainter().getLastPath()); } public void testClearPoints() throws Exception { Location location = new Location("gps"); location.setLatitude(10); location.setLongitude(20); myTracksOverlay.addLocation(location); assertEquals(1, myTracksOverlay.getNumLocations()); myTracksOverlay.clearPoints(); assertEquals(0, myTracksOverlay.getNumLocations()); // Same after drawing on canvas. final int locations = 100; for (int i = 0; i < locations; ++i) { myTracksOverlay.addLocation(location); } assertEquals(locations, myTracksOverlay.getNumLocations()); myTracksOverlay.draw(canvas, mockView, false); myTracksOverlay.draw(canvas, mockView, true); myTracksOverlay.clearPoints(); assertEquals(0, myTracksOverlay.getNumLocations()); } public void testAddWaypoint() throws Exception { Location location = new Location("gps"); location.setLatitude(10); location.setLongitude(20); Waypoint waypoint = new Waypoint(); waypoint.setLocation(location); myTracksOverlay.addWaypoint(waypoint); assertEquals(1, myTracksOverlay.getNumWaypoints()); assertEquals(0, myTracksOverlay.getNumLocations()); assertNull(myTracksOverlay.getTrackPathPainter().getLastPath()); final int waypoints = 10; for (int i = 0; i < waypoints; ++i) { waypoint = new Waypoint(); waypoint.setLocation(location); myTracksOverlay.addWaypoint(waypoint); } assertEquals(1 + waypoints, myTracksOverlay.getNumWaypoints()); assertEquals(0, myTracksOverlay.getNumLocations()); assertNull(myTracksOverlay.getTrackPathPainter().getLastPath()); } public void testClearWaypoints() throws Exception { Location location = new Location("gps"); location.setLatitude(10); location.setLongitude(20); Waypoint waypoint = new Waypoint(); waypoint.setLocation(location); myTracksOverlay.addWaypoint(waypoint); assertEquals(1, myTracksOverlay.getNumWaypoints()); myTracksOverlay.clearWaypoints(); assertEquals(0, myTracksOverlay.getNumWaypoints()); } public void testDrawing() { Location location = new Location("gps"); location.setLatitude(10); for (int i = 0; i < 40; ++i) { location.setLongitude(20 + i); Waypoint waypoint = new Waypoint(); waypoint.setLocation(location); myTracksOverlay.addWaypoint(waypoint); } for (int i = 0; i < 100; ++i) { location = new Location("gps"); location.setLatitude(20 + i / 2); location.setLongitude(150 - i); myTracksOverlay.addLocation(location); } // Shadow. myTracksOverlay.draw(canvas, mockView, true); // We don't expect to do anything if assertNull(myTracksOverlay.getTrackPathPainter().getLastPath()); assertEquals(40, myTracksOverlay.getNumWaypoints()); assertEquals(100, myTracksOverlay.getNumLocations()); // No shadow. myTracksOverlay.draw(canvas, mockView, false); assertNotNull(myTracksOverlay.getTrackPathPainter().getLastPath()); assertTrue(myTracksOverlay.getTrackPathPainter().getLastPath() instanceof MockPath); MockPath path = (MockPath) myTracksOverlay.getTrackPathPainter().getLastPath(); assertEquals(40, myTracksOverlay.getNumWaypoints()); assertEquals(100, myTracksOverlay.getNumLocations()); assertEquals(100, path.totalPoints); // TODO: Check the points from the path (and the segments). } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/MapOverlayTest.java
Java
asf20
6,474
/* * 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 java.util.List; import org.w3c.dom.Document; import org.w3c.dom.Element; /** * Tests for {@link GpxTrackWriter}. * * @author Rodrigo Damazio */ public class GpxTrackWriterTest extends TrackFormatWriterTest { public void testXmlOutput() throws Exception { TrackFormatWriter writer = new GpxTrackWriter(getContext()); String result = writeTrack(writer); Document doc = parseXmlDocument(result); Element gpxTag = getChildElement(doc, "gpx"); Element trackTag = getChildElement(gpxTag, "trk"); assertEquals(TRACK_NAME, getChildTextValue(trackTag, "name")); assertEquals(TRACK_DESCRIPTION, getChildTextValue(trackTag, "desc")); List<Element> segmentTags = getChildElements(trackTag, "trkseg", 2); List<Element> segPointTags = getChildElements(segmentTags.get(0), "trkpt", 2); assertTagMatchesLocation(segPointTags.get(0), "0", "0", "1970-01-01T00:00:00.000Z", "0"); assertTagMatchesLocation(segPointTags.get(1), "1", "-1", "1970-01-01T00:01:40.000Z", "10"); segPointTags = getChildElements(segmentTags.get(1), "trkpt", 2); assertTagMatchesLocation(segPointTags.get(0), "2", "-2", "1970-01-01T00:03:20.000Z", "20"); assertTagMatchesLocation(segPointTags.get(1), "3", "-3", "1970-01-01T00:05:00.000Z", "30"); List<Element> waypointTags = getChildElements(gpxTag, "wpt", 2); Element wptTag = waypointTags.get(0); assertEquals(WAYPOINT1_NAME, getChildTextValue(wptTag, "name")); assertEquals(WAYPOINT1_DESCRIPTION, getChildTextValue(wptTag, "desc")); assertTagMatchesLocation(wptTag, "1", "-1", "1970-01-01T00:01:40.000Z", "10"); wptTag = waypointTags.get(1); assertEquals(WAYPOINT2_NAME, getChildTextValue(wptTag, "name")); assertEquals(WAYPOINT2_DESCRIPTION, getChildTextValue(wptTag, "desc")); assertTagMatchesLocation(wptTag, "2", "-2", "1970-01-01T00:03:20.000Z", "20"); } /** * Asserts that the given tag describes a location. * * @param tag the tag * @param latitude the location's latitude * @param longitude the location's longitude * @param time the location's time * @param elevation the location's elevation */ private void assertTagMatchesLocation( Element tag, String latitude, String longitude, String time, String elevation) { assertEquals(latitude, tag.getAttribute("lat")); assertEquals(longitude, tag.getAttribute("lon")); assertEquals(time, getChildTextValue(tag, "time")); assertEquals(elevation, getChildTextValue(tag, "ele")); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/file/GpxTrackWriterTest.java
Java
asf20
3,154
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.file; import static org.easymock.EasyMock.expect; import com.google.android.apps.mytracks.content.MyTracksProvider; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.MyTracksProviderUtils.Factory; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.services.TrackRecordingServiceTest.MockContext; import com.google.android.apps.mytracks.testing.TestingProviderUtilsFactory; import android.content.Context; import android.location.Location; import android.test.AndroidTestCase; import android.test.RenamingDelegatingContext; import android.test.mock.MockContentResolver; import java.io.ByteArrayOutputStream; import java.io.File; import java.io.FileNotFoundException; import java.io.OutputStream; import org.easymock.EasyMock; import org.easymock.IArgumentMatcher; import org.easymock.IMocksControl; /** * Tests for the track writer. * * @author Rodrigo Damazio */ public class TrackWriterTest extends AndroidTestCase { /** * {@link TrackWriterImpl} subclass which mocks out methods called from * {@link TrackWriterImpl#openFile}. */ private static final class OpenFileTrackWriter extends TrackWriterImpl { private final ByteArrayOutputStream stream; private final boolean canWrite; /** * Constructor. * * @param stream the stream to return from * {@link TrackWriterImpl#newOutputStream}, or null to throw a * {@link FileNotFoundException} * @param canWrite the value that {@link TrackWriterImpl#canWriteFile} will * return */ private OpenFileTrackWriter(Context context, MyTracksProviderUtils providerUtils, Track track, TrackFormatWriter writer, ByteArrayOutputStream stream, boolean canWrite) { super(context, providerUtils, track, writer); this.stream = stream; this.canWrite = canWrite; // The directory is set in the canWriteFile. However, this class // overwrites canWriteFile, thus needs to set it. setDirectory(new File("/")); } @Override protected boolean canWriteFile() { return canWrite; } @Override protected OutputStream newOutputStream(String fileName) throws FileNotFoundException { assertEquals(FULL_TRACK_NAME, fileName); if (stream == null) { throw new FileNotFoundException(); } return stream; } } /** * {@link TrackWriterImpl} subclass which mocks out methods called from * {@link TrackWriterImpl#writeTrack}. */ private final class WriteTracksTrackWriter extends TrackWriterImpl { private final boolean openResult; /** * Constructor. * * @param openResult the return value for {@link TrackWriterImpl#openFile} */ private WriteTracksTrackWriter(Context context, MyTracksProviderUtils providerUtils, Track track, TrackFormatWriter writer, boolean openResult) { super(context, providerUtils, track, writer); this.openResult = openResult; } @Override protected boolean openFile() { openFileCalls++; return openResult; } @Override void writeDocument() { writeDocumentCalls++; } @Override protected void runOnUiThread(Runnable runnable) { runnable.run(); } } private static final long TRACK_ID = 1234567L; private static final String EXTENSION = "ext"; private static final String TRACK_NAME = "Swimming across the pacific"; private static final String FULL_TRACK_NAME = "Swimming across the pacific.ext"; private Track track; private TrackFormatWriter formatWriter; private TrackWriterImpl writer; private IMocksControl mocksControl; private MyTracksProviderUtils providerUtils; private Factory oldProviderUtilsFactory; // State used in specific tests private int writeDocumentCalls; private int openFileCalls; @Override protected void setUp() throws Exception { super.setUp(); MockContentResolver mockContentResolver = new MockContentResolver(); RenamingDelegatingContext targetContext = new RenamingDelegatingContext( getContext(), getContext(), "test."); Context context = new MockContext(mockContentResolver, targetContext); MyTracksProvider provider = new MyTracksProvider(); provider.attachInfo(context, null); mockContentResolver.addProvider(MyTracksProviderUtils.AUTHORITY, provider); setContext(context); providerUtils = MyTracksProviderUtils.Factory.get(context); oldProviderUtilsFactory = TestingProviderUtilsFactory.installWithInstance(providerUtils); mocksControl = EasyMock.createStrictControl(); formatWriter = mocksControl.createMock(TrackFormatWriter.class); expect(formatWriter.getExtension()).andStubReturn(EXTENSION); track = new Track(); track.setName(TRACK_NAME); track.setId(TRACK_ID); } @Override protected void tearDown() throws Exception { TestingProviderUtilsFactory.restoreOldFactory(oldProviderUtilsFactory); super.tearDown(); } public void testWriteTrack() { writer = new WriteTracksTrackWriter(getContext(), providerUtils, track, formatWriter, true); mocksControl.replay(); writer.writeTrack(); assertEquals(1, writeDocumentCalls); assertEquals(1, openFileCalls); mocksControl.verify(); } public void testWriteTrack_openFails() { writer = new WriteTracksTrackWriter(getContext(), providerUtils, track, formatWriter, false); mocksControl.replay(); writer.writeTrack(); assertEquals(0, writeDocumentCalls); assertEquals(1, openFileCalls); mocksControl.verify(); } public void testOpenFile() { final ByteArrayOutputStream stream = new ByteArrayOutputStream(); writer = new OpenFileTrackWriter( getContext(), providerUtils, track, formatWriter, stream, true); formatWriter.prepare(track, stream); mocksControl.replay(); assertTrue(writer.openFile()); mocksControl.verify(); } public void testOpenFile_cantWrite() { final ByteArrayOutputStream stream = new ByteArrayOutputStream(); writer = new OpenFileTrackWriter( getContext(), providerUtils, track, formatWriter, stream, false); mocksControl.replay(); assertFalse(writer.openFile()); mocksControl.verify(); } public void testOpenFile_streamError() { writer = new OpenFileTrackWriter( getContext(), providerUtils, track, formatWriter, null, true); mocksControl.replay(); assertFalse(writer.openFile()); mocksControl.verify(); } public void testWriteDocument_emptyTrack() throws Exception { writer = new TrackWriterImpl(getContext(), providerUtils, track, formatWriter); // Set expected mock behavior formatWriter.writeHeader(); formatWriter.writeFooter(); formatWriter.close(); mocksControl.replay(); writer.writeDocument(); assertTrue(writer.wasSuccess()); mocksControl.verify(); } public void testWriteDocument() throws Exception { writer = new TrackWriterImpl(getContext(), providerUtils, track, formatWriter); final Location[] locs = { new Location("fake0"), new Location("fake1"), new Location("fake2"), new Location("fake3"), new Location("fake4"), new Location("fake5") }; Waypoint[] wps = { new Waypoint(), new Waypoint(), new Waypoint() }; // Fill locations with valid values fillLocations(locs); // Make location 3 invalid locs[2].setLatitude(100); assertEquals(locs.length, providerUtils.bulkInsertTrackPoints(locs, locs.length, TRACK_ID)); for (int i = 0; i < wps.length; ++i) { Waypoint wpt = wps[i]; wpt.setTrackId(TRACK_ID); assertNotNull(providerUtils.insertWaypoint(wpt)); wpt.setId(i + 1); } formatWriter.writeHeader(); // Expect reading/writing of the waypoints (except the first) formatWriter.writeBeginWaypoints(); formatWriter.writeWaypoint(wptEq(wps[1])); formatWriter.writeWaypoint(wptEq(wps[2])); formatWriter.writeEndWaypoints(); // Begin the track formatWriter.writeBeginTrack(locEq(locs[0])); // Write locations 1-2 formatWriter.writeOpenSegment(); formatWriter.writeLocation(locEq(locs[0])); formatWriter.writeLocation(locEq(locs[1])); formatWriter.writeCloseSegment(); // Location 3 is not written - it's invalid // Write locations 4-6 formatWriter.writeOpenSegment(); formatWriter.writeLocation(locEq(locs[3])); formatWriter.writeLocation(locEq(locs[4])); formatWriter.writeLocation(locEq(locs[5])); formatWriter.writeCloseSegment(); // End the track formatWriter.writeEndTrack(locEq(locs[5])); formatWriter.writeFooter(); formatWriter.close(); mocksControl.replay(); writer.writeDocument(); assertTrue(writer.wasSuccess()); mocksControl.verify(); } private static Waypoint wptEq(final Waypoint wpt) { EasyMock.reportMatcher(new IArgumentMatcher() { @Override public boolean matches(Object wptObj2) { if (wptObj2 == null || wpt == null) return wpt == wptObj2; Waypoint wpt2 = (Waypoint) wptObj2; return wpt.getId() == wpt2.getId(); } @Override public void appendTo(StringBuffer buffer) { buffer.append("wptEq("); buffer.append(wpt); buffer.append(")"); } }); return null; } private static Location locEq(final Location loc) { EasyMock.reportMatcher(new IArgumentMatcher() { @Override public boolean matches(Object locObj2) { if (locObj2 == null || loc == null) return loc == locObj2; Location loc2 = (Location) locObj2; return loc.hasAccuracy() == loc2.hasAccuracy() && (!loc.hasAccuracy() || loc.getAccuracy() == loc2.getAccuracy()) && loc.hasAltitude() == loc2.hasAltitude() && (!loc.hasAltitude() || loc.getAltitude() == loc2.getAltitude()) && loc.hasBearing() == loc2.hasBearing() && (!loc.hasBearing() || loc.getBearing() == loc2.getBearing()) && loc.hasSpeed() == loc2.hasSpeed() && (!loc.hasSpeed() || loc.getSpeed() == loc2.getSpeed()) && loc.getLatitude() == loc2.getLatitude() && loc.getLongitude() == loc2.getLongitude() && loc.getTime() == loc2.getTime(); } @Override public void appendTo(StringBuffer buffer) { buffer.append("locEq("); buffer.append(loc); buffer.append(")"); } }); return null; } private void fillLocations(Location... locs) { assertTrue(locs.length < 90); for (int i = 0; i < locs.length; i++) { Location location = locs[i]; location.setLatitude(i + 1); location.setLongitude(i + 1); location.setTime(i + 1000); } } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/file/TrackWriterTest.java
Java
asf20
11,105
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import static com.google.android.testing.mocking.AndroidMock.eq; import static com.google.android.testing.mocking.AndroidMock.expect; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.content.MyTracksProviderUtils.Factory; import com.google.android.apps.mytracks.io.file.GpxImporter; import com.google.android.apps.mytracks.testing.TestingProviderUtilsFactory; import com.google.android.testing.mocking.AndroidMock; import com.google.android.testing.mocking.UsesMocks; import android.content.ContentUris; import android.location.Location; import android.location.LocationManager; import android.net.Uri; import android.test.AndroidTestCase; import java.io.ByteArrayInputStream; import java.io.IOException; import java.io.InputStream; import java.text.SimpleDateFormat; import java.util.Arrays; import java.util.SimpleTimeZone; import javax.xml.parsers.ParserConfigurationException; import org.easymock.Capture; import org.easymock.IArgumentMatcher; import org.xml.sax.SAXException; /** * Tests for the GPX importer. * * @author Steffen Horlacher */ public class GpxImporterTest extends AndroidTestCase { private static final String TRACK_NAME = "blablub"; private static final String TRACK_DESC = "s'Laebe isch koi Schlotzer"; private static final String TRACK_LAT_1 = "48.768364"; private static final String TRACK_LON_1 = "9.177886"; private static final String TRACK_ELE_1 = "324.0"; private static final String TRACK_TIME_1 = "2010-04-22T18:21:00Z"; private static final String TRACK_LAT_2 = "48.768374"; private static final String TRACK_LON_2 = "9.177816"; private static final String TRACK_ELE_2 = "333.0"; private static final String TRACK_TIME_2 = "2010-04-22T18:21:50.123"; private static final SimpleDateFormat DATE_FORMAT1 = new SimpleDateFormat("yyyy-MM-dd'T'HH:mm:ss.SSS"); private static final SimpleDateFormat DATE_FORMAT2 = new SimpleDateFormat("yyyy-MM-dd'T'hh:mm:ss'Z'"); static { // We can't omit the timezones in the test, otherwise it'll use the local // timezone and fail depending on where the test runner is. SimpleTimeZone utc = new SimpleTimeZone(0, "UTC"); DATE_FORMAT1.setTimeZone(utc); DATE_FORMAT2.setTimeZone(utc); } // TODO: use real files from different sources with more track points. private static final String VALID_TEST_GPX = "<gpx><trk><name><![CDATA[" + TRACK_NAME + "]]></name><desc><![CDATA[" + TRACK_DESC + "]]></desc><trkseg>" + "<trkpt lat=\"" + TRACK_LAT_1 + "\" lon=\"" + TRACK_LON_1 + "\"><ele>" + TRACK_ELE_1 + "</ele><time>" + TRACK_TIME_1 + "</time></trkpt> +" + "<trkpt lat=\"" + TRACK_LAT_2 + "\" lon=\"" + TRACK_LON_2 + "\"><ele>" + TRACK_ELE_2 + "</ele><time>" + TRACK_TIME_2 + "</time></trkpt>" + "</trkseg></trk></gpx>"; // invalid xml private static final String INVALID_XML_TEST_GPX = VALID_TEST_GPX.substring( 0, VALID_TEST_GPX.length() - 50); private static final String INVALID_LOCATION_TEST_GPX = VALID_TEST_GPX .replaceAll(TRACK_LAT_1, "1000.0"); private static final String INVALID_TIME_TEST_GPX = VALID_TEST_GPX .replaceAll(TRACK_TIME_1, "invalid"); private static final String INVALID_ALTITUDE_TEST_GPX = VALID_TEST_GPX .replaceAll(TRACK_ELE_1, "invalid"); private static final String INVALID_LATITUDE_TEST_GPX = VALID_TEST_GPX .replaceAll(TRACK_LAT_1, "invalid"); private static final String INVALID_LONGITUDE_TEST_GPX = VALID_TEST_GPX .replaceAll(TRACK_LON_1, "invalid"); private static final long TRACK_ID = 1; private static final long TRACK_POINT_ID_1 = 1; private static final long TRACK_POINT_ID_2 = 2; private static final Uri TRACK_ID_URI = ContentUris.appendId( TracksColumns.CONTENT_URI.buildUpon(), TRACK_ID).build(); private MyTracksProviderUtils providerUtils; private Factory oldProviderUtilsFactory; @UsesMocks(MyTracksProviderUtils.class) @Override protected void setUp() throws Exception { super.setUp(); providerUtils = AndroidMock.createMock(MyTracksProviderUtils.class); oldProviderUtilsFactory = TestingProviderUtilsFactory.installWithInstance(providerUtils); } @Override protected void tearDown() throws Exception { TestingProviderUtilsFactory.restoreOldFactory(oldProviderUtilsFactory); super.tearDown(); } /** * Test import success. */ public void testImportSuccess() throws Exception { Capture<Track> trackParam = new Capture<Track>(); Location loc1 = new Location(LocationManager.GPS_PROVIDER); loc1.setTime(DATE_FORMAT2.parse(TRACK_TIME_1).getTime()); loc1.setLatitude(Double.parseDouble(TRACK_LAT_1)); loc1.setLongitude(Double.parseDouble(TRACK_LON_1)); loc1.setAltitude(Double.parseDouble(TRACK_ELE_1)); Location loc2 = new Location(LocationManager.GPS_PROVIDER); loc2.setTime(DATE_FORMAT1.parse(TRACK_TIME_2).getTime()); loc2.setLatitude(Double.parseDouble(TRACK_LAT_2)); loc2.setLongitude(Double.parseDouble(TRACK_LON_2)); loc2.setAltitude(Double.parseDouble(TRACK_ELE_2)); expect(providerUtils.insertTrack(AndroidMock.capture(trackParam))) .andReturn(TRACK_ID_URI); expect(providerUtils.getLastLocationId(TRACK_ID)).andReturn(TRACK_POINT_ID_1).andReturn(TRACK_POINT_ID_2); // A flush happens after the first insertion to get the starting point ID, // which is why we get two calls expect(providerUtils.bulkInsertTrackPoints(LocationsMatcher.eqLoc(loc1), eq(1), eq(TRACK_ID))).andReturn(1); expect(providerUtils.bulkInsertTrackPoints(LocationsMatcher.eqLoc(loc2), eq(1), eq(TRACK_ID))).andReturn(1); providerUtils.updateTrack(AndroidMock.capture(trackParam)); AndroidMock.replay(providerUtils); InputStream is = new ByteArrayInputStream(VALID_TEST_GPX.getBytes()); GpxImporter.importGPXFile(is, providerUtils); AndroidMock.verify(providerUtils); // verify track parameter Track track = trackParam.getValue(); assertEquals(TRACK_NAME, track.getName()); assertEquals(TRACK_DESC, track.getDescription()); assertEquals(DATE_FORMAT2.parse(TRACK_TIME_1).getTime(), track.getStatistics() .getStartTime()); assertNotSame(-1, track.getStartId()); assertNotSame(-1, track.getStopId()); } /** * Test with invalid location - track should be deleted. */ public void testImportLocationFailure() throws ParserConfigurationException, IOException { testInvalidXML(INVALID_LOCATION_TEST_GPX); } /** * Test with invalid time - track should be deleted. */ public void testImportTimeFailure() throws ParserConfigurationException, IOException { testInvalidXML(INVALID_TIME_TEST_GPX); } /** * Test with invalid xml - track should be deleted. */ public void testImportXMLFailure() throws ParserConfigurationException, IOException { testInvalidXML(INVALID_XML_TEST_GPX); } /** * Test with invalid altitude - track should be deleted. */ public void testImportInvalidAltitude() throws ParserConfigurationException, IOException { testInvalidXML(INVALID_ALTITUDE_TEST_GPX); } /** * Test with invalid latitude - track should be deleted. */ public void testImportInvalidLatitude() throws ParserConfigurationException, IOException { testInvalidXML(INVALID_LATITUDE_TEST_GPX); } /** * Test with invalid longitude - track should be deleted. */ public void testImportInvalidLongitude() throws ParserConfigurationException, IOException { testInvalidXML(INVALID_LONGITUDE_TEST_GPX); } private void testInvalidXML(String xml) throws ParserConfigurationException, IOException { expect(providerUtils.insertTrack((Track) AndroidMock.anyObject())) .andReturn(TRACK_ID_URI); expect(providerUtils.bulkInsertTrackPoints((Location[]) AndroidMock.anyObject(), AndroidMock.anyInt(), AndroidMock.anyLong())).andStubReturn(1); expect(providerUtils.getLastLocationId(TRACK_ID)).andStubReturn(TRACK_POINT_ID_1); providerUtils.deleteTrack(TRACK_ID); AndroidMock.replay(providerUtils); InputStream is = new ByteArrayInputStream(xml.getBytes()); try { GpxImporter.importGPXFile(is, providerUtils); } catch (SAXException e) { // expected exception } AndroidMock.verify(providerUtils); } /** * Workaround because of capture bug 2617107 in easymock: * http://sourceforge.net * /tracker/?func=detail&aid=2617107&group_id=82958&atid=567837 */ private static class LocationsMatcher implements IArgumentMatcher { private final Location[] matchLocs; private LocationsMatcher(Location[] expected) { this.matchLocs = expected; } public static Location[] eqLoc(Location[] expected) { IArgumentMatcher matcher = new LocationsMatcher(expected); AndroidMock.reportMatcher(matcher); return null; } public static Location[] eqLoc(Location expected) { return eqLoc(new Location[] { expected}); } @Override public void appendTo(StringBuffer buf) { buf.append("eqLoc(").append(Arrays.toString(matchLocs)).append(")"); } @Override public boolean matches(Object obj) { if (! (obj instanceof Location[])) { return false; } Location[] locs = (Location[]) obj; if (locs.length < matchLocs.length) { return false; } // Only check the first elements (those that will be taken into account) for (int i = 0; i < matchLocs.length; i++) { if (!locationsMatch(locs[i], matchLocs[i])) { return false; } } return true; } private boolean locationsMatch(Location loc1, Location loc2) { return (loc1.getTime() == loc2.getTime()) && (loc1.getLatitude() == loc2.getLatitude()) && (loc1.getLongitude() == loc2.getLongitude()) && (loc1.getAltitude() == loc2.getAltitude()); } } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/file/GpxImporterTest.java
Java
asf20
10,732
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.file; import com.google.android.apps.mytracks.content.MyTracksLocation; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import android.test.AndroidTestCase; import java.io.ByteArrayOutputStream; import java.io.IOException; import java.io.OutputStream; import java.io.StringReader; import java.util.ArrayList; import java.util.List; import javax.xml.parsers.DocumentBuilder; import javax.xml.parsers.DocumentBuilderFactory; import javax.xml.parsers.FactoryConfigurationError; import javax.xml.parsers.ParserConfigurationException; import org.w3c.dom.Document; import org.w3c.dom.Element; import org.w3c.dom.Node; import org.w3c.dom.NodeList; import org.w3c.dom.Text; import org.xml.sax.InputSource; import org.xml.sax.SAXException; /** * Base class for track format writer tests, which sets up a fake track and * gives auxiliary methods for verifying XML output. * * @author Rodrigo Damazio */ public abstract class TrackFormatWriterTest extends AndroidTestCase { // All the user-provided strings have "]]>" to ensure that proper escaping is // being done. protected static final String TRACK_NAME = "Home]]>"; protected static final String TRACK_CATEGORY = "Hiking"; protected static final String TRACK_DESCRIPTION = "The long ]]> journey home"; protected static final String WAYPOINT1_NAME = "point]]>1"; protected static final String WAYPOINT1_CATEGORY = "Statistics"; protected static final String WAYPOINT1_DESCRIPTION = "point 1]]>description"; protected static final String WAYPOINT2_NAME = "point]]>2"; protected static final String WAYPOINT2_CATEGORY = "Waypoint"; protected static final String WAYPOINT2_DESCRIPTION = "point 2]]>description"; private static final int BUFFER_SIZE = 10240; protected Track track; protected MyTracksLocation location1, location2, location3, location4; protected Waypoint wp1, wp2; @Override protected void setUp() throws Exception { super.setUp(); track = new Track(); track.setName(TRACK_NAME); track.setCategory(TRACK_CATEGORY); track.setDescription(TRACK_DESCRIPTION); location1 = new MyTracksLocation("mock"); location2 = new MyTracksLocation("mock"); location3 = new MyTracksLocation("mock"); location4 = new MyTracksLocation("mock"); populateLocations(location1, location2, location3, location4); wp1 = new Waypoint(); wp2 = new Waypoint(); wp1.setLocation(location2); wp1.setName(WAYPOINT1_NAME); wp1.setCategory(WAYPOINT1_CATEGORY); wp1.setDescription(WAYPOINT1_DESCRIPTION); wp2.setLocation(location3); wp2.setName(WAYPOINT2_NAME); wp2.setCategory(WAYPOINT2_CATEGORY); wp2.setDescription(WAYPOINT2_DESCRIPTION); } /** * Populates a list of locations with values. * * @param locations a list of locations */ private void populateLocations(MyTracksLocation... locations) { for (int i = 0; i < locations.length; i++) { MyTracksLocation location = locations[i]; location.setLatitude(i); location.setLongitude(-i); location.setAltitude(i * 10); location.setBearing(i * 100); location.setAccuracy(i * 1000); location.setSpeed(i * 10000); location.setTime(i * 100000); Sensor.SensorData.Builder power = Sensor.SensorData.newBuilder().setValue(100 + i) .setState(Sensor.SensorState.SENDING); Sensor.SensorData.Builder cadence = Sensor.SensorData.newBuilder().setValue(200 + i) .setState(Sensor.SensorState.SENDING); Sensor.SensorData.Builder heartRate = Sensor.SensorData.newBuilder().setValue(300 + i) .setState(Sensor.SensorState.SENDING); Sensor.SensorData.Builder batteryLevel = Sensor.SensorData.newBuilder().setValue(400 + i) .setState(Sensor.SensorState.SENDING); Sensor.SensorDataSet sensorDataSet = Sensor.SensorDataSet.newBuilder().setPower(power) .setCadence(cadence).setHeartRate(heartRate).setBatteryLevel(batteryLevel).build(); location.setSensorData(sensorDataSet); } } /** * Makes the right sequence of calls to the writer in order to write the fake * track in {@link #track}. * * @param writer the writer to write to * @return the written contents */ protected String writeTrack(TrackFormatWriter writer) throws Exception { OutputStream output = new ByteArrayOutputStream(BUFFER_SIZE); writer.prepare(track, output); writer.writeHeader(); writer.writeBeginWaypoints(); writer.writeWaypoint(wp1); writer.writeWaypoint(wp2); writer.writeEndWaypoints(); writer.writeBeginTrack(location1); writer.writeOpenSegment(); writer.writeLocation(location1); writer.writeLocation(location2); writer.writeCloseSegment(); writer.writeOpenSegment(); writer.writeLocation(location3); writer.writeLocation(location4); writer.writeCloseSegment(); writer.writeEndTrack(location4); writer.writeFooter(); writer.close(); return output.toString(); } /** * Gets the text data contained inside a tag. * * @param parent the parent of the tag containing the text * @param elementName the name of the tag containing the text * @return the text contents */ protected String getChildTextValue(Element parent, String elementName) { Element child = getChildElement(parent, elementName); assertTrue(child.hasChildNodes()); NodeList children = child.getChildNodes(); int length = children.getLength(); assertTrue(length > 0); // The children may be a sucession of text elements, just concatenate them String result = ""; for (int i = 0; i < length; i++) { Text textNode = (Text) children.item(i); result += textNode.getNodeValue(); } return result; } /** * Returns all child elements of a given parent which have the given name. * * @param parent the parent to get children from * @param elementName the element name to look for * @param expectedChildren the number of children we're expected to find * @return a list of the found elements */ protected List<Element> getChildElements(Node parent, String elementName, int expectedChildren) { assertTrue(parent.hasChildNodes()); NodeList children = parent.getChildNodes(); int length = children.getLength(); List<Element> result = new ArrayList<Element>(); for (int i = 0; i < length; i++) { Node childNode = children.item(i); if (childNode.getNodeType() == Node.ELEMENT_NODE && childNode.getNodeName().equalsIgnoreCase(elementName)) { result.add((Element) childNode); } } assertTrue(children.toString(), result.size() == expectedChildren); return result; } /** * Returns the single child element of the given parent with the given type. * * @param parent the parent to get a child from * @param elementName the name of the child to look for * @return the child element */ protected Element getChildElement(Node parent, String elementName) { return getChildElements(parent, elementName, 1).get(0); } /** * Parses the given XML contents and returns a DOM {@link Document} for it. */ protected Document parseXmlDocument(String contents) throws FactoryConfigurationError, ParserConfigurationException, SAXException, IOException { DocumentBuilderFactory builderFactory = DocumentBuilderFactory.newInstance(); builderFactory.setCoalescing(true); // TODO: Somehow do XML validation on Android // builderFactory.setValidating(true); builderFactory.setNamespaceAware(true); builderFactory.setIgnoringComments(true); builderFactory.setIgnoringElementContentWhitespace(true); DocumentBuilder documentBuilder = builderFactory.newDocumentBuilder(); Document doc = documentBuilder.parse( new InputSource(new StringReader(contents))); return doc; } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/file/TrackFormatWriterTest.java
Java
asf20
8,117
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; /** * Tests for {@link CsvTrackWriter}. * * @author Rodrigo Damazio */ public class CsvTrackWriterTest extends TrackFormatWriterTest { private static final String BEGIN_TAG = "\""; private static final String END_TAG = "\"\n"; private static final String SEPARATOR = "\",\""; public void testCsvOutput() throws Exception { String expectedTrackHeader = getExpectedLine( "Name", "Activity type", "Description"); String expectedTrack = getExpectedLine(TRACK_NAME, TRACK_CATEGORY, TRACK_DESCRIPTION); String expectedMarkerHeader = getExpectedLine("Marker name", "Marker type", "Marker description", "Latitude (deg)", "Longitude (deg)", "Altitude (m)", "Bearing (deg)", "Accuracy (m)", "Speed (m/s)", "Time"); String expectedMarker1 = getExpectedLine(WAYPOINT1_NAME, WAYPOINT1_CATEGORY, WAYPOINT1_DESCRIPTION, "1.0", "-1.0", "10.0", "100.0", "1,000", "10,000", "1970-01-01T00:01:40.000Z"); String expectedMarker2 = getExpectedLine(WAYPOINT2_NAME, WAYPOINT2_CATEGORY, WAYPOINT2_DESCRIPTION, "2.0", "-2.0", "20.0", "200.0", "2,000", "20,000", "1970-01-01T00:03:20.000Z"); String expectedPointHeader = getExpectedLine("Segment", "Point", "Latitude (deg)", "Longitude (deg)", "Altitude (m)", "Bearing (deg)", "Accuracy (m)", "Speed (m/s)", "Time", "Power (W)", "Cadence (rpm)", "Heart rate (bpm)", "Battery level (%)"); String expectedPoint1 = getExpectedLine("1", "1", "0.0", "0.0", "0.0", "0.0", "0", "0", "1970-01-01T00:00:00.000Z", "100.0", "200.0", "300.0", "400.0"); String expectedPoint2 = getExpectedLine("1", "2", "1.0", "-1.0", "10.0", "100.0", "1,000", "10,000", "1970-01-01T00:01:40.000Z", "101.0", "201.0", "301.0", "401.0"); String expectedPoint3 = getExpectedLine("2", "1", "2.0", "-2.0", "20.0", "200.0", "2,000", "20,000", "1970-01-01T00:03:20.000Z", "102.0", "202.0", "302.0", "402.0"); String expectedPoint4 = getExpectedLine("2", "2", "3.0", "-3.0", "30.0", "300.0", "3,000", "30,000", "1970-01-01T00:05:00.000Z", "103.0", "203.0", "303.0", "403.0"); String expected = expectedTrackHeader + expectedTrack + "\n" + expectedMarkerHeader + expectedMarker1 + expectedMarker2 + "\n" + expectedPointHeader + expectedPoint1 + expectedPoint2 + expectedPoint3 + expectedPoint4; CsvTrackWriter writer = new CsvTrackWriter(getContext()); assertEquals(expected, writeTrack(writer)); } /** * Gets the expected CSV line from a list of expected values. * * @param values expected values */ private String getExpectedLine(String... values) { StringBuilder builder = new StringBuilder(); builder.append(BEGIN_TAG); boolean first = true; for (String value : values) { if (!first) { builder.append(SEPARATOR); } first = false; builder.append(value); } builder.append(END_TAG); return builder.toString(); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/file/CsvTrackWriterTest.java
Java
asf20
3,613
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import com.google.android.apps.mytracks.content.DescriptionGenerator; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import android.location.Location; import java.util.List; import java.util.Vector; import org.w3c.dom.Document; import org.w3c.dom.Element; /** * Tests for {@link KmlTrackWriter}. * * @author Rodrigo Damazio */ public class KmlTrackWriterTest extends TrackFormatWriterTest { private static final String FULL_TRACK_DESCRIPTION = "full track description"; /** * A fake version of {@link DescriptionGenerator} which returns a fixed track * description, thus not depending on the context. */ private class FakeDescriptionGenerator implements DescriptionGenerator { @Override public String generateTrackDescription( Track aTrack, Vector<Double> distances, Vector<Double> elevations) { return FULL_TRACK_DESCRIPTION; } @Override public String generateWaypointDescription(Waypoint waypoint) { return null; } } public void testXmlOutput() throws Exception { KmlTrackWriter writer = new KmlTrackWriter(getContext(), new FakeDescriptionGenerator()); String result = writeTrack(writer); Document doc = parseXmlDocument(result); Element kmlTag = getChildElement(doc, "kml"); Element docTag = getChildElement(kmlTag, "Document"); assertEquals(TRACK_NAME, getChildTextValue(docTag, "name")); assertEquals(TRACK_DESCRIPTION, getChildTextValue(docTag, "description")); // There are 3 placemarks - start, track, and end List<Element> placemarkTags = getChildElements(docTag, "Placemark", 3); assertTagIsPlacemark( placemarkTags.get(0), TRACK_NAME + " (Start)", TRACK_DESCRIPTION, location1); assertTagIsPlacemark( placemarkTags.get(2), TRACK_NAME + " (End)", FULL_TRACK_DESCRIPTION, location4); List<Element> folderTag = getChildElements(docTag, "Folder", 1); List<Element> folderPlacemarkTags = getChildElements(folderTag.get(0), "Placemark", 2); assertTagIsPlacemark( folderPlacemarkTags.get(0), WAYPOINT1_NAME, WAYPOINT1_DESCRIPTION, location2); assertTagIsPlacemark( folderPlacemarkTags.get(1), WAYPOINT2_NAME, WAYPOINT2_DESCRIPTION, location3); Element trackPlacemarkTag = placemarkTags.get(1); assertEquals(TRACK_NAME, getChildTextValue(trackPlacemarkTag, "name")); assertEquals(TRACK_DESCRIPTION, getChildTextValue(trackPlacemarkTag, "description")); Element multiTrackTag = getChildElement(trackPlacemarkTag, "gx:MultiTrack"); List<Element> trackTags = getChildElements(multiTrackTag, "gx:Track", 2); assertTagHasPoints(trackTags.get(0), location1, location2); assertTagHasPoints(trackTags.get(1), location3, location4); } /** * Asserts that the given tag is a placemark with the given properties. * * @param tag the tag * @param name the expected placemark name * @param description the expected placemark description * @param location the expected placemark location */ private void assertTagIsPlacemark( Element tag, String name, String description, Location location) { assertEquals(name, getChildTextValue(tag, "name")); assertEquals(description, getChildTextValue(tag, "description")); Element pointTag = getChildElement(tag, "Point"); String expected = location.getLongitude() + "," + location.getLatitude() + "," + location.getAltitude(); String actual = getChildTextValue(pointTag, "coordinates"); assertEquals(expected, actual); } /** * Asserts that the given tag has a list of "gx:coord" subtags matching the * expected locations. * * @param tag the parent tag * @param locations list of expected locations */ private void assertTagHasPoints(Element tag, Location... locations) { List<Element> coordTags = getChildElements(tag, "gx:coord", locations.length); for (int i = 0; i < locations.length; i++) { Location location = locations[i]; String expected = location.getLongitude() + " " + location.getLatitude() + " " + location.getAltitude(); String actual = coordTags.get(i).getFirstChild().getTextContent(); assertEquals(expected, actual); } } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/file/KmlTrackWriterTest.java
Java
asf20
4,912
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import com.google.android.apps.mytracks.content.MyTracksLocation; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.util.StringUtils; import java.util.List; import org.w3c.dom.Document; import org.w3c.dom.Element; /** * Tests for {@link TcxTrackWriter}. * * @author Sandor Dornbush */ public class TcxTrackWriterTest extends TrackFormatWriterTest { public void testXmlOutput() throws Exception { TrackFormatWriter writer = new TcxTrackWriter(getContext()); String result = writeTrack(writer); Document doc = parseXmlDocument(result); Element root = getChildElement(doc, "TrainingCenterDatabase"); Element activitiesTag = getChildElement(root, "Activities"); Element activityTag = getChildElement(activitiesTag, "Activity"); Element lapTag = getChildElement(activityTag, "Lap"); List<Element> segmentTags = getChildElements(lapTag, "Track", 2); Element segment1Tag = segmentTags.get(0); Element segment2Tag = segmentTags.get(1); List<Element> seg1PointTags = getChildElements(segment1Tag, "Trackpoint", 2); List<Element> seg2PointTags = getChildElements(segment2Tag, "Trackpoint", 2); assertTagsMatchPoints(seg1PointTags, location1, location2); assertTagsMatchPoints(seg2PointTags, location3, location4); } /** * Asserts that the given tags describe the given locations in the same order. * * @param tags list of tags * @param locations list of locations */ private void assertTagsMatchPoints(List<Element> tags, MyTracksLocation... locations) { assertEquals(locations.length, tags.size()); for (int i = 0; i < locations.length; i++) { assertTagMatchesLocation(tags.get(i), locations[i]); } } /** * Asserts that the given tag describes the given location. * * @param tag the tag * @param location the location */ private void assertTagMatchesLocation(Element tag, MyTracksLocation location) { assertEquals(StringUtils.formatDateTimeIso8601(location.getTime()), getChildTextValue(tag, "Time")); Element positionTag = getChildElement(tag, "Position"); assertEquals( Double.toString(location.getLatitude()), getChildTextValue(positionTag, "LatitudeDegrees")); assertEquals(Double.toString(location.getLongitude()), getChildTextValue(positionTag, "LongitudeDegrees")); assertEquals(Double.toString(location.getAltitude()), getChildTextValue(tag, "AltitudeMeters")); assertTrue(location.getSensorDataSet() != null); Sensor.SensorDataSet sds = location.getSensorDataSet(); List<Element> heartRate = getChildElements(tag, "HeartRateBpm", 1); assertEquals(Integer.toString(sds.getHeartRate().getValue()), getChildTextValue(heartRate.get(0), "Value")); List<Element> extensions = getChildElements(tag, "Extensions", 1); List<Element> tpx = getChildElements(extensions.get(0), "TPX", 1); assertEquals( Integer.toString(sds.getCadence().getValue()), getChildTextValue(tpx.get(0), "RunCadence")); assertEquals( Integer.toString(sds.getPower().getValue()), getChildTextValue(tpx.get(0), "Watts")); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/file/TcxTrackWriterTest.java
Java
asf20
3,804
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import java.io.File; /** * A simple, fake {@link TrackWriter} subclass with all methods mocked out. * Tests are expected to override {@link #writeTrack}. * * @author Matthew Simmons * */ public class MockTrackWriter implements TrackWriter { public OnWriteListener onWriteListener; @Override public void setOnWriteListener(OnWriteListener onWriteListener) { this.onWriteListener = onWriteListener; } @Override public void setDirectory(File directory) { throw new UnsupportedOperationException("not implemented"); } @Override public String getAbsolutePath() { throw new UnsupportedOperationException("not implemented"); } @Override public void writeTrack() { throw new UnsupportedOperationException("not implemented"); } @Override public void stopWriteTrack() { throw new UnsupportedOperationException("not implemented"); } @Override public boolean wasSuccess() { return false; } @Override public int getErrorMessage() { return 0; } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/file/MockTrackWriter.java
Java
asf20
1,661
/* * 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.maps.mytracks.R; import android.app.Dialog; import android.content.Intent; import android.test.ActivityInstrumentationTestCase2; import android.widget.LinearLayout; import android.widget.TextView; /** * Tests the {@link UploadResultActivity}. * * @author Youtao Liu */ public class UploadResultActivityTest extends ActivityInstrumentationTestCase2<UploadResultActivity> { private UploadResultActivity uploadResultActivity; /** * This method is necessary for ActivityInstrumentationTestCase2. */ public UploadResultActivityTest() { super(UploadResultActivity.class); } /** * Checks the display of dialog when send to all and all sends are successful. */ public void testAllSuccess() { initialActivity(true, true, true, true, true, true); Dialog dialog = uploadResultActivity.getDialog(); TextView textView = (TextView) dialog.findViewById(R.id.upload_result_success_footer); assertTrue(textView.isShown()); } /** * Checks the display of dialog when send to all and all sends are failed. */ public void testAllFailed() { // Send all kinds but all failed. initialActivity(true, true, true, false, false, false); Dialog dialog = uploadResultActivity.getDialog(); TextView textView = (TextView) dialog.findViewById(R.id.upload_result_error_footer); assertTrue(textView.isShown()); } /** * Checks the display of dialog when match following items: * <ul> * <li>Only send to Maps and Docs.</li> * <li>Send to Maps successful.</li> * <li>Send to Docs failed.</li> * </ul> */ public void testPartialSuccess() { initialActivity(true, false, true, true, false, false); Dialog dialog = uploadResultActivity.getDialog(); TextView textView = (TextView) dialog.findViewById(R.id.upload_result_error_footer); assertTrue(textView.isShown()); LinearLayout mapsResult = (LinearLayout) dialog.findViewById(R.id.upload_result_maps_result); assertTrue(mapsResult.isShown()); LinearLayout fusionTablesResult = (LinearLayout) dialog.findViewById( R.id.upload_result_fusion_tables_result); assertFalse(fusionTablesResult.isShown()); LinearLayout docsResult = (LinearLayout) dialog.findViewById(R.id.upload_result_docs_result); assertTrue(docsResult.isShown()); } /** * Initial a {@link SendRequest} and then initials a activity to be tested. * * @param isSendMaps * @param isSendFusionTables * @param isSendDocs * @param isMapsSuccess * @param isFusionTablesSuccess * @param isDocsSuccess */ private void initialActivity(boolean isSendMaps, boolean isSendFusionTables, boolean isSendDocs, boolean isMapsSuccess, boolean isFusionTablesSuccess, boolean isDocsSuccess) { Intent intent = new Intent(); SendRequest sendRequest = new SendRequest(1L, true, true, true); sendRequest.setSendMaps(isSendMaps); sendRequest.setSendFusionTables(isSendFusionTables); sendRequest.setSendDocs(isSendDocs); sendRequest.setMapsSuccess(isMapsSuccess); sendRequest.setFusionTablesSuccess(isFusionTablesSuccess); sendRequest.setDocsSuccess(isDocsSuccess); intent.putExtra(SendRequest.SEND_REQUEST_KEY, sendRequest); setActivityIntent(intent); uploadResultActivity = this.getActivity(); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/sendtogoogle/UploadResultActivityTest.java
Java
asf20
3,974
/* * 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; /** * Tests the {@link SendToGoogleUtils}. * * @author Youtao Liu */ import com.google.android.apps.mytracks.TrackStubUtils; import com.google.android.apps.mytracks.content.MyTracksLocation; import com.google.android.apps.mytracks.content.Track; import android.location.Location; import java.util.ArrayList; import java.util.List; import junit.framework.TestCase; public class SendToGoogleUtilsTest extends TestCase { private final static long TRACK_ID = 1L; private final static String TRACK_CATEGORY = "trackCategory"; private final static String TRACK_NAME = "trackName"; private final static double DIFFERENCE = 0.02; private final static double INVALID_LATITUDE = 91; /** * Tests the method * {@link SendToGoogleUtils#prepareTrackSegment(Track, java.util.ArrayList)} * when there is only one location in a segment. */ public void testPrepareTrackSegment_onlyOneLocation() { Track trackStub = TrackStubUtils.createTrack(1); assertFalse(SendToGoogleUtils.prepareTrackSegment(trackStub, null)); } /** * Tests the method * {@link SendToGoogleUtils#prepareTrackSegment(Track, ArrayList)} when there * is no stop time. */ public void testPrepareTrackSegment_noStopTime() { Track trackStub = TrackStubUtils.createTrack(2); assertEquals(-1L, trackStub.getStatistics().getStopTime()); ArrayList<Track> tracksArray = new ArrayList<Track>(); assertTrue(SendToGoogleUtils.prepareTrackSegment(trackStub, tracksArray)); assertEquals(trackStub, tracksArray.get(0)); // The stop time should be the time of last location assertEquals(trackStub.getLocations().get(1).getTime(), trackStub.getStatistics().getStopTime()); } /** * Tests the method * {@link SendToGoogleUtils#prepareTrackSegment(Track, java.util.ArrayList)} * when there is stop time. */ public void testPrepareTrackSegment_hasStopTime() { Track trackStub = TrackStubUtils.createTrack(2); // Gives a margin to make sure the this time will be not same with the last // location in the track. long stopTime = System.currentTimeMillis() + 1000; trackStub.getStatistics().setStopTime(stopTime); ArrayList<Track> tracksArray = new ArrayList<Track>(); SendToGoogleUtils.prepareTrackSegment(trackStub, tracksArray); assertEquals(trackStub, tracksArray.get(0)); assertEquals(stopTime, trackStub.getStatistics().getStopTime()); } /** * Tests the method * {@link SendToGoogleUtils#prepareLocations(Track, java.util.List)} . */ public void testPrepareLocations() { Track trackStub = TrackStubUtils.createTrack(2); trackStub.setId(TRACK_ID); trackStub.setName(TRACK_NAME); trackStub.setCategory(TRACK_CATEGORY); List<Location> locationsArray = new ArrayList<Location>(); // Adds 100 location to List. for (int i = 0; i < 100; i++) { // Use this variable as a flag to make all points in the track can be kept // after run the LocationUtils#decimate(Track, double) with // Ramer–Douglas–Peucker algorithm. double latitude = TrackStubUtils.INITIAL_LATITUDE; if (i % 2 == 0) { latitude -= DIFFERENCE * (i % 10); } // Inserts 9 points which have wrong latitude, so would have 10 segments. if (i % 10 == 0 && i > 0) { MyTracksLocation location = TrackStubUtils.createMyTracksLocation(); location.setLatitude(INVALID_LATITUDE); locationsArray.add(location); } else { locationsArray.add(TrackStubUtils.createMyTracksLocation(latitude, TrackStubUtils.INITIAL_LONGITUDE + DIFFERENCE * (i % 10), TrackStubUtils.INITIAL_ALTITUDE + DIFFERENCE * (i % 10))); } } ArrayList<Track> result = SendToGoogleUtils.prepareLocations(trackStub, locationsArray); assertEquals(10, result.size()); // Checks all segments. for (int i = 0; i < 10; i++) { Track segmentOne = result.get(i); assertEquals(TRACK_ID, segmentOne.getId()); assertEquals(TRACK_NAME, segmentOne.getName()); assertEquals(TRACK_CATEGORY, segmentOne.getCategory()); } // Checks all locations in the first segment. for (int j = 0; j < 9; j++) { double latitude = TrackStubUtils.INITIAL_LATITUDE; if (j % 2 == 0) { latitude -= DIFFERENCE * (j % 10); } Location oneLocation = result.get(0).getLocations().get(j); assertEquals(TrackStubUtils.createMyTracksLocation().getAltitude() + DIFFERENCE * (j % 10), oneLocation.getAltitude()); assertEquals(latitude, oneLocation.getLatitude()); assertEquals(TrackStubUtils.createMyTracksLocation().getLongitude() + DIFFERENCE * (j % 10), oneLocation.getLongitude()); } } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/sendtogoogle/SendToGoogleUtilsTest.java
Java
asf20
5,392
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.sendtogoogle; import com.google.android.apps.mytracks.Constants; import com.google.android.maps.mytracks.R; import android.app.Instrumentation; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.test.ActivityInstrumentationTestCase2; import android.widget.CheckBox; import android.widget.RadioButton; /** * Tests the {@link UploadServiceChooserActivity}. * * @author Youtao Liu */ public class UploadServiceChooserActivityTest extends ActivityInstrumentationTestCase2<UploadServiceChooserActivity> { private Instrumentation instrumentation; private UploadServiceChooserActivity uploadServiceChooserActivity; public UploadServiceChooserActivityTest() { super(UploadServiceChooserActivity.class); } @Override protected void setUp() throws Exception { super.setUp(); instrumentation = getInstrumentation(); } /** * Tests the logic to display all options. */ public void testOnCreateDialog_displayAll() { // Initials activity to display all send items. initialActivity(true, true, true); instrumentation.waitForIdleSync(); assertTrue(getMapsCheckBox().isShown()); assertTrue(getFusionTablesCheckBox().isShown()); assertTrue(getDocsCheckBox().isShown()); // Clicks to disable all send items. uploadServiceChooserActivity.runOnUiThread(new Runnable() { public void run() { if (getMapsCheckBox().isChecked()) { getMapsCheckBox().performClick(); } if (getFusionTablesCheckBox().isChecked()) { getFusionTablesCheckBox().performClick(); } if (getDocsCheckBox().isChecked()) { getDocsCheckBox().performClick(); } } }); instrumentation.waitForIdleSync(); assertTrue(getMapsCheckBox().isShown()); assertTrue(getFusionTablesCheckBox().isShown()); assertTrue(getDocsCheckBox().isShown()); assertFalse(getNewMapRadioButton().isShown()); assertFalse(getExistingMapRadioButton().isShown()); } /** * Tests the logic to display only the "Send to Google Maps" option. */ public void testOnCreateDialog_displayOne() { // Initials activity to display all send items. initialActivity(true, false, false); instrumentation.waitForIdleSync(); assertTrue(getMapsCheckBox().isShown()); // Clicks to enable this items. uploadServiceChooserActivity.runOnUiThread(new Runnable() { public void run() { if (!getMapsCheckBox().isChecked()) { getMapsCheckBox().performClick(); } } }); instrumentation.waitForIdleSync(); assertTrue(getMapsCheckBox().isShown()); assertTrue(getNewMapRadioButton().isShown()); assertTrue(getExistingMapRadioButton().isShown()); } /** * Tests the logic to display no option. */ public void testOnCreateDialog_displayNone() { initialActivity(false, false, false); assertFalse(getMapsCheckBox().isShown()); assertFalse(getFusionTablesCheckBox().isShown()); assertFalse(getDocsCheckBox().isShown()); } /** * Tests the logic to initial state of check box to unchecked. This test cover * code in method {@link UploadServiceChooserActivity#onCreateDialog(int)}, * {@link UploadServiceChooserActivity#initState()}. */ public void testOnCreateDialog_initStateUnchecked() { initialActivity(true, true, true); // Initial all values to false in SharedPreferences. SharedPreferences prefs = uploadServiceChooserActivity.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); Editor editor = prefs.edit(); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_maps_key), false); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_fusion_tables_key), false); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_docs_key), false); editor.commit(); uploadServiceChooserActivity.runOnUiThread(new Runnable() { public void run() { uploadServiceChooserActivity.initState(); } }); instrumentation.waitForIdleSync(); assertFalse(getMapsCheckBox().isChecked()); assertFalse(getFusionTablesCheckBox().isChecked()); assertFalse(getDocsCheckBox().isChecked()); } /** * Tests the logic to initial state of check box to checked. This test cover * code in method {@link UploadServiceChooserActivity#onCreateDialog(int)}, * {@link UploadServiceChooserActivity#initState()}. */ public void testOnCreateDialog_initStateChecked() { initialActivity(true, true, true); // Initial all values to true in SharedPreferences. SharedPreferences prefs = uploadServiceChooserActivity.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); Editor editor = prefs.edit(); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_maps_key), true); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.pick_existing_map_key), true); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_fusion_tables_key), true); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_docs_key), true); editor.commit(); uploadServiceChooserActivity.runOnUiThread(new Runnable() { public void run() { uploadServiceChooserActivity.initState(); } }); instrumentation.waitForIdleSync(); assertTrue(getMapsCheckBox().isChecked()); assertTrue(getFusionTablesCheckBox().isChecked()); assertTrue(getDocsCheckBox().isChecked()); assertTrue(getExistingMapRadioButton().isChecked()); assertFalse(getNewMapRadioButton().isChecked()); } /** * Tests the logic of saveState when click send button. This test cover code * in method {@link UploadServiceChooserActivity#initState()} and * {@link UploadServiceChooserActivity#saveState()}, */ public void testOnCreateDialog_saveState() { initialActivity(true, true, true); // Initial all values to true in SharedPreferences. SharedPreferences prefs = uploadServiceChooserActivity.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); Editor editor = prefs.edit(); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_maps_key), true); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_fusion_tables_key), true); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_docs_key), true); editor.commit(); uploadServiceChooserActivity.runOnUiThread(new Runnable() { public void run() { uploadServiceChooserActivity.initState(); } }); instrumentation.waitForIdleSync(); uploadServiceChooserActivity.saveState(); // All values in SharedPreferences must be changed. assertTrue(prefs.getBoolean(uploadServiceChooserActivity.getString(R.string.send_to_maps_key), false)); assertTrue(prefs.getBoolean(uploadServiceChooserActivity.getString(R.string.send_to_maps_key), false)); assertTrue(prefs.getBoolean(uploadServiceChooserActivity.getString(R.string.send_to_maps_key), false)); } /** * Tests the logic of startNextActivity when click send button. This test * cover code in method {@link UploadServiceChooserActivity#initState()} and * {@link UploadServiceChooserActivity#startNextActivity()}. */ public void testOnCreateDialog_startNextActivity() { initialActivity(true, true, true); // Initial all values to true or false in SharedPreferences. SharedPreferences prefs = uploadServiceChooserActivity.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); Editor editor = prefs.edit(); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_maps_key), true); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_docs_key), true); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_fusion_tables_key), false); editor.commit(); uploadServiceChooserActivity.runOnUiThread(new Runnable() { public void run() { uploadServiceChooserActivity.initState(); } }); instrumentation.waitForIdleSync(); uploadServiceChooserActivity.startNextActivity(); // All values in SendRequest must be same as set above. assertTrue(uploadServiceChooserActivity.getSendRequest().isSendMaps()); assertTrue(uploadServiceChooserActivity.getSendRequest().isSendDocs()); assertFalse(uploadServiceChooserActivity.getSendRequest().isSendFusionTables()); } /** * Initials a activity to be tested. * * @param showMaps * @param showFusionTables * @param showDocs */ private void initialActivity(boolean showMaps, boolean showFusionTables, boolean showDocs) { Intent intent = new Intent(); intent.putExtra(SendRequest.SEND_REQUEST_KEY, new SendRequest(1L, showMaps, showFusionTables, showDocs)); setActivityIntent(intent); uploadServiceChooserActivity = this.getActivity(); } private CheckBox getMapsCheckBox() { return (CheckBox) uploadServiceChooserActivity.getAlertDialog().findViewById(R.id.send_google_maps); } private CheckBox getFusionTablesCheckBox() { return (CheckBox) uploadServiceChooserActivity.getAlertDialog().findViewById( R.id.send_google_fusion_tables); } private CheckBox getDocsCheckBox() { return (CheckBox) uploadServiceChooserActivity.getAlertDialog().findViewById(R.id.send_google_docs); } private RadioButton getNewMapRadioButton() { return (RadioButton) uploadServiceChooserActivity.getAlertDialog().findViewById( R.id.send_google_new_map); } private RadioButton getExistingMapRadioButton() { return (RadioButton) uploadServiceChooserActivity.getAlertDialog().findViewById( R.id.send_google_existing_map); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/sendtogoogle/UploadServiceChooserActivityTest.java
Java
asf20
10,674
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.sendtogoogle; import android.accounts.Account; import android.os.Parcel; import android.os.Parcelable; import android.test.AndroidTestCase; /** * Tests the {@link SendRequest}. * * @author Youtao Liu */ public class SendRequestTest extends AndroidTestCase { private SendRequest sendRequest; final static private String ACCOUNTNAME = "testAccount1"; final static private String ACCOUNTYPE = "testType1"; final static private String MAPID = "mapId1"; @Override protected void setUp() throws Exception { super.setUp(); sendRequest = new SendRequest(1, true, true, true); } /** * Tests the method {@link SendRequest#getTrackId()}. The value should be set * to 1 when it is initialed in setup method. */ public void testGetTrackId() { assertEquals(1, sendRequest.getTrackId()); } /** * Tests the method {@link SendRequest#isShowMaps()}. The value should be set * to true when it is initialed in setup method. */ public void testIsShowMaps() { assertEquals(true, sendRequest.isShowMaps()); } /** * Tests the method {@link SendRequest#isShowFusionTables()}. The value should * be set to true when it is initialed in setup method. */ public void testIsShowFusionTables() { assertEquals(true, sendRequest.isShowFusionTables()); } /** * Tests the method {@link SendRequest#isShowDocs()}. The value should be set * to true when it is initialed in setup method. */ public void testIsShowDocs() { assertEquals(true, sendRequest.isShowDocs()); } public void testIsShowAll() { assertEquals(true, sendRequest.isShowAll()); sendRequest = new SendRequest(1, false, true, true); assertEquals(false, sendRequest.isShowAll()); sendRequest = new SendRequest(1, true, false, true); assertEquals(false, sendRequest.isShowAll()); sendRequest = new SendRequest(1, true, true, false); assertEquals(false, sendRequest.isShowAll()); sendRequest = new SendRequest(1, false, true, false); assertEquals(false, sendRequest.isShowAll()); sendRequest = new SendRequest(1, false, false, false); assertEquals(false, sendRequest.isShowAll()); } public void testIsSendMaps() { assertEquals(false, sendRequest.isSendMaps()); sendRequest.setSendMaps(true); assertEquals(true, sendRequest.isSendMaps()); } public void testIsSendFusionTables() { assertEquals(false, sendRequest.isSendFusionTables()); sendRequest.setSendFusionTables(true); assertEquals(true, sendRequest.isSendFusionTables()); } /** * Tests the method {@link SendRequest#isSendDocs()}. The value should be set * to false which is its default value when it is initialed in setup method. */ public void testIsSendDocs() { assertEquals(false, sendRequest.isSendDocs()); sendRequest.setSendDocs(true); assertEquals(true, sendRequest.isSendDocs()); } /** * Tests the method {@link SendRequest#isNewMap()}. The value should be set to * false which is its default value when it is initialed in setup method. */ public void testIsNewMap() { assertEquals(false, sendRequest.isNewMap()); sendRequest.setNewMap(true); assertEquals(true, sendRequest.isNewMap()); } /** * Tests the method {@link SendRequest#getAccount()}. The value should be set * to null which is its default value when it is initialed in setup method. */ public void testGetAccount() { assertEquals(null, sendRequest.getAccount()); Account account = new Account(ACCOUNTNAME, ACCOUNTYPE); sendRequest.setAccount(account); assertEquals(account, sendRequest.getAccount()); } /** * Tests the method {@link SendRequest#getMapId()}. The value should be set to * null which is its default value when it is initialed in setup method. */ public void testGetMapId() { assertEquals(null, sendRequest.getMapId()); sendRequest.setMapId("1"); assertEquals("1", "1"); } /** * Tests the method {@link SendRequest#isMapsSuccess()}. The value should be * set to false which is its default value when it is initialed in setup * method. */ public void testIsMapsSuccess() { assertEquals(false, sendRequest.isMapsSuccess()); sendRequest.setMapsSuccess(true); assertEquals(true, sendRequest.isMapsSuccess()); } /** * Tests the method {@link SendRequest#isFusionTablesSuccess()}. The value * should be set to false which is its default value when it is initialed in * setup method. */ public void testIsFusionTablesSuccess() { assertEquals(false, sendRequest.isFusionTablesSuccess()); sendRequest.setFusionTablesSuccess(true); assertEquals(true, sendRequest.isFusionTablesSuccess()); } /** * Tests the method {@link SendRequest#isDocsSuccess()}. The value should be * set to false which is its default value when it is initialed in setup * method. */ public void testIsDocsSuccess() { assertEquals(false, sendRequest.isDocsSuccess()); sendRequest.setDocsSuccess(true); assertEquals(true, sendRequest.isDocsSuccess()); } /** * Tests SendRequest.CREATOR.createFromParcel when all values are true. */ public void testCreateFromParcel_true() { Parcel sourceParcel = Parcel.obtain(); sourceParcel.setDataPosition(0); sourceParcel.writeLong(2); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); Account account = new Account(ACCOUNTNAME, ACCOUNTYPE); sourceParcel.writeParcelable(account, 0); sourceParcel.writeString(MAPID); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); sourceParcel.setDataPosition(0); sendRequest = SendRequest.CREATOR.createFromParcel(sourceParcel); assertEquals(2, sendRequest.getTrackId()); assertEquals(true, sendRequest.isShowMaps()); assertEquals(true, sendRequest.isShowFusionTables()); assertEquals(true, sendRequest.isShowDocs()); assertEquals(true, sendRequest.isSendMaps()); assertEquals(true, sendRequest.isSendFusionTables()); assertEquals(true, sendRequest.isSendDocs()); assertEquals(true, sendRequest.isNewMap()); assertEquals(account, sendRequest.getAccount()); assertEquals(MAPID, sendRequest.getMapId()); assertEquals(true, sendRequest.isMapsSuccess()); assertEquals(true, sendRequest.isFusionTablesSuccess()); assertEquals(true, sendRequest.isDocsSuccess()); } /** * Tests SendRequest.CREATOR.createFromParcel when all values are false. */ public void testCreateFromParcel_false() { Parcel sourceParcel = Parcel.obtain(); sourceParcel.setDataPosition(0); sourceParcel.writeLong(4); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); Account account = new Account(ACCOUNTNAME, ACCOUNTYPE); sourceParcel.writeParcelable(account, 0); sourceParcel.writeString(MAPID); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); sourceParcel.setDataPosition(0); sendRequest = SendRequest.CREATOR.createFromParcel(sourceParcel); assertEquals(4, sendRequest.getTrackId()); assertEquals(false, sendRequest.isShowMaps()); assertEquals(false, sendRequest.isShowFusionTables()); assertEquals(false, sendRequest.isShowDocs()); assertEquals(false, sendRequest.isSendMaps()); assertEquals(false, sendRequest.isSendFusionTables()); assertEquals(false, sendRequest.isSendDocs()); assertEquals(false, sendRequest.isNewMap()); assertEquals(account, sendRequest.getAccount()); assertEquals(MAPID, sendRequest.getMapId()); assertEquals(false, sendRequest.isMapsSuccess()); assertEquals(false, sendRequest.isFusionTablesSuccess()); assertEquals(false, sendRequest.isDocsSuccess()); } /** * Tests {@link SendRequest#writeToParcel(Parcel, int)} when all input values * are true or affirmative. */ public void testWriteToParcel_allTrue() { sendRequest = new SendRequest(1, false, false, false); Parcel parcelWrite1st = Parcel.obtain(); parcelWrite1st.setDataPosition(0); sendRequest.writeToParcel(parcelWrite1st, 1); parcelWrite1st.setDataPosition(0); long trackId = parcelWrite1st.readLong(); boolean showMaps = parcelWrite1st.readByte() == 1; boolean showFusionTables = parcelWrite1st.readByte() == 1; boolean showDocs = parcelWrite1st.readByte() == 1; boolean sendMaps = parcelWrite1st.readByte() == 1; boolean sendFusionTables = parcelWrite1st.readByte() == 1; boolean sendDocs = parcelWrite1st.readByte() == 1; boolean newMap = parcelWrite1st.readByte() == 1; Parcelable account = parcelWrite1st.readParcelable(null); String mapId = parcelWrite1st.readString(); boolean mapsSuccess = parcelWrite1st.readByte() == 1; boolean fusionTablesSuccess = parcelWrite1st.readByte() == 1; boolean docsSuccess = parcelWrite1st.readByte() == 1; assertEquals(1, trackId); assertEquals(false, showMaps); assertEquals(false, showFusionTables); assertEquals(false, showDocs); assertEquals(false, sendMaps); assertEquals(false, sendFusionTables); assertEquals(false, sendDocs); assertEquals(false, newMap); assertEquals(null, account); assertEquals(null, mapId); assertEquals(false, mapsSuccess); assertEquals(false, fusionTablesSuccess); assertEquals(false, docsSuccess); } /** * Tests {@link SendRequest#writeToParcel(Parcel, int)} when all input values * are false or negative. */ public void testWriteToParcel_allFalse() { sendRequest = new SendRequest(4, true, true, true); sendRequest.setSendMaps(true); sendRequest.setSendFusionTables(true); sendRequest.setSendDocs(true); sendRequest.setNewMap(true); Account accountNew = new Account(ACCOUNTNAME + "2", ACCOUNTYPE + "2"); sendRequest.setAccount(accountNew); sendRequest.setMapId(MAPID); sendRequest.setMapsSuccess(true); sendRequest.setFusionTablesSuccess(true); sendRequest.setDocsSuccess(true); Parcel parcelWrite2nd = Parcel.obtain(); parcelWrite2nd.setDataPosition(0); sendRequest.writeToParcel(parcelWrite2nd, 1); parcelWrite2nd.setDataPosition(0); long trackId = parcelWrite2nd.readLong(); boolean showMaps = parcelWrite2nd.readByte() == 1; boolean showFusionTables = parcelWrite2nd.readByte() == 1; boolean showDocs = parcelWrite2nd.readByte() == 1; boolean sendMaps = parcelWrite2nd.readByte() == 1; boolean sendFusionTables = parcelWrite2nd.readByte() == 1; boolean sendDocs = parcelWrite2nd.readByte() == 1; boolean newMap = parcelWrite2nd.readByte() == 1; Parcelable account = parcelWrite2nd.readParcelable(null); String mapId = parcelWrite2nd.readString(); boolean mapsSuccess = parcelWrite2nd.readByte() == 1; boolean fusionTablesSuccess = parcelWrite2nd.readByte() == 1; boolean docsSuccess = parcelWrite2nd.readByte() == 1; assertEquals(4, trackId); assertEquals(true, showMaps); assertEquals(true, showFusionTables); assertEquals(true, showDocs); assertEquals(true, sendMaps); assertEquals(true, sendFusionTables); assertEquals(true, sendDocs); assertEquals(true, newMap); assertEquals(accountNew, account); assertEquals(MAPID, mapId); assertEquals(true, mapsSuccess); assertEquals(true, fusionTablesSuccess); assertEquals(true, docsSuccess); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/sendtogoogle/SendRequestTest.java
Java
asf20
12,482
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.fusiontables; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.stats.TripStatistics; import android.location.Location; import java.io.ByteArrayInputStream; import java.io.InputStream; import java.util.ArrayList; import junit.framework.TestCase; /** * Tests {@link SendFusionTablesUtils}. * * @author Jimmy Shih */ public class SendFusionTablesUtilsTest extends TestCase { /** * Tests {@link SendFusionTablesUtils#getMapUrl(Track)} with null track. */ public void testGetMapUrl_null_track() { assertEquals(null, SendFusionTablesUtils.getMapUrl(null)); } /** * Tests {@link SendFusionTablesUtils#getMapUrl(Track)} with null table id. */ public void testGetMapUrl_null_table_id() { Track track = new Track(); TripStatistics stats = new TripStatistics(); stats.setBounds((int) 100.E6, (int) 10.E6, (int) 50.E6, (int) 5.E6); track.setStatistics(stats); track.setTableId(null); assertEquals(null, SendFusionTablesUtils.getMapUrl(track)); } /** * Tests {@link SendFusionTablesUtils#getMapUrl(Track)} with null stats. */ public void testGetMapUrl_null_stats() { Track track = new Track(); track.setStatistics(null); track.setTableId("123"); assertEquals(null, SendFusionTablesUtils.getMapUrl(track)); } /** * Tests {@link SendFusionTablesUtils#getMapUrl(Track)} with a valid track. */ public void testGetMapUrl_valid_track() { Track track = new Track(); TripStatistics stats = new TripStatistics(); stats.setBounds((int) 100.E6, (int) 10.E6, (int) 50.E6, (int) 5.E6); track.setStatistics(stats); track.setTableId("123"); assertEquals( "https://www.google.com/fusiontables/embedviz?" + "viz=MAP&q=select+col0,+col1,+col2,+col3+from+123+&h=false&lat=7.500000&lng=75.000000" + "&z=15&t=1&l=col2", SendFusionTablesUtils.getMapUrl(track)); } /** * Tests (@link {@link SendFusionTablesUtils#formatSqlValues(String...)} with * no value. */ public void testFormatSqlValues_no_value() { assertEquals("()", SendFusionTablesUtils.formatSqlValues()); } /** * Tests (@link {@link SendFusionTablesUtils#formatSqlValues(String...)} with * an empty string. */ public void testFormatSqlValues_empty_string() { assertEquals("(\'\')", SendFusionTablesUtils.formatSqlValues("")); } /** * Tests (@link {@link SendFusionTablesUtils#formatSqlValues(String...)} with * one value. */ public void testFormatSqlValues_one_value() { assertEquals("(\'first\')", SendFusionTablesUtils.formatSqlValues("first")); } /** * Tests (@link {@link SendFusionTablesUtils#formatSqlValues(String...)} with * two values. */ public void testFormatSqlValues_two_values() { assertEquals( "(\'first\',\'second\')", SendFusionTablesUtils.formatSqlValues("first", "second")); } /** * Tests {@link SendFusionTablesUtils#escapeSqlString(String)} with a value * containing several single quotes. */ public void testEscapeSqValuel() { String value = "let's'"; assertEquals("let''s''", SendFusionTablesUtils.escapeSqlString(value)); } /** * Tests {@link SendFusionTablesUtils#getKmlPoint(Location)} with a null * point. */ public void testGetKmlPoint_null_point() { assertEquals( "<Point><coordinates></coordinates></Point>", SendFusionTablesUtils.getKmlPoint(null)); } /** * Tests {@link SendFusionTablesUtils#getKmlPoint(Location)} with a valid * point. */ public void testGetKmlPoint_valid_point() { Location location = new Location("test"); location.setLongitude(10.1); location.setLatitude(20.2); location.setAltitude(30.3); assertEquals("<Point><coordinates>10.1,20.2,30.3</coordinates></Point>", SendFusionTablesUtils.getKmlPoint(location)); } /** * Tests {@link SendFusionTablesUtils#getKmlLineString(ArrayList)} with a null * locations. */ public void testKmlLineString_null_locations() { assertEquals("<LineString><coordinates></coordinates></LineString>", SendFusionTablesUtils.getKmlLineString(null)); } /** * Tests {@link SendFusionTablesUtils#getKmlLineString(ArrayList)} with no * location. */ public void testKmlLineString_no_location() { ArrayList<Location> locations = new ArrayList<Location>(); assertEquals("<LineString><coordinates></coordinates></LineString>", SendFusionTablesUtils.getKmlLineString(locations)); } /** * Tests {@link SendFusionTablesUtils#getKmlLineString(ArrayList)} with one * location. */ public void testKmlLineString_one_location() { ArrayList<Location> locations = new ArrayList<Location>(); Location location = new Location("test"); location.setLongitude(10.1); location.setLatitude(20.2); location.setAltitude(30.3); locations.add(location); assertEquals("<LineString><coordinates>10.1,20.2,30.3</coordinates></LineString>", SendFusionTablesUtils.getKmlLineString(locations)); } /** * Tests {@link SendFusionTablesUtils#getKmlLineString(ArrayList)} with two * locations. */ public void testKmlLineString_two_locations() { ArrayList<Location> locations = new ArrayList<Location>(); Location location1 = new Location("test"); location1.setLongitude(10.1); location1.setLatitude(20.2); location1.setAltitude(30.3); locations.add(location1); Location location2 = new Location("test"); location2.setLongitude(1.1); location2.setLatitude(2.2); location2.removeAltitude(); locations.add(location2); assertEquals("<LineString><coordinates>10.1,20.2,30.3 1.1,2.2</coordinates></LineString>", SendFusionTablesUtils.getKmlLineString(locations)); } /** * Tests {@link SendFusionTablesUtils#appendLocation(Location, StringBuilder)} * with no altitude. */ public void testAppendLocation_no_altitude() { StringBuilder builder = new StringBuilder(); Location location = new Location("test"); location.setLongitude(10.1); location.setLatitude(20.2); location.removeAltitude(); SendFusionTablesUtils.appendLocation(location, builder); assertEquals("10.1,20.2", builder.toString()); } /** * Tests {@link SendFusionTablesUtils#appendLocation(Location, StringBuilder)} * with altitude. */ public void testAppendLocation_has_altitude() { StringBuilder builder = new StringBuilder(); Location location = new Location("test"); location.setLongitude(10.1); location.setLatitude(20.2); location.setAltitude(30.3); SendFusionTablesUtils.appendLocation(location, builder); assertEquals("10.1,20.2,30.3", builder.toString()); } /** * Tests {@link SendFusionTablesUtils#getTableId(InputStream)} with a null * inputstream. */ public void testGetTableId_null() { assertEquals(null, SendFusionTablesUtils.getTableId(null)); } /** * Tests {@link SendFusionTablesUtils#getTableId(InputStream)} with an * inputstream containing no data. */ public void testGetTableId_no_data() { InputStream inputStream = new ByteArrayInputStream(new byte[0]); assertEquals(null, SendFusionTablesUtils.getTableId(inputStream)); } /** * Tests {@link SendFusionTablesUtils#getTableId(InputStream)} with an empty * inputstream. */ public void testGetTableId_empty() { String string = ""; InputStream inputStream = new ByteArrayInputStream(string.getBytes()); assertEquals(null, SendFusionTablesUtils.getTableId(inputStream)); } /** * Tests {@link SendFusionTablesUtils#getTableId(InputStream)} with an one * line inputstream. */ public void testGetTableId_one_line() { String string = "tableid"; InputStream inputStream = new ByteArrayInputStream(string.getBytes()); assertEquals(null, SendFusionTablesUtils.getTableId(inputStream)); } /** * Tests {@link SendFusionTablesUtils#getTableId(InputStream)} with an * inputstream not containing "tableid". */ public void testGetTableId_no_table_id() { String string = "error\n123"; InputStream inputStream = new ByteArrayInputStream(string.getBytes()); assertEquals(null, SendFusionTablesUtils.getTableId(inputStream)); } /** * Tests {@link SendFusionTablesUtils#getTableId(InputStream)} with a valid * inputstream. */ public void testGetTableId() { String string = "tableid\n123"; InputStream inputStream = null; inputStream = new ByteArrayInputStream(string.getBytes()); assertEquals("123", SendFusionTablesUtils.getTableId(inputStream)); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/fusiontables/SendFusionTablesUtilsTest.java
Java
asf20
9,278
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.fusiontables; import com.google.android.apps.mytracks.io.docs.SendDocsActivity; import com.google.android.apps.mytracks.io.sendtogoogle.SendRequest; import com.google.android.apps.mytracks.io.sendtogoogle.UploadResultActivity; import android.test.AndroidTestCase; /** * Tests the {@link SendFusionTablesActivity}. * * @author Youtao Liu */ public class SendFusionTablesActivityTest extends AndroidTestCase { private SendFusionTablesActivity sendFusionTablesActivity; private SendRequest sendRequest; @Override protected void setUp() throws Exception { super.setUp(); sendRequest = new SendRequest(1L, true, false, true); sendFusionTablesActivity = new SendFusionTablesActivity(); } /** * Tests the method * {@link SendFusionTablesActivity#getNextClass(SendRequest, boolean)}. Sets * the flags of "sendDocs" and "cancel" to false and false. */ public void testGetNextClass_notCancelNotSendDocs() { sendRequest.setSendDocs(false); Class<?> next = sendFusionTablesActivity.getNextClass(sendRequest, false); assertEquals(UploadResultActivity.class, next); } /** * Tests the method * {@link SendFusionTablesActivity#getNextClass(SendRequest, boolean)}. Sets * the flags of "sendDocs" and "cancel" to true and false. */ public void testGetNextClass_notCancelSendDocs() { sendRequest.setSendDocs(true); Class<?> next = sendFusionTablesActivity.getNextClass(sendRequest, false); assertEquals(SendDocsActivity.class, next); } /** * Tests the method * {@link SendFusionTablesActivity#getNextClass(SendRequest,boolean)}. Sets * the flags of "sendDocs" and "cancel" to true and true. */ public void testGetNextClass_cancelSendDocs() { sendRequest.setSendDocs(true); Class<?> next = sendFusionTablesActivity.getNextClass(sendRequest, true); assertEquals(UploadResultActivity.class, next); } /** * Tests the method * {@link SendFusionTablesActivity#getNextClass(SendRequest,boolean)}. Sets * the flags of "sendDocs" and "cancel" to false and true. */ public void testGetNextClass_cancelNotSendDocs() { sendRequest.setSendDocs(false); Class<?> next = sendFusionTablesActivity.getNextClass(sendRequest, true); assertEquals(UploadResultActivity.class, next); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/fusiontables/SendFusionTablesActivityTest.java
Java
asf20
2,938
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.backup; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import java.util.HashMap; import java.util.Map; import java.util.Set; import junit.framework.TestCase; /** * Tests for {@link PreferenceBackupHelper}. * * @author Rodrigo Damazio */ public class PreferenceBackupHelperTest extends TestCase { private Map<String, ?> preferenceValues; private SharedPreferences preferences; private PreferenceBackupHelper preferenceBackupHelper; /** * Mock shared preferences editor which does not persist state. */ private class MockPreferenceEditor implements SharedPreferences.Editor { private Map<String, Object> newPreferences = new HashMap<String, Object>(preferenceValues); @Override public Editor clear() { newPreferences.clear(); return this; } @Override public boolean commit() { apply(); return true; } @Override public void apply() { preferenceValues = newPreferences; } @Override public Editor putBoolean(String key, boolean value) { return put(key, value); } @Override public Editor putFloat(String key, float value) { return put(key, value); } @Override public Editor putInt(String key, int value) { return put(key, value); } @Override public Editor putLong(String key, long value) { return put(key, value); } @Override public Editor putString(String key, String value) { return put(key, value); } public Editor putStringSet(String key, Set<String> value) { return put(key, value); } private <T> Editor put(String key, T value) { newPreferences.put(key, value); return this; } @Override public Editor remove(String key) { newPreferences.remove(key); return this; } } /** * Mock shared preferences which does not persist state. */ private class MockPreferences implements SharedPreferences { @Override public boolean contains(String key) { return preferenceValues.containsKey(key); } @Override public Editor edit() { return new MockPreferenceEditor(); } @Override public Map<String, ?> getAll() { return preferenceValues; } @Override public boolean getBoolean(String key, boolean defValue) { return get(key, defValue); } @Override public float getFloat(String key, float defValue) { return get(key, defValue); } @Override public int getInt(String key, int defValue) { return get(key, defValue); } @Override public long getLong(String key, long defValue) { return get(key, defValue); } @Override public String getString(String key, String defValue) { return get(key, defValue); } public Set<String> getStringSet(String key, Set<String> defValue) { return get(key, defValue); } @Override public void registerOnSharedPreferenceChangeListener( OnSharedPreferenceChangeListener listener) { throw new UnsupportedOperationException(); } @Override public void unregisterOnSharedPreferenceChangeListener( OnSharedPreferenceChangeListener listener) { throw new UnsupportedOperationException(); } @SuppressWarnings("unchecked") private <T> T get(String key, T defValue) { Object value = preferenceValues.get(key); if (value == null) return defValue; return (T) value; } } @Override protected void setUp() throws Exception { super.setUp(); preferenceValues = new HashMap<String, Object>(); preferences = new MockPreferences(); preferenceBackupHelper = new PreferenceBackupHelper(); } public void testExportImportPreferences() throws Exception { // Populate with some initial values Editor editor = preferences.edit(); editor.clear(); editor.putBoolean("bool1", true); editor.putBoolean("bool2", false); editor.putFloat("flt1", 3.14f); editor.putInt("int1", 42); editor.putLong("long1", 123456789L); editor.putString("str1", "lolcat"); editor.apply(); // Export it byte[] exported = preferenceBackupHelper.exportPreferences(preferences); // Mess with the previous values editor = preferences.edit(); editor.clear(); editor.putString("str2", "Shouldn't be there after restore"); editor.putBoolean("bool2", true); editor.apply(); // Import it back preferenceBackupHelper.importPreferences(exported, preferences); assertFalse(preferences.contains("str2")); assertTrue(preferences.getBoolean("bool1", false)); assertFalse(preferences.getBoolean("bool2", true)); assertEquals(3.14f, preferences.getFloat("flt1", 0.0f)); assertEquals(42, preferences.getInt("int1", 0)); assertEquals(123456789L, preferences.getLong("long1", 0)); assertEquals("lolcat", preferences.getString("str1", "")); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/backup/PreferenceBackupHelperTest.java
Java
asf20
5,612
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.backup; import com.google.android.apps.mytracks.content.ContentTypeIds; import android.content.ContentValues; import android.net.Uri; import java.io.ByteArrayInputStream; import java.io.ByteArrayOutputStream; import java.io.DataInputStream; import java.io.DataOutputStream; import java.io.IOException; import java.util.ArrayList; import junit.framework.TestCase; /** * Tests for {@link DatabaseImporter}. * * @author Rodrigo Damazio */ public class DatabaseImporterTest extends TestCase { private static final Uri DESTINATION_URI = Uri.parse("http://www.google.com/"); private static final int TEST_BULK_SIZE = 10; private ArrayList<ContentValues> insertedValues; private class TestableDatabaseImporter extends DatabaseImporter { public TestableDatabaseImporter(boolean readNullFields) { super(DESTINATION_URI, null, readNullFields, TEST_BULK_SIZE); } @Override protected void doBulkInsert(ContentValues[] values) { insertedValues.ensureCapacity(insertedValues.size() + values.length); // We need to make a copy of the values since the objects are re-used for (ContentValues contentValues : values) { insertedValues.add(new ContentValues(contentValues)); } } } @Override protected void setUp() throws Exception { super.setUp(); insertedValues = new ArrayList<ContentValues>(); } public void testImportAllRows() throws Exception { testImportAllRows(false); } public void testImportAllRows_readNullFields() throws Exception { testImportAllRows(true); } private void testImportAllRows(boolean readNullFields) throws Exception { // Create a fake data stream to be read ByteArrayOutputStream outputStream = new ByteArrayOutputStream(1024); DataOutputStream writer = new DataOutputStream(outputStream); writeFullHeader(writer); // Add the number of rows writer.writeInt(2); // Add a row with all fields present writer.writeLong(0x7F); writer.writeInt(42); writer.writeBoolean(true); writer.writeUTF("lolcat"); writer.writeFloat(3.1415f); writer.writeDouble(2.72); writer.writeLong(123456789L); writer.writeInt(4); writer.writeBytes("blob"); // Add a row with some missing fields writer.writeLong(0x15); writer.writeInt(42); if (readNullFields) writer.writeBoolean(false); writer.writeUTF("lolcat"); if (readNullFields) writer.writeFloat(0.0f); writer.writeDouble(2.72); if (readNullFields) writer.writeLong(0L); if (readNullFields) writer.writeInt(0); // empty blob writer.flush(); // Do the importing DatabaseImporter importer = new TestableDatabaseImporter(readNullFields); byte[] dataBytes = outputStream.toByteArray(); importer.importAllRows(new DataInputStream(new ByteArrayInputStream(dataBytes))); assertEquals(2, insertedValues.size()); // Verify the first row ContentValues value = insertedValues.get(0); assertEquals(value.toString(), 7, value.size()); assertValue(42, "col1", value); assertValue(true, "col2", value); assertValue("lolcat", "col3", value); assertValue(3.1415f, "col4", value); assertValue(2.72, "col5", value); assertValue(123456789L, "col6", value); assertBlobValue("blob", "col7", value); // Verify the second row value = insertedValues.get(1); assertEquals(value.toString(), 3, value.size()); assertValue(42, "col1", value); assertValue("lolcat", "col3", value); assertValue(2.72, "col5", value); } public void testImportAllRows_noRows() throws Exception { // Create a fake data stream to be read ByteArrayOutputStream outputStream = new ByteArrayOutputStream(1024); DataOutputStream writer = new DataOutputStream(outputStream); writeFullHeader(writer); // Add the number of rows writer.writeInt(0); writer.flush(); // Do the importing DatabaseImporter importer = new TestableDatabaseImporter(false); byte[] dataBytes = outputStream.toByteArray(); importer.importAllRows(new DataInputStream(new ByteArrayInputStream(dataBytes))); assertTrue(insertedValues.isEmpty()); } public void testImportAllRows_emptyRows() throws Exception { testImportAllRowsWithEmptyRows(false); } public void testImportAllRows_emptyRowsWithNulls() throws Exception { testImportAllRowsWithEmptyRows(true); } private void testImportAllRowsWithEmptyRows(boolean readNullFields) throws Exception { // Create a fake data stream to be read ByteArrayOutputStream outputStream = new ByteArrayOutputStream(1024); DataOutputStream writer = new DataOutputStream(outputStream); writeFullHeader(writer); // Add the number of rows writer.writeInt(3); // Add 2 rows with no fields for (int i = 0; i < 2; i++) { writer.writeLong(0); if (readNullFields) { writer.writeInt(0); writer.writeBoolean(false); writer.writeUTF(""); writer.writeFloat(0.0f); writer.writeDouble(0.0); writer.writeLong(0L); writer.writeInt(0); // empty blob } } // Add a row with some missing fields writer.writeLong(0x15); writer.writeInt(42); if (readNullFields) writer.writeBoolean(false); writer.writeUTF("lolcat"); if (readNullFields) writer.writeFloat(0.0f); writer.writeDouble(2.72); if (readNullFields) writer.writeLong(0L); if (readNullFields) writer.writeInt(0); // empty blob writer.flush(); // Do the importing DatabaseImporter importer = new TestableDatabaseImporter(readNullFields); byte[] dataBytes = outputStream.toByteArray(); importer.importAllRows(new DataInputStream(new ByteArrayInputStream(dataBytes))); assertEquals(insertedValues.toString(), 3, insertedValues.size()); ContentValues value = insertedValues.get(0); assertEquals(value.toString(), 0, value.size()); value = insertedValues.get(1); assertEquals(value.toString(), 0, value.size()); // Verify the third row (only one with values) value = insertedValues.get(2); assertEquals(value.toString(), 3, value.size()); assertFalse(value.containsKey("col2")); assertFalse(value.containsKey("col4")); assertFalse(value.containsKey("col6")); assertValue(42, "col1", value); assertValue("lolcat", "col3", value); assertValue(2.72, "col5", value); } public void testImportAllRows_bulks() throws Exception { // Create a fake data stream to be read ByteArrayOutputStream outputStream = new ByteArrayOutputStream(1024); DataOutputStream writer = new DataOutputStream(outputStream); // Add the header writer.writeInt(2); writer.writeUTF("col1"); writer.writeByte(ContentTypeIds.INT_TYPE_ID); writer.writeUTF("col2"); writer.writeByte(ContentTypeIds.STRING_TYPE_ID); // Add lots of rows (so the insertions are split in multiple bulks) int numRows = TEST_BULK_SIZE * 5 / 2; writer.writeInt(numRows); for (int i = 0; i < numRows; i++) { writer.writeLong(3); writer.writeInt(i); writer.writeUTF(Integer.toString(i * 2)); } writer.flush(); // Do the importing DatabaseImporter importer = new TestableDatabaseImporter(false); byte[] dataBytes = outputStream.toByteArray(); importer.importAllRows(new DataInputStream(new ByteArrayInputStream(dataBytes))); // Verify the rows assertEquals(numRows, insertedValues.size()); for (int i = 0; i < numRows; i++) { ContentValues value = insertedValues.get(i); assertEquals(value.toString(), 2, value.size()); assertValue(i, "col1", value); assertValue(Integer.toString(i * 2), "col2", value); } } private void writeFullHeader(DataOutputStream writer) throws IOException { // Add the header writer.writeInt(7); writer.writeUTF("col1"); writer.writeByte(ContentTypeIds.INT_TYPE_ID); writer.writeUTF("col2"); writer.writeByte(ContentTypeIds.BOOLEAN_TYPE_ID); writer.writeUTF("col3"); writer.writeByte(ContentTypeIds.STRING_TYPE_ID); writer.writeUTF("col4"); writer.writeByte(ContentTypeIds.FLOAT_TYPE_ID); writer.writeUTF("col5"); writer.writeByte(ContentTypeIds.DOUBLE_TYPE_ID); writer.writeUTF("col6"); writer.writeByte(ContentTypeIds.LONG_TYPE_ID); writer.writeUTF("col7"); writer.writeByte(ContentTypeIds.BLOB_TYPE_ID); } private <T> void assertValue(T expectedValue, String name, ContentValues values) { @SuppressWarnings("unchecked") T value = (T) values.get(name); assertNotNull(value); assertEquals(expectedValue, value); } private void assertBlobValue(String expectedValue, String name, ContentValues values ){ byte[] blob = values.getAsByteArray(name); assertEquals(expectedValue, new String(blob)); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/backup/DatabaseImporterTest.java
Java
asf20
9,493
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.backup; import com.google.android.apps.mytracks.content.ContentTypeIds; import android.database.MatrixCursor; import java.io.ByteArrayInputStream; import java.io.ByteArrayOutputStream; import java.io.DataInputStream; import java.io.DataOutputStream; import java.io.IOException; import java.io.InputStream; import junit.framework.TestCase; /** * Tests for {@link DatabaseDumper}. * * @author Rodrigo Damazio */ public class DatabaseDumperTest extends TestCase { /** * This class is the same as {@link MatrixCursor}, except this class * implements {@link #getBlob} ({@link MatrixCursor} leaves it * unimplemented). */ private class BlobAwareMatrixCursor extends MatrixCursor { public BlobAwareMatrixCursor(String[] columnNames) { super(columnNames); } @Override public byte[] getBlob(int columnIndex) { return getString(columnIndex).getBytes(); } } private static final String[] COLUMN_NAMES = { "intCol", "longCol", "floatCol", "doubleCol", "stringCol", "boolCol", "blobCol" }; private static final byte[] COLUMN_TYPES = { ContentTypeIds.INT_TYPE_ID, ContentTypeIds.LONG_TYPE_ID, ContentTypeIds.FLOAT_TYPE_ID, ContentTypeIds.DOUBLE_TYPE_ID, ContentTypeIds.STRING_TYPE_ID, ContentTypeIds.BOOLEAN_TYPE_ID, ContentTypeIds.BLOB_TYPE_ID }; private static final String[][] FAKE_DATA = { { "42", "123456789", "3.1415", "2.72", "lolcat", "1", "blob" }, { null, "123456789", "3.1415", "2.72", "lolcat", "1", "blob" }, { "42", null, "3.1415", "2.72", "lolcat", "1", "blob" }, { "42", "123456789", null, "2.72", "lolcat", "1", "blob" }, { "42", "123456789", "3.1415", null, "lolcat", "1", "blob" }, { "42", "123456789", "3.1415", "2.72", null, "1", "blob" }, { "42", "123456789", "3.1415", "2.72", "lolcat", null, "blob" }, { "42", "123456789", "3.1415", "2.72", "lolcat", "1", null }, }; private static final long[] EXPECTED_FIELD_SETS = { 0x7F, 0x7E, 0x7D, 0x7B, 0x77, 0x6F, 0x5F, 0x3F }; private BlobAwareMatrixCursor cursor; @Override protected void setUp() throws Exception { super.setUp(); // Add fake data to the cursor cursor = new BlobAwareMatrixCursor(COLUMN_NAMES); for (String[] row : FAKE_DATA) { cursor.addRow(row); } } public void testWriteAllRows_noNulls() throws Exception { testWriteAllRows(false); } public void testWriteAllRows_withNulls() throws Exception { testWriteAllRows(true); } private void testWriteAllRows(boolean hasNullFields) throws Exception { // Dump it DatabaseDumper dumper = new DatabaseDumper(COLUMN_NAMES, COLUMN_TYPES, hasNullFields); ByteArrayOutputStream outStream = new ByteArrayOutputStream(1024); DataOutputStream writer = new DataOutputStream(outStream ); dumper.writeAllRows(cursor, writer); // Read the results byte[] result = outStream.toByteArray(); ByteArrayInputStream inputStream = new ByteArrayInputStream(result); DataInputStream reader = new DataInputStream(inputStream); // Verify the header assertHeader(reader); // Verify the number of rows assertEquals(FAKE_DATA.length, reader.readInt()); // Row 0 -- everything populated assertEquals(EXPECTED_FIELD_SETS[0], reader.readLong()); assertEquals(42, reader.readInt()); assertEquals(123456789L, reader.readLong()); assertEquals(3.1415f, reader.readFloat()); assertEquals(2.72, reader.readDouble()); assertEquals("lolcat", reader.readUTF()); assertTrue(reader.readBoolean()); assertEquals(4, reader.readInt()); assertEquals("blob", readBlob(reader, 4)); // Row 1 -- no int assertEquals(EXPECTED_FIELD_SETS[1], reader.readLong()); if (hasNullFields) reader.readInt(); assertEquals(123456789L, reader.readLong()); assertEquals(3.1415f, reader.readFloat()); assertEquals(2.72, reader.readDouble()); assertEquals("lolcat", reader.readUTF()); assertTrue(reader.readBoolean()); assertEquals(4, reader.readInt()); assertEquals("blob", readBlob(reader, 4)); // Row 2 -- no long assertEquals(EXPECTED_FIELD_SETS[2], reader.readLong()); assertEquals(42, reader.readInt()); if (hasNullFields) reader.readLong(); assertEquals(3.1415f, reader.readFloat()); assertEquals(2.72, reader.readDouble()); assertEquals("lolcat", reader.readUTF()); assertTrue(reader.readBoolean()); assertEquals(4, reader.readInt()); assertEquals("blob", readBlob(reader, 4)); // Row 3 -- no float assertEquals(EXPECTED_FIELD_SETS[3], reader.readLong()); assertEquals(42, reader.readInt()); assertEquals(123456789L, reader.readLong()); if (hasNullFields) reader.readFloat(); assertEquals(2.72, reader.readDouble()); assertEquals("lolcat", reader.readUTF()); assertTrue(reader.readBoolean()); assertEquals(4, reader.readInt()); assertEquals("blob", readBlob(reader, 4)); // Row 4 -- no double assertEquals(EXPECTED_FIELD_SETS[4], reader.readLong()); assertEquals(42, reader.readInt()); assertEquals(123456789L, reader.readLong()); assertEquals(3.1415f, reader.readFloat()); if (hasNullFields) reader.readDouble(); assertEquals("lolcat", reader.readUTF()); assertTrue(reader.readBoolean()); assertEquals(4, reader.readInt()); assertEquals("blob", readBlob(reader, 4)); // Row 5 -- no string assertEquals(EXPECTED_FIELD_SETS[5], reader.readLong()); assertEquals(42, reader.readInt()); assertEquals(123456789L, reader.readLong()); assertEquals(3.1415f, reader.readFloat()); assertEquals(2.72, reader.readDouble()); if (hasNullFields) reader.readUTF(); assertTrue(reader.readBoolean()); assertEquals(4, reader.readInt()); assertEquals("blob", readBlob(reader, 4)); // Row 6 -- no boolean assertEquals(EXPECTED_FIELD_SETS[6], reader.readLong()); assertEquals(42, reader.readInt()); assertEquals(123456789L, reader.readLong()); assertEquals(3.1415f, reader.readFloat()); assertEquals(2.72, reader.readDouble()); assertEquals("lolcat", reader.readUTF()); if (hasNullFields) reader.readBoolean(); assertEquals(4, reader.readInt()); assertEquals("blob", readBlob(reader, 4)); // Row 7 -- no blob assertEquals(EXPECTED_FIELD_SETS[7], reader.readLong()); assertEquals(42, reader.readInt()); assertEquals(123456789L, reader.readLong()); assertEquals(3.1415f, reader.readFloat()); assertEquals(2.72, reader.readDouble()); assertEquals("lolcat", reader.readUTF()); assertTrue(reader.readBoolean()); if (hasNullFields) { int length = reader.readInt(); readBlob(reader, length); } } public void testFewerRows() throws Exception { // Dump only the first two rows DatabaseDumper dumper = new DatabaseDumper(COLUMN_NAMES, COLUMN_TYPES, false); ByteArrayOutputStream outStream = new ByteArrayOutputStream(1024); DataOutputStream writer = new DataOutputStream(outStream); dumper.writeHeaders(cursor, 2, writer); cursor.moveToFirst(); dumper.writeOneRow(cursor, writer); cursor.moveToNext(); dumper.writeOneRow(cursor, writer); // Read the results byte[] result = outStream.toByteArray(); ByteArrayInputStream inputStream = new ByteArrayInputStream(result); DataInputStream reader = new DataInputStream(inputStream); // Verify the header assertHeader(reader); // Verify the number of rows assertEquals(2, reader.readInt()); // Row 0 assertEquals(EXPECTED_FIELD_SETS[0], reader.readLong()); assertEquals(42, reader.readInt()); assertEquals(123456789L, reader.readLong()); assertEquals(3.1415f, reader.readFloat()); assertEquals(2.72, reader.readDouble()); assertEquals("lolcat", reader.readUTF()); assertTrue(reader.readBoolean()); assertEquals(4, reader.readInt()); assertEquals("blob", readBlob(reader, 4)); // Row 1 assertEquals(EXPECTED_FIELD_SETS[1], reader.readLong()); // Null field not read assertEquals(123456789L, reader.readLong()); assertEquals(3.1415f, reader.readFloat()); assertEquals(2.72, reader.readDouble()); assertEquals("lolcat", reader.readUTF()); assertTrue(reader.readBoolean()); assertEquals(4, reader.readInt()); assertEquals("blob", readBlob(reader, 4)); } private void assertHeader(DataInputStream reader) throws IOException { assertEquals(COLUMN_NAMES.length, reader.readInt()); for (int i = 0; i < COLUMN_NAMES.length; i++) { assertEquals(COLUMN_NAMES[i], reader.readUTF()); assertEquals(COLUMN_TYPES[i], reader.readByte()); } } private String readBlob(InputStream reader, int length) throws Exception { if (length == 0) { return ""; } byte[] blob = new byte[length]; assertEquals(length, reader.read(blob)); return new String(blob); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/backup/DatabaseDumperTest.java
Java
asf20
9,591
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.docs; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.io.gdata.docs.SpreadsheetsClient.WorksheetEntry; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.StringUtils; import com.google.wireless.gdata.data.Entry; import android.test.AndroidTestCase; /** * Tests {@link SendDocsUtils}. * * @author Jimmy Shih */ public class SendDocsUtilsTest extends AndroidTestCase { private static final long TIME = 1288721514000L; /** * Tests {@link SendDocsUtils#getEntryId(Entry)} with a valid id. */ public void testGetEntryId_valid() { Entry entry = new Entry(); entry.setId("https://docs.google.com/feeds/documents/private/full/spreadsheet%3A123"); assertEquals("123", SendDocsUtils.getEntryId(entry)); } /** * Tests {@link SendDocsUtils#getEntryId(Entry)} with an invalid id. */ public void testGetEntryId_invalid() { Entry entry = new Entry(); entry.setId("123"); assertEquals(null, SendDocsUtils.getEntryId(entry)); } /** * Tests {@link SendDocsUtils#getNewSpreadsheetId(String)} with a valid id. */ public void testGetNewSpreadsheetId_valid_id() { assertEquals("123", SendDocsUtils.getNewSpreadsheetId( "<id>https://docs.google.com/feeds/documents/private/full/spreadsheet%3A123</id>")); } /** * Tests {@link SendDocsUtils#getNewSpreadsheetId(String)} without an open * tag, <id>. */ public void testGetNewSpreadsheetId_no_open_tag() { assertEquals(null, SendDocsUtils.getNewSpreadsheetId( "https://docs.google.com/feeds/documents/private/full/spreadsheet%3A123</id>")); } /** * Tests {@link SendDocsUtils#getNewSpreadsheetId(String)} without an end tag, * </id>. */ public void testGetNewSpreadsheetId_no_end_tag() { assertEquals(null, SendDocsUtils.getNewSpreadsheetId( "<id>https://docs.google.com/feeds/documents/private/full/spreadsheet%3A123")); } /** * Tests {@link SendDocsUtils#getNewSpreadsheetId(String)} without the url * prefix, * https://docs.google.com/feeds/documents/private/full/spreadsheet%3A. */ public void testGetNewSpreadsheetId_no_prefix() { assertEquals(null, SendDocsUtils.getNewSpreadsheetId("<id>123</id>")); } /** * Tests {@link SendDocsUtils#getWorksheetEntryId(WorksheetEntry)} with a * valid entry. */ public void testGetWorksheetEntryId_valid() { WorksheetEntry entry = new WorksheetEntry(); entry.setId("/123"); assertEquals("123", SendDocsUtils.getWorksheetEntryId(entry)); } /** * Tests {@link SendDocsUtils#getWorksheetEntryId(WorksheetEntry)} with a * invalid entry. */ public void testGetWorksheetEntryId_invalid() { WorksheetEntry entry = new WorksheetEntry(); entry.setId("123"); assertEquals(null, SendDocsUtils.getWorksheetEntryId(entry)); } /** * Tests {@link SendDocsUtils#getRowContent(Track, boolean, * android.content.Context)} with metric units. */ public void testGetRowContent_metric() throws Exception { Track track = getTrack(); String expectedData = "<entry xmlns='http://www.w3.org/2005/Atom' " + "xmlns:gsx='http://schemas.google.com/spreadsheets/2006/extended'>" + "<gsx:name><![CDATA[trackName]]></gsx:name>" + "<gsx:description><![CDATA[trackDescription]]></gsx:description>" + "<gsx:date><![CDATA[" + StringUtils.formatDateTime(getContext(), TIME) + "]]></gsx:date>" + "<gsx:totaltime><![CDATA[0:00:05]]></gsx:totaltime>" + "<gsx:movingtime><![CDATA[0:00:04]]></gsx:movingtime>" + "<gsx:distance><![CDATA[20.00]]></gsx:distance>" + "<gsx:distanceunit><![CDATA[km]]></gsx:distanceunit>" + "<gsx:averagespeed><![CDATA[14,400.00]]></gsx:averagespeed>" + "<gsx:averagemovingspeed><![CDATA[18,000.00]]>" + "</gsx:averagemovingspeed>" + "<gsx:maxspeed><![CDATA[5,400.00]]></gsx:maxspeed>" + "<gsx:speedunit><![CDATA[km/h]]></gsx:speedunit>" + "<gsx:elevationgain><![CDATA[6,000]]></gsx:elevationgain>" + "<gsx:minelevation><![CDATA[-500]]></gsx:minelevation>" + "<gsx:maxelevation><![CDATA[550]]></gsx:maxelevation>" + "<gsx:elevationunit><![CDATA[m]]></gsx:elevationunit>" + "<gsx:map>" + "<![CDATA[https://maps.google.com/maps/ms?msa=0&msid=trackMapId]]>" + "</gsx:map>" + "</entry>"; assertEquals(expectedData, SendDocsUtils.getRowContent(track, true, getContext())); } /** * Tests {@link SendDocsUtils#getRowContent(Track, boolean, * android.content.Context)} with imperial units. */ public void testGetRowContent_imperial() throws Exception { Track track = getTrack(); String expectedData = "<entry xmlns='http://www.w3.org/2005/Atom' " + "xmlns:gsx='http://schemas.google.com/spreadsheets/2006/extended'>" + "<gsx:name><![CDATA[trackName]]></gsx:name>" + "<gsx:description><![CDATA[trackDescription]]></gsx:description>" + "<gsx:date><![CDATA[" + StringUtils.formatDateTime(getContext(), TIME) + "]]></gsx:date>" + "<gsx:totaltime><![CDATA[0:00:05]]></gsx:totaltime>" + "<gsx:movingtime><![CDATA[0:00:04]]></gsx:movingtime>" + "<gsx:distance><![CDATA[12.43]]></gsx:distance>" + "<gsx:distanceunit><![CDATA[mi]]></gsx:distanceunit>" + "<gsx:averagespeed><![CDATA[8,947.75]]></gsx:averagespeed>" + "<gsx:averagemovingspeed><![CDATA[11,184.68]]>" + "</gsx:averagemovingspeed>" + "<gsx:maxspeed><![CDATA[3,355.40]]></gsx:maxspeed>" + "<gsx:speedunit><![CDATA[mi/h]]></gsx:speedunit>" + "<gsx:elevationgain><![CDATA[19,685]]></gsx:elevationgain>" + "<gsx:minelevation><![CDATA[-1,640]]></gsx:minelevation>" + "<gsx:maxelevation><![CDATA[1,804]]></gsx:maxelevation>" + "<gsx:elevationunit><![CDATA[ft]]></gsx:elevationunit>" + "<gsx:map>" + "<![CDATA[https://maps.google.com/maps/ms?msa=0&msid=trackMapId]]>" + "</gsx:map>" + "</entry>"; assertEquals(expectedData, SendDocsUtils.getRowContent(track, false, getContext())); } /** * Gets a track for testing {@link SendDocsUtils#getRowContent(Track, boolean, * android.content.Context)}. */ private Track getTrack() { TripStatistics stats = new TripStatistics(); stats.setStartTime(TIME); stats.setTotalTime(5000); stats.setMovingTime(4000); stats.setTotalDistance(20000); stats.setMaxSpeed(1500); stats.setTotalElevationGain(6000); stats.setMinElevation(-500); stats.setMaxElevation(550); Track track = new Track(); track.setName("trackName"); track.setDescription("trackDescription"); track.setMapId("trackMapId"); track.setStatistics(stats); return track; } /** * Tests {@link SendDocsUtils#appendTag(StringBuilder, String, String)} with * repeated calls. */ public void testAppendTag() { StringBuilder stringBuilder = new StringBuilder(); SendDocsUtils.appendTag(stringBuilder, "name1", "value1"); assertEquals("<gsx:name1><![CDATA[value1]]></gsx:name1>", stringBuilder.toString()); SendDocsUtils.appendTag(stringBuilder, "name2", "value2"); assertEquals( "<gsx:name1><![CDATA[value1]]></gsx:name1><gsx:name2><![CDATA[value2]]></gsx:name2>", stringBuilder.toString()); } /** * Tests {@link SendDocsUtils#getDistance(double, boolean)} with metric units. */ public void testGetDistance_metric() { assertEquals("1.22", SendDocsUtils.getDistance(1222.3, true)); } /** * Tests {@link SendDocsUtils#getDistance(double, boolean)} with imperial * units. */ public void testGetDistance_imperial() { assertEquals("0.76", SendDocsUtils.getDistance(1222.3, false)); } /** * Tests {@link SendDocsUtils#getSpeed(double, boolean)} with metric units. */ public void testGetSpeed_metric() { assertEquals("15.55", SendDocsUtils.getSpeed(4.32, true)); } /** * Tests {@link SendDocsUtils#getSpeed(double, boolean)} with imperial units. */ public void testGetSpeed_imperial() { assertEquals("9.66", SendDocsUtils.getSpeed(4.32, false)); } /** * Tests {@link SendDocsUtils#getElevation(double, boolean)} with metric * units. */ public void testGetElevation_metric() { assertEquals("3", SendDocsUtils.getElevation(3.456, true)); } /** * Tests {@link SendDocsUtils#getElevation(double, boolean)} with imperial * units. */ public void testGetElevation_imperial() { assertEquals("11", SendDocsUtils.getElevation(3.456, false)); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/docs/SendDocsUtilsTest.java
Java
asf20
9,250
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.maps; import com.google.android.testing.mocking.AndroidMock; import com.google.android.testing.mocking.UsesMocks; import android.accounts.Account; import android.test.AndroidTestCase; import java.util.ArrayList; /** * Tests {@link ChooseMapAsyncTask}. * * @author Youtao Liu */ public class ChooseMapAsyncTaskTest extends AndroidTestCase { private ChooseMapActivity chooseMapActivityMock; private Account account; private static final String ACCOUNT_NAME = "AccountName"; private static final String ACCOUNT_TYPE = "AccountType"; private boolean getMapsStatus = false; public class ChooseMapAsyncTaskMock extends ChooseMapAsyncTask { public ChooseMapAsyncTaskMock(ChooseMapActivity activity, Account account) { super(activity, account); } /** * Creates this method to override {@link ChooseMapAsyncTask#getMaps()}. * * @return mock the return value of getMaps(). */ @Override boolean getMaps() { return getMapsStatus; } } /** * Tests {@link ChooseMapAsyncTask#setActivity(ChooseMapActivity)} when the * task is completed. Makes sure it calls * {@link ChooseMapActivity#onAsyncTaskCompleted(boolean, ArrayList, ArrayList)} * . */ public void testSetActivity_completed() { setup(); chooseMapActivityMock.onAsyncTaskCompleted(false, null, null); AndroidMock.replay(chooseMapActivityMock); ChooseMapAsyncTask chooseMapAsyncTask = new ChooseMapAsyncTask(chooseMapActivityMock, account); chooseMapAsyncTask.setCompleted(true); chooseMapAsyncTask.setActivity(chooseMapActivityMock); AndroidMock.verify(chooseMapActivityMock); } /** * Test {@link ChooseMapAsyncTask#setActivity(ChooseMapActivity)} when the * task is not completed. Makes sure * {@link ChooseMapActivity#onAsyncTaskCompleted(boolean, ArrayList, ArrayList)} * is not invoked. */ public void testSetActivity_notCompleted() { setup(); AndroidMock.replay(chooseMapActivityMock); ChooseMapAsyncTask chooseMapAsyncTask = new ChooseMapAsyncTask(chooseMapActivityMock, account); chooseMapAsyncTask.setCompleted(false); chooseMapAsyncTask.setActivity(chooseMapActivityMock); AndroidMock.verify(chooseMapActivityMock); } /** * Tests {@link ChooseMapAsyncTask#setActivity(ChooseMapActivity)} when the * activity is null. Makes sure * {@link ChooseMapActivity#onAsyncTaskCompleted(boolean, ArrayList, ArrayList)} * is not invoked. */ public void testSetActivity_nullActivity() { setup(); AndroidMock.replay(chooseMapActivityMock); ChooseMapAsyncTask chooseMapAsyncTask = new ChooseMapAsyncTask(chooseMapActivityMock, account); chooseMapAsyncTask.setCompleted(true); chooseMapAsyncTask.setActivity(null); AndroidMock.verify(chooseMapActivityMock); } /** * Tests the method {@link ChooseMapAsyncTask#onPostExecute(Boolean)} when the * result is true. Makes sure * {@link ChooseMapActivity#onAsyncTaskCompleted(boolean, ArrayList, ArrayList)} * is invoked. */ public void testOnPostExecute_trueResult() { setup(); chooseMapActivityMock.onAsyncTaskCompleted(true, null, null); AndroidMock.replay(chooseMapActivityMock); ChooseMapAsyncTask chooseMapAsyncTask = new ChooseMapAsyncTask(chooseMapActivityMock, account); chooseMapAsyncTask.onPostExecute(true); AndroidMock.verify(chooseMapActivityMock); } /** * Tests the method {@link ChooseMapAsyncTask#onPostExecute(Boolean)} when the * result is false. Makes sure * {@link ChooseMapActivity#onAsyncTaskCompleted(boolean, ArrayList, ArrayList)} * is invoked. */ public void testOnPostExecute_falseResult() { setup(); chooseMapActivityMock.onAsyncTaskCompleted(false, null, null); AndroidMock.replay(chooseMapActivityMock); ChooseMapAsyncTask chooseMapAsyncTask = new ChooseMapAsyncTask(chooseMapActivityMock, account); chooseMapAsyncTask.onPostExecute(false); AndroidMock.verify(chooseMapActivityMock); } /** * Tests the method {@link ChooseMapAsyncTask#retryUpload()}. Make sure can * not retry again after have retried once and failed. */ public void testRetryUpload() throws Exception { setup(); AndroidMock.replay(chooseMapActivityMock); ChooseMapAsyncTaskMock chooseMapAsyncTaskTMock = new ChooseMapAsyncTaskMock( chooseMapActivityMock, account); chooseMapAsyncTaskTMock.setCanRetry(false); getMapsStatus = true; assertFalse(chooseMapAsyncTaskTMock.retryUpload()); AndroidMock.verify(chooseMapActivityMock); } /** * Tests the method {@link ChooseMapAsyncTask#retryUpload()}. Make sure can * retry after get maps failed and never retry before. */ public void testRetryUpload_retryOnce() throws Exception { setup(); AndroidMock.replay(chooseMapActivityMock); ChooseMapAsyncTaskMock chooseMapAsyncTaskTMock = new ChooseMapAsyncTaskMock( chooseMapActivityMock, account); chooseMapAsyncTaskTMock.setCanRetry(true); getMapsStatus = false; assertFalse(chooseMapAsyncTaskTMock.retryUpload()); // Can only retry once. assertFalse(chooseMapAsyncTaskTMock.getCanRetry()); AndroidMock.verify(chooseMapActivityMock); } /** * Tests the method {@link ChooseMapAsyncTask#retryUpload()}. Make sure will * not retry after get maps successfully. */ public void testRetryUpload_successGetMaps() throws Exception { setup(); AndroidMock.replay(chooseMapActivityMock); ChooseMapAsyncTaskMock chooseMapAsyncTaskTMock = new ChooseMapAsyncTaskMock( chooseMapActivityMock, account); chooseMapAsyncTaskTMock.setCanRetry(true); getMapsStatus = true; assertTrue(chooseMapAsyncTaskTMock.retryUpload()); // Can only retry once. assertFalse(chooseMapAsyncTaskTMock.getCanRetry()); AndroidMock.verify(chooseMapActivityMock); } /** * Initials setup for test. */ void setup() { setupChooseMapActivityMock(); account = new Account(ACCOUNT_NAME, ACCOUNT_TYPE); } /** * Create a mock object of ChooseMapActivity. */ @UsesMocks(ChooseMapActivity.class) private void setupChooseMapActivityMock() { chooseMapActivityMock = AndroidMock.createMock(ChooseMapActivity.class); // This is used in the constructor of ChooseMapAsyncTask. AndroidMock.expect(chooseMapActivityMock.getApplicationContext()).andReturn(getContext()).anyTimes(); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/maps/ChooseMapAsyncTaskTest.java
Java
asf20
7,063
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.maps; import com.google.android.apps.mytracks.io.gdata.maps.MapsMapMetadata; import com.google.android.maps.mytracks.R; import android.content.Intent; import android.test.AndroidTestCase; import android.widget.ArrayAdapter; import java.util.ArrayList; /** * Tests the {@link ChooseMapActivity}. * * @author Youtao Liu */ public class ChooseMapActivityTest extends AndroidTestCase { private static final String MAP_ID = "mapid"; private static final String MAP_TITLE = "title"; private static final String MAP_DESC = "desc"; private ArrayList<String> mapIds = new ArrayList<String>(); private ArrayList<MapsMapMetadata> mapDatas = new ArrayList<MapsMapMetadata>(); private boolean errorDialogShown = false; private boolean progressDialogRemoved = false; /** * Creates a class to override some methods of {@link ChooseMapActivity} to * makes it testable. * * @author youtaol */ public class ChooseMapActivityMock extends ChooseMapActivity { /** * By overriding this method, avoids to start next activity. */ @Override public void startActivity(Intent intent) {} /** * By overriding this method, avoids to show an error dialog and set the * show flag to true. */ @Override public void showErrorDialog() { errorDialogShown = true; } /** * By overriding this method, avoids to show an error dialog and set the * show flag to true. */ @Override public void removeProgressDialog() { progressDialogRemoved = true; } } /** * Tests the method * {@link ChooseMapActivity#onAsyncTaskCompleted(boolean, ArrayList, ArrayList)} * . An alert dialog should be shown when there is no map. */ public void testOnAsyncTaskCompleted_fail() { ChooseMapActivityMock chooseMapActivityMock = new ChooseMapActivityMock(); errorDialogShown = false; progressDialogRemoved = false; chooseMapActivityMock.onAsyncTaskCompleted(false, null, null); assertTrue(progressDialogRemoved); assertTrue(errorDialogShown); } /** * Tests the method * {@link ChooseMapActivity#onAsyncTaskCompleted(boolean, ArrayList, ArrayList)} * . Check the logic when there is only map. */ public void testOnAsyncTaskCompleted_success_oneMap() { ChooseMapActivityMock chooseMapActivityMock = new ChooseMapActivityMock(); chooseMapActivityMock.arrayAdapter = new ArrayAdapter<ChooseMapActivity.ListItem>(getContext(), R.layout.choose_map_item); simulateMaps(1); chooseMapActivityMock.onAsyncTaskCompleted(true, mapIds, mapDatas); assertEquals(1, chooseMapActivityMock.arrayAdapter.getCount()); assertEquals(MAP_ID + "0", chooseMapActivityMock.arrayAdapter.getItem(0).getMapId()); assertEquals(MAP_TITLE + "0", chooseMapActivityMock.arrayAdapter.getItem(0).getMapData() .getTitle()); assertEquals(MAP_DESC + "0", chooseMapActivityMock.arrayAdapter.getItem(0).getMapData() .getDescription()); } /** * Tests the method * {@link ChooseMapActivity#onAsyncTaskCompleted(boolean, ArrayList, ArrayList)} * . Check the logic when there are 10 maps. */ public void testOnAsyncTaskCompleted_success_twoMaps() { ChooseMapActivityMock chooseMapActivityMock = new ChooseMapActivityMock(); chooseMapActivityMock.arrayAdapter = new ArrayAdapter<ChooseMapActivity.ListItem>(getContext(), R.layout.choose_map_item); simulateMaps(10); chooseMapActivityMock.onAsyncTaskCompleted(true, mapIds, mapDatas); assertEquals(10, chooseMapActivityMock.arrayAdapter.getCount()); assertEquals(MAP_ID + "9", chooseMapActivityMock.arrayAdapter.getItem(9).getMapId()); assertEquals(MAP_TITLE + "9", chooseMapActivityMock.arrayAdapter.getItem(9).getMapData() .getTitle()); assertEquals(MAP_DESC + "9", chooseMapActivityMock.arrayAdapter.getItem(9).getMapData() .getDescription()); } /** * Simulates map data for the test. * * @param number of data should be simulated. */ private void simulateMaps(int number) { mapIds = new ArrayList<String>(); mapDatas = new ArrayList<MapsMapMetadata>(); for (int i = 0; i < number; i++) { mapIds.add(MAP_ID + i); MapsMapMetadata metaData = new MapsMapMetadata(); metaData.setTitle(MAP_TITLE + i); metaData.setDescription(MAP_DESC + i); metaData.setSearchable(true); mapDatas.add(metaData); } } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/maps/ChooseMapActivityTest.java
Java
asf20
5,089
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.maps; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.TrackStubUtils; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.io.gdata.maps.MapsGDataConverter; import com.google.android.apps.mytracks.io.sendtogoogle.SendRequest; import com.google.android.testing.mocking.AndroidMock; import com.google.android.testing.mocking.UsesMocks; import android.accounts.Account; import android.database.Cursor; import android.location.Location; import android.test.AndroidTestCase; import java.util.List; import org.xmlpull.v1.XmlPullParserException; /** * Tests {@link SendMapsAsyncTask}. * * @author Youtao Liu */ public class SendMapsAsyncTaskTest extends AndroidTestCase { private static final long TRACK_ID = 1; private static final String MAP_ID = "MapID_1"; // Records the run times of {@link SendMapsAsyncTaskMock#uploadMarker(String, // String, String, Location)} private int uploadMarkerCounter = 0; // Records the run times of {@link // SendMapsAsyncTaskMock#prepareAndUploadPoints(Track, List<Location>, // boolean)} private int prepareAndUploadPointsCounter = 0; private SendMapsActivity sendMapsActivityMock; private MyTracksProviderUtils myTracksProviderUtilsMock; private SendRequest sendRequest; private class SendMapsAsyncTaskMock extends SendMapsAsyncTask { private boolean[] uploadMarkerResult = { false, false }; private boolean prepareAndUploadPointsResult = false; private SendMapsAsyncTaskMock(SendMapsActivity activity, long trackId, Account account, String chooseMapId, MyTracksProviderUtils myTracksProviderUtils) { super(activity, trackId, account, chooseMapId, myTracksProviderUtils); } @Override boolean uploadMarker(String title, String description, String iconUrl, Location location) { int runTimes = uploadMarkerCounter++; return uploadMarkerResult[runTimes]; } @Override boolean prepareAndUploadPoints(Track track, List<Location> locations, boolean lastBatch) { prepareAndUploadPointsCounter++; return prepareAndUploadPointsResult; } } @Override @UsesMocks({ SendMapsActivity.class, MyTracksProviderUtils.class }) protected void setUp() throws Exception { super.setUp(); uploadMarkerCounter = 0; prepareAndUploadPointsCounter = 0; sendMapsActivityMock = AndroidMock.createMock(SendMapsActivity.class); myTracksProviderUtilsMock = AndroidMock.createMock(MyTracksProviderUtils.class); sendRequest = new SendRequest(TRACK_ID, false, true, false); AndroidMock.expect(sendMapsActivityMock.getApplicationContext()).andReturn(getContext()); } /** * Tests the method {@link SendMapsAsyncTask#saveResult()}and makes sure the * track is updated. */ public void testSaveResult() { Track track = TrackStubUtils.createTrack(1); track.setMapId(null); AndroidMock.expect(myTracksProviderUtilsMock.getTrack(TRACK_ID)).andReturn(track); myTracksProviderUtilsMock.updateTrack(track); AndroidMock.replay(sendMapsActivityMock, myTracksProviderUtilsMock); SendMapsAsyncTask sendMapsAsyncTask = new SendMapsAsyncTask(sendMapsActivityMock, sendRequest.getTrackId(), sendRequest.getAccount(), sendRequest.getMapId(), myTracksProviderUtilsMock); sendMapsAsyncTask.saveResult(); assertEquals(sendRequest.getMapId(), track.getMapId()); AndroidMock.verify(sendMapsActivityMock, myTracksProviderUtilsMock); } /** * Tests {@link SendMapsAsyncTask#fetchSendMapId(Track)} when chooseMapId is * null and makes sure it returns false. */ public void testFetchSendMapId_nullMapID() { Track track = TrackStubUtils.createTrack(1); AndroidMock.replay(sendMapsActivityMock, myTracksProviderUtilsMock); // Makes chooseMapId to null. SendMapsAsyncTask sendMapsAsyncTask = new SendMapsAsyncTask(sendMapsActivityMock, sendRequest.getTrackId(), sendRequest.getAccount(), null, myTracksProviderUtilsMock); // Returns false for an exception would be thrown. assertFalse(sendMapsAsyncTask.fetchSendMapId(track)); AndroidMock.verify(sendMapsActivityMock, myTracksProviderUtilsMock); } /** * Tests the method {@link SendMapsAsyncTask#fetchSendMapId(Track)} when * chooseMapId is not null. And makes sure it returns false. */ public void testFetchSendMapId_notNullMapID() { Track track = TrackStubUtils.createTrack(1); AndroidMock.replay(sendMapsActivityMock, myTracksProviderUtilsMock); SendMapsAsyncTask sendMapsAsyncTask = new SendMapsAsyncTask(sendMapsActivityMock, sendRequest.getTrackId(), sendRequest.getAccount(), MAP_ID, myTracksProviderUtilsMock); assertTrue(sendMapsAsyncTask.fetchSendMapId(track)); assertEquals(MAP_ID, sendMapsAsyncTask.getMapId()); AndroidMock.verify(sendMapsActivityMock, myTracksProviderUtilsMock); } /** * Tests the method {@link SendMapsAsyncTask#uploadAllTrackPoints(Track)} when * cursor is null. And makes sure it returns false. */ public void testUploadAllTrackPoints_nullCursor() { Track track = TrackStubUtils.createTrack(1); AndroidMock.expect(myTracksProviderUtilsMock.getLocationsCursor(TRACK_ID, 0, -1, false)) .andReturn(null); AndroidMock.replay(sendMapsActivityMock, myTracksProviderUtilsMock); SendMapsAsyncTask sendMapsAsyncTask = new SendMapsAsyncTask(sendMapsActivityMock, sendRequest.getTrackId(), sendRequest.getAccount(), MAP_ID, myTracksProviderUtilsMock); assertFalse(sendMapsAsyncTask.uploadAllTrackPoints(track)); AndroidMock.verify(sendMapsActivityMock, myTracksProviderUtilsMock); } /** * Tests the method {@link SendMapsAsyncTask#uploadAllTrackPoints(Track)} when * uploads the first marker is failed. */ @UsesMocks(Cursor.class) public void testUploadAllTrackPoints_uploadFirstMarkerFailed() { Track track = TrackStubUtils.createTrack(1); Cursor cursorMock = AndroidMock.createMock(Cursor.class); AndroidMock.expect(cursorMock.getCount()).andReturn(2); AndroidMock.expect(cursorMock.moveToPosition(0)).andReturn(true); cursorMock.close(); AndroidMock.expect(myTracksProviderUtilsMock.createLocation(cursorMock)).andReturn( new Location("1")); AndroidMock.expect(myTracksProviderUtilsMock.getLocationsCursor(TRACK_ID, 0, -1, false)) .andReturn(cursorMock); AndroidMock.replay(sendMapsActivityMock, myTracksProviderUtilsMock, cursorMock); SendMapsAsyncTaskMock sendMapsAsyncTask = new SendMapsAsyncTaskMock(sendMapsActivityMock, sendRequest.getTrackId(), sendRequest.getAccount(), MAP_ID, myTracksProviderUtilsMock); sendMapsAsyncTask.uploadMarkerResult[0] = false; assertFalse(sendMapsAsyncTask.uploadAllTrackPoints(track)); assertEquals(1, uploadMarkerCounter); AndroidMock.verify(sendMapsActivityMock, myTracksProviderUtilsMock, cursorMock); } /** * Tests the method {@link SendMapsAsyncTask#uploadAllTrackPoints(Track)} when * uploads the two markers is successful but failed when * prepareAndUploadPoints. */ @UsesMocks(Cursor.class) public void testUploadAllTrackPoints_prepareAndUploadPointsFailed() { Track track = TrackStubUtils.createTrack(1); Cursor cursorMock = AndroidMock.createMock(Cursor.class); AndroidMock.expect(cursorMock.getCount()).andReturn(2); AndroidMock.expect(cursorMock.moveToPosition(0)).andReturn(true); AndroidMock.expect(cursorMock.moveToPosition(1)).andReturn(true); cursorMock.close(); AndroidMock.expect(myTracksProviderUtilsMock.createLocation(cursorMock)) .andReturn(new Location("1")).times(2); AndroidMock.expect(myTracksProviderUtilsMock.getLocationsCursor(TRACK_ID, 0, -1, false)) .andReturn(cursorMock); AndroidMock.replay(sendMapsActivityMock, myTracksProviderUtilsMock, cursorMock); SendMapsAsyncTaskMock sendMapsAsyncTask = new SendMapsAsyncTaskMock(sendMapsActivityMock, sendRequest.getTrackId(), sendRequest.getAccount(), MAP_ID, myTracksProviderUtilsMock); // For will be failed when run prepareAndUploadPoints, it no require to // set uploadMarkerResult[1]. sendMapsAsyncTask.uploadMarkerResult[0] = true; sendMapsAsyncTask.prepareAndUploadPointsResult = false; assertFalse(sendMapsAsyncTask.uploadAllTrackPoints(track)); assertEquals(1, uploadMarkerCounter); assertEquals(1, prepareAndUploadPointsCounter); AndroidMock.verify(sendMapsActivityMock, myTracksProviderUtilsMock, cursorMock); } /** * Tests the method {@link SendMapsAsyncTask#uploadAllTrackPoints(Track)} when * uploads the last marker is failed. */ @UsesMocks(Cursor.class) public void testUploadAllTrackPoints_uploadLastMarkerFailed() { Track track = TrackStubUtils.createTrack(1); Cursor cursorMock = AndroidMock.createMock(Cursor.class); AndroidMock.expect(cursorMock.getCount()).andReturn(2); AndroidMock.expect(cursorMock.moveToPosition(0)).andReturn(true); AndroidMock.expect(cursorMock.moveToPosition(1)).andReturn(true); cursorMock.close(); AndroidMock.expect(myTracksProviderUtilsMock.createLocation(cursorMock)) .andReturn(new Location("1")).times(2); AndroidMock.expect(myTracksProviderUtilsMock.getLocationsCursor(TRACK_ID, 0, -1, false)) .andReturn(cursorMock); AndroidMock.replay(sendMapsActivityMock, myTracksProviderUtilsMock, cursorMock); SendMapsAsyncTaskMock sendMapsAsyncTask = new SendMapsAsyncTaskMock(sendMapsActivityMock, sendRequest.getTrackId(), sendRequest.getAccount(), MAP_ID, myTracksProviderUtilsMock); sendMapsAsyncTask.uploadMarkerResult[0] = true; sendMapsAsyncTask.uploadMarkerResult[1] = false; sendMapsAsyncTask.prepareAndUploadPointsResult = true; assertFalse(sendMapsAsyncTask.uploadAllTrackPoints(track)); assertEquals(2, uploadMarkerCounter); assertEquals(1, prepareAndUploadPointsCounter); AndroidMock.verify(sendMapsActivityMock, myTracksProviderUtilsMock, cursorMock); } /** * Tests the method {@link SendMapsAsyncTask#uploadAllTrackPoints(Track)} when * return true. */ @UsesMocks(Cursor.class) public void testUploadAllTrackPoints_success() { Track track = TrackStubUtils.createTrack(1); Cursor cursorMock = AndroidMock.createMock(Cursor.class); AndroidMock.expect(cursorMock.getCount()).andReturn(2); AndroidMock.expect(cursorMock.moveToPosition(0)).andReturn(true); AndroidMock.expect(cursorMock.moveToPosition(1)).andReturn(true); cursorMock.close(); AndroidMock.expect(myTracksProviderUtilsMock.createLocation(cursorMock)) .andReturn(new Location("1")).times(2); AndroidMock.expect(myTracksProviderUtilsMock.getLocationsCursor(TRACK_ID, 0, -1, false)) .andReturn(cursorMock); AndroidMock.replay(sendMapsActivityMock, myTracksProviderUtilsMock, cursorMock); SendMapsAsyncTaskMock sendMapsAsyncTask = new SendMapsAsyncTaskMock(sendMapsActivityMock, sendRequest.getTrackId(), sendRequest.getAccount(), MAP_ID, myTracksProviderUtilsMock); sendMapsAsyncTask.uploadMarkerResult[0] = true; sendMapsAsyncTask.uploadMarkerResult[1] = true; sendMapsAsyncTask.prepareAndUploadPointsResult = true; assertTrue(sendMapsAsyncTask.uploadAllTrackPoints(track)); assertEquals(2, uploadMarkerCounter); assertEquals(1, prepareAndUploadPointsCounter); AndroidMock.verify(sendMapsActivityMock, myTracksProviderUtilsMock, cursorMock); } /** * Tests the method {@link SendMapsAsyncTask#uploadWaypoints()} when cursor is * null. */ @UsesMocks(Cursor.class) public void testUploadWaypoints_nullCursor() { AndroidMock.expect( myTracksProviderUtilsMock.getWaypointsCursor(TRACK_ID, 0, Constants.MAX_LOADED_WAYPOINTS_POINTS)).andReturn(null); AndroidMock.replay(sendMapsActivityMock, myTracksProviderUtilsMock); SendMapsAsyncTask sendMapsAsyncTask = new SendMapsAsyncTask(sendMapsActivityMock, sendRequest.getTrackId(), sendRequest.getAccount(), MAP_ID, myTracksProviderUtilsMock); assertTrue(sendMapsAsyncTask.uploadWaypoints()); AndroidMock.verify(sendMapsActivityMock, myTracksProviderUtilsMock); } /** * Tests the method {@link SendMapsAsyncTask#uploadWaypoints()} when there is * only one point. */ @UsesMocks(Cursor.class) public void testUploadWaypoints_onePoint() { Cursor cursorMock = AndroidMock.createMock(Cursor.class); AndroidMock.expect(cursorMock.moveToFirst()).andReturn(true); // Only one point, so next is null. AndroidMock.expect(cursorMock.moveToNext()).andReturn(false); cursorMock.close(); AndroidMock.expect( myTracksProviderUtilsMock.getWaypointsCursor(TRACK_ID, 0, Constants.MAX_LOADED_WAYPOINTS_POINTS)).andReturn(cursorMock); AndroidMock.replay(sendMapsActivityMock, myTracksProviderUtilsMock, cursorMock); SendMapsAsyncTask sendMapsAsyncTask = new SendMapsAsyncTask(sendMapsActivityMock, sendRequest.getTrackId(), sendRequest.getAccount(), MAP_ID, myTracksProviderUtilsMock); assertTrue(sendMapsAsyncTask.uploadWaypoints()); AndroidMock.verify(sendMapsActivityMock, myTracksProviderUtilsMock, cursorMock); } /** * Tests the method {@link SendMapsAsyncTask#uploadWaypoints()}. Makes sure a cursor is created and * a way point is created with such cursor. * * @throws XmlPullParserException */ @UsesMocks(Cursor.class) public void testUploadWaypoints() throws XmlPullParserException { Cursor cursorMock = AndroidMock.createMock(Cursor.class); MapsGDataConverter mapsGDataConverterMock = new MapsGDataConverter(); AndroidMock.expect(cursorMock.moveToFirst()).andReturn(true); AndroidMock.expect(cursorMock.moveToNext()).andReturn(true); cursorMock.close(); AndroidMock.expect( myTracksProviderUtilsMock.getWaypointsCursor(TRACK_ID, 0, Constants.MAX_LOADED_WAYPOINTS_POINTS)).andReturn(cursorMock); Waypoint waypoint = new Waypoint(); waypoint.setLocation(TrackStubUtils.createMyTracksLocation()); AndroidMock.expect(myTracksProviderUtilsMock.createWaypoint(cursorMock)).andReturn(waypoint) .times(1); AndroidMock.replay(sendMapsActivityMock, myTracksProviderUtilsMock, cursorMock); SendMapsAsyncTask sendMapsAsyncTask = new SendMapsAsyncTask(sendMapsActivityMock, sendRequest.getTrackId(), sendRequest.getAccount(), MAP_ID, myTracksProviderUtilsMock); sendMapsAsyncTask.setMapsGDataConverter(mapsGDataConverterMock); // Would be failed for there is no source for uploading. assertFalse(sendMapsAsyncTask.uploadWaypoints()); AndroidMock.verify(sendMapsActivityMock, myTracksProviderUtilsMock, cursorMock); } /** * Tests the method {@link SendMapsAsyncTask#getPercentage(int, int)}. */ public void testCountPercentage() { assertEquals(SendMapsAsyncTask.PROGRESS_UPLOAD_DATA_MIN, SendMapsAsyncTask.getPercentage(0, 5)); assertEquals(SendMapsAsyncTask.PROGRESS_UPLOAD_DATA_MAX, SendMapsAsyncTask.getPercentage(50, 50)); assertEquals( (int) ((double) 5 / 11 * (SendMapsAsyncTask.PROGRESS_UPLOAD_DATA_MAX - SendMapsAsyncTask.PROGRESS_UPLOAD_DATA_MIN) + SendMapsAsyncTask.PROGRESS_UPLOAD_DATA_MIN), SendMapsAsyncTask.getPercentage(5, 11)); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/maps/SendMapsAsyncTaskTest.java
Java
asf20
16,153
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.maps; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.io.gdata.maps.MapsFeature; import com.google.android.maps.GeoPoint; import android.location.Location; import java.util.ArrayList; import junit.framework.TestCase; /** * Tests {@link SendMapsUtils}. * * @author Jimmy Shih */ public class SendMapsUtilsTest extends TestCase { /** * Tests {@link SendMapsUtils#getMapUrl(Track)} with null track. */ public void testGetMapUrl_null_track() { assertEquals(null, SendMapsUtils.getMapUrl(null)); } /** * Tests {@link SendMapsUtils#getMapUrl(Track)} with null map id. */ public void testGetMapUrl_null_map_id() { Track track = new Track(); track.setMapId(null); assertEquals(null, SendMapsUtils.getMapUrl(track)); } /** * Tests {@link SendMapsUtils#getMapUrl(Track)} with a valid track. */ public void testGetMapUrl_valid_track() { Track track = new Track(); track.setMapId("123"); assertEquals("https://maps.google.com/maps/ms?msa=0&msid=123", SendMapsUtils.getMapUrl(track)); } /** * Test {@link SendMapsUtils#buildMapsMarkerFeature(String, String, String, * GeoPoint)} with a title. */ public void testBuildMapsMarkerFeature_with_title() { MapsFeature mapFeature = SendMapsUtils.buildMapsMarkerFeature( "name", "this\nmap\ndescription", "url", new GeoPoint(123, 456)); assertEquals(MapsFeature.MARKER, mapFeature.getType()); assertNotNull(mapFeature.getAndroidId()); assertEquals("name", mapFeature.getTitle()); assertEquals("this<br>map<br>description", mapFeature.getDescription()); assertEquals("url", mapFeature.getIconUrl()); assertEquals(123, mapFeature.getPoint(0).getLatitudeE6()); assertEquals(456, mapFeature.getPoint(0).getLongitudeE6()); } /** * Test {@link SendMapsUtils#buildMapsMarkerFeature(String, String, String, * GeoPoint)} with an empty title. */ public void testBuildMapsMarkerFeature_empty_title() { MapsFeature mapFeature = SendMapsUtils.buildMapsMarkerFeature( "", "description", "url", new GeoPoint(123, 456)); assertEquals(MapsFeature.MARKER, mapFeature.getType()); assertNotNull(mapFeature.getAndroidId()); assertEquals("-", mapFeature.getTitle()); assertEquals("description", mapFeature.getDescription()); assertEquals("url", mapFeature.getIconUrl()); assertEquals(123, mapFeature.getPoint(0).getLatitudeE6()); assertEquals(456, mapFeature.getPoint(0).getLongitudeE6()); } /** * Test {@link SendMapsUtils#buildMapsMarkerFeature(String, String, String, * GeoPoint)} with a null title. */ public void testBuildMapsMarkerFeature_null_title() { MapsFeature mapFeature = SendMapsUtils.buildMapsMarkerFeature( null, "description", "url", new GeoPoint(123, 456)); assertEquals(MapsFeature.MARKER, mapFeature.getType()); assertNotNull(mapFeature.getAndroidId()); assertEquals("-", mapFeature.getTitle()); assertEquals("description", mapFeature.getDescription()); assertEquals("url", mapFeature.getIconUrl()); assertEquals(123, mapFeature.getPoint(0).getLatitudeE6()); assertEquals(456, mapFeature.getPoint(0).getLongitudeE6()); } /** * Test {@link SendMapsUtils#buildMapsLineFeature(String, ArrayList)} with a * title. */ public void testBuildMapsLineFeature_with_title() { ArrayList<Location> locations = new ArrayList<Location>(); Location location = new Location("test"); location.setLatitude(50); location.setLongitude(100); locations.add(location); MapsFeature mapFeature = SendMapsUtils.buildMapsLineFeature("name", locations); assertEquals(MapsFeature.LINE, mapFeature.getType()); assertNotNull(mapFeature.getAndroidId()); assertEquals("name", mapFeature.getTitle()); assertEquals(0x80FF0000, mapFeature.getColor()); assertEquals(50000000, mapFeature.getPoint(0).getLatitudeE6()); assertEquals(100000000, mapFeature.getPoint(0).getLongitudeE6()); } /** * Test {@link SendMapsUtils#buildMapsLineFeature(String, ArrayList)} with an * empty title. */ public void testBuildMapsLineFeature_empty_title() { ArrayList<Location> locations = new ArrayList<Location>(); Location location = new Location("test"); location.setLatitude(50); location.setLongitude(100); locations.add(location); MapsFeature mapFeature = SendMapsUtils.buildMapsLineFeature("", locations); assertEquals(MapsFeature.LINE, mapFeature.getType()); assertNotNull(mapFeature.getAndroidId()); assertEquals("-", mapFeature.getTitle()); assertEquals(0x80FF0000, mapFeature.getColor()); assertEquals(50000000, mapFeature.getPoint(0).getLatitudeE6()); assertEquals(100000000, mapFeature.getPoint(0).getLongitudeE6()); } /** * Test {@link SendMapsUtils#buildMapsLineFeature(String, ArrayList)} with a * null title. */ public void testBuildMapsLineFeature_null_title() { ArrayList<Location> locations = new ArrayList<Location>(); Location location = new Location("test"); location.setLatitude(50); location.setLongitude(100); locations.add(location); MapsFeature mapFeature = SendMapsUtils.buildMapsLineFeature(null, locations); assertEquals(MapsFeature.LINE, mapFeature.getType()); assertNotNull(mapFeature.getAndroidId()); assertEquals("-", mapFeature.getTitle()); assertEquals(0x80FF0000, mapFeature.getColor()); assertEquals(50000000, mapFeature.getPoint(0).getLatitudeE6()); assertEquals(100000000, mapFeature.getPoint(0).getLongitudeE6()); } /** * Test {@link SendMapsUtils#getGeoPoint(Location)}. */ public void testGeoPoint() { Location location = new Location("test"); location.setLatitude(50); location.setLongitude(100); GeoPoint geoPoint = SendMapsUtils.getGeoPoint(location); assertEquals(50000000, geoPoint.getLatitudeE6()); assertEquals(100000000, geoPoint.getLongitudeE6()); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/maps/SendMapsUtilsTest.java
Java
asf20
6,631
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.maps; import com.google.android.apps.mytracks.io.docs.SendDocsActivity; import com.google.android.apps.mytracks.io.fusiontables.SendFusionTablesActivity; import com.google.android.apps.mytracks.io.sendtogoogle.SendRequest; import com.google.android.apps.mytracks.io.sendtogoogle.UploadResultActivity; import android.test.AndroidTestCase; /** * Tests the {@link SendMapsActivity}. * * @author Youtao Liu */ public class SendMapsActivityTest extends AndroidTestCase { private SendMapsActivity sendMapsActivity; private SendRequest sendRequest; @Override protected void setUp() throws Exception { super.setUp(); sendRequest = new SendRequest(1L, true, false, true); sendMapsActivity = new SendMapsActivity(); } /** * Tests the method * {@link SendMapsActivity#getNextClass(SendRequest, boolean)}. Sets the flags * of "sendFusionTables","sendDocs" and "cancel" to true, true and false. */ public void testGetNextClass_notCancelSendFusionTables() { sendRequest.setSendFusionTables(true); sendRequest.setSendDocs(true); Class<?> next = sendMapsActivity.getNextClass(sendRequest, false); assertEquals(SendFusionTablesActivity.class, next); } /** * Tests the method * {@link SendMapsActivity#getNextClass(SendRequest, boolean)}. Sets the flags * of "sendFusionTables","sendDocs" and "cancel" to false, true and false. */ public void testGetNextClass_notCancelSendDocs() { sendRequest.setSendFusionTables(false); sendRequest.setSendDocs(true); Class<?> next = sendMapsActivity.getNextClass(sendRequest, false); assertEquals(SendDocsActivity.class, next); } /** * Tests the method * {@link SendMapsActivity#getNextClass(SendRequest, boolean)}. Sets the flags * of "sendFusionTables","sendDocs" and "cancel" to false, false and false. */ public void testGetNextClass_notCancelNotSend() { sendRequest.setSendFusionTables(false); sendRequest.setSendDocs(false); Class<?> next = sendMapsActivity.getNextClass(sendRequest, false); assertEquals(UploadResultActivity.class, next); } /** * Tests the method * {@link SendMapsActivity#getNextClass(SendRequest, boolean)}. Sets the flags * of "sendFusionTables","sendDocs" and "cancel" to true, true and true. */ public void testGetNextClass_cancelSendDocs() { sendRequest.setSendFusionTables(true); sendRequest.setSendDocs(true); Class<?> next = sendMapsActivity.getNextClass(sendRequest, true); assertEquals(UploadResultActivity.class, next); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/io/maps/SendMapsActivityTest.java
Java
asf20
3,186
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.maps; import android.location.Location; /** * Tests for the MyTracks track path descriptors and painters. * * @author Vangelis S. */ public class TrackPathPainterSingleColorTest extends TrackPathPainterTestCase { public void testSimpeColorTrackPathPainter() throws Exception { Location location = new Location("gps"); location.setLatitude(10); for (int i = 0; i < 100; ++i) { location = new Location("gps"); location.setLatitude(20 + i / 2); location.setLongitude(150 - i); myTracksOverlay.addLocation(location); } TrackPathPainter painter = new SingleColorTrackPathPainter(getContext()); myTracksOverlay.setTrackPathPainter(painter); int startLocationIdx = 0; Boolean alwaysVisible = true; assertNotNull(painter); painter.updatePath(myTracksOverlay.getMapProjection(mockView), myTracksOverlay.getMapViewRect(mockView), startLocationIdx, alwaysVisible, myTracksOverlay.getPoints()); assertNotNull(myTracksOverlay.getTrackPathPainter().getLastPath()); painter.drawTrack(canvas); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/maps/TrackPathPainterSingleColorTest.java
Java
asf20
1,731
/* * 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.maps; import com.google.android.apps.mytracks.MapOverlay.CachedLocation; import com.google.android.apps.mytracks.TrackStubUtils; import com.google.android.testing.mocking.AndroidMock; import com.google.android.testing.mocking.UsesMocks; import android.graphics.Path; import java.util.List; /** * Tests for the {@link SingleColorTrackPathPainter}. * * @author Youtao Liu */ public class SingleColorTrackPathPainterTest extends TrackPathPainterTestCase { private SingleColorTrackPathPainter singleColorTrackPathPainter; private Path pathMock; private static final int NUMBER_OF_LOCATIONS = 100; /** * Initials a mocked TrackPathDescriptor object and * singleColorTrackPathPainter. */ @Override @UsesMocks(Path.class) protected void setUp() throws Exception { super.setUp(); pathMock = AndroidMock.createStrictMock(Path.class); singleColorTrackPathPainter = new SingleColorTrackPathPainter(getContext()); } /** * Tests the * {@link SingleColorTrackPathPainter#updatePath(com.google.android.maps.Projection, android.graphics.Rect, int, Boolean, List, Path)} * method when all locations are valid. */ public void testUpdatePath_AllValidLocation() { pathMock.incReserve(NUMBER_OF_LOCATIONS); List<CachedLocation> points = createCachedLocations(NUMBER_OF_LOCATIONS, TrackStubUtils.INITIAL_LATITUDE, -1); // Gets a number as the start index of points. int startLocationIdx = NUMBER_OF_LOCATIONS / 2; for (int i = startLocationIdx; i < NUMBER_OF_LOCATIONS; i++) { pathMock.lineTo(0, 0); } AndroidMock.replay(pathMock); singleColorTrackPathPainter.updatePath(myTracksOverlay.getMapProjection(mockView), myTracksOverlay.getMapViewRect(mockView), startLocationIdx, true, points, pathMock); AndroidMock.verify(pathMock); } /** * Tests the * {@link SingleColorTrackPathPainter#updatePath(com.google.android.maps.Projection, android.graphics.Rect, int, Boolean, List, Path)} * method when all locations are invalid. */ public void testUpdatePath_AllInvalidLocation() { pathMock.incReserve(NUMBER_OF_LOCATIONS); List<CachedLocation> points = createCachedLocations(NUMBER_OF_LOCATIONS, INVALID_LATITUDE, -1); // Gets a random number from 1 to numberOfLocations. int startLocationIdx = NUMBER_OF_LOCATIONS / 2; AndroidMock.replay(pathMock); singleColorTrackPathPainter.updatePath(myTracksOverlay.getMapProjection(mockView), myTracksOverlay.getMapViewRect(mockView), startLocationIdx, true, points, pathMock); AndroidMock.verify(pathMock); } /** * Tests the * {@link SingleColorTrackPathPainter#updatePath(com.google.android.maps.Projection, android.graphics.Rect, int, Boolean, List, Path)} * method when there are three segments. */ public void testUpdatePath_ThreeSegments() { // First segment. List<CachedLocation> points = createCachedLocations(NUMBER_OF_LOCATIONS, TrackStubUtils.INITIAL_LATITUDE, -1); points.addAll(createCachedLocations(1, INVALID_LATITUDE, -1)); // Second segment. points.addAll(createCachedLocations(NUMBER_OF_LOCATIONS, TrackStubUtils.INITIAL_LATITUDE, -1)); points.addAll(createCachedLocations(1, INVALID_LATITUDE, -1)); // Third segment. points.addAll(createCachedLocations(NUMBER_OF_LOCATIONS, TrackStubUtils.INITIAL_LATITUDE, -1)); // Gets a random number from 1 to numberOfLocations. int startLocationIdx = NUMBER_OF_LOCATIONS / 2; pathMock.incReserve(NUMBER_OF_LOCATIONS *3 + 1 +1); for (int i = 0; i < NUMBER_OF_LOCATIONS - startLocationIdx; i++) { pathMock.lineTo(0, 0); } pathMock.moveTo(0, 0); for (int i = 0; i < NUMBER_OF_LOCATIONS - 1; i++) { pathMock.lineTo(0, 0); } pathMock.moveTo(0, 0); for (int i = 0; i < NUMBER_OF_LOCATIONS - 1; i++) { pathMock.lineTo(0, 0); } AndroidMock.replay(pathMock); singleColorTrackPathPainter.updatePath(myTracksOverlay.getMapProjection(mockView), myTracksOverlay.getMapViewRect(mockView), startLocationIdx, true, points, pathMock); AndroidMock.verify(pathMock); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/maps/SingleColorTrackPathPainterTest.java
Java
asf20
4,779
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.maps; import com.google.android.apps.mytracks.MapOverlay; import com.google.android.apps.mytracks.MapOverlay.CachedLocation; import com.google.android.apps.mytracks.MockMyTracksOverlay; import com.google.android.apps.mytracks.TrackStubUtils; import com.google.android.maps.MapView; import android.graphics.Canvas; import android.location.Location; import android.test.AndroidTestCase; import java.util.ArrayList; import java.util.List; /** * Tests for the MyTracks track path descriptors and painters. * * @author Vangelis S. */ public class TrackPathPainterTestCase extends AndroidTestCase { protected Canvas canvas; protected MockMyTracksOverlay myTracksOverlay; protected MapView mockView; final int INVALID_LATITUDE = 100; @Override protected void setUp() throws Exception { super.setUp(); canvas = new Canvas(); myTracksOverlay = new MockMyTracksOverlay(getContext()); // Enable drawing. myTracksOverlay.setTrackDrawingEnabled(true); mockView = null; } /** * Creates a list of CachedLocations. * * @param number the number of locations * @param latitude the latitude value of locations. * @param speed the speed(meter per second) of locations, and will give a default valid value if * less than zero * @return the simulated locations */ List<CachedLocation> createCachedLocations(int number, double latitude, float speed) { List<CachedLocation> points = new ArrayList<MapOverlay.CachedLocation>(); for (int i = 0; i < number; ++i) { Location location = TrackStubUtils.createMyTracksLocation(latitude, TrackStubUtils.INITIAL_LONGITUDE, TrackStubUtils.INITIAL_ALTITUDE); if (speed > 0) { location.setSpeed(speed); } CachedLocation cachedLocation = new CachedLocation(location); points.add(cachedLocation); } return points; } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/maps/TrackPathPainterTestCase.java
Java
asf20
2,519
/* * 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.maps; import com.google.android.apps.mytracks.Constants; 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.test.AndroidTestCase; /** * Tests for the {@link DynamicSpeedTrackPathDescriptor}. * * @author Youtao Liu */ public class DynamicSpeedTrackPathDescriptorTest extends AndroidTestCase { private Context context; private SharedPreferences sharedPreferences; private Editor sharedPreferencesEditor; @Override protected void setUp() throws Exception { super.setUp(); context = getContext(); sharedPreferences = context.getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); sharedPreferencesEditor = sharedPreferences.edit(); } /** * Tests the method {@link DynamicSpeedTrackPathDescriptor#getSpeedMargin()} * with zero, normal and illegal value. */ public void testGetSpeedMargin() { String[] actuals = { "0", "50", "99", "" }; // The default value of speedMargin is 25. int[] expectations = { 0, 50, 99, 25 }; // Test for (int i = 0; i < expectations.length; i++) { sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_dynamic_speed_variation_key), actuals[i]); sharedPreferencesEditor.commit(); DynamicSpeedTrackPathDescriptor dynamicSpeedTrackPathDescriptor = new DynamicSpeedTrackPathDescriptor( context); assertEquals(expectations[i], dynamicSpeedTrackPathDescriptor.getSpeedMargin(sharedPreferences)); } } /** * Tests {@link * DynamicSpeedTrackPathDescriptor#onSharedPreferenceChanged(SharedPreferences, * String)} when the key is null. */ public void testOnSharedPreferenceChanged_nullKey() { DynamicSpeedTrackPathDescriptor dynamicSpeedTrackPathDescriptor = new DynamicSpeedTrackPathDescriptor( context); int speedMargin = dynamicSpeedTrackPathDescriptor.getSpeedMargin(sharedPreferences); // Change value in shared preferences. sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_dynamic_speed_variation_key), Integer.toString(speedMargin + 2)); sharedPreferencesEditor.commit(); dynamicSpeedTrackPathDescriptor.onSharedPreferenceChanged(sharedPreferences, null); assertEquals(speedMargin, dynamicSpeedTrackPathDescriptor.getSpeedMargin()); } /** * Tests {@link * DynamicSpeedTrackPathDescriptor#onSharedPreferenceChanged(SharedPreferences, * String)} when the key is not null, and not trackColorModeDynamicVariation. */ public void testOnSharedPreferenceChanged_otherKey() { DynamicSpeedTrackPathDescriptor dynamicSpeedTrackPathDescriptor = new DynamicSpeedTrackPathDescriptor( context); int speedMargin = dynamicSpeedTrackPathDescriptor.getSpeedMargin(sharedPreferences); // Change value in shared preferences. sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_dynamic_speed_variation_key), Integer.toString(speedMargin + 2)); sharedPreferencesEditor.commit(); dynamicSpeedTrackPathDescriptor.onSharedPreferenceChanged(sharedPreferences, "anyKey"); assertEquals(speedMargin, dynamicSpeedTrackPathDescriptor.getSpeedMargin()); } /** * Tests {@link * DynamicSpeedTrackPathDescriptor#onSharedPreferenceChanged(SharedPreferences, * String)} when the key is trackColorModeDynamicVariation. */ public void testOnSharedPreferenceChanged_trackColorModeDynamicVariationKey() { DynamicSpeedTrackPathDescriptor dynamicSpeedTrackPathDescriptor = new DynamicSpeedTrackPathDescriptor( context); int speedMargin = dynamicSpeedTrackPathDescriptor.getSpeedMargin(sharedPreferences); // Change value in shared preferences. sharedPreferencesEditor.putString( "trackColorModeDynamicVariation", Integer.toString(speedMargin + 2)); sharedPreferencesEditor.commit(); dynamicSpeedTrackPathDescriptor.onSharedPreferenceChanged(sharedPreferences, "trackColorModeDynamicVariation"); assertEquals(speedMargin + 2, dynamicSpeedTrackPathDescriptor.getSpeedMargin()); } /** * Tests {@link * DynamicSpeedTrackPathDescriptor#onSharedPreferenceChanged(SharedPreferences, * String)} when the values of speedMargin is "". */ public void testOnSharedPreferenceChanged_emptyValue() { DynamicSpeedTrackPathDescriptor dynamicSpeedTrackPathDescriptor = new DynamicSpeedTrackPathDescriptor( context); // Change value in shared preferences sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_dynamic_speed_variation_key), ""); sharedPreferencesEditor.commit(); dynamicSpeedTrackPathDescriptor.onSharedPreferenceChanged(sharedPreferences, context.getString(R.string.track_color_mode_dynamic_speed_variation_key)); // The default value of speedMargin is 25. assertEquals(25, dynamicSpeedTrackPathDescriptor.getSpeedMargin()); } /** * Tests {@link DynamicSpeedTrackPathDescriptor#needsRedraw()} by wrong track * id. */ public void testNeedsRedraw_WrongTrackId() { PreferencesUtils.setSelectedTrackId(context, -1L); DynamicSpeedTrackPathDescriptor dynamicSpeedTrackPathDescriptor = new DynamicSpeedTrackPathDescriptor( context); assertEquals(false, dynamicSpeedTrackPathDescriptor.needsRedraw()); } /** * Tests {@link DynamicSpeedTrackPathDescriptor#needsRedraw()} by different * averageMovingSpeed. */ public void testIsDiffereceSignificant() { DynamicSpeedTrackPathDescriptor dynamicSpeedTrackPathDescriptor = new DynamicSpeedTrackPathDescriptor( context); double[] averageMovingSpeeds = { 0, 30, 30, 30 }; double[] newAverageMovingSpeed = { 20, 30, // Difference is less than CRITICAL_DIFFERENCE_PERCENTAGE 30 * (1 + (DynamicSpeedTrackPathDescriptor.CRITICAL_DIFFERENCE_PERCENTAGE / 100) / 2), // Difference is more than CRITICAL_DIFFERENCE_PERCENTAGE 30 * (1 + (DynamicSpeedTrackPathDescriptor.CRITICAL_DIFFERENCE_PERCENTAGE / 100.00) * 2) }; boolean[] expectedValues = { true, false, false, true }; double[] expectedAverageMovingSpeed = { 20, 30, 30, 30 * (1 + (DynamicSpeedTrackPathDescriptor.CRITICAL_DIFFERENCE_PERCENTAGE / 100.00) * 2) }; // Test for (int i = 0; i < newAverageMovingSpeed.length; i++) { dynamicSpeedTrackPathDescriptor.setAverageMovingSpeed(averageMovingSpeeds[i]); assertEquals(expectedValues[i], dynamicSpeedTrackPathDescriptor.isDifferenceSignificant( averageMovingSpeeds[i], newAverageMovingSpeed[i])); assertEquals(expectedAverageMovingSpeed[i], dynamicSpeedTrackPathDescriptor.getAverageMovingSpeed()); } } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/maps/DynamicSpeedTrackPathDescriptorTest.java
Java
asf20
7,552
/* * 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.maps; import com.google.android.apps.mytracks.Constants; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.test.AndroidTestCase; /** * Tests for the {@link DynamicSpeedTrackPathDescriptor}. * * @author Youtao Liu */ public class FixedSpeedTrackPathDescriptorTest extends AndroidTestCase { private Context context; private SharedPreferences sharedPreferences; private Editor sharedPreferencesEditor; private int slowDefault; private int normalDefault; @Override protected void setUp() throws Exception { super.setUp(); context = getContext(); sharedPreferences = context.getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); sharedPreferencesEditor = sharedPreferences.edit(); // Get the default value slowDefault = 9; normalDefault = 15; } /** * Tests the initialization of slowSpeed and normalSpeed in {@link * DynamicSpeedTrackPathDescriptor#DynamicSpeedTrackPathDescriptor(Context)}. */ public void testConstructor() { String[] slowSpeedsInShPre = { "0", "1", "99", "" }; int[] slowSpeedExpectations = { 0, 1, 99, slowDefault }; String[] normalSpeedsInShPre = { "0", "1", "99", "" }; int[] normalSpeedExpectations = { 0, 1, 99, normalDefault }; for (int i = 0; i < slowSpeedsInShPre.length; i++) { sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_fixed_speed_slow_key), slowSpeedsInShPre[i]); sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_fixed_speed_medium_key), normalSpeedsInShPre[i]); sharedPreferencesEditor.commit(); FixedSpeedTrackPathDescriptor fixedSpeedTrackPathDescriptor = new FixedSpeedTrackPathDescriptor( context); assertEquals(slowSpeedExpectations[i], fixedSpeedTrackPathDescriptor.getSlowSpeed()); assertEquals(normalSpeedExpectations[i], fixedSpeedTrackPathDescriptor.getNormalSpeed()); } } /** * Tests {@link * DynamicSpeedTrackPathDescriptor#onSharedPreferenceChanged(SharedPreferences, * String)} when the key is null. */ public void testOnSharedPreferenceChanged_null_key() { FixedSpeedTrackPathDescriptor fixedSpeedTrackPathDescriptor = new FixedSpeedTrackPathDescriptor( context); int slowSpeed = fixedSpeedTrackPathDescriptor.getSlowSpeed(); int normalSpeed = fixedSpeedTrackPathDescriptor.getNormalSpeed(); // Change value in shared preferences sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_fixed_speed_slow_key), Integer.toString(slowSpeed + 2)); sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_fixed_speed_medium_key), Integer.toString(normalSpeed + 2)); sharedPreferencesEditor.commit(); fixedSpeedTrackPathDescriptor.onSharedPreferenceChanged(sharedPreferences, null); assertEquals(slowSpeed, fixedSpeedTrackPathDescriptor.getSlowSpeed()); assertEquals(normalSpeed, fixedSpeedTrackPathDescriptor.getNormalSpeed()); } /** * Tests {@link * DynamicSpeedTrackPathDescriptor#onSharedPreferenceChanged(SharedPreferences, * String)} when the key is not null, and not slowSpeed and not normalSpeed. */ public void testOnSharedPreferenceChanged_other_key() { FixedSpeedTrackPathDescriptor fixedSpeedTrackPathDescriptor = new FixedSpeedTrackPathDescriptor( context); int slowSpeed = fixedSpeedTrackPathDescriptor.getSlowSpeed(); int normalSpeed = fixedSpeedTrackPathDescriptor.getNormalSpeed(); // Change value in shared preferences sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_fixed_speed_slow_key), Integer.toString(slowSpeed + 2)); sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_fixed_speed_medium_key), Integer.toString(normalSpeed + 2)); sharedPreferencesEditor.commit(); fixedSpeedTrackPathDescriptor.onSharedPreferenceChanged(sharedPreferences, "anyKey"); assertEquals(slowSpeed, fixedSpeedTrackPathDescriptor.getSlowSpeed()); assertEquals(normalSpeed, fixedSpeedTrackPathDescriptor.getNormalSpeed()); } /** * Tests {@link * DynamicSpeedTrackPathDescriptor#onSharedPreferenceChanged(SharedPreferences, * String)} when the key is slowSpeed. */ public void testOnSharedPreferenceChanged_slowSpeedKey() { FixedSpeedTrackPathDescriptor fixedSpeedTrackPathDescriptor = new FixedSpeedTrackPathDescriptor( context); int slowSpeed = fixedSpeedTrackPathDescriptor.getSlowSpeed(); int normalSpeed = fixedSpeedTrackPathDescriptor.getNormalSpeed(); // Change value in shared preferences sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_fixed_speed_slow_key), Integer.toString(slowSpeed + 2)); sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_fixed_speed_medium_key), Integer.toString(normalSpeed + 2)); sharedPreferencesEditor.commit(); fixedSpeedTrackPathDescriptor.onSharedPreferenceChanged(sharedPreferences, context.getString(R.string.track_color_mode_fixed_speed_slow_key)); assertEquals(slowSpeed + 2, fixedSpeedTrackPathDescriptor.getSlowSpeed()); assertEquals(normalSpeed + 2, fixedSpeedTrackPathDescriptor.getNormalSpeed()); } /** * Tests {@link * DynamicSpeedTrackPathDescriptor#onSharedPreferenceChanged(SharedPreferences, * String)} when the key is normalSpeed. */ public void testOnSharedPreferenceChanged_normalSpeedKey() { FixedSpeedTrackPathDescriptor fixedSpeedTrackPathDescriptor = new FixedSpeedTrackPathDescriptor( context); int slowSpeed = fixedSpeedTrackPathDescriptor.getSlowSpeed(); int normalSpeed = fixedSpeedTrackPathDescriptor.getNormalSpeed(); sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_fixed_speed_slow_key), Integer.toString(slowSpeed + 4)); sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_fixed_speed_medium_key), Integer.toString(normalSpeed + 4)); sharedPreferencesEditor.commit(); fixedSpeedTrackPathDescriptor.onSharedPreferenceChanged(sharedPreferences, context.getString(R.string.track_color_mode_fixed_speed_medium_key)); assertEquals(slowSpeed + 4, fixedSpeedTrackPathDescriptor.getSlowSpeed()); assertEquals(normalSpeed + 4, fixedSpeedTrackPathDescriptor.getNormalSpeed()); } /** * Tests {@link * DynamicSpeedTrackPathDescriptor#onSharedPreferenceChanged(SharedPreferences, * String)} when the values of slowSpeed and normalSpeed in SharedPreference * is "". In such situation, the default value should get returned. */ public void testOnSharedPreferenceChanged_emptyValue() { FixedSpeedTrackPathDescriptor fixedSpeedTrackPathDescriptor = new FixedSpeedTrackPathDescriptor( context); sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_fixed_speed_slow_key), ""); sharedPreferencesEditor.putString( context.getString(R.string.track_color_mode_fixed_speed_medium_key), ""); sharedPreferencesEditor.commit(); fixedSpeedTrackPathDescriptor.onSharedPreferenceChanged(sharedPreferences, context.getString(R.string.track_color_mode_fixed_speed_medium_key)); assertEquals(slowDefault, fixedSpeedTrackPathDescriptor.getSlowSpeed()); assertEquals(normalDefault, fixedSpeedTrackPathDescriptor.getNormalSpeed()); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/maps/FixedSpeedTrackPathDescriptorTest.java
Java
asf20
8,351
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.maps; import android.location.Location; /** * Tests for the MyTracks track path descriptors and painters. * * @author Vangelis S. */ public class TrackPathDescriptorDynamicSpeedTest extends TrackPathPainterTestCase { public void testDynamicSpeedTrackPathDescriptor() throws Exception { Location location = new Location("gps"); location.setLatitude(10); for (int i = 0; i < 100; ++i) { location = new Location("gps"); location.setLatitude(20 + i / 2); location.setLongitude(150 - i); myTracksOverlay.addLocation(location); } TrackPathPainter painter = new DynamicSpeedTrackPathPainter( getContext(), new DynamicSpeedTrackPathDescriptor(getContext())); myTracksOverlay.setTrackPathPainter(painter); int startLocationIdx = 0; Boolean alwaysVisible = true; assertNotNull(painter); painter.updatePath(myTracksOverlay.getMapProjection(mockView), myTracksOverlay.getMapViewRect(mockView), startLocationIdx, alwaysVisible, myTracksOverlay.getPoints()); assertNotNull(myTracksOverlay.getTrackPathPainter().getLastPath()); painter.drawTrack(canvas); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/maps/TrackPathDescriptorDynamicSpeedTest.java
Java
asf20
1,811
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.maps; import android.location.Location; /** * Tests for the MyTracks track path descriptors and painters. * * @author Vangelis S. */ public class TrackPathDescriptorFixedSpeedTest extends TrackPathPainterTestCase { public void testFixedSpeedTrackPathDescriptor() throws Exception { Location location = new Location("gps"); location.setLatitude(10); for (int i = 0; i < 100; ++i) { location = new Location("gps"); location.setLatitude(20 + i / 2); location.setLongitude(150 - i); myTracksOverlay.addLocation(location); } TrackPathPainter painter = new DynamicSpeedTrackPathPainter( getContext(), new FixedSpeedTrackPathDescriptor(getContext())); myTracksOverlay.setTrackPathPainter(painter); int startLocationIdx = 0; Boolean alwaysVisible = true; assertNotNull(painter); painter.updatePath(myTracksOverlay.getMapProjection(mockView), myTracksOverlay.getMapViewRect(mockView), startLocationIdx, alwaysVisible, myTracksOverlay.getPoints()); assertNotNull(myTracksOverlay.getTrackPathPainter().getLastPath()); painter.drawTrack(canvas); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/maps/TrackPathDescriptorFixedSpeedTest.java
Java
asf20
1,795
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.maps; import com.google.android.apps.mytracks.Constants; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.location.Location; /** * Tests for the MyTracks track path painter factory. * * @author Vangelis S. */ public class TrackPathPainterFactoryTest extends TrackPathPainterTestCase { public void testTrackPathPainterFactory() throws Exception { Location location = new Location("gps"); location.setLatitude(10); for (int i = 0; i < 100; ++i) { location = new Location("gps"); location.setLatitude(20 + i / 2); location.setLongitude(150 - i); myTracksOverlay.addLocation(location); } Context context = getContext(); SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (prefs == null) { return; } testTrackPathPainterFactorySpecific(context, prefs, R.string.display_track_color_value_none, SingleColorTrackPathPainter.class); testTrackPathPainterFactorySpecific(context, prefs, R.string.display_track_color_value_fixed, DynamicSpeedTrackPathPainter.class); testTrackPathPainterFactorySpecific(context, prefs, R.string.display_track_color_value_dynamic, DynamicSpeedTrackPathPainter.class); } private <T> void testTrackPathPainterFactorySpecific(Context context, SharedPreferences prefs, int track_color_mode, Class <?> c) { prefs.edit().putString(context.getString(R.string.track_color_mode_key), context.getString(track_color_mode)).apply(); int startLocationIdx = 0; Boolean alwaysVisible = true; TrackPathPainter painter = TrackPathPainterFactory.getTrackPathPainter(context); myTracksOverlay.setTrackPathPainter(painter); assertNotNull(painter); assertTrue(c.isInstance(painter)); painter.updatePath(myTracksOverlay.getMapProjection(mockView), myTracksOverlay.getMapViewRect(mockView), startLocationIdx, alwaysVisible, myTracksOverlay.getPoints()); assertNotNull(myTracksOverlay.getTrackPathPainter().getLastPath()); painter.drawTrack(canvas); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/maps/TrackPathPainterFactoryTest.java
Java
asf20
2,862
/* * 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.maps; import com.google.android.apps.mytracks.ColoredPath; import com.google.android.apps.mytracks.MapOverlay.CachedLocation; import com.google.android.apps.mytracks.TrackStubUtils; import com.google.android.maps.mytracks.R; import com.google.android.testing.mocking.AndroidMock; import com.google.android.testing.mocking.UsesMocks; import java.util.List; /** * Tests for the {@link DynamicSpeedTrackPathPainter}. * * @author Youtao Liu */ public class DynamicSpeedTrackPathPainterTest extends TrackPathPainterTestCase { private DynamicSpeedTrackPathPainter dynamicSpeedTrackPathPainter; private TrackPathDescriptor trackPathDescriptor; // This number must bigger than 10 to meet the requirement of test. private static final int NUMBER_OF_LOCATIONS = 100; private static final int LOCATIONS_PER_SEGMENT = 25; // The maximum speed(KM/H) which is considered slow. private static final int SLOW_SPEED_KMH = 30; // The maximum speed(KM/H) which is considered normal. private static final int NORMAL_SPEED_KMH = 50; // Convert from kilometers per hour to meters per second private static final double KMH_TO_MS = 1 / 3.6; private static final int SLOW_SPEED_MS = (int) (SLOW_SPEED_KMH * KMH_TO_MS); private static final int NORMAL_SPEED_MS = (int) (NORMAL_SPEED_KMH * KMH_TO_MS); @Override protected void setUp() throws Exception { super.setUp(); initialTrackPathDescriptorMock(); dynamicSpeedTrackPathPainter = new DynamicSpeedTrackPathPainter(getContext(), trackPathDescriptor); } /** * Tests the method * {@link DynamicSpeedTrackPathPainter#updatePath(com.google.android.maps.Projection, android.graphics.Rect, int, Boolean, java.util.List)} * when all locations are invalid. */ public void testUpdatePath_AllInvalidLocation() { List<CachedLocation> points = createCachedLocations(NUMBER_OF_LOCATIONS, INVALID_LATITUDE, -1); dynamicSpeedTrackPathPainter.updatePath(myTracksOverlay.getMapProjection(mockView), myTracksOverlay.getMapViewRect(mockView), 1, true, points); AndroidMock.verify(trackPathDescriptor); // Should be zero for there is no valid locations. assertEquals(0, dynamicSpeedTrackPathPainter.getColoredPaths().size()); } /** * Tests the * {@link DynamicSpeedTrackPathPainter#updatePath(com.google.android.maps.Projection, android.graphics.Rect, int, Boolean, java.util.List)} * when all locations are valid. */ public void testUpdatePath_AllValidLocation() { List<CachedLocation> points = createCachedLocations(NUMBER_OF_LOCATIONS, TrackStubUtils.INITIAL_LATITUDE, -1); // Gets a number as the start index of points. int startLocationIdx = NUMBER_OF_LOCATIONS / 2; dynamicSpeedTrackPathPainter.updatePath(myTracksOverlay.getMapProjection(mockView), myTracksOverlay.getMapViewRect(mockView), startLocationIdx, true, points); AndroidMock.verify(trackPathDescriptor); assertEquals(NUMBER_OF_LOCATIONS - startLocationIdx, dynamicSpeedTrackPathPainter .getColoredPaths().size()); } /** * Tests the * {@link DynamicSpeedTrackPathPainter#updatePath(com.google.android.maps.Projection, android.graphics.Rect, int, Boolean, java.util.List)} * when all locations are valid. This test setups 4 segments with 25 points * each. The first segment has slow speed, the second segment has normal * speed, the third segment has fast speed, and the fourth segment has slow * speed. */ public void testUpdatePath_CheckColoredPath() { // Gets the slow speed. Divide SLOW_SPEED by 2 to make it smaller than // SLOW_SPEED. Speed in MyTracksLocation use MS, but speed in CachedLocation // use KMH. int slowSpeed = SLOW_SPEED_MS / 2; // Gets the normal speed. Makes it smaller than SLOW_SPEED and bigger than // NORMAL_SPEED. Speed in MyTracksLocation use MS, but speed in // CachedLocation use KMH. int normalSpeed = (SLOW_SPEED_MS + NORMAL_SPEED_MS) / 2; // Gets the fast speed. Multiply it by 2 to make it bigger than // NORMAL_SPEED. Speed in MyTracksLocation use MS, but speed in // CachedLocation use KMH. int fastSpeed = NORMAL_SPEED_MS * 2; // Get a number of startLocationIdx. And divide NUMBER_OF_LOCATIONS by 8 to // make sure it is less than numberOfFirstThreeSegments. int startLocationIdx = LOCATIONS_PER_SEGMENT / 2; List<CachedLocation> points = createCachedLocations(LOCATIONS_PER_SEGMENT, TrackStubUtils.INITIAL_LATITUDE, slowSpeed); points.addAll(createCachedLocations(LOCATIONS_PER_SEGMENT, TrackStubUtils.INITIAL_LATITUDE, normalSpeed)); points.addAll(createCachedLocations(LOCATIONS_PER_SEGMENT, TrackStubUtils.INITIAL_LATITUDE, fastSpeed)); points.addAll(createCachedLocations(LOCATIONS_PER_SEGMENT, TrackStubUtils.INITIAL_LATITUDE, slowSpeed)); dynamicSpeedTrackPathPainter.updatePath(myTracksOverlay.getMapProjection(mockView), myTracksOverlay.getMapViewRect(mockView), startLocationIdx, true, points); AndroidMock.verify(trackPathDescriptor); List<ColoredPath> coloredPath = dynamicSpeedTrackPathPainter.getColoredPaths(); assertEquals(NUMBER_OF_LOCATIONS - startLocationIdx, coloredPath.size()); // Checks different speeds with different color in the coloredPath. for (int i = 0; i < NUMBER_OF_LOCATIONS - startLocationIdx; i++) { if (i < LOCATIONS_PER_SEGMENT - startLocationIdx) { // Slow. assertEquals(getContext().getResources().getColor(R.color.slow_path), coloredPath.get(i) .getPathPaint().getColor()); } else if (i < LOCATIONS_PER_SEGMENT * 2 - startLocationIdx) { // Normal. assertEquals(getContext().getResources().getColor(R.color.normal_path), coloredPath.get(i) .getPathPaint().getColor()); } else if (i < LOCATIONS_PER_SEGMENT * 3 - startLocationIdx) { // Fast. assertEquals(getContext().getResources().getColor(R.color.fast_path), coloredPath.get(i) .getPathPaint().getColor()); } else { // Slow. assertEquals(getContext().getResources().getColor(R.color.slow_path), coloredPath.get(i) .getPathPaint().getColor()); } } } /** * Initials a mocked TrackPathDescriptor object. */ @UsesMocks(TrackPathDescriptor.class) private void initialTrackPathDescriptorMock() { trackPathDescriptor = AndroidMock.createMock(TrackPathDescriptor.class); AndroidMock.expect(trackPathDescriptor.getSlowSpeed()).andReturn(SLOW_SPEED_KMH); AndroidMock.expect(trackPathDescriptor.getNormalSpeed()).andReturn(NORMAL_SPEED_KMH); AndroidMock.replay(trackPathDescriptor); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/maps/DynamicSpeedTrackPathPainterTest.java
Java
asf20
7,340
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import android.test.AndroidTestCase; import android.text.format.DateFormat; import java.util.GregorianCalendar; import java.util.TimeZone; /** * Tests for {@link StringUtils}. * * @author Rodrigo Damazio */ public class StringUtilsTest extends AndroidTestCase { /** * Tests {@link StringUtils#formatDateTime(android.content.Context, long)}. */ public void testFormatTime() { assertEquals(DateFormat.getTimeFormat(getContext()).format(0L), StringUtils.formatTime(getContext(), 0L)); } /** * Tests {@link StringUtils#formatDateTime(android.content.Context, long)}. */ public void testFormatDateTime() { String expected = DateFormat.getDateFormat(getContext()).format(0L) + " " + DateFormat.getTimeFormat(getContext()).format(0L); assertEquals(expected, StringUtils.formatDateTime(getContext(), 0L)); } /** * Tests {@link StringUtils#formatDateTimeIso8601(long)}. */ public void testFormatDateTimeIso8601() { assertEquals("1970-01-01T00:00:12.345Z", StringUtils.formatDateTimeIso8601(12345)); } /** * Tests {@link StringUtils#formatElapsedTime(long)}. */ public void testformatElapsedTime() { // 1 second assertEquals("00:01", StringUtils.formatElapsedTime(1000)); // 10 seconds assertEquals("00:10", StringUtils.formatElapsedTime(10000)); // 1 minute assertEquals("01:00", StringUtils.formatElapsedTime(60000)); // 10 minutes assertEquals("10:00", StringUtils.formatElapsedTime(600000)); // 1 hour assertEquals("1:00:00", StringUtils.formatElapsedTime(3600000)); // 10 hours assertEquals("10:00:00", StringUtils.formatElapsedTime(36000000)); // 100 hours assertEquals("100:00:00", StringUtils.formatElapsedTime(360000000)); } /** * Tests {@link StringUtils#formatElapsedTimeWithHour(long)}. */ public void testformatElapsedTimeWithHour() { // 1 second assertEquals("0:00:01", StringUtils.formatElapsedTimeWithHour(1000)); // 10 seconds assertEquals("0:00:10", StringUtils.formatElapsedTimeWithHour(10000)); // 1 minute assertEquals("0:01:00", StringUtils.formatElapsedTimeWithHour(60000)); // 10 minutes assertEquals("0:10:00", StringUtils.formatElapsedTimeWithHour(600000)); // 1 hour assertEquals("1:00:00", StringUtils.formatElapsedTimeWithHour(3600000)); // 10 hours assertEquals("10:00:00", StringUtils.formatElapsedTimeWithHour(36000000)); // 100 hours assertEquals("100:00:00", StringUtils.formatElapsedTimeWithHour(360000000)); } /** * Tests {@link StringUtils#formatDistance(android.content.Context, double, * boolean)}. */ public void testFormatDistance() { // A large number in metric assertEquals("5.00 km", StringUtils.formatDistance(getContext(), 5000, true)); // A large number in imperial assertEquals("3.11 mi", StringUtils.formatDistance(getContext(), 5000, false)); // A small number in metric assertEquals("100.00 m", StringUtils.formatDistance(getContext(), 100, true)); // A small number in imperial assertEquals("328.08 ft", StringUtils.formatDistance(getContext(), 100, false)); } /** * Tests {@link StringUtils#formatSpeed(android.content.Context, double, * boolean, boolean)}. */ public void testFormatSpeed() { // Speed in metric assertEquals("36.00 km/h", StringUtils.formatSpeed(getContext(), 10, true, true)); // Speed in imperial assertEquals("22.37 mi/h", StringUtils.formatSpeed(getContext(), 10, false, true)); // Pace in metric assertEquals("1.67 min/km", StringUtils.formatSpeed(getContext(), 10, true, false)); // Pace in imperial assertEquals("2.68 min/mi", StringUtils.formatSpeed(getContext(), 10, false, false)); // zero pace assertEquals("0.00 min/km", StringUtils.formatSpeed(getContext(), 0, true, false)); assertEquals("0.00 min/mi", StringUtils.formatSpeed(getContext(), 0, false, false)); // speed is NaN assertEquals("-", StringUtils.formatSpeed(getContext(), Double.NaN, true, true)); // speed is infinite assertEquals("-", StringUtils.formatSpeed(getContext(), Double.NEGATIVE_INFINITY, true, true)); } /** * Tests {@link StringUtils#formatTimeDistance(android.content.Context, long, double, boolean)}. */ public void testFormatTimeDistance() { assertEquals("00:10 5.00 km", StringUtils.formatTimeDistance(getContext(), 10000, 5000, true)); } /** * Tests {@link StringUtils#formatCData(String)}. */ public void testFormatCData() { assertEquals("<![CDATA[hello]]>", StringUtils.formatCData("hello")); assertEquals("<![CDATA[hello]]]]><![CDATA[>there]]>", StringUtils.formatCData("hello]]>there")); } /** * Tests {@link StringUtils#getTime(String)}. */ public void testGetTime() { assertGetTime("2010-05-04T03:02:01", 2010, 5, 4, 3, 2, 1, 0); assertGetTime("2010-05-04T03:02:01Z", 2010, 5, 4, 3, 2, 1, 0); } /** * Tests {@link StringUtils#getTime(String)} with fractional seconds. */ public void testGetTime_fractional() { assertGetTime("2010-05-04T03:02:01.3", 2010, 5, 4, 3, 2, 1, 300); assertGetTime("2010-05-04T03:02:01.35", 2010, 5, 4, 3, 2, 1, 350); assertGetTime("2010-05-04T03:02:01.352Z", 2010, 5, 4, 3, 2, 1, 352); assertGetTime("2010-05-04T03:02:01.3525Z", 2010, 5, 4, 3, 2, 1, 352); } /** * Tests {@link StringUtils#getTime(String)} with time zone. */ public void testGetTime_timezone() { assertGetTime("2010-05-04T03:02:01Z", 2010, 5, 4, 3, 2, 1, 0); assertGetTime("2010-05-04T03:02:01+00:00", 2010, 5, 4, 3, 2, 1, 0); assertGetTime("2010-05-04T03:02:01-00:00", 2010, 5, 4, 3, 2, 1, 0); assertGetTime("2010-05-04T03:02:01+01:00", 2010, 5, 4, 2, 2, 1, 0); assertGetTime("2010-05-04T03:02:01+10:30", 2010, 5, 3, 16, 32, 1, 0); assertGetTime("2010-05-04T03:02:01-09:30", 2010, 5, 4, 12, 32, 1, 0); assertGetTime("2010-05-04T03:02:01-05:00", 2010, 5, 4, 8, 2, 1, 0); } /** * Tests {@link StringUtils#getTime(String)} with fractional seconds and time * zone. */ public void testGetTime_fractionalAndTimezone() { assertGetTime("2010-05-04T03:02:01.352Z", 2010, 5, 4, 3, 2, 1, 352); assertGetTime("2010-05-04T03:02:01.47+00:00", 2010, 5, 4, 3, 2, 1, 470); assertGetTime("2010-05-04T03:02:01.5791+03:00", 2010, 5, 4, 0, 2, 1, 579); assertGetTime("2010-05-04T03:02:01.8-05:30", 2010, 5, 4, 8, 32, 1, 800); } /** * Asserts the {@link StringUtils#getTime(String)} returns the expected * values. * * @param xmlDateTime the xml date time string * @param year the expected year * @param month the expected month * @param day the expected day * @param hour the expected hour * @param minute the expected minute * @param second the expected second * @param millisecond the expected milliseconds */ private void assertGetTime(String xmlDateTime, int year, int month, int day, int hour, int minute, int second, int millisecond) { GregorianCalendar calendar = new GregorianCalendar(TimeZone.getTimeZone("UTC")); calendar.set(year, month - 1, day, hour, minute, second); calendar.set(GregorianCalendar.MILLISECOND, millisecond); assertEquals(calendar.getTimeInMillis(), StringUtils.getTime(xmlDateTime)); } /** * Tests {@link StringUtils#getTimeParts(long)} with a positive number. */ public void testGetTimeParts_postive() { int parts[] = StringUtils.getTimeParts(61000); assertEquals(1, parts[0]); assertEquals(1, parts[1]); assertEquals(0, parts[2]); } /** * Tests {@link StringUtils#getTimeParts(long)} with a negative number. */ public void testGetTimeParts_negative() { int parts[] = StringUtils.getTimeParts(-61000); assertEquals(-1, parts[0]); assertEquals(-1, parts[1]); assertEquals(0, parts[2]); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/util/StringUtilsTest.java
Java
asf20
8,520
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.Constants; import android.os.Environment; import java.io.File; import junit.framework.TestCase; /** * Tests for {@link FileUtils}. * * @author Rodrigo Damazio */ public class FileUtilsTest extends TestCase { /** * Tests {@link FileUtils#buildExternalDirectoryPath(String...)}. */ public void testBuildExternalDirectoryPath() { String expectedName = Environment.getExternalStorageDirectory() + File.separator + Constants.SDCARD_TOP_DIR + File.separator + "a" + File.separator + "b" + File.separator + "c"; String dirName = FileUtils.buildExternalDirectoryPath("a", "b", "c"); assertEquals(expectedName, dirName); } /** * Tests {@link FileUtils#buildUniqueFileName(File, String, String)} when the * file is new. */ public void testBuildUniqueFileName_new() { String filename = FileUtils.buildUniqueFileName(new File("/dir"), "Filename", "ext"); assertEquals("Filename.ext", filename); } /** * Tests {@link FileUtils#buildUniqueFileName(File, String, String)} when the * file exists already. */ public void testBuildUniqueFileName_exist() { // Expect "/default.prop" to exist on the phone/emulator String filename = FileUtils.buildUniqueFileName(new File("/"), "default", "prop"); assertEquals("default(1).prop", filename); } /** * Tests {@link FileUtils#sanitizeFileName(String)} with special characters. * Verifies that they are sanitized. */ public void testSanitizeFileName() { String name = "Swim\10ming-^across:/the/ pacific (ocean)."; String expected = "Swim_ming-^across_the_ pacific (ocean)_"; assertEquals(expected, FileUtils.sanitizeFileName(name)); } /** * Tests {@link FileUtils#sanitizeFileName(String)} with i18n characters (in * Chinese and Russian). Verifies that they are allowed. */ public void testSanitizeFileName_i18n() { String name = "您好-привет"; String expected = "您好-привет"; assertEquals(expected, FileUtils.sanitizeFileName(name)); } /** * Tests {@link FileUtils#sanitizeFileName(String)} with special FAT32 * characters. Verifies that they are allowed. */ public void testSanitizeFileName_special_characters() { String name = "$%'-_@~`!(){}^#&+,;=[] "; String expected = "$%'-_@~`!(){}^#&+,;=[] "; assertEquals(expected, FileUtils.sanitizeFileName(name)); } /** * Tests {@link FileUtils#sanitizeFileName(String)} with multiple escaped * characters in a row. Verifies that they are collapsed into one underscore. */ public void testSanitizeFileName_collapse() { String name = "hello//there"; String expected = "hello_there"; assertEquals(expected, FileUtils.sanitizeFileName(name)); } /** * Tests {@link FileUtils#truncateFileName(File, String, String)}. Verifies * the a long file name is truncated. */ public void testTruncateFileName() { File directory = new File("/dir1/dir2/"); String suffix = ".gpx"; char[] name = new char[FileUtils.MAX_FAT32_PATH_LENGTH]; for (int i = 0; i < name.length; i++) { name[i] = 'a'; } String nameString = new String(name); String truncated = FileUtils.truncateFileName(directory, nameString, suffix); for (int i = 0; i < truncated.length(); i++) { assertEquals('a', truncated.charAt(i)); } assertEquals(FileUtils.MAX_FAT32_PATH_LENGTH, new File(directory, truncated + suffix).getPath().length()); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/util/FileUtilsTest.java
Java
asf20
4,151
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.stats.TripStatistics; import java.util.Vector; import junit.framework.TestCase; /** * Tests for the Chart URL generator. * * @author Sandor Dornbush */ public class ChartURLGeneratorTest extends TestCase { public void testgetChartUrl() { Vector<Double> distances = new Vector<Double>(); Vector<Double> elevations = new Vector<Double>(); Track t = new Track(); TripStatistics stats = t.getStatistics(); stats.setMinElevation(0); stats.setMaxElevation(2000); stats.setTotalDistance(100); distances.add(0.0); elevations.add(10.0); distances.add(10.0); elevations.add(300.0); distances.add(20.0); elevations.add(800.0); distances.add(50.0); elevations.add(1900.0); distances.add(75.0); elevations.add(1200.0); distances.add(90.0); elevations.add(700.0); distances.add(100.0); elevations.add(70.0); String chart = ChartURLGenerator.getChartUrl(distances, elevations, t, "Title", true); assertEquals( "http://chart.apis.google.com/chart?&chs=600x350&cht=lxy&" + "chtt=Title&chxt=x,y&chxr=0,0,0,0|1,0.0,2100.0,300&chco=009A00&" + "chm=B,00AA00,0,0,0&chg=100000,14.285714285714286,1,0&" + "chd=e:AAGZMzf.v.5l..,ATJJYY55kkVVCI", chart); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/util/ChartURLGeneratorTest.java
Java
asf20
2,218
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import junit.framework.TestCase; /** * A unit test for {@link ChartsExtendedEncoder}. * * @author Bartlomiej Niechwiej */ public class ChartsExtendedEncoderTest extends TestCase { public void testGetEncodedValue_validArguments() { // Valid arguments. assertEquals("AK", ChartsExtendedEncoder.getEncodedValue(10)); assertEquals("JO", ChartsExtendedEncoder.getEncodedValue(590)); assertEquals("AA", ChartsExtendedEncoder.getEncodedValue(0)); // 64^2 = 4096. assertEquals("..", ChartsExtendedEncoder.getEncodedValue(4095)); } public void testGetEncodedValue_invalidArguments() { // Invalid arguments. assertEquals("__", ChartsExtendedEncoder.getEncodedValue(4096)); assertEquals("__", ChartsExtendedEncoder.getEncodedValue(1234564096)); assertEquals("__", ChartsExtendedEncoder.getEncodedValue(-10)); assertEquals("__", ChartsExtendedEncoder.getEncodedValue(-12324435)); } public void testGetSeparator() { assertEquals(",", ChartsExtendedEncoder.getSeparator()); } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/util/ChartsExtendedEncoderTest.java
Java
asf20
1,675
/* * 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.fragments; import com.google.android.apps.mytracks.ChartView; import com.google.android.apps.mytracks.TrackStubUtils; 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.util.UnitConversions; import android.location.Location; import android.test.AndroidTestCase; /** * Tests {@link ChartFragment}. * * @author Youtao Liu */ public class ChartFragmentTest extends AndroidTestCase { private ChartFragment chartFragment; private final double HOURS_PER_UNIT = 60.0; @Override protected void setUp() throws Exception { chartFragment = new ChartFragment(); chartFragment.setChartView(new ChartView(getContext())); } /** * Tests the logic to get the incorrect values of sensor in * {@link ChartFragment#fillDataPoint(Location, double[])} */ public void testFillDataPoint_sensorIncorrect() { MyTracksLocation myTracksLocation = TrackStubUtils.createMyTracksLocation(); // No input. double[] point = fillDataPointTestHelper(myTracksLocation); assertEquals(Double.NaN, point[3]); assertEquals(Double.NaN, point[4]); assertEquals(Double.NaN, point[5]); // Input incorrect state. // Creates SensorData. Sensor.SensorData.Builder powerData = Sensor.SensorData.newBuilder() .setValue(20).setState(Sensor.SensorState.NONE); Sensor.SensorData.Builder cadenceData = Sensor.SensorData.newBuilder() .setValue(20).setState(Sensor.SensorState.NONE); Sensor.SensorData.Builder heartRateData = Sensor.SensorData.newBuilder() .setValue(20).setState(Sensor.SensorState.NONE); // Creates SensorDataSet. SensorDataSet sensorDataSet = myTracksLocation.getSensorDataSet(); sensorDataSet = sensorDataSet.toBuilder() .setPower(powerData) .setCadence(cadenceData) .setHeartRate(heartRateData) .build(); myTracksLocation.setSensorData(sensorDataSet); // Test. point = fillDataPointTestHelper(myTracksLocation); assertEquals(Double.NaN, point[3]); assertEquals(Double.NaN, point[4]); assertEquals(Double.NaN, point[5]); } /** * Tests the logic to get the correct values of sensor in * {@link ChartFragment#fillDataPoint(Location, double[])}. */ public void testFillDataPoint_sensorCorrect() { MyTracksLocation myTracksLocation = TrackStubUtils.createMyTracksLocation(); // No input. double[] point = fillDataPointTestHelper(myTracksLocation); assertEquals(Double.NaN, point[3]); assertEquals(Double.NaN, point[4]); assertEquals(Double.NaN, point[5]); // Creates SensorData. Sensor.SensorData.Builder powerData = Sensor.SensorData.newBuilder() .setValue(20).setState(Sensor.SensorState.SENDING); Sensor.SensorData.Builder cadenceData = Sensor.SensorData.newBuilder() .setValue(20).setState(Sensor.SensorState.SENDING); Sensor.SensorData.Builder heartRateData = Sensor.SensorData.newBuilder() .setValue(20).setState(Sensor.SensorState.SENDING); // Creates SensorDataSet. SensorDataSet sensorDataSet = myTracksLocation.getSensorDataSet(); sensorDataSet = sensorDataSet.toBuilder() .setPower(powerData) .setCadence(cadenceData) .setHeartRate(heartRateData) .build(); myTracksLocation.setSensorData(sensorDataSet); // Test. point = fillDataPointTestHelper(myTracksLocation); assertEquals(20.0, point[3]); assertEquals(20.0, point[4]); assertEquals(20.0, point[5]); } /** * Tests the logic to get the value of metric Distance in * {@link ChartFragment#fillDataPoint(Location, double[])}. */ public void testFillDataPoint_distanceMetric() { // By distance. chartFragment.getChartView().setMode(ChartView.Mode.BY_DISTANCE); // Resets last location and writes first location. MyTracksLocation myTracksLocation1 = TrackStubUtils.createMyTracksLocation(); double[] point = fillDataPointTestHelper(myTracksLocation1); assertEquals(0.0, point[0]); // The second is a same location, just different time. MyTracksLocation myTracksLocation2 = TrackStubUtils.createMyTracksLocation(); point = fillDataPointTestHelper(myTracksLocation2); assertEquals(0.0, point[0]); // The third location is a new location, and use metric. MyTracksLocation myTracksLocation3 = TrackStubUtils.createMyTracksLocation(); myTracksLocation3.setLatitude(23); point = fillDataPointTestHelper(myTracksLocation3); // Computes the distance between Latitude 22 and 23. float[] results = new float[4]; Location.distanceBetween(myTracksLocation2.getLatitude(), myTracksLocation2.getLongitude(), myTracksLocation3.getLatitude(), myTracksLocation3.getLongitude(), results); double distance1 = results[0] * UnitConversions.M_TO_KM; assertEquals(distance1, point[0]); // The fourth location is a new location, and use metric. MyTracksLocation myTracksLocation4 = TrackStubUtils.createMyTracksLocation(); myTracksLocation4.setLatitude(24); point = fillDataPointTestHelper(myTracksLocation4); // Computes the distance between Latitude 23 and 24. Location.distanceBetween(myTracksLocation3.getLatitude(), myTracksLocation3.getLongitude(), myTracksLocation4.getLatitude(), myTracksLocation4.getLongitude(), results); double distance2 = results[0] * UnitConversions.M_TO_KM; assertEquals((distance1 + distance2), point[0]); } /** * Tests the logic to get the value of imperial Distance in * {@link ChartFragment#fillDataPoint(Location, double[])}. */ public void testFillDataPoint_distanceImperial() { // Setups to use imperial. chartFragment.setMetricUnits(false); // The first is a same location, just different time. MyTracksLocation myTracksLocation1 = TrackStubUtils.createMyTracksLocation(); double[] point = fillDataPointTestHelper(myTracksLocation1); assertEquals(0.0, point[0]); // The second location is a new location, and use imperial. MyTracksLocation myTracksLocation2 = TrackStubUtils.createMyTracksLocation(); myTracksLocation2.setLatitude(23); point = fillDataPointTestHelper(myTracksLocation2); /* * Computes the distance between Latitude 22 and 23. And for we set using * imperial, the distance should be multiplied by UnitConversions.KM_TO_MI. */ float[] results = new float[4]; Location.distanceBetween(myTracksLocation1.getLatitude(), myTracksLocation1.getLongitude(), myTracksLocation2.getLatitude(), myTracksLocation2.getLongitude(), results); double distance1 = results[0] * UnitConversions.M_TO_KM * UnitConversions.KM_TO_MI; assertEquals(distance1, point[0]); // The third location is a new location, and use imperial. MyTracksLocation myTracksLocation3 = TrackStubUtils.createMyTracksLocation(); myTracksLocation3.setLatitude(24); point = fillDataPointTestHelper(myTracksLocation3); /* * Computes the distance between Latitude 23 and 24. And for we set using * imperial, the distance should be multiplied by UnitConversions.KM_TO_MI. */ Location.distanceBetween(myTracksLocation2.getLatitude(), myTracksLocation2.getLongitude(), myTracksLocation3.getLatitude(), myTracksLocation3.getLongitude(), results); double distance2 = results[0] * UnitConversions.M_TO_KM * UnitConversions.KM_TO_MI; assertEquals(distance1 + distance2, point[0]); } /** * Tests the logic to get the values of time in * {@link ChartFragment#fillDataPoint(Location, double[])}. */ public void testFillDataPoint_time() { // By time chartFragment.getChartView().setMode(ChartView.Mode.BY_TIME); MyTracksLocation myTracksLocation1 = TrackStubUtils.createMyTracksLocation(); double[] point = fillDataPointTestHelper(myTracksLocation1); assertEquals(0.0, point[0]); long timeSpan = 222; MyTracksLocation myTracksLocation2 = TrackStubUtils.createMyTracksLocation(); myTracksLocation2.setTime(myTracksLocation1.getTime() + timeSpan); point = fillDataPointTestHelper(myTracksLocation2); assertEquals((double) timeSpan, point[0]); } /** * Tests the logic to get the value of elevation in * {@link ChartFragment#fillDataPoint(Location, double[])} by one and two * points. */ public void testFillDataPoint_elevation() { MyTracksLocation myTracksLocation1 = TrackStubUtils.createMyTracksLocation(); /* * At first, clear old points of elevation, so give true to the second * parameter. Then only one value INITIALLONGTITUDE in buffer. */ double[] point = fillDataPointTestHelper(myTracksLocation1); assertEquals(TrackStubUtils.INITIAL_ALTITUDE, point[1]); /* * Send another value to buffer, now there are two values, INITIALALTITUDE * and INITIALALTITUDE * 2. */ MyTracksLocation myTracksLocation2 = TrackStubUtils.createMyTracksLocation(); myTracksLocation2.setAltitude(TrackStubUtils.INITIAL_ALTITUDE * 2); point = fillDataPointTestHelper(myTracksLocation2); assertEquals( (TrackStubUtils.INITIAL_ALTITUDE + TrackStubUtils.INITIAL_ALTITUDE * 2) / 2.0, point[1]); } /** * Tests the logic to get the value of speed in * {@link ChartFragment#fillDataPoint(Location, double[])}. In this test, * firstly remove all points in memory, and then fill in two points one by * one. The speed values of these points are 129, 130. */ public void testFillDataPoint_speed() { // Set max speed to make the speed of points are valid. chartFragment.setTrackMaxSpeed(200.0); /* * At first, clear old points of speed, so give true to the second * parameter. It will not be filled in to the speed buffer. */ MyTracksLocation myTracksLocation1 = TrackStubUtils.createMyTracksLocation(); myTracksLocation1.setSpeed(129); double[] point = fillDataPointTestHelper(myTracksLocation1); assertEquals(0.0, point[2]); /* * Tests the logic when both metricUnits and reportSpeed are true.This * location will be filled into speed buffer. */ MyTracksLocation myTracksLocation2 = TrackStubUtils.createMyTracksLocation(); /* * Add a time span here to make sure the second point is valid, the value * 222 here is doesn't matter. */ myTracksLocation2.setTime(myTracksLocation1.getTime() + 222); myTracksLocation2.setSpeed(130); point = fillDataPointTestHelper(myTracksLocation2); assertEquals(130.0 * UnitConversions.MS_TO_KMH, point[2]); } /** * Tests the logic to compute speed when use Imperial. */ public void testFillDataPoint_speedImperial() { // Setups to use imperial. chartFragment.setMetricUnits(false); MyTracksLocation myTracksLocation = TrackStubUtils.createMyTracksLocation(); myTracksLocation.setSpeed(132); double[] point = fillDataPointTestHelper(myTracksLocation); assertEquals(132.0 * UnitConversions.MS_TO_KMH * UnitConversions.KM_TO_MI, point[2]); } /** * Tests the logic to get pace value when reportSpeed is false. */ public void testFillDataPoint_pace_nonZeroSpeed() { // Setups reportSpeed to false. chartFragment.setReportSpeed(false); MyTracksLocation myTracksLocation = TrackStubUtils.createMyTracksLocation(); myTracksLocation.setSpeed(134); double[] point = fillDataPointTestHelper(myTracksLocation); assertEquals(HOURS_PER_UNIT / (134.0 * UnitConversions.MS_TO_KMH), point[2]); } /** * Tests the logic to get pace value when reportSpeed is false and average * speed is zero. */ public void testFillDataPoint_pace_zeroSpeed() { // Setups reportSpeed to false. chartFragment.setReportSpeed(false); MyTracksLocation myTracksLocation = TrackStubUtils.createMyTracksLocation(); myTracksLocation.setSpeed(0); double[] point = fillDataPointTestHelper(myTracksLocation); assertEquals(0.0, point[2]); } /** * Helper method to test fillDataPoint. * * @param location location to fill * @return data of this location */ private double[] fillDataPointTestHelper(Location location) { double[] point = new double[6]; chartFragment.fillDataPoint(location, point); return point; } }
0359xiaodong-mytracks
MyTracksTest/src/com/google/android/apps/mytracks/fragments/ChartFragmentTest.java
Java
asf20
13,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.samples.api; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.services.ITrackRecordingService; import android.app.Activity; import android.content.ComponentName; import android.content.Intent; import android.content.ServiceConnection; import android.os.Bundle; import android.os.IBinder; import android.os.RemoteException; import android.util.Log; import android.view.View; import android.widget.Button; import android.widget.TextView; import java.util.Calendar; import java.util.List; /** * An activity to access MyTracks content provider and service. * * Note you must first install MyTracks before installing this app. * * You also need to enable third party application access inside MyTracks * MyTracks -> menu -> Settings -> Sharing -> Allow access * * @author Jimmy Shih */ public class MainActivity extends Activity { private static final String TAG = MainActivity.class.getSimpleName(); // utils to access the MyTracks content provider private MyTracksProviderUtils myTracksProviderUtils; // display output from the MyTracks content provider private TextView outputTextView; // MyTracks service private ITrackRecordingService myTracksService; // intent to access the MyTracks service private Intent intent; // connection to the MyTracks service private ServiceConnection serviceConnection = new ServiceConnection() { @Override public void onServiceConnected(ComponentName className, IBinder service) { myTracksService = ITrackRecordingService.Stub.asInterface(service); } @Override public void onServiceDisconnected(ComponentName className) { myTracksService = null; } }; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.main); // for the MyTracks content provider myTracksProviderUtils = MyTracksProviderUtils.Factory.get(this); outputTextView = (TextView) findViewById(R.id.output); Button addWaypointsButton = (Button) findViewById(R.id.add_waypoints_button); addWaypointsButton.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { List<Track> tracks = myTracksProviderUtils.getAllTracks(); Calendar now = Calendar.getInstance(); for (Track track : tracks) { Waypoint waypoint = new Waypoint(); waypoint.setTrackId(track.getId()); waypoint.setName(now.getTime().toLocaleString()); waypoint.setDescription(now.getTime().toLocaleString()); myTracksProviderUtils.insertWaypoint(waypoint); } } }); // for the MyTracks service intent = new Intent(); ComponentName componentName = new ComponentName( getString(R.string.mytracks_service_package), getString(R.string.mytracks_service_class)); intent.setComponent(componentName); Button startRecordingButton = (Button) findViewById(R.id.start_recording_button); startRecordingButton.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { if (myTracksService != null) { try { myTracksService.startNewTrack(); } catch (RemoteException e) { Log.e(TAG, "RemoteException", e); } } } }); Button stopRecordingButton = (Button) findViewById(R.id.stop_recording_button); stopRecordingButton.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { if (myTracksService != null) { try { myTracksService.endCurrentTrack(); } catch (RemoteException e) { Log.e(TAG, "RemoteException", e); } } } }); } @Override protected void onStart() { super.onStart(); // use the MyTracks content provider to get all the tracks List<Track> tracks = myTracksProviderUtils.getAllTracks(); for (Track track : tracks) { outputTextView.append(track.getId() + " "); } // start and bind the MyTracks service startService(intent); bindService(intent, serviceConnection, 0); } @Override protected void onStop() { super.onStop(); // unbind and stop the MyTracks service if (myTracksService != null) { unbindService(serviceConnection); } stopService(intent); } }
0359xiaodong-mytracks
MyTracksApiSample/src/com/google/android/apps/mytracks/samples/api/MainActivity.java
Java
asf20
5,172
/* * 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.samples.api; import android.content.BroadcastReceiver; import android.content.Context; import android.content.Intent; import android.widget.Toast; /** * A receiver to receive MyTracks notifications. * * @author Jimmy Shih */ public class MyTracksReceiver extends BroadcastReceiver { @Override public void onReceive(Context context, Intent intent) { String action = intent.getAction(); long trackId = intent.getLongExtra(context.getString(R.string.track_id_broadcast_extra), -1L); Toast.makeText(context, action + " " + trackId, Toast.LENGTH_LONG).show(); } }
0359xiaodong-mytracks
MyTracksApiSample/src/com/google/android/apps/mytracks/samples/api/MyTracksReceiver.java
Java
asf20
1,220
#!/bin/bash # # Copyright 2010 Google Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # This script retrieves the value of a given named string from all indicated # strings.xml files. If invoked in a project directory (a directory with a # 'res' subdirectory), and if no strings.xml files are provided, the script # will automatically analyze res/values*/strings.xml PROGNAME=$(basename "$0") function usage() { echo "Usage: ${PROGNAME} string_name [file file..]" >&2 exit 2 } function die() { echo "${PROGNAME}: $@" >&2 exit 1 } if [[ "$#" -lt 1 ]] ; then usage fi name=$1 shift files= if [[ $# -eq 0 ]] ; then if [[ -d res ]] ; then files=res/values*/strings.xml else die "invoked outside of project root with no file arguments" fi else files="$@" fi for file in $files ; do echo === $file xmllint --xpath /resources/string[@name=\"$name\"] $file echo done
0359xiaodong-mytracks
scripts/cat_message
Shell
asf20
1,404
''' Module which brings history information about files from Mercurial. @author: Rodrigo Damazio ''' import re import subprocess REVISION_REGEX = re.compile(r'(?P<hash>[0-9a-f]{12}):.*') def _GetOutputLines(args): ''' Runs an external process and returns its output as a list of lines. @param args: the arguments to run ''' process = subprocess.Popen(args, stdout=subprocess.PIPE, universal_newlines = True, shell = False) output = process.communicate()[0] return output.splitlines() def FillMercurialRevisions(filename, parsed_file): ''' Fills the revs attribute of all strings in the given parsed file with a list of revisions that touched the lines corresponding to that string. @param filename: the name of the file to get history for @param parsed_file: the parsed file to modify ''' # Take output of hg annotate to get revision of each line output_lines = _GetOutputLines(['hg', 'annotate', '-c', filename]) # Create a map of line -> revision (key is list index, line 0 doesn't exist) line_revs = ['dummy'] for line in output_lines: rev_match = REVISION_REGEX.match(line) if not rev_match: raise 'Unexpected line of output from hg: %s' % line rev_hash = rev_match.group('hash') line_revs.append(rev_hash) for str in parsed_file.itervalues(): # Get the lines that correspond to each string start_line = str['startLine'] end_line = str['endLine'] # Get the revisions that touched those lines revs = [] for line_number in range(start_line, end_line + 1): revs.append(line_revs[line_number]) # Merge with any revisions that were already there # (for explict revision specification) if 'revs' in str: revs += str['revs'] # Assign the revisions to the string str['revs'] = frozenset(revs) def DoesRevisionSuperceed(filename, rev1, rev2): ''' Tells whether a revision superceeds another. This essentially means that the older revision is an ancestor of the newer one. This also returns True if the two revisions are the same. @param rev1: the revision that may be superceeding the other @param rev2: the revision that may be superceeded @return: True if rev1 superceeds rev2 or they're the same ''' if rev1 == rev2: return True # TODO: Add filename args = ['hg', 'log', '-r', 'ancestors(%s)' % rev1, '--template', '{node|short}\n', filename] output_lines = _GetOutputLines(args) return rev2 in output_lines def NewestRevision(filename, rev1, rev2): ''' Returns which of two revisions is closest to the head of the repository. If none of them is the ancestor of the other, then we return either one. @param rev1: the first revision @param rev2: the second revision ''' if DoesRevisionSuperceed(filename, rev1, rev2): return rev1 return rev2
0359xiaodong-mytracks
scripts/i18n/src/mytracks/history.py
Python
asf20
2,914
''' Module which compares languague files to the master file and detects issues. @author: Rodrigo Damazio ''' import os from mytracks.parser import StringsParser import mytracks.history class Validator(object): def __init__(self, languages): ''' Builds a strings file validator. Params: @param languages: a dictionary mapping each language to its corresponding directory ''' self._langs = {} self._master = None self._language_paths = languages parser = StringsParser() for lang, lang_dir in languages.iteritems(): filename = os.path.join(lang_dir, 'strings.xml') parsed_file = parser.Parse(filename) mytracks.history.FillMercurialRevisions(filename, parsed_file) if lang == 'en': self._master = parsed_file else: self._langs[lang] = parsed_file self._Reset() def Validate(self): ''' Computes whether all the data in the files for the given languages is valid. ''' self._Reset() self._ValidateMissingKeys() self._ValidateOutdatedKeys() def valid(self): return (len(self._missing_in_master) == 0 and len(self._missing_in_lang) == 0 and len(self._outdated_in_lang) == 0) def missing_in_master(self): return self._missing_in_master def missing_in_lang(self): return self._missing_in_lang def outdated_in_lang(self): return self._outdated_in_lang def _Reset(self): # These are maps from language to string name list self._missing_in_master = {} self._missing_in_lang = {} self._outdated_in_lang = {} def _ValidateMissingKeys(self): ''' Computes whether there are missing keys on either side. ''' master_keys = frozenset(self._master.iterkeys()) for lang, file in self._langs.iteritems(): keys = frozenset(file.iterkeys()) missing_in_master = keys - master_keys missing_in_lang = master_keys - keys if len(missing_in_master) > 0: self._missing_in_master[lang] = missing_in_master if len(missing_in_lang) > 0: self._missing_in_lang[lang] = missing_in_lang def _ValidateOutdatedKeys(self): ''' Computers whether any of the language keys are outdated with relation to the master keys. ''' for lang, file in self._langs.iteritems(): outdated = [] for key, str in file.iteritems(): # Get all revisions that touched master and language files for this # string. master_str = self._master[key] master_revs = master_str['revs'] lang_revs = str['revs'] if not master_revs or not lang_revs: print 'WARNING: No revision for %s in %s' % (key, lang) continue master_file = os.path.join(self._language_paths['en'], 'strings.xml') lang_file = os.path.join(self._language_paths[lang], 'strings.xml') # Assume that the repository has a single head (TODO: check that), # and as such there is always one revision which superceeds all others. master_rev = reduce( lambda r1, r2: mytracks.history.NewestRevision(master_file, r1, r2), master_revs) lang_rev = reduce( lambda r1, r2: mytracks.history.NewestRevision(lang_file, r1, r2), lang_revs) # If the master version is newer than the lang version if mytracks.history.DoesRevisionSuperceed(lang_file, master_rev, lang_rev): outdated.append(key) if len(outdated) > 0: self._outdated_in_lang[lang] = outdated
0359xiaodong-mytracks
scripts/i18n/src/mytracks/validate.py
Python
asf20
3,547
#!/usr/bin/python ''' Entry point for My Tracks i18n tool. @author: Rodrigo Damazio ''' import mytracks.files import mytracks.translate import mytracks.validate import sys def Usage(): print 'Usage: %s <command> [<language> ...]\n' % sys.argv[0] print 'Commands are:' print ' cleanup' print ' translate' print ' validate' sys.exit(1) def Translate(languages): ''' Asks the user to interactively translate any missing or oudated strings from the files for the given languages. @param languages: the languages to translate ''' validator = mytracks.validate.Validator(languages) validator.Validate() missing = validator.missing_in_lang() outdated = validator.outdated_in_lang() for lang in languages: untranslated = missing[lang] + outdated[lang] if len(untranslated) == 0: continue translator = mytracks.translate.Translator(lang) translator.Translate(untranslated) def Validate(languages): ''' Computes and displays errors in the string files for the given languages. @param languages: the languages to compute for ''' validator = mytracks.validate.Validator(languages) validator.Validate() error_count = 0 if (validator.valid()): print 'All files OK' else: for lang, missing in validator.missing_in_master().iteritems(): print 'Missing in master, present in %s: %s:' % (lang, str(missing)) error_count = error_count + len(missing) for lang, missing in validator.missing_in_lang().iteritems(): print 'Missing in %s, present in master: %s:' % (lang, str(missing)) error_count = error_count + len(missing) for lang, outdated in validator.outdated_in_lang().iteritems(): print 'Outdated in %s: %s:' % (lang, str(outdated)) error_count = error_count + len(outdated) return error_count if __name__ == '__main__': argv = sys.argv argc = len(argv) if argc < 2: Usage() languages = mytracks.files.GetAllLanguageFiles() if argc == 3: langs = set(argv[2:]) if not langs.issubset(languages): raise 'Language(s) not found' # Filter just to the languages specified languages = dict((lang, lang_file) for lang, lang_file in languages.iteritems() if lang in langs or lang == 'en' ) cmd = argv[1] if cmd == 'translate': Translate(languages) elif cmd == 'validate': error_count = Validate(languages) else: Usage() error_count = 0 print '%d errors found.' % error_count
0359xiaodong-mytracks
scripts/i18n/src/mytracks/main.py
Python
asf20
2,508
''' Module for dealing with resource files (but not their contents). @author: Rodrigo Damazio ''' import os.path from glob import glob import re MYTRACKS_RES_DIR = 'MyTracks/res' ANDROID_MASTER_VALUES = 'values' ANDROID_VALUES_MASK = 'values-*' def GetMyTracksDir(): ''' Returns the directory in which the MyTracks directory is located. ''' path = os.getcwd() while not os.path.isdir(os.path.join(path, MYTRACKS_RES_DIR)): if path == '/': raise 'Not in My Tracks project' # Go up one level path = os.path.split(path)[0] return path def GetAllLanguageFiles(): ''' Returns a mapping from all found languages to their respective directories. ''' mytracks_path = GetMyTracksDir() res_dir = os.path.join(mytracks_path, MYTRACKS_RES_DIR, ANDROID_VALUES_MASK) language_dirs = glob(res_dir) master_dir = os.path.join(mytracks_path, MYTRACKS_RES_DIR, ANDROID_MASTER_VALUES) if len(language_dirs) == 0: raise 'No languages found!' if not os.path.isdir(master_dir): raise 'Couldn\'t find master file' language_tuples = [(re.findall(r'.*values-([A-Za-z-]+)', dir)[0],dir) for dir in language_dirs] language_tuples.append(('en', master_dir)) return dict(language_tuples)
0359xiaodong-mytracks
scripts/i18n/src/mytracks/files.py
Python
asf20
1,229
''' Module which parses a string XML file. @author: Rodrigo Damazio ''' from xml.parsers.expat import ParserCreate import re #import xml.etree.ElementTree as ET class StringsParser(object): ''' Parser for string XML files. This object is not thread-safe and should be used for parsing a single file at a time, only. ''' def Parse(self, file): ''' Parses the given file and returns a dictionary mapping keys to an object with attributes for that key, such as the value, start/end line and explicit revisions. In addition to the standard XML format of the strings file, this parser supports an annotation inside comments, in one of these formats: <!-- KEEP_PARENT name="bla" --> <!-- KEEP_PARENT name="bla" rev="123456789012" --> Such an annotation indicates that we're explicitly inheriting form the master file (and the optional revision says that this decision is compatible with the master file up to that revision). @param file: the name of the file to parse ''' self._Reset() # Unfortunately expat is the only parser that will give us line numbers self._xml_parser = ParserCreate() self._xml_parser.StartElementHandler = self._StartElementHandler self._xml_parser.EndElementHandler = self._EndElementHandler self._xml_parser.CharacterDataHandler = self._CharacterDataHandler self._xml_parser.CommentHandler = self._CommentHandler file_obj = open(file) self._xml_parser.ParseFile(file_obj) file_obj.close() return self._all_strings def _Reset(self): self._currentString = None self._currentStringName = None self._currentStringValue = None self._all_strings = {} def _StartElementHandler(self, name, attrs): if name != 'string': return if 'name' not in attrs: return assert not self._currentString assert not self._currentStringName self._currentString = { 'startLine' : self._xml_parser.CurrentLineNumber, } if 'rev' in attrs: self._currentString['revs'] = [attrs['rev']] self._currentStringName = attrs['name'] self._currentStringValue = '' def _EndElementHandler(self, name): if name != 'string': return assert self._currentString assert self._currentStringName self._currentString['value'] = self._currentStringValue self._currentString['endLine'] = self._xml_parser.CurrentLineNumber self._all_strings[self._currentStringName] = self._currentString self._currentString = None self._currentStringName = None self._currentStringValue = None def _CharacterDataHandler(self, data): if not self._currentString: return self._currentStringValue += data _KEEP_PARENT_REGEX = re.compile(r'\s*KEEP_PARENT\s+' r'name\s*=\s*[\'"]?(?P<name>[a-z0-9_]+)[\'"]?' r'(?:\s+rev=[\'"]?(?P<rev>[0-9a-f]{12})[\'"]?)?\s*', re.MULTILINE | re.DOTALL) def _CommentHandler(self, data): keep_parent_match = self._KEEP_PARENT_REGEX.match(data) if not keep_parent_match: return name = keep_parent_match.group('name') self._all_strings[name] = { 'keepParent' : True, 'startLine' : self._xml_parser.CurrentLineNumber, 'endLine' : self._xml_parser.CurrentLineNumber } rev = keep_parent_match.group('rev') if rev: self._all_strings[name]['revs'] = [rev]
0359xiaodong-mytracks
scripts/i18n/src/mytracks/parser.py
Python
asf20
3,476
''' Module which prompts the user for translations and saves them. TODO: implement @author: Rodrigo Damazio ''' class Translator(object): ''' classdocs ''' def __init__(self, language): ''' Constructor ''' self._language = language def Translate(self, string_names): print string_names
0359xiaodong-mytracks
scripts/i18n/src/mytracks/translate.py
Python
asf20
320
/* * Copyright 2011 Dynastream Innovations Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.dsi.ant; /** * The Android Ant API is not finalized, and *will* be updated and expanded. * This is the base level ANT messaging API and gives any application full * control over the ANT radio HW. Caution should be exercised when using * this interface. * * Public API for controlling the Ant Service. * * {@hide} */ interface IAnt_6 { // Since version 1 (1.0): boolean enable(); boolean disable(); boolean isEnabled(); boolean ANTTxMessage(in byte[] message); boolean ANTResetSystem(); boolean ANTUnassignChannel(byte channelNumber); boolean ANTAssignChannel(byte channelNumber, byte channelType, byte networkNumber); boolean ANTSetChannelId(byte channelNumber, int deviceNumber, byte deviceType, byte txType); boolean ANTSetChannelPeriod(byte channelNumber, int channelPeriod); boolean ANTSetChannelRFFreq(byte channelNumber, byte radioFrequency); boolean ANTSetChannelSearchTimeout(byte channelNumber, byte searchTimeout); boolean ANTSetLowPriorityChannelSearchTimeout(byte channelNumber, byte searchTimeout); boolean ANTSetProximitySearch(byte channelNumber, byte searchThreshold); boolean ANTSetChannelTxPower(byte channelNumber, byte txPower); boolean ANTAddChannelId(byte channelNumber, int deviceNumber, byte deviceType, byte txType, byte listIndex); boolean ANTConfigList(byte channelNumber, byte listSize, byte exclude); boolean ANTOpenChannel(byte channelNumber); boolean ANTCloseChannel(byte channelNumber); boolean ANTRequestMessage(byte channelNumber, byte messageID); boolean ANTSendBroadcastData(byte channelNumber, in byte[] txBuffer); boolean ANTSendAcknowledgedData(byte channelNumber, in byte[] txBuffer); boolean ANTSendBurstTransferPacket(byte control, in byte[] txBuffer); int ANTSendBurstTransfer(byte channelNumber, in byte[] txBuffer); int ANTTransmitBurst(byte channelNumber, in byte[] txBuffer, int initialPacket, boolean containsEndOfBurst); // Since version 4 (1.3): boolean ANTConfigEventBuffering(int screenOnFlushTimerInterval, int screenOnFlushBufferThreshold, int screenOffFlushTimerInterval, int screenOffFlushBufferThreshold); // Since version 2 (1.1): boolean ANTDisableEventBuffering(); // Since version 3 (1.2): int getServiceLibraryVersionCode(); String getServiceLibraryVersionName(); // Since version 6 (1.5): boolean claimInterface(); boolean requestForceClaimInterface(String appName); boolean stopRequestForceClaimInterface(); boolean releaseInterface(); boolean hasClaimedInterface(); }
0359xiaodong-mytracks
MyTracks/src/com/dsi/ant/IAnt_6.aidl
AIDL
asf20
3,249
/* * Copyright 2010 Dynastream Innovations Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.dsi.ant; /** * * API for configuring the non-ANT components of the ANT Service. * * {@hide} */ interface IServiceSettings { void debugLogging(boolean debug); boolean setNumCombinedBurstPackets(int numPackets); int getNumCombinedBurstPackets(); }
0359xiaodong-mytracks
MyTracks/src/com/dsi/ant/IServiceSettings.aidl
AIDL
asf20
902
/* * Copyright 2010 Dynastream Innovations Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.dsi.ant; /** * Public API for controlling the Ant Service. * AntMesg contains definitions for ANT message IDs * * @hide */ public class AntMesg { ///////////////////////////////////////////////////////////////////////////// // HCI VS Message Format // Messages are in the format: // // Outgoing ANT messages (host -> ANT chip) // 01 D1 FD XX YY YY II JJ ------ // ^ ^ ^ ^ // | HCI framing | | ANT Mesg | // // where: 01 is the 1 byte HCI packet Identifier (HCI Command packet) // D1 FD is the 2 byte HCI op code (0xFDD1 stored in little endian) // XX is the 1 byte Length of all parameters in bytes (number of bytes in the HCI packet after this byte) // YY YY is the 2 byte Parameter describing the length of the entire ANT message (II JJ ------) stored in little endian // II is the 1 byte size of the ANT message (0-249) // JJ is the 1 byte ID of the ANT message (1-255, 0 is invalid) // ------ is the data of the ANT message (0-249 bytes of data) // // Incoming HCI Command Complete for ANT message command (host <- ANT chip) // 04 0E 04 01 D1 FD ZZ // // where: 04 is the 1 byte HCI packet Identifier (HCI Event packet) // 0E is the 1 byte HCI event (Command Complete) // 04 is the 1 byte Length of all parameters in bytes (there are 4 bytes) // 01 is the 1 byte Number of parameters in the packet (there is 1 parameter) // D1 FD is the 2 byte HCI Op code of the command (0xFDD1 stored in little endian) // ZZ is the 1 byte response to the command (0x00 - Command Successful // 0x1F - Returned if the receive message queue of the ANT chip is full, the command should be retried // Other - Any other non-zero response code indicates an error) // // Incoming ANT messages (host <- ANT chip) // 04 FF XX 00 05 YY YY II JJ ------ // ^ ^ ^ ^ // | HCI framing | | ANT Mesg | // // where: 04 is the 1 byte HCI packet Identifier (HCI Event packet) // FF is the 1 byte HCI event code (0xFF Vendor Specific event) // XX is the 1 byte Length of all parameters in bytes (number of bytes in the HCI packet after this byte) // 00 05 is the 2 byte vendor specific event code for ANT messages (0x0500 stored in little endian) // YY YY is the 2 byte Parameter describing the length of the entire ANT message (II JJ ------) stored in little endian // II is the 1 byte size of the ANT message (0-249) // JJ is the 1 byte ID of the ANT message (1-255, 0 is invalid) // ------ is the data of the ANT message (0-249 bytes of data) // ///////////////////////////////////////////////////////////////////////////// public static final byte MESG_SYNC_SIZE =((byte)0); // Ant messages are embedded in HCI messages we do not include a sync byte public static final byte MESG_SIZE_SIZE =((byte)1); public static final byte MESG_ID_SIZE =((byte)1); public static final byte MESG_CHANNEL_NUM_SIZE =((byte)1); public static final byte MESG_EXT_MESG_BF_SIZE =((byte)1); // NOTE: this could increase in the future public static final byte MESG_CHECKSUM_SIZE =((byte)0); // Ant messages are embedded in HCI messages we do not include a checksum public static final byte MESG_DATA_SIZE =((byte)9); // The largest serial message is an ANT data message with all of the extended fields public static final byte MESG_ANT_MAX_PAYLOAD_SIZE =AntDefine.ANT_STANDARD_DATA_PAYLOAD_SIZE; public static final byte MESG_MAX_EXT_DATA_SIZE =(AntDefine.ANT_EXT_MESG_DEVICE_ID_FIELD_SIZE + AntDefine.ANT_EXT_STRING_SIZE); // ANT device ID (4 bytes) + Padding for ANT EXT string size(19 bytes) public static final byte MESG_MAX_DATA_SIZE =(MESG_ANT_MAX_PAYLOAD_SIZE + MESG_EXT_MESG_BF_SIZE + MESG_MAX_EXT_DATA_SIZE); // ANT data payload (8 bytes) + extended bitfield (1 byte) + extended data (10 bytes) public static final byte MESG_MAX_SIZE_VALUE =(MESG_MAX_DATA_SIZE + MESG_CHANNEL_NUM_SIZE); // this is the maximum value that the serial message size value is allowed to be public static final byte MESG_BUFFER_SIZE =(MESG_SIZE_SIZE + MESG_ID_SIZE + MESG_CHANNEL_NUM_SIZE + MESG_MAX_DATA_SIZE + MESG_CHECKSUM_SIZE); public static final byte MESG_FRAMED_SIZE =(MESG_ID_SIZE + MESG_CHANNEL_NUM_SIZE + MESG_MAX_DATA_SIZE); public static final byte MESG_HEADER_SIZE =(MESG_SYNC_SIZE + MESG_SIZE_SIZE + MESG_ID_SIZE); public static final byte MESG_FRAME_SIZE =(MESG_HEADER_SIZE + MESG_CHECKSUM_SIZE); public static final byte MESG_MAX_SIZE =(MESG_MAX_DATA_SIZE + MESG_FRAME_SIZE); public static final byte MESG_SIZE_OFFSET =(MESG_SYNC_SIZE); public static final byte MESG_ID_OFFSET =(MESG_SYNC_SIZE + MESG_SIZE_SIZE); public static final byte MESG_DATA_OFFSET =(MESG_HEADER_SIZE); public static final byte MESG_RECOMMENDED_BUFFER_SIZE =((byte) 64); // This is the recommended size for serial message buffers if there are no RAM restrictions on the system ////////////////////////////////////////////// // Message ID's ////////////////////////////////////////////// public static final byte MESG_INVALID_ID =((byte)0x00); public static final byte MESG_EVENT_ID =((byte)0x01); public static final byte MESG_VERSION_ID =((byte)0x3E); public static final byte MESG_RESPONSE_EVENT_ID =((byte)0x40); public static final byte MESG_UNASSIGN_CHANNEL_ID =((byte)0x41); public static final byte MESG_ASSIGN_CHANNEL_ID =((byte)0x42); public static final byte MESG_CHANNEL_MESG_PERIOD_ID =((byte)0x43); public static final byte MESG_CHANNEL_SEARCH_TIMEOUT_ID =((byte)0x44); public static final byte MESG_CHANNEL_RADIO_FREQ_ID =((byte)0x45); public static final byte MESG_NETWORK_KEY_ID =((byte)0x46); public static final byte MESG_RADIO_TX_POWER_ID =((byte)0x47); public static final byte MESG_RADIO_CW_MODE_ID =((byte)0x48); public static final byte MESG_SYSTEM_RESET_ID =((byte)0x4A); public static final byte MESG_OPEN_CHANNEL_ID =((byte)0x4B); public static final byte MESG_CLOSE_CHANNEL_ID =((byte)0x4C); public static final byte MESG_REQUEST_ID =((byte)0x4D); public static final byte MESG_BROADCAST_DATA_ID =((byte)0x4E); public static final byte MESG_ACKNOWLEDGED_DATA_ID =((byte)0x4F); public static final byte MESG_BURST_DATA_ID =((byte)0x50); public static final byte MESG_CHANNEL_ID_ID =((byte)0x51); public static final byte MESG_CHANNEL_STATUS_ID =((byte)0x52); public static final byte MESG_RADIO_CW_INIT_ID =((byte)0x53); public static final byte MESG_CAPABILITIES_ID =((byte)0x54); public static final byte MESG_STACKLIMIT_ID =((byte)0x55); public static final byte MESG_SCRIPT_DATA_ID =((byte)0x56); public static final byte MESG_SCRIPT_CMD_ID =((byte)0x57); public static final byte MESG_ID_LIST_ADD_ID =((byte)0x59); public static final byte MESG_ID_LIST_CONFIG_ID =((byte)0x5A); public static final byte MESG_OPEN_RX_SCAN_ID =((byte)0x5B); public static final byte MESG_EXT_CHANNEL_RADIO_FREQ_ID =((byte)0x5C); // OBSOLETE: (for 905 radio) public static final byte MESG_EXT_BROADCAST_DATA_ID =((byte)0x5D); public static final byte MESG_EXT_ACKNOWLEDGED_DATA_ID =((byte)0x5E); public static final byte MESG_EXT_BURST_DATA_ID =((byte)0x5F); public static final byte MESG_CHANNEL_RADIO_TX_POWER_ID =((byte)0x60); public static final byte MESG_GET_SERIAL_NUM_ID =((byte)0x61); public static final byte MESG_GET_TEMP_CAL_ID =((byte)0x62); public static final byte MESG_SET_LP_SEARCH_TIMEOUT_ID =((byte)0x63); public static final byte MESG_SET_TX_SEARCH_ON_NEXT_ID =((byte)0x64); public static final byte MESG_SERIAL_NUM_SET_CHANNEL_ID_ID =((byte)0x65); public static final byte MESG_RX_EXT_MESGS_ENABLE_ID =((byte)0x66); public static final byte MESG_RADIO_CONFIG_ALWAYS_ID =((byte)0x67); public static final byte MESG_ENABLE_LED_FLASH_ID =((byte)0x68); public static final byte MESG_XTAL_ENABLE_ID =((byte)0x6D); public static final byte MESG_STARTUP_MESG_ID =((byte)0x6F); public static final byte MESG_AUTO_FREQ_CONFIG_ID =((byte)0x70); public static final byte MESG_PROX_SEARCH_CONFIG_ID =((byte)0x71); public static final byte MESG_EVENT_BUFFERING_CONFIG_ID =((byte)0x74); public static final byte MESG_CUBE_CMD_ID =((byte)0x80); public static final byte MESG_GET_PIN_DIODE_CONTROL_ID =((byte)0x8D); public static final byte MESG_PIN_DIODE_CONTROL_ID =((byte)0x8E); public static final byte MESG_FIT1_SET_AGC_ID =((byte)0x8F); public static final byte MESG_FIT1_SET_EQUIP_STATE_ID =((byte)0x91); // *** CONFLICT: w/ Sensrcore, Fit1 will never have sensrcore enabled // Sensrcore Messages public static final byte MESG_SET_CHANNEL_INPUT_MASK_ID =((byte)0x90); public static final byte MESG_SET_CHANNEL_DATA_TYPE_ID =((byte)0x91); public static final byte MESG_READ_PINS_FOR_SECT_ID =((byte)0x92); public static final byte MESG_TIMER_SELECT_ID =((byte)0x93); public static final byte MESG_ATOD_SETTINGS_ID =((byte)0x94); public static final byte MESG_SET_SHARED_ADDRESS_ID =((byte)0x95); public static final byte MESG_ATOD_EXTERNAL_ENABLE_ID =((byte)0x96); public static final byte MESG_ATOD_PIN_SETUP_ID =((byte)0x97); public static final byte MESG_SETUP_ALARM_ID =((byte)0x98); public static final byte MESG_ALARM_VARIABLE_MODIFY_TEST_ID =((byte)0x99); public static final byte MESG_PARTIAL_RESET_ID =((byte)0x9A); public static final byte MESG_OVERWRITE_TEMP_CAL_ID =((byte)0x9B); public static final byte MESG_SERIAL_PASSTHRU_SETTINGS_ID =((byte)0x9C); public static final byte MESG_BIST_ID =((byte)0xAA); public static final byte MESG_UNLOCK_INTERFACE_ID =((byte)0xAD); public static final byte MESG_SERIAL_ERROR_ID =((byte)0xAE); public static final byte MESG_SET_ID_STRING_ID =((byte)0xAF); public static final byte MESG_PORT_GET_IO_STATE_ID =((byte)0xB4); public static final byte MESG_PORT_SET_IO_STATE_ID =((byte)0xB5); public static final byte MESG_SLEEP_ID =((byte)0xC5); public static final byte MESG_GET_GRMN_ESN_ID =((byte)0xC6); public static final byte MESG_SET_USB_INFO_ID =((byte)0xC7); public static final byte MESG_COMMAND_COMPLETE_RESPONSE_ID =((byte)0xC8); ////////////////////////////////////////////// // Command complete results ////////////////////////////////////////////// public static final byte MESG_COMMAND_COMPLETE_SUCCESS =((byte)0x00); public static final byte MESG_COMMAND_COMPLETE_RETRY =((byte)0x1F); ////////////////////////////////////////////// // Message Sizes ////////////////////////////////////////////// public static final byte MESG_INVALID_SIZE =((byte)0); public static final byte MESG_VERSION_SIZE =((byte)13); public static final byte MESG_RESPONSE_EVENT_SIZE =((byte)3); public static final byte MESG_CHANNEL_STATUS_SIZE =((byte)2); public static final byte MESG_UNASSIGN_CHANNEL_SIZE =((byte)1); public static final byte MESG_ASSIGN_CHANNEL_SIZE =((byte)3); public static final byte MESG_CHANNEL_ID_SIZE =((byte)5); public static final byte MESG_CHANNEL_MESG_PERIOD_SIZE =((byte)3); public static final byte MESG_CHANNEL_SEARCH_TIMEOUT_SIZE =((byte)2); public static final byte MESG_CHANNEL_RADIO_FREQ_SIZE =((byte)2); public static final byte MESG_CHANNEL_RADIO_TX_POWER_SIZE =((byte)2); public static final byte MESG_NETWORK_KEY_SIZE =((byte)9); public static final byte MESG_RADIO_TX_POWER_SIZE =((byte)2); public static final byte MESG_RADIO_CW_MODE_SIZE =((byte)3); public static final byte MESG_RADIO_CW_INIT_SIZE =((byte)1); public static final byte MESG_SYSTEM_RESET_SIZE =((byte)1); public static final byte MESG_OPEN_CHANNEL_SIZE =((byte)1); public static final byte MESG_CLOSE_CHANNEL_SIZE =((byte)1); public static final byte MESG_REQUEST_SIZE =((byte)2); public static final byte MESG_CAPABILITIES_SIZE =((byte)6); public static final byte MESG_STACKLIMIT_SIZE =((byte)2); public static final byte MESG_SCRIPT_DATA_SIZE =((byte)10); public static final byte MESG_SCRIPT_CMD_SIZE =((byte)3); public static final byte MESG_ID_LIST_ADD_SIZE =((byte)6); public static final byte MESG_ID_LIST_CONFIG_SIZE =((byte)3); public static final byte MESG_OPEN_RX_SCAN_SIZE =((byte)1); public static final byte MESG_EXT_CHANNEL_RADIO_FREQ_SIZE =((byte)3); public static final byte MESG_RADIO_CONFIG_ALWAYS_SIZE =((byte)2); public static final byte MESG_RX_EXT_MESGS_ENABLE_SIZE =((byte)2); public static final byte MESG_SET_TX_SEARCH_ON_NEXT_SIZE =((byte)2); public static final byte MESG_SET_LP_SEARCH_TIMEOUT_SIZE =((byte)2); public static final byte MESG_SERIAL_NUM_SET_CHANNEL_ID_SIZE =((byte)3); public static final byte MESG_ENABLE_LED_FLASH_SIZE =((byte)2); public static final byte MESG_GET_SERIAL_NUM_SIZE =((byte)4); public static final byte MESG_GET_TEMP_CAL_SIZE =((byte)4); public static final byte MESG_XTAL_ENABLE_SIZE =((byte)1); public static final byte MESG_STARTUP_MESG_SIZE =((byte)1); public static final byte MESG_AUTO_FREQ_CONFIG_SIZE =((byte)4); public static final byte MESG_PROX_SEARCH_CONFIG_SIZE =((byte)2); public static final byte MESG_GET_PIN_DIODE_CONTROL_SIZE =((byte)1); public static final byte MESG_PIN_DIODE_CONTROL_ID_SIZE =((byte)2); public static final byte MESG_FIT1_SET_EQUIP_STATE_SIZE =((byte)2); public static final byte MESG_FIT1_SET_AGC_SIZE =((byte)3); public static final byte MESG_BIST_SIZE =((byte)6); public static final byte MESG_UNLOCK_INTERFACE_SIZE =((byte)1); public static final byte MESG_SET_SHARED_ADDRESS_SIZE =((byte)3); public static final byte MESG_GET_GRMN_ESN_SIZE =((byte)5); public static final byte MESG_PORT_SET_IO_STATE_SIZE =((byte)5); public static final byte MESG_EVENT_BUFFERING_CONFIG_SIZE =((byte)6); public static final byte MESG_SLEEP_SIZE =((byte)1); public static final byte MESG_EXT_DATA_SIZE =((byte)13); protected AntMesg() { } }
0359xiaodong-mytracks
MyTracks/src/com/dsi/ant/AntMesg.java
Java
asf20
16,889
/* * Copyright 2010 Dynastream Innovations Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.dsi.ant; /** * Manages the ANT Interface * * @hide */ public interface AntInterfaceIntent { public static final String STATUS = "com.dsi.ant.rx.intent.STATUS"; public static final String ANT_MESSAGE = "com.dsi.ant.intent.ANT_MESSAGE"; public static final String ANT_INTERFACE_CLAIMED_PID = "com.dsi.ant.intent.ANT_INTERFACE_CLAIMED_PID"; public static final String ANT_ENABLED_ACTION = "com.dsi.ant.intent.action.ANT_ENABLED"; public static final String ANT_DISABLED_ACTION = "com.dsi.ant.intent.action.ANT_DISABLED"; public static final String ANT_RESET_ACTION = "com.dsi.ant.intent.action.ANT_RESET"; public static final String ANT_INTERFACE_CLAIMED_ACTION = "com.dsi.ant.intent.action.ANT_INTERFACE_CLAIMED_ACTION"; public static final String ANT_RX_MESSAGE_ACTION = "com.dsi.ant.intent.action.ANT_RX_MESSAGE_ACTION"; }
0359xiaodong-mytracks
MyTracks/src/com/dsi/ant/AntInterfaceIntent.java
Java
asf20
1,521
/* * Copyright 2011 Dynastream Innovations Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.dsi.ant; /** * Defines version numbers * * @hide */ public class Version { ////////////////////////////////////////////// // Library Version Information ////////////////////////////////////////////// public static final int ANT_LIBRARY_VERSION_CODE = 6; public static final int ANT_LIBRARY_VERSION_MAJOR = 2; public static final int ANT_LIBRARY_VERSION_MINOR = 0; public static final String ANT_LIBRARY_VERSION_NAME = String.valueOf(ANT_LIBRARY_VERSION_MAJOR) + "." + String.valueOf(ANT_LIBRARY_VERSION_MINOR); }
0359xiaodong-mytracks
MyTracks/src/com/dsi/ant/Version.java
Java
asf20
1,193
/* * Copyright 2010 Dynastream Innovations Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.dsi.ant; /** * The Android Ant API is not finalized, and *will* be updated and expanded. * This is the base level ANT messaging API and gives any application full * control over the ANT radio HW. Caution should be exercised when using * this interface. * * Public API for controlling the Ant Service. * * {@hide} */ interface IAnt { // Since version 1 (1.0): boolean enable(); boolean disable(); boolean isEnabled(); boolean ANTTxMessage(in byte[] message); boolean ANTResetSystem(); boolean ANTUnassignChannel(byte channelNumber); boolean ANTAssignChannel(byte channelNumber, byte channelType, byte networkNumber); boolean ANTSetChannelId(byte channelNumber, int deviceNumber, byte deviceType, byte txType); boolean ANTSetChannelPeriod(byte channelNumber, int channelPeriod); boolean ANTSetChannelRFFreq(byte channelNumber, byte radioFrequency); boolean ANTSetChannelSearchTimeout(byte channelNumber, byte searchTimeout); boolean ANTSetLowPriorityChannelSearchTimeout(byte channelNumber, byte searchTimeout); boolean ANTSetProximitySearch(byte channelNumber, byte searchThreshold); boolean ANTSetChannelTxPower(byte channelNumber, byte txPower); boolean ANTAddChannelId(byte channelNumber, int deviceNumber, byte deviceType, byte txType, byte listIndex); boolean ANTConfigList(byte channelNumber, byte listSize, byte exclude); boolean ANTOpenChannel(byte channelNumber); boolean ANTCloseChannel(byte channelNumber); boolean ANTRequestMessage(byte channelNumber, byte messageID); boolean ANTSendBroadcastData(byte channelNumber, in byte[] txBuffer); boolean ANTSendAcknowledgedData(byte channelNumber, in byte[] txBuffer); boolean ANTSendBurstTransferPacket(byte control, in byte[] txBuffer); int ANTSendBurstTransfer(byte channelNumber, in byte[] txBuffer); int ANTTransmitBurst(byte channelNumber, in byte[] txBuffer, int initialPacket, boolean containsEndOfBurst); // Since version 4 (1.3): boolean ANTConfigEventBuffering(int screenOnFlushTimerInterval, int screenOnFlushBufferThreshold, int screenOffFlushTimerInterval, int screenOffFlushBufferThreshold); // Since version 2 (1.1): boolean ANTDisableEventBuffering(); // Since version 3 (1.2): int getServiceLibraryVersionCode(); String getServiceLibraryVersionName(); }
0359xiaodong-mytracks
MyTracks/src/com/dsi/ant/IAnt.aidl
AIDL
asf20
3,017
/* * Copyright 2010 Dynastream Innovations Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.dsi.ant; import com.dsi.ant.exception.AntInterfaceException; import com.dsi.ant.exception.AntRemoteException; import com.dsi.ant.exception.AntServiceNotConnectedException; import android.content.ComponentName; import android.content.Context; import android.content.Intent; import android.content.ServiceConnection; import android.net.Uri; import android.os.IBinder; import android.os.RemoteException; import android.util.Log; import java.util.Arrays; /** * Public API for controlling the Ant Service. AntInterface is a proxy * object for controlling the Ant Service via IPC. Creating a AntInterface * object will create a binding with the Ant service. * * @hide */ public class AntInterface { /** The Log Tag. */ public static final String TAG = "ANTInterface"; /** Enable debug logging. */ public static boolean DEBUG = false; /** Search string to find ANT Radio Proxy Service in the Android Marketplace */ private static final String MARKET_SEARCH_TEXT_DEFAULT = "ANT Radio Service Dynastream Innovations Inc"; /** Name of the ANT Radio shared library */ private static final String ANT_LIBRARY_NAME = "com.dsi.ant.antradio_library"; /** Inter-process communication with the ANT Radio Proxy Service. */ private static IAnt_6 sAntReceiver = null; /** Singleton instance of this class. */ private static AntInterface INSTANCE; /** Used when obtaining a reference to the singleton instance. */ private static Object INSTANCE_LOCK = new Object(); /** The context to use. */ private Context sContext = null; /** Listens to changes to service connection status. */ private ServiceListener sServiceListener; /** Is the ANT Radio Proxy Service connected. */ private static boolean sServiceConnected = false; /** The version code (eg. 1) of ANTLib used by the ANT application service */ private static int mServiceLibraryVersionCode = 0; /** Has support for ANT already been checked */ private static boolean mCheckedAntSupported = false; /** Is ANT supported on this device */ private static boolean mAntSupported = false; /** * An interface for notifying AntInterface IPC clients when they have been * connected to the ANT service. */ public interface ServiceListener { /** * Called to notify the client when this proxy object has been * connected to the ANT service. Clients must wait for * this callback before making IPC calls on the ANT * service. */ public void onServiceConnected(); /** * Called to notify the client that this proxy object has been * disconnected from the ANT service. Clients must not * make IPC calls on the ANT service after this callback. * This callback will currently only occur if the application hosting * the BluetoothAg service, but may be called more often in future. */ public void onServiceDisconnected(); } //Constructor /** * Instantiates a new ant interface. * * @param context the context * @param listener the listener * @since 1.0 */ private AntInterface(Context context, ServiceListener listener) { // This will be around as long as this process is sContext = context; sServiceListener = listener; } /** * Gets the single instance of AntInterface, creating it if it doesn't exist. * Only the initial request for an instance will have context and listener set to the requested objects. * * @param context the context used to bind to the remote service. * @param listener the listener to be notified of status changes. * @return the AntInterface instance. * @since 1.0 */ public static AntInterface getInstance(Context context,ServiceListener listener) { if(DEBUG) Log.d(TAG, "getInstance"); synchronized (INSTANCE_LOCK) { if(!hasAntSupport(context)) { if(DEBUG) Log.d(TAG, "getInstance: ANT not supported"); return null; } if (INSTANCE == null) { if(DEBUG) Log.d(TAG, "getInstance: Creating new instance"); INSTANCE = new AntInterface(context,listener); } else { if(DEBUG) Log.d(TAG, "getInstance: Using existing instance"); } if(!sServiceConnected) { if(DEBUG) Log.d(TAG, "getInstance: No connection to proxy service, attempting connection"); if(!INSTANCE.initService()) { Log.e(TAG, "getInstance: No connection to proxy service"); INSTANCE.destroy(); INSTANCE = null; } } return INSTANCE; } } /** * Go to market. * * @param pContext the context * @param pSearchText the search text * @since 1.2 */ public static void goToMarket(Context pContext, String pSearchText) { if(null == pSearchText) { goToMarket(pContext); } else { if(DEBUG) Log.i(TAG, "goToMarket: Search text = "+ pSearchText); Intent goToMarket = null; goToMarket = new Intent(Intent.ACTION_VIEW,Uri.parse("http://market.android.com/search?q=" + pSearchText)); goToMarket.addFlags(Intent.FLAG_ACTIVITY_NEW_TASK); pContext.startActivity(goToMarket); } } /** * Go to market. * * @param pContext the context * @since 1.2 */ public static void goToMarket(Context pContext) { if(DEBUG) Log.d(TAG, "goToMarket"); goToMarket(pContext, MARKET_SEARCH_TEXT_DEFAULT); } /** * Class for interacting with the ANT interface. */ private final ServiceConnection sIAntConnection = new ServiceConnection() { public void onServiceConnected(ComponentName pClassName, IBinder pService) { // This is called when the connection with the service has been // established, giving us the service object we can use to // interact with the service. We are communicating with our // service through an IDL interface, so get a client-side // representation of that from the raw service object. if(DEBUG) Log.d(TAG, "sIAntConnection onServiceConnected()"); sAntReceiver = IAnt_6.Stub.asInterface(pService); sServiceConnected = true; // Notify the attached application if it is registered if (sServiceListener != null) { sServiceListener.onServiceConnected(); } else { if(DEBUG) Log.d(TAG, "sIAntConnection onServiceConnected: No service listener registered"); } } public void onServiceDisconnected(ComponentName pClassName) { // This is called when the connection with the service has been // unexpectedly disconnected -- that is, its process crashed. if(DEBUG) Log.d(TAG, "sIAntConnection onServiceDisconnected()"); sAntReceiver = null; sServiceConnected = false; mServiceLibraryVersionCode = 0; // Notify the attached application if it is registered if (sServiceListener != null) { sServiceListener.onServiceDisconnected(); } else { if(DEBUG) Log.d(TAG, "sIAntConnection onServiceDisconnected: No service listener registered"); } // Try and rebind to the service INSTANCE.releaseService(); INSTANCE.initService(); } }; /** * Binds this activity to the ANT service. * * @return true, if successful */ private boolean initService() { if(DEBUG) Log.d(TAG, "initService() entered"); boolean ret = false; if(!sServiceConnected) { ret = sContext.bindService(new Intent(IAnt_6.class.getName()), sIAntConnection, Context.BIND_AUTO_CREATE); if(DEBUG) Log.i(TAG, "initService(): Bound with ANT service: " + ret); } else { if(DEBUG) Log.d(TAG, "initService: already initialised service"); ret = true; } return ret; } /** Unbinds this activity from the ANT service. */ private void releaseService() { if(DEBUG) Log.d(TAG, "releaseService() entered"); // TODO Make sure can handle multiple calls to onDestroy if(sServiceConnected) { sContext.unbindService(sIAntConnection); sServiceConnected = false; } if(DEBUG) Log.d(TAG, "releaseService() unbound."); } /** * True if this activity can communicate with the ANT service. * * @return true, if service is connected * @since 1.2 */ public boolean isServiceConnected() { return sServiceConnected; } /** * Destroy. * * @return true, if successful * @since 1.0 */ public boolean destroy() { if(DEBUG) Log.d(TAG, "destroy"); releaseService(); INSTANCE = null; return true; } ////------------------------------------------------- /** * Enable. * * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void enable() throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.enable()) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * Disable. * * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void disable() throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.disable()) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * Checks if is enabled. * * @return true, if is enabled. * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public boolean isEnabled() throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { return sAntReceiver.isEnabled(); } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT tx message. * * @param message the message * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTTxMessage(byte[] message) throws AntInterfaceException { if(DEBUG) Log.d(TAG, "ANTTxMessage"); if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTTxMessage(message)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT reset system. * * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTResetSystem() throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTResetSystem()) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT unassign channel. * * @param channelNumber the channel number * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTUnassignChannel(byte channelNumber) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTUnassignChannel(channelNumber)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT assign channel. * * @param channelNumber the channel number * @param channelType the channel type * @param networkNumber the network number * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTAssignChannel(byte channelNumber, byte channelType, byte networkNumber) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTAssignChannel(channelNumber, channelType, networkNumber)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT set channel id. * * @param channelNumber the channel number * @param deviceNumber the device number * @param deviceType the device type * @param txType the tx type * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTSetChannelId(byte channelNumber, short deviceNumber, byte deviceType, byte txType) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTSetChannelId(channelNumber, deviceNumber, deviceType, txType)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT set channel period. * * @param channelNumber the channel number * @param channelPeriod the channel period * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTSetChannelPeriod(byte channelNumber, short channelPeriod) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTSetChannelPeriod(channelNumber, channelPeriod)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT set channel rf freq. * * @param channelNumber the channel number * @param radioFrequency the radio frequency * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTSetChannelRFFreq(byte channelNumber, byte radioFrequency) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTSetChannelRFFreq(channelNumber, radioFrequency)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT set channel search timeout. * * @param channelNumber the channel number * @param searchTimeout the search timeout * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTSetChannelSearchTimeout(byte channelNumber, byte searchTimeout) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTSetChannelSearchTimeout(channelNumber, searchTimeout)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT set low priority channel search timeout. * * @param channelNumber the channel number * @param searchTimeout the search timeout * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTSetLowPriorityChannelSearchTimeout(byte channelNumber, byte searchTimeout) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTSetLowPriorityChannelSearchTimeout(channelNumber, searchTimeout)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT set proximity search. * * @param channelNumber the channel number * @param searchThreshold the search threshold * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTSetProximitySearch(byte channelNumber, byte searchThreshold) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTSetProximitySearch(channelNumber, searchThreshold)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT set channel transmit power * @param channelNumber the channel number * @param txPower the transmit power level * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTSetChannelTxPower(byte channelNumber, byte txPower) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTSetChannelTxPower(channelNumber, txPower)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT add channel id. * * @param channelNumber the channel number * @param deviceNumber the device number * @param deviceType the device type * @param txType the tx type * @param listIndex the list index * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTAddChannelId(byte channelNumber, short deviceNumber, byte deviceType, byte txType, byte listIndex) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTAddChannelId(channelNumber, deviceNumber, deviceType, txType, listIndex)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT config list. * * @param channelNumber the channel number * @param listSize the list size * @param exclude the exclude * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTConfigList(byte channelNumber, byte listSize, byte exclude) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTConfigList(channelNumber, listSize, exclude)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT config event buffering. * * @param screenOnFlushTimerInterval the screen on flush timer interval * @param screenOnFlushBufferThreshold the screen on flush buffer threshold * @param screenOffFlushTimerInterval the screen off flush timer interval * @param screenOffFlushBufferThreshold the screen off flush buffer threshold * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.3 */ public void ANTConfigEventBuffering(short screenOnFlushTimerInterval, short screenOnFlushBufferThreshold, short screenOffFlushTimerInterval, short screenOffFlushBufferThreshold) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTConfigEventBuffering((int)screenOnFlushTimerInterval, (int)screenOnFlushBufferThreshold, (int)screenOffFlushTimerInterval, (int)screenOffFlushBufferThreshold)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT disable event buffering. * * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.1 */ public void ANTDisableEventBuffering() throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTDisableEventBuffering()) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT open channel. * * @param channelNumber the channel number * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTOpenChannel(byte channelNumber) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTOpenChannel(channelNumber)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT close channel. * * @param channelNumber the channel number * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTCloseChannel(byte channelNumber) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTCloseChannel(channelNumber)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT request message. * * @param channelNumber the channel number * @param messageID the message id * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTRequestMessage(byte channelNumber, byte messageID) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTRequestMessage(channelNumber, messageID)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT send broadcast data. * * @param channelNumber the channel number * @param txBuffer the tx buffer * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTSendBroadcastData(byte channelNumber, byte[] txBuffer) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTSendBroadcastData(channelNumber, txBuffer)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT send acknowledged data. * * @param channelNumber the channel number * @param txBuffer the tx buffer * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTSendAcknowledgedData(byte channelNumber, byte[] txBuffer) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTSendAcknowledgedData(channelNumber, txBuffer)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT send burst transfer packet. * * @param control the control * @param txBuffer the tx buffer * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public void ANTSendBurstTransferPacket(byte control, byte[] txBuffer) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { if(!sAntReceiver.ANTSendBurstTransferPacket(control, txBuffer)) { throw new AntInterfaceException(); } } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * Transmits the given data on channelNumber as part of a burst message. * * @param channelNumber Which channel to transmit on. * @param txBuffer The data to send. * @return The number of bytes still to be sent (approximately). 0 if success. * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException */ public int ANTSendBurstTransfer(byte channelNumber, byte[] txBuffer) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { return sAntReceiver.ANTSendBurstTransfer(channelNumber, txBuffer); } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * ANT send partial burst. * * @param channelNumber the channel number * @param txBuffer the tx buffer * @param initialPacket the initial packet * @param containsEndOfBurst the contains end of burst * @return The number of bytes still to be sent (approximately). 0 if success. * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.0 */ public int ANTSendPartialBurst(byte channelNumber, byte[] txBuffer, int initialPacket, boolean containsEndOfBurst) throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { return sAntReceiver.ANTTransmitBurst(channelNumber, txBuffer, initialPacket, containsEndOfBurst); } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * Returns the version code (eg. 1) of ANTLib used by the ANT application service * * @return the service library version code, or 0 on error. * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.2 */ public int getServiceLibraryVersionCode() throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } if(mServiceLibraryVersionCode == 0) { try { mServiceLibraryVersionCode = sAntReceiver.getServiceLibraryVersionCode(); } catch(RemoteException e) { throw new AntRemoteException(e); } } return mServiceLibraryVersionCode; } /** * Returns the version name (eg "1.0") of ANTLib used by the ANT application service * * @return the service library version name, or null on error. * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.2 */ public String getServiceLibraryVersionName() throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { return sAntReceiver.getServiceLibraryVersionName(); } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * Take control of the ANT Radio. * * @return True if control has been granted, false if another application has control or the request failed. * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.5 */ public boolean claimInterface() throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { return sAntReceiver.claimInterface(); } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * Give up control of the ANT Radio. * * @return True if control has been given up, false if this application did not have control. * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.5 */ public boolean releaseInterface() throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { return sAntReceiver.releaseInterface(); } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * Claims the interface if it is available. If not the user will be prompted (on the notification bar) if a force claim should be done. * If the ANT Interface is claimed, an AntInterfaceIntent.ANT_INTERFACE_CLAIMED_ACTION intent will be sent, with the current applications pid. * * @param appName The name if this application, to show to the user. * @returns false if a claim interface request notification already exists. * @throws IllegalArgumentException * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.5 */ public boolean requestForceClaimInterface(String appName) throws AntInterfaceException { if((null == appName) || ("".equals(appName))) { throw new IllegalArgumentException(); } if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { return sAntReceiver.requestForceClaimInterface(appName); } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * Clears the notification asking the user if they would like to seize control of the ANT Radio. * * @returns false if this process is not requesting to claim the interface. * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.5 */ public boolean stopRequestForceClaimInterface() throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { return sAntReceiver.stopRequestForceClaimInterface(); } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * Check if the calling application has control of the ANT Radio. * * @return True if control is currently granted. * @throws AntInterfaceException * @throws AntServiceNotConnectedException * @throws AntRemoteException * @since 1.5 */ public boolean hasClaimedInterface() throws AntInterfaceException { if(!sServiceConnected) { throw new AntServiceNotConnectedException(); } try { return sAntReceiver.hasClaimedInterface(); } catch(RemoteException e) { throw new AntRemoteException(e); } } /** * Check if this device has support for ANT. * * @return True if the device supports ANT (may still require ANT Radio Service be installed). * @since 1.5 */ public static boolean hasAntSupport(Context pContext) { if(!mCheckedAntSupported) { mAntSupported = Arrays.asList(pContext.getPackageManager().getSystemSharedLibraryNames()).contains(ANT_LIBRARY_NAME); mCheckedAntSupported = true; } return mAntSupported; } }
0359xiaodong-mytracks
MyTracks/src/com/dsi/ant/AntInterface.java
Java
asf20
36,765
package com.dsi.ant.exception; public class AntInterfaceException extends Exception { /** * */ private static final long serialVersionUID = -7278855366167722274L; public AntInterfaceException() { this("Unknown ANT Interface error"); } public AntInterfaceException(String string) { super(string); } }
0359xiaodong-mytracks
MyTracks/src/com/dsi/ant/exception/AntInterfaceException.java
Java
asf20
364
package com.dsi.ant.exception; import android.os.RemoteException; public class AntRemoteException extends AntInterfaceException { /** * */ private static final long serialVersionUID = 8950974759973459561L; public AntRemoteException(RemoteException e) { this("ANT Interface error, ANT Radio Service remote error: "+e.toString(), e); } public AntRemoteException(String string, RemoteException e) { super(string); this.initCause(e); } }
0359xiaodong-mytracks
MyTracks/src/com/dsi/ant/exception/AntRemoteException.java
Java
asf20
519
package com.dsi.ant.exception; public class AntServiceNotConnectedException extends AntInterfaceException { /** * */ private static final long serialVersionUID = -2085081032170129309L; public AntServiceNotConnectedException() { this("ANT Interface error, ANT Radio Service not connected."); } public AntServiceNotConnectedException(String string) { super(string); } }
0359xiaodong-mytracks
MyTracks/src/com/dsi/ant/exception/AntServiceNotConnectedException.java
Java
asf20
435
/* * Copyright 2010 Dynastream Innovations Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.dsi.ant; /** * The Android Ant API is not finalized, and *will* change. Use at your * own risk. * * Public API for controlling the Ant Service. * AntDefines contains definitions commonly used in ANT messaging. * * @hide */ public class AntDefine { ////////////////////////////////////////////// // Valid Configuration Values ////////////////////////////////////////////// public static final byte MIN_BIN = 0; public static final byte MAX_BIN = 10; public static final short MIN_DEVICE_ID = 0; public static final short MAX_DEVICE_ID = (short)65535; public static final short MIN_BUFFER_THRESHOLD = 0; public static final short MAX_BUFFER_THRESHOLD = 996; ////////////////////////////////////////////// // ANT Message Payload Size ////////////////////////////////////////////// public static final byte ANT_STANDARD_DATA_PAYLOAD_SIZE =((byte)8); ////////////////////////////////////////////// // ANT LIBRARY Extended Data Message Fields // NOTE: You must check the extended message // bitfield first to find out which fields // are present before accessing them! ////////////////////////////////////////////// public static final byte ANT_EXT_MESG_DEVICE_ID_FIELD_SIZE =((byte)4); //public static final byte ANT_EXT_STRING_SIZE =((byte)19); // this is the additional buffer space required required for setting USB Descriptor strings public static final byte ANT_EXT_STRING_SIZE =((byte)0); // changed to 0 as we will not be dealing with ANT USB parts. ////////////////////////////////////////////// // ANT Extended Data Message Bifield Definitions ////////////////////////////////////////////// public static final byte ANT_EXT_MESG_BITFIELD_DEVICE_ID =((byte)0x80); // first field after bitfield public static final byte ANT_EXT_MESG_BITFIELD_RSSI =((byte)0x40); // next field after ID, if there is one public static final byte ANT_EXT_MESG_BITFIELD_TIME_STAMP =((byte)0x20); // next field after RSSI, if there is one // 4 bits free reserved set to 0 public static final byte ANT_EXT_MESG_BIFIELD_EXTENSION =((byte)0x01); // extended message input bitfield defines public static final byte ANT_EXT_MESG_BITFIELD_OVERWRITE_SHARED_ADR =((byte)0x10); public static final byte ANT_EXT_MESG_BITFIELD_TRANSMISSION_TYPE =((byte)0x08); ////////////////////////////////////////////// // ID Definitions ////////////////////////////////////////////// public static final byte ANT_ID_SIZE =((byte)4); public static final byte ANT_ID_TRANS_TYPE_OFFSET =((byte)3); public static final byte ANT_ID_DEVICE_TYPE_OFFSET =((byte)2); public static final byte ANT_ID_DEVICE_NUMBER_HIGH_OFFSET =((byte)1); public static final byte ANT_ID_DEVICE_NUMBER_LOW_OFFSET =((byte)0); public static final byte ANT_ID_DEVICE_TYPE_PAIRING_FLAG =((byte)0x80); public static final byte ANT_TRANS_TYPE_SHARED_ADDR_MASK =((byte)0x03); public static final byte ANT_TRANS_TYPE_1_BYTE_SHARED_ADDRESS =((byte)0x02); public static final byte ANT_TRANS_TYPE_2_BYTE_SHARED_ADDRESS =((byte)0x03); ////////////////////////////////////////////// // Assign Channel Parameters ////////////////////////////////////////////// public static final byte PARAMETER_RX_NOT_TX =((byte)0x00); public static final byte PARAMETER_TX_NOT_RX =((byte)0x10); public static final byte PARAMETER_SHARED_CHANNEL =((byte)0x20); public static final byte PARAMETER_NO_TX_GUARD_BAND =((byte)0x40); public static final byte PARAMETER_ALWAYS_RX_WILD_CARD_SEARCH_ID =((byte)0x40); //Pre-AP2 public static final byte PARAMETER_RX_ONLY =((byte)0x40); ////////////////////////////////////////////// // Ext. Assign Channel Parameters ////////////////////////////////////////////// public static final byte EXT_PARAM_ALWAYS_SEARCH =((byte)0x01); public static final byte EXT_PARAM_FREQUENCY_AGILITY =((byte)0x04); ////////////////////////////////////////////// // Radio TX Power Definitions ////////////////////////////////////////////// public static final byte RADIO_TX_POWER_LVL_MASK =((byte)0x03); public static final byte RADIO_TX_POWER_LVL_0 =((byte)0x00); //(formerly: RADIO_TX_POWER_MINUS20DB); lowest public static final byte RADIO_TX_POWER_LVL_1 =((byte)0x01); //(formerly: RADIO_TX_POWER_MINUS10DB); public static final byte RADIO_TX_POWER_LVL_2 =((byte)0x02); //(formerly: RADIO_TX_POWER_MINUS5DB); public static final byte RADIO_TX_POWER_LVL_3 =((byte)0x03); //(formerly: RADIO_TX_POWER_0DB); highest ////////////////////////////////////////////// // Channel Status ////////////////////////////////////////////// public static final byte STATUS_CHANNEL_STATE_MASK =((byte)0x03); public static final byte STATUS_UNASSIGNED_CHANNEL =((byte)0x00); public static final byte STATUS_ASSIGNED_CHANNEL =((byte)0x01); public static final byte STATUS_SEARCHING_CHANNEL =((byte)0x02); public static final byte STATUS_TRACKING_CHANNEL =((byte)0x03); ////////////////////////////////////////////// // Standard capabilities defines ////////////////////////////////////////////// public static final byte CAPABILITIES_NO_RX_CHANNELS =((byte)0x01); public static final byte CAPABILITIES_NO_TX_CHANNELS =((byte)0x02); public static final byte CAPABILITIES_NO_RX_MESSAGES =((byte)0x04); public static final byte CAPABILITIES_NO_TX_MESSAGES =((byte)0x08); public static final byte CAPABILITIES_NO_ACKD_MESSAGES =((byte)0x10); public static final byte CAPABILITIES_NO_BURST_TRANSFER =((byte)0x20); ////////////////////////////////////////////// // Advanced capabilities defines ////////////////////////////////////////////// public static final byte CAPABILITIES_OVERUN_UNDERRUN =((byte)0x01); // Support for this functionality has been dropped public static final byte CAPABILITIES_NETWORK_ENABLED =((byte)0x02); public static final byte CAPABILITIES_AP1_VERSION_2 =((byte)0x04); // This Version of the AP1 does not support transmit and only had a limited release public static final byte CAPABILITIES_SERIAL_NUMBER_ENABLED =((byte)0x08); public static final byte CAPABILITIES_PER_CHANNEL_TX_POWER_ENABLED =((byte)0x10); public static final byte CAPABILITIES_LOW_PRIORITY_SEARCH_ENABLED =((byte)0x20); public static final byte CAPABILITIES_SCRIPT_ENABLED =((byte)0x40); public static final byte CAPABILITIES_SEARCH_LIST_ENABLED =((byte)0x80); ////////////////////////////////////////////// // Advanced capabilities 2 defines ////////////////////////////////////////////// public static final byte CAPABILITIES_LED_ENABLED =((byte)0x01); public static final byte CAPABILITIES_EXT_MESSAGE_ENABLED =((byte)0x02); public static final byte CAPABILITIES_SCAN_MODE_ENABLED =((byte)0x04); public static final byte CAPABILITIES_RESERVED =((byte)0x08); public static final byte CAPABILITIES_PROX_SEARCH_ENABLED =((byte)0x10); public static final byte CAPABILITIES_EXT_ASSIGN_ENABLED =((byte)0x20); public static final byte CAPABILITIES_FREE_1 =((byte)0x40); public static final byte CAPABILITIES_FIT1_ENABLED =((byte)0x80); ////////////////////////////////////////////// // Advanced capabilities 3 defines ////////////////////////////////////////////// public static final byte CAPABILITIES_SENSRCORE_ENABLED =((byte)0x01); public static final byte CAPABILITIES_RESERVED_1 =((byte)0x02); public static final byte CAPABILITIES_RESERVED_2 =((byte)0x04); public static final byte CAPABILITIES_RESERVED_3 =((byte)0x08); ////////////////////////////////////////////// // Burst Message Sequence ////////////////////////////////////////////// public static final byte CHANNEL_NUMBER_MASK =((byte)0x1F); public static final byte SEQUENCE_NUMBER_MASK =((byte)0xE0); public static final byte SEQUENCE_NUMBER_ROLLOVER =((byte)0x60); public static final byte SEQUENCE_FIRST_MESSAGE =((byte)0x00); public static final byte SEQUENCE_LAST_MESSAGE =((byte)0x80); public static final byte SEQUENCE_NUMBER_INC =((byte)0x20); ////////////////////////////////////////////// // Control Message Flags ////////////////////////////////////////////// public static final byte BROADCAST_CONTROL_BYTE =((byte)0x00); public static final byte ACKNOWLEDGED_CONTROL_BYTE =((byte)0xA0); ////////////////////////////////////////////// // Response / Event Codes ////////////////////////////////////////////// public static final byte RESPONSE_NO_ERROR =((byte)0x00); public static final byte NO_EVENT =((byte)0x00); public static final byte EVENT_RX_SEARCH_TIMEOUT =((byte)0x01); public static final byte EVENT_RX_FAIL =((byte)0x02); public static final byte EVENT_TX =((byte)0x03); public static final byte EVENT_TRANSFER_RX_FAILED =((byte)0x04); public static final byte EVENT_TRANSFER_TX_COMPLETED =((byte)0x05); public static final byte EVENT_TRANSFER_TX_FAILED =((byte)0x06); public static final byte EVENT_CHANNEL_CLOSED =((byte)0x07); public static final byte EVENT_RX_FAIL_GO_TO_SEARCH =((byte)0x08); public static final byte EVENT_CHANNEL_COLLISION =((byte)0x09); public static final byte EVENT_TRANSFER_TX_START =((byte)0x0A); // a pending transmit transfer has begun public static final byte EVENT_CHANNEL_ACTIVE =((byte)0x0F); public static final byte EVENT_TRANSFER_TX_NEXT_MESSAGE =((byte)0x11); // only enabled in FIT1 public static final byte CHANNEL_IN_WRONG_STATE =((byte)0x15); // returned on attempt to perform an action from the wrong channel state public static final byte CHANNEL_NOT_OPENED =((byte)0x16); // returned on attempt to communicate on a channel that is not open public static final byte CHANNEL_ID_NOT_SET =((byte)0x18); // returned on attempt to open a channel without setting the channel ID public static final byte CLOSE_ALL_CHANNELS =((byte)0x19); // returned when attempting to start scanning mode, when channels are still open public static final byte TRANSFER_IN_PROGRESS =((byte)0x1F); // returned on attempt to communicate on a channel with a TX transfer in progress public static final byte TRANSFER_SEQUENCE_NUMBER_ERROR =((byte)0x20); // returned when sequence number is out of order on a Burst transfer public static final byte TRANSFER_IN_ERROR =((byte)0x21); public static final byte TRANSFER_BUSY =((byte)0x22); public static final byte INVALID_MESSAGE_CRC =((byte)0x26); // returned if there is a framing error on an incomming message public static final byte MESSAGE_SIZE_EXCEEDS_LIMIT =((byte)0x27); // returned if a data message is provided that is too large public static final byte INVALID_MESSAGE =((byte)0x28); // returned when the message has an invalid parameter public static final byte INVALID_NETWORK_NUMBER =((byte)0x29); // returned when an invalid network number is provided public static final byte INVALID_LIST_ID =((byte)0x30); // returned when the provided list ID or size exceeds the limit public static final byte INVALID_SCAN_TX_CHANNEL =((byte)0x31); // returned when attempting to transmit on channel 0 when in scan mode public static final byte INVALID_PARAMETER_PROVIDED =((byte)0x33); // returned when an invalid parameter is specified in a configuration message public static final byte EVENT_SERIAL_QUE_OVERFLOW =((byte)0x34); public static final byte EVENT_QUE_OVERFLOW =((byte)0x35); // ANT event que has overflowed and lost 1 or more events public static final byte EVENT_CLK_ERROR =((byte)0x36); // debug event for XOSC16M on LE1 public static final byte SCRIPT_FULL_ERROR =((byte)0x40); // error writing to script, memory is full public static final byte SCRIPT_WRITE_ERROR =((byte)0x41); // error writing to script, bytes not written correctly public static final byte SCRIPT_INVALID_PAGE_ERROR =((byte)0x42); // error accessing script page public static final byte SCRIPT_LOCKED_ERROR =((byte)0x43); // the scripts are locked and can't be dumped public static final byte NO_RESPONSE_MESSAGE =((byte)0x50); // returned to the Command_SerialMessageProcess function, so no reply message is generated public static final byte RETURN_TO_MFG =((byte)0x51); // default return to any mesg when the module determines that the mfg procedure has not been fully completed public static final byte FIT_ACTIVE_SEARCH_TIMEOUT =((byte)0x60); // Fit1 only event added for timeout of the pairing state after the Fit module becomes active public static final byte FIT_WATCH_PAIR =((byte)0x61); // Fit1 only public static final byte FIT_WATCH_UNPAIR =((byte)0x62); // Fit1 only public static final byte USB_STRING_WRITE_FAIL =((byte)0x70); // Internal only events below this point public static final byte INTERNAL_ONLY_EVENTS =((byte)0x80); public static final byte EVENT_RX =((byte)0x80); // INTERNAL: Event for a receive message public static final byte EVENT_NEW_CHANNEL =((byte)0x81); // INTERNAL: EVENT for a new active channel public static final byte EVENT_PASS_THRU =((byte)0x82); // INTERNAL: Event to allow an upper stack events to pass through lower stacks public static final byte EVENT_BLOCKED =((byte)0xFF); // INTERNAL: Event to replace any event we do not wish to go out, will also zero the size of the Tx message /////////////////////////////////////////////////////// // Script Command Codes /////////////////////////////////////////////////////// public static final byte SCRIPT_CMD_FORMAT =((byte)0x00); public static final byte SCRIPT_CMD_DUMP =((byte)0x01); public static final byte SCRIPT_CMD_SET_DEFAULT_SECTOR =((byte)0x02); public static final byte SCRIPT_CMD_END_SECTOR =((byte)0x03); public static final byte SCRIPT_CMD_END_DUMP =((byte)0x04); public static final byte SCRIPT_CMD_LOCK =((byte)0x05); /////////////////////////////////////////////////////// // Reset Mesg Codes /////////////////////////////////////////////////////// public static final byte RESET_FLAGS_MASK =((byte)0xE0); public static final byte RESET_SUSPEND =((byte)0x80); // this must follow bitfield def public static final byte RESET_SYNC =((byte)0x40); // this must follow bitfield def public static final byte RESET_CMD =((byte)0x20); // this must follow bitfield def public static final byte RESET_WDT =((byte)0x02); public static final byte RESET_RST =((byte)0x01); public static final byte RESET_POR =((byte)0x00); }
0359xiaodong-mytracks
MyTracks/src/com/dsi/ant/AntDefine.java
Java
asf20
17,797
/* * 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 android.graphics.Paint; import android.graphics.Path; /** * Represents a colored {@code Path} to save its relative color for drawing. * @author Vangelis S. */ public class ColoredPath { private final Path path; private final Paint pathPaint; /** * Constructor for a ColoredPath by color. */ public ColoredPath(int color) { path = new Path(); pathPaint = new Paint(); pathPaint.setColor(color); pathPaint.setStrokeWidth(3); pathPaint.setStyle(Paint.Style.STROKE); pathPaint.setAntiAlias(true); } /** * Constructor for a ColoredPath by Paint. */ public ColoredPath(Paint paint) { path = new Path(); pathPaint = paint; } /** * @return the path */ public Path getPath() { return path; } /** * @return the pathPaint */ public Paint getPathPaint() { return pathPaint; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/ColoredPath.java
Java
asf20
1,528
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.services.ITrackRecordingService; import com.google.android.apps.mytracks.services.TrackRecordingServiceConnection; import com.google.android.apps.mytracks.services.sensors.SensorManager; import com.google.android.apps.mytracks.services.sensors.SensorManagerFactory; import com.google.android.apps.mytracks.services.sensors.SensorUtils; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.mytracks.R; import com.google.protobuf.InvalidProtocolBufferException; import android.app.Activity; import android.os.Bundle; import android.os.RemoteException; import android.util.Log; import android.widget.TextView; import java.util.Timer; import java.util.TimerTask; /** * An activity that displays information about sensors. * * @author Sandor Dornbush */ public class SensorStateActivity extends Activity { private static final long REFRESH_PERIOD_MS = 250; private final StatsUtilities utils; /** * This timer periodically invokes the refresh timer task. */ private Timer timer; private final Runnable stateUpdater = new Runnable() { public void run() { if (isVisible) // only update when UI is visible updateState(); } }; /** * Connection to the recording service. */ private TrackRecordingServiceConnection serviceConnection; /** * A task which will update the U/I. */ private class RefreshTask extends TimerTask { @Override public void run() { runOnUiThread(stateUpdater); } }; /** * A temporary sensor manager, when none is available. */ private SensorManager tempSensorManager = null; /** * A state flag set to true when the activity is active/visible, * i.e. after resume, and before pause * * Used to avoid updating after the pause event, because sometimes an update * event occurs even after the timer is cancelled. In this case, * it could cause the {@link #tempSensorManager} to be recreated, after it * is destroyed at the pause event. */ private boolean isVisible = false; public SensorStateActivity() { utils = new StatsUtilities(this); Log.w(TAG, "SensorStateActivity()"); } @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); Log.w(TAG, "SensorStateActivity.onCreate"); setContentView(R.layout.sensor_state); serviceConnection = new TrackRecordingServiceConnection(this, stateUpdater); serviceConnection.bindIfRunning(); updateState(); } @Override protected void onResume() { super.onResume(); isVisible = true; serviceConnection.bindIfRunning(); timer = new Timer(); timer.schedule(new RefreshTask(), REFRESH_PERIOD_MS, REFRESH_PERIOD_MS); } @Override protected void onPause() { isVisible = false; timer.cancel(); timer.purge(); timer = null; stopTempSensorManager(); super.onPause(); } @Override protected void onDestroy() { serviceConnection.unbind(); super.onDestroy(); } private void updateState() { Log.d(TAG, "Updating SensorStateActivity"); ITrackRecordingService service = serviceConnection.getServiceIfBound(); // Check if service is available, and recording. boolean isRecording = false; if (service != null) { try { isRecording = service.isRecording(); } catch (RemoteException e) { Log.e(TAG, "Unable to determine if service is recording.", e); } } // If either service isn't available, or not recording. if (!isRecording) { updateFromTempSensorManager(); } else { updateFromSysSensorManager(); } } private void updateFromTempSensorManager() { // Use variables to hold the sensor state and data set. Sensor.SensorState currentState = null; Sensor.SensorDataSet currentDataSet = null; // If no temp sensor manager is present, create one, and start it. if (tempSensorManager == null) { tempSensorManager = SensorManagerFactory.getInstance().getSensorManager(this); } // If a temp sensor manager is available, use states from temp sensor // manager. if (tempSensorManager != null) { currentState = tempSensorManager.getSensorState(); currentDataSet = tempSensorManager.getSensorDataSet(); } // Update the sensor state, and sensor data, using the variables. updateSensorStateAndData(currentState, currentDataSet); } private void updateFromSysSensorManager() { // Use variables to hold the sensor state and data set. Sensor.SensorState currentState = null; Sensor.SensorDataSet currentDataSet = null; ITrackRecordingService service = serviceConnection.getServiceIfBound(); // If a temp sensor manager is present, shut it down, // probably recording just started. stopTempSensorManager(); // Get sensor details from the service. if (service == null) { Log.d(TAG, "Could not get track recording service."); } else { try { byte[] buff = service.getSensorData(); if (buff != null) { currentDataSet = Sensor.SensorDataSet.parseFrom(buff); } } catch (RemoteException e) { Log.e(TAG, "Could not read sensor data.", e); } catch (InvalidProtocolBufferException e) { Log.e(TAG, "Could not read sensor data.", e); } try { currentState = Sensor.SensorState.valueOf(service.getSensorState()); } catch (RemoteException e) { Log.e(TAG, "Could not read sensor state.", e); currentState = Sensor.SensorState.NONE; } } // Update the sensor state, and sensor data, using the variables. updateSensorStateAndData(currentState, currentDataSet); } /** * Stops the temporary sensor manager, if one exists. */ private void stopTempSensorManager() { if (tempSensorManager != null) { SensorManagerFactory.getInstance().releaseSensorManager(tempSensorManager); tempSensorManager = null; } } private void updateSensorStateAndData(Sensor.SensorState state, Sensor.SensorDataSet dataSet) { updateSensorState(state == null ? Sensor.SensorState.NONE : state); updateSensorData(dataSet); } private void updateSensorState(Sensor.SensorState state) { ((TextView) findViewById(R.id.sensor_state)).setText(SensorUtils.getStateAsString(state, this)); } private void updateSensorData(Sensor.SensorDataSet sds) { if (sds == null) { utils.setUnknown(R.id.sensor_state_last_sensor_time); utils.setUnknown(R.id.sensor_state_power); utils.setUnknown(R.id.sensor_state_cadence); utils.setUnknown(R.id.sensor_state_battery); } else { ((TextView) findViewById(R.id.sensor_state_last_sensor_time)).setText(getLastSensorTime(sds)); ((TextView) findViewById(R.id.sensor_state_power)).setText(getPower(sds)); ((TextView) findViewById(R.id.sensor_state_cadence)).setText(getCadence(sds)); ((TextView) findViewById(R.id.sensor_state_heart_rate)).setText(getHeartRate(sds)); ((TextView) findViewById(R.id.sensor_state_battery)).setText(getBattery(sds)); } } /** * Gets the last sensor time. * * @param sds sensor data set */ private String getLastSensorTime(Sensor.SensorDataSet sds) { return StringUtils.formatTime(this, sds.getCreationTime()); } /** * Gets the power. * * @param sds sensor data set */ private String getPower(Sensor.SensorDataSet sds) { String value; if (sds.hasPower() && sds.getPower().hasValue() && sds.getPower().getState() == Sensor.SensorState.SENDING) { String format = getString(R.string.sensor_state_power_value); value = String.format(format, sds.getPower().getValue()); } else { value = SensorUtils.getStateAsString( sds.hasPower() ? sds.getPower().getState() : Sensor.SensorState.NONE, this); } return value; } /** * Gets the cadence. * * @param sds sensor data set */ private String getCadence(Sensor.SensorDataSet sds) { String value; if (sds.hasCadence() && sds.getCadence().hasValue() && sds.getCadence().getState() == Sensor.SensorState.SENDING) { String format = getString(R.string.sensor_state_cadence_value); value = String.format(format, sds.getCadence().getValue()); } else { value = SensorUtils.getStateAsString( sds.hasCadence() ? sds.getCadence().getState() : Sensor.SensorState.NONE, this); } return value; } /** * Gets the heart rate. * * @param sds sensor data set */ private String getHeartRate(Sensor.SensorDataSet sds) { String value; if (sds.hasHeartRate() && sds.getHeartRate().hasValue() && sds.getHeartRate().getState() == Sensor.SensorState.SENDING) { String format = getString(R.string.sensor_state_heart_rate_value); value = String.format(format, sds.getHeartRate().getValue()); } else { value = SensorUtils.getStateAsString( sds.hasHeartRate() ? sds.getHeartRate().getState() : Sensor.SensorState.NONE, this); } return value; } /** * Gets the battery. * * @param sds sensor data set */ private String getBattery(Sensor.SensorDataSet sds) { String value; if (sds.hasBatteryLevel() && sds.getBatteryLevel().hasValue() && sds.getBatteryLevel().getState() == Sensor.SensorState.SENDING) { String format = getString(R.string.value_integer_percent); value = String.format(format, sds.getBatteryLevel().getValue()); } else { value = SensorUtils.getStateAsString( sds.hasBatteryLevel() ? sds.getBatteryLevel().getState() : Sensor.SensorState.NONE, this); } return value; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/SensorStateActivity.java
Java
asf20
10,532
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.content.Context; import android.content.SharedPreferences; import java.text.SimpleDateFormat; /** * Creates a default track name based on the track name setting. * * @author Matthew Simmons */ public class DefaultTrackNameFactory { @VisibleForTesting static final String ISO_8601_FORMAT = "yyyy-MM-dd HH:mm"; private final Context context; public DefaultTrackNameFactory(Context context) { this.context = context; } /** * Gets the default track name. * * @param trackId the track id * @param startTime the track start time */ public String getDefaultTrackName(long trackId, long startTime) { String trackNameSetting = getTrackNameSetting(); if (trackNameSetting.equals( context.getString(R.string.settings_recording_track_name_date_local_value))) { return StringUtils.formatDateTime(context, startTime); } else if (trackNameSetting.equals( context.getString(R.string.settings_recording_track_name_date_iso_8601_value))) { SimpleDateFormat dateFormat = new SimpleDateFormat(ISO_8601_FORMAT); return dateFormat.format(startTime); } else { // trackNameSetting equals // R.string.settings_recording_track_name_number_value return String.format(context.getString(R.string.track_name_format), trackId); } } /** * Gets the track name setting. */ @VisibleForTesting String getTrackNameSetting() { SharedPreferences sharedPreferences = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); return sharedPreferences.getString( context.getString(R.string.track_name_key), context.getString(R.string.settings_recording_track_name_date_local_value)); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/DefaultTrackNameFactory.java
Java
asf20
2,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.services; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.FileUtils; import com.google.common.annotations.VisibleForTesting; import android.app.AlarmManager; import android.app.PendingIntent; import android.app.Service; import android.content.Context; import android.content.Intent; import android.os.AsyncTask; import android.os.Environment; import android.os.IBinder; import android.util.Log; import java.io.File; /** * A service to remove My Tracks temp files older than one hour on the SD card. * * @author Jimmy Shih */ public class RemoveTempFilesService extends Service { private static final String TAG = RemoveTempFilesService.class.getSimpleName(); private static final int ONE_HOUR_IN_MILLISECONDS = 60 * 60 * 1000; private RemoveTempFilesAsyncTask removeTempFilesAsyncTask = null; @Override public int onStartCommand(Intent intent, int flags, int startId) { // Setup an alarm to repeatedly call this service Intent alarmIntent = new Intent(this, RemoveTempFilesService.class); PendingIntent pendingIntent = PendingIntent.getService( this, 0, alarmIntent, PendingIntent.FLAG_CANCEL_CURRENT); AlarmManager alarmManager = (AlarmManager) getSystemService(Context.ALARM_SERVICE); alarmManager.setInexactRepeating(AlarmManager.RTC_WAKEUP, System.currentTimeMillis() + ONE_HOUR_IN_MILLISECONDS, AlarmManager.INTERVAL_HOUR, pendingIntent); // Invoke the AsyncTask to cleanup the temp files if (removeTempFilesAsyncTask == null || removeTempFilesAsyncTask.getStatus().equals(AsyncTask.Status.FINISHED)) { removeTempFilesAsyncTask = new RemoveTempFilesAsyncTask(); removeTempFilesAsyncTask.execute((Void[]) null); } return START_NOT_STICKY; } @Override public IBinder onBind(Intent intent) { return null; } private class RemoveTempFilesAsyncTask extends AsyncTask<Void, Void, Void> { @Override protected Void doInBackground(Void... params) { if (!Environment.getExternalStorageState().equals(Environment.MEDIA_MOUNTED)) { // Can't do anything return null; } cleanTempDirectory(TrackFileFormat.GPX.getExtension()); cleanTempDirectory(TrackFileFormat.KML.getExtension()); cleanTempDirectory(TrackFileFormat.CSV.getExtension()); cleanTempDirectory(TrackFileFormat.TCX.getExtension()); return null; } @Override protected void onPostExecute(Void result) { stopSelf(); } } private void cleanTempDirectory(String name) { cleanTempDirectory(new File(FileUtils.buildExternalDirectoryPath(name, "tmp"))); } /** * Removes temp files in a directory older than one hour. * * @param dir the directory * @return the number of files removed. */ @VisibleForTesting int cleanTempDirectory(File dir) { if (!dir.exists()) { return 0; } int count = 0; long oneHourAgo = System.currentTimeMillis() - ONE_HOUR_IN_MILLISECONDS; for (File f : dir.listFiles()) { if (f.lastModified() < oneHourAgo) { if (!f.delete()) { Log.e(TAG, "Unable to delete file: " + f.getAbsolutePath()); } else { count++; } } } return count; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/RemoveTempFilesService.java
Java
asf20
3,948
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; /** * A LocationListenerPolicy that will change based on how long the user has been * stationary. * * This policy will dictate a policy based on a min, max and idle time. * The policy will dictate an interval bounded by min and max whic is half of * the idle time. * * @author Sandor Dornbush */ public class AdaptiveLocationListenerPolicy implements LocationListenerPolicy { /** * Smallest interval this policy will dictate, in milliseconds. */ private final long minInterval; /** * Largest interval this policy will dictate, in milliseconds. */ private final long maxInterval; private final int minDistance; /** * The time the user has been at the current location, in milliseconds. */ private long idleTime; /** * Creates a policy that will be bounded by the given min and max. * * @param min Smallest interval this policy will dictate, in milliseconds * @param max Largest interval this policy will dictate, in milliseconds */ public AdaptiveLocationListenerPolicy(long min, long max, int minDistance) { this.minInterval = min; this.maxInterval = max; this.minDistance = minDistance; } /** * @return An interval bounded by min and max which is half of the idle time */ public long getDesiredPollingInterval() { long desiredInterval = idleTime / 2; // Round to avoid setting the interval too often. desiredInterval = (desiredInterval / 1000) * 1000; return Math.max(Math.min(maxInterval, desiredInterval), minInterval); } public void updateIdleTime(long newIdleTime) { this.idleTime = newIdleTime; } /** * Returns the minimum distance between updates. */ public int getMinDistance() { return minDistance; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/AdaptiveLocationListenerPolicy.java
Java
asf20
2,413
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import static com.google.android.apps.mytracks.Constants.TAG; import android.util.Log; import java.util.Date; import java.util.Timer; import java.util.TimerTask; import com.google.android.apps.mytracks.services.TrackRecordingService; /** * This class will periodically perform a task. * * @author Sandor Dornbush */ public class TimerTaskExecutor { private final PeriodicTask task; private final TrackRecordingService service; /** * A timer to schedule the announcements. * This is non-null if the task is in started (scheduled) state. */ private Timer timer; public TimerTaskExecutor(PeriodicTask task, TrackRecordingService service) { this.task = task; this.service = service; } /** * Schedules the task at the given interval. * * @param interval The interval in milliseconds */ public void scheduleTask(long interval) { // TODO: Decouple service from this class once and forever. if (!service.isRecording()) { return; } if (timer != null) { timer.cancel(); timer.purge(); } else { // First start, or we were previously shut down. task.start(); } timer = new Timer(); if (interval <= 0) { return; } long now = System.currentTimeMillis(); long next = service.getTripStatistics().getStartTime(); if (next < now) { next = now + interval - ((now - next) % interval); } Date start = new Date(next); Log.i(TAG, task.getClass().getSimpleName() + " scheduled to start at " + start + " every " + interval + " milliseconds."); timer.scheduleAtFixedRate(new PeriodicTimerTask(), start, interval); } /** * Cleans up this object. */ public void shutdown() { Log.i(TAG, task.getClass().getSimpleName() + " shutting down."); if (timer != null) { timer.cancel(); timer.purge(); timer = null; task.shutdown(); } } /** * The timer task to announce the trip status. */ private class PeriodicTimerTask extends TimerTask { @Override public void run() { task.run(service); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/tasks/TimerTaskExecutor.java
Java
asf20
2,796
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.services.TrackRecordingService; import com.google.android.apps.mytracks.util.UnitConversions; import android.util.Log; /** * Execute a task on a time or distance schedule. * * @author Sandor Dornbush */ public class PeriodicTaskExecutor { /** * The frequency of the task. * A value greater than zero is a frequency in time. * A value less than zero is considered a frequency in distance. */ private int taskFrequency = 0; /** * The next distance when the task should execute. */ private double nextTaskDistance = 0; /** * Time based executor. */ private TimerTaskExecutor timerExecutor = null; private boolean metricUnits; private final TrackRecordingService service; private final PeriodicTaskFactory factory; private PeriodicTask task; public PeriodicTaskExecutor(TrackRecordingService service, PeriodicTaskFactory factory) { this.service = service; this.factory = factory; } /** * Restores the manager. */ public void restore() { // TODO: Decouple service from this class once and forever. if (!service.isRecording()) { return; } if (!isTimeFrequency()) { if (timerExecutor != null) { timerExecutor.shutdown(); timerExecutor = null; } } if (taskFrequency == 0) { return; } // Try to make the task. task = factory.create(service); // Returning null is ok. if (task == null) { return; } task.start(); if (isTimeFrequency()) { if (timerExecutor == null) { timerExecutor = new TimerTaskExecutor(task, service); } timerExecutor.scheduleTask(taskFrequency * 60000L); } else { // For distance based splits. calculateNextTaskDistance(); } } /** * Shuts down the manager. */ public void shutdown() { if (task != null) { task.shutdown(); task = null; } if (timerExecutor != null) { timerExecutor.shutdown(); timerExecutor = null; } } /** * Calculates the next distance when the task should execute. */ void calculateNextTaskDistance() { // TODO: Decouple service from this class once and forever. if (!service.isRecording() || task == null) { return; } if (!isDistanceFrequency()) { nextTaskDistance = Double.MAX_VALUE; Log.d(TAG, "SplitManager: Distance splits disabled."); return; } double distance = service.getTripStatistics().getTotalDistance() * UnitConversions.M_TO_KM; if (!metricUnits) { distance *= UnitConversions.KM_TO_MI; } // The index will be negative since the frequency is negative. int index = (int) (distance / taskFrequency); index -= 1; nextTaskDistance = taskFrequency * index; Log.d(TAG, "SplitManager: Next split distance: " + nextTaskDistance); } /** * Updates executer with new trip statistics. */ public void update() { if (!isDistanceFrequency() || task == null) { return; } // Convert the distance in meters to km or mi. double distance = service.getTripStatistics().getTotalDistance() * UnitConversions.M_TO_KM; if (!metricUnits) { distance *= UnitConversions.KM_TO_MI; } if (distance > nextTaskDistance) { task.run(service); calculateNextTaskDistance(); } } private boolean isTimeFrequency() { return taskFrequency > 0; } private boolean isDistanceFrequency() { return taskFrequency < 0; } /** * Sets the task frequency. * &lt; 0 Use the absolute value as a distance in the current measurement km * or mi * 0 Turn off the task * &gt; 0 Use the value as a time in minutes * @param taskFrequency The frequency in time or distance */ public void setTaskFrequency(int taskFrequency) { Log.d(TAG, "setTaskFrequency: taskFrequency = " + taskFrequency); this.taskFrequency = taskFrequency; restore(); } public void setMetricUnits(boolean metricUnits) { this.metricUnits = metricUnits; calculateNextTaskDistance(); } double getNextTaskDistance() { return nextTaskDistance; } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/tasks/PeriodicTaskExecutor.java
Java
asf20
4,882
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import android.content.Context; /** * Factory which wraps construction and setup of text-to-speech announcements in * an API-level-safe way. * * @author Rodrigo Damazio */ public class StatusAnnouncerFactory implements PeriodicTaskFactory { public StatusAnnouncerFactory() { } @Override public PeriodicTask create(Context context) { return ApiAdapterFactory.getApiAdapter().getStatusAnnouncerTask(context); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/tasks/StatusAnnouncerFactory.java
Java
asf20
1,150
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import com.google.android.apps.mytracks.content.WaypointCreationRequest; import com.google.android.apps.mytracks.services.TrackRecordingService; import android.content.Context; /** * A simple task to insert statistics markers periodically. * @author Sandor Dornbush */ public class SplitTask implements PeriodicTask { private SplitTask() { } @Override public void run(TrackRecordingService service) { service.insertWaypoint(WaypointCreationRequest.DEFAULT_STATISTICS); } @Override public void shutdown() { } @Override public void start() { } /** * Create new SplitTasks. */ public static class Factory implements PeriodicTaskFactory { @Override public PeriodicTask create(Context context) { return new SplitTask(); } } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/tasks/SplitTask.java
Java
asf20
1,444
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import static com.google.android.apps.mytracks.Constants.TAG; import android.annotation.TargetApi; import android.content.Context; import android.media.AudioManager; import android.speech.tts.TextToSpeech; import android.speech.tts.TextToSpeech.OnUtteranceCompletedListener; import android.util.Log; import java.util.HashMap; /** * This class will periodically announce the user's trip statistics. This class * will request and release audio focus. <br> * For API Level 8 or higher. * * @author Sandor Dornbush */ @TargetApi(8) public class Api8StatusAnnouncerTask extends StatusAnnouncerTask { private final static HashMap<String, String> SPEECH_PARAMS = new HashMap<String, String>(); static { SPEECH_PARAMS.put(TextToSpeech.Engine.KEY_PARAM_UTTERANCE_ID, "not_used"); } private final AudioManager audioManager; private final OnUtteranceCompletedListener utteranceListener = new OnUtteranceCompletedListener() { @Override public void onUtteranceCompleted(String utteranceId) { int result = audioManager.abandonAudioFocus(null); if (result == AudioManager.AUDIOFOCUS_REQUEST_FAILED) { Log.w(TAG, "FroyoStatusAnnouncerTask: Failed to relinquish audio focus"); } } }; public Api8StatusAnnouncerTask(Context context) { super(context); audioManager = (AudioManager) context.getSystemService(Context.AUDIO_SERVICE); } @Override protected void onTtsReady() { super.onTtsReady(); tts.setOnUtteranceCompletedListener(utteranceListener); } @Override protected synchronized void speakAnnouncement(String announcement) { int result = audioManager.requestAudioFocus(null, TextToSpeech.Engine.DEFAULT_STREAM, AudioManager.AUDIOFOCUS_GAIN_TRANSIENT_MAY_DUCK); if (result == AudioManager.AUDIOFOCUS_REQUEST_FAILED) { Log.w(TAG, "FroyoStatusAnnouncerTask: Request for audio focus failed."); } // We don't care about the utterance id. // It is supplied here to force onUtteranceCompleted to be called. tts.speak(announcement, TextToSpeech.QUEUE_FLUSH, SPEECH_PARAMS); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/tasks/Api8StatusAnnouncerTask.java
Java
asf20
2,797
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.services.TrackRecordingService; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.apps.mytracks.util.UnitConversions; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.content.Context; import android.content.SharedPreferences; import android.speech.tts.TextToSpeech; import android.speech.tts.TextToSpeech.OnInitListener; import android.telephony.PhoneStateListener; import android.telephony.TelephonyManager; import android.util.Log; import java.util.Locale; /** * This class will periodically announce the user's trip statistics. * * @author Sandor Dornbush */ public class StatusAnnouncerTask implements PeriodicTask { /** * The rate at which announcements are spoken. */ // @VisibleForTesting static final float TTS_SPEECH_RATE = 0.9f; /** * A pointer to the service context. */ private final Context context; /** * The interface to the text to speech engine. */ protected TextToSpeech tts; /** * The response received from the TTS engine after initialization. */ private int initStatus = TextToSpeech.ERROR; /** * Whether the TTS engine is ready. */ private boolean ready = false; /** * Whether we're allowed to speak right now. */ private boolean speechAllowed; /** * Listener which updates {@link #speechAllowed} when the phone state changes. */ private final PhoneStateListener phoneListener = new PhoneStateListener() { @Override public void onCallStateChanged(int state, String incomingNumber) { speechAllowed = state == TelephonyManager.CALL_STATE_IDLE; if (!speechAllowed && tts != null && tts.isSpeaking()) { // If we're already speaking, stop it. tts.stop(); } } }; public StatusAnnouncerTask(Context context) { this.context = context; } /** * {@inheritDoc} * * Announces the trip status. */ @Override public void run(TrackRecordingService service) { if (service == null) { Log.e(TAG, "StatusAnnouncer TrackRecordingService not initialized"); return; } runWithStatistics(service.getTripStatistics()); } /** * This method exists as a convenience for testing code, allowing said code * to avoid needing to instantiate an entire {@link TrackRecordingService} * just to test the announcer. */ // @VisibleForTesting void runWithStatistics(TripStatistics statistics) { if (statistics == null) { Log.e(TAG, "StatusAnnouncer stats not initialized."); return; } synchronized (this) { checkReady(); if (!ready) { Log.e(TAG, "StatusAnnouncer Tts not ready."); return; } } if (!speechAllowed) { Log.i(Constants.TAG, "Not making announcement - not allowed at this time"); return; } String announcement = getAnnouncement(statistics); Log.d(Constants.TAG, "Announcement: " + announcement); speakAnnouncement(announcement); } protected void speakAnnouncement(String announcement) { tts.speak(announcement, TextToSpeech.QUEUE_FLUSH, null); } /** * Builds the announcement string. * * @return The string that will be read to the user */ // @VisibleForTesting protected String getAnnouncement(TripStatistics stats) { boolean metricUnits = true; boolean reportSpeed = true; SharedPreferences preferences = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (preferences != null) { metricUnits = preferences.getBoolean(context.getString(R.string.metric_units_key), true); reportSpeed = preferences.getBoolean(context.getString(R.string.report_speed_key), true); } double d = stats.getTotalDistance() * UnitConversions.M_TO_KM; double s = stats.getAverageMovingSpeed() * UnitConversions.MS_TO_KMH; if (d == 0) { return context.getString(R.string.voice_total_distance_zero); } if (!metricUnits) { d *= UnitConversions.KM_TO_MI; s *= UnitConversions.KM_TO_MI; } if (!reportSpeed) { s = 3600000.0 / s; // converts from speed to pace } // Makes sure s is not NaN. if (Double.isNaN(s)) { s = 0; } String speed; if (reportSpeed) { int speedId = metricUnits ? R.plurals.voiceSpeedKilometersPerHour : R.plurals.voiceSpeedMilesPerHour; speed = context.getResources().getQuantityString(speedId, getQuantityCount(s), s); } else { int paceId = metricUnits ? R.string.voice_pace_per_kilometer : R.string.voice_pace_per_mile; speed = String.format(context.getString(paceId), getAnnounceTime((long) s)); } int totalDistanceId = metricUnits ? R.plurals.voiceTotalDistanceKilometers : R.plurals.voiceTotalDistanceMiles; String totalDistance = context.getResources().getQuantityString( totalDistanceId, getQuantityCount(d), d); return context.getString( R.string.voice_template, totalDistance, getAnnounceTime(stats.getMovingTime()), speed); } /** * Gets the plural count to be used by getQuantityString. getQuantityString * only supports integer quantities, not a double quantity like "2.2". * <p> * As a temporary workaround, we convert a double quantity to an integer * quantity. If the double quantity is exactly 0, 1, or 2, then we can return * these integer quantities. Otherwise, we cast the double quantity to an * integer quantity. However, we need to make sure that if the casted value is * 0, 1, or 2, we don't return those, instead, return the next biggest integer * 3. * * @param d the double value */ private int getQuantityCount(double d) { if (d == 0) { return 0; } else if (d == 1) { return 1; } else if (d == 2) { return 2; } else { int count = (int) d; return count < 3 ? 3 : count; } } @Override public void start() { Log.i(Constants.TAG, "Starting TTS"); if (tts == null) { // We can't have this class also be the listener, otherwise it's unsafe to // reference it in Cupcake (even if we don't instantiate it). tts = newTextToSpeech(context, new OnInitListener() { @Override public void onInit(int status) { onTtsInit(status); } }); } speechAllowed = true; // Register ourselves as a listener so we won't speak during a call. listenToPhoneState(phoneListener, PhoneStateListener.LISTEN_CALL_STATE); } /** * Called when the TTS engine is initialized. */ private void onTtsInit(int status) { Log.i(TAG, "TrackRecordingService.TTS init: " + status); synchronized (this) { // TTS should be valid here but NPE exceptions were reported to the market. initStatus = status; checkReady(); } } /** * Ensures that the TTS is ready (finishing its initialization if needed). */ private void checkReady() { synchronized (this) { if (ready) { // Already done; return; } ready = initStatus == TextToSpeech.SUCCESS && tts != null; Log.d(TAG, "Status announcer ready: " + ready); if (ready) { onTtsReady(); } } } /** * Finishes the TTS engine initialization. * Called once (and only once) when the TTS engine is ready. */ protected void onTtsReady() { // Force the language to be the same as the string we will be speaking, // if that's available. Locale speechLanguage = Locale.getDefault(); int languageAvailability = tts.isLanguageAvailable(speechLanguage); if (languageAvailability == TextToSpeech.LANG_MISSING_DATA || languageAvailability == TextToSpeech.LANG_NOT_SUPPORTED) { // English is probably supported. // TODO: Somehow use announcement strings from English too. Log.w(TAG, "Default language not available, using English."); speechLanguage = Locale.ENGLISH; } tts.setLanguage(speechLanguage); // Slow down the speed just a bit as it is hard to hear when exercising. tts.setSpeechRate(TTS_SPEECH_RATE); } @Override public void shutdown() { // Stop listening to phone state. listenToPhoneState(phoneListener, PhoneStateListener.LISTEN_NONE); if (tts != null) { tts.shutdown(); tts = null; } Log.i(Constants.TAG, "TTS shut down"); } /** * Wrapper for instantiating a {@link TextToSpeech} object, which causes * several issues during testing. */ // @VisibleForTesting protected TextToSpeech newTextToSpeech(Context ctx, OnInitListener onInitListener) { return new TextToSpeech(ctx, onInitListener); } /** * Wrapper for calls to the 100%-unmockable {@link TelephonyManager#listen}. */ // @VisibleForTesting protected void listenToPhoneState(PhoneStateListener listener, int events) { TelephonyManager telephony = (TelephonyManager) context.getSystemService(Context.TELEPHONY_SERVICE); if (telephony != null) { telephony.listen(listener, events); } } /** * Gets a string to announce the time. * * @param time the time */ @VisibleForTesting String getAnnounceTime(long time) { int[] parts = StringUtils.getTimeParts(time); String seconds = context.getResources().getQuantityString( R.plurals.voiceSeconds, parts[0], parts[0]); String minutes = context.getResources().getQuantityString( R.plurals.voiceMinutes, parts[1], parts[1]); String hours = context.getResources().getQuantityString( R.plurals.voiceHours, parts[2], parts[2]); StringBuilder sb = new StringBuilder(); if (parts[2] != 0) { sb.append(hours); sb.append(" "); sb.append(minutes); } else { sb.append(minutes); sb.append(" "); sb.append(seconds); } return sb.toString(); } }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/tasks/StatusAnnouncerTask.java
Java
asf20
10,804
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import com.google.android.apps.mytracks.services.TrackRecordingService; /** * This is interface for a task that will be executed on some schedule. * * @author Sandor Dornbush */ public interface PeriodicTask { /** * Sets up this task for subsequent calls to the run method. */ public void start(); /** * This method will be called periodically. */ public void run(TrackRecordingService service); /** * Shuts down this task and clean up resources. */ public void shutdown(); }
0359xiaodong-mytracks
MyTracks/src/com/google/android/apps/mytracks/services/tasks/PeriodicTask.java
Java
asf20
1,168