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
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.oauth; import oauth.signpost.OAuth; import oauth.signpost.OAuthConsumer; import oauth.signpost.OAuthProvider; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.net.Uri; import android.os.AsyncTask; import android.util.Log; public class RetrieveAccessTokenTask extends AsyncTask<Uri, Void, Void> { private static final String TAG = "OGT.RetrieveAccessTokenTask"; private OAuthProvider provider; private OAuthConsumer consumer; private SharedPreferences prefs; private String mTokenKey; private String mSecretKey; public RetrieveAccessTokenTask(Context context, OAuthConsumer consumer, OAuthProvider provider, SharedPreferences prefs, String tokenKey, String secretKey) { this.consumer = consumer; this.provider = provider; this.prefs = prefs; mTokenKey = tokenKey; mSecretKey = secretKey; } /** * Retrieve the oauth_verifier, and store the oauth and oauth_token_secret * for future API calls. */ @Override protected Void doInBackground(Uri... params) { final Uri uri = params[0]; final String oauth_verifier = uri.getQueryParameter(OAuth.OAUTH_VERIFIER); try { provider.retrieveAccessToken(consumer, oauth_verifier); final Editor edit = prefs.edit(); edit.putString(mTokenKey, consumer.getToken()); edit.putString(mSecretKey, consumer.getTokenSecret()); edit.commit(); Log.i(TAG, "OAuth - Access Token Retrieved and stored to "+mTokenKey+" and "+mSecretKey); } catch (Exception e) { Log.e(TAG, "OAuth - Access Token Retrieval Error", e); } return null; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/oauth/RetrieveAccessTokenTask.java
Java
gpl3
3,310
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.oauth; import nl.sogeti.android.gpstracker.util.Constants; import oauth.signpost.OAuthConsumer; import oauth.signpost.OAuthProvider; import android.content.Context; import android.content.Intent; import android.net.Uri; import android.os.AsyncTask; import android.util.Log; /** * An asynchronous task that communicates with Twitter to retrieve a request * token. (OAuthGetRequestToken) After receiving the request token from Twitter, * pop a browser to the user to authorize the Request Token. * (OAuthAuthorizeToken) */ public class OAuthRequestTokenTask extends AsyncTask<Void, Void, Void> { final String TAG = "OGT.OAuthRequestTokenTask"; private Context context; private OAuthProvider provider; private OAuthConsumer consumer; /** * We pass the OAuth consumer and provider. * * @param context Required to be able to start the intent to launch the * browser. * @param provider The OAuthProvider object * @param consumer The OAuthConsumer object */ public OAuthRequestTokenTask(Context context, OAuthConsumer consumer, OAuthProvider provider) { this.context = context; this.consumer = consumer; this.provider = provider; } /** * Retrieve the OAuth Request Token and present a browser to the user to * authorize the token. */ @Override protected Void doInBackground(Void... params) { try { final String url = provider.retrieveRequestToken(consumer, Constants.OAUTH_CALLBACK_URL); Intent intent = new Intent(Intent.ACTION_VIEW, Uri.parse(url)); intent.setFlags(Intent.FLAG_ACTIVITY_SINGLE_TOP | Intent.FLAG_ACTIVITY_NO_HISTORY | Intent.FLAG_FROM_BACKGROUND); context.startActivity(intent); } catch (Exception e) { Log.e(TAG, "Failed to start token request ", e); Intent intent = new Intent(Intent.ACTION_VIEW, Uri.parse(Constants.OAUTH_CALLBACK_URL)); intent.putExtra("ERROR", e.toString()); context.startActivity(intent); } return null; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/oauth/OAuthRequestTokenTask.java
Java
gpl3
3,633
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.widget; import nl.sogeti.android.gpstracker.R; import nl.sogeti.android.gpstracker.actions.ControlTracking; import nl.sogeti.android.gpstracker.actions.InsertNote; import nl.sogeti.android.gpstracker.util.Constants; import android.app.PendingIntent; import android.appwidget.AppWidgetManager; import android.appwidget.AppWidgetProvider; import android.content.ComponentName; import android.content.Context; import android.content.Intent; import android.net.Uri; import android.util.Log; import android.view.View; import android.widget.RemoteViews; /** * An App Widget for on the home screen to control logging with a start, pause, * resume and stop * * @version $Id$ * @author grootren (c) Mar 8, 2011, Sogeti B.V. */ public class ControlWidgetProvider extends AppWidgetProvider { private static final int BUTTON_TRACKINGCONTROL = 2; private static final int BUTTON_INSERTNOTE = 3; private static final String TAG = "OGT.ControlWidgetProvider"; static final ComponentName THIS_APPWIDGET = new ComponentName("nl.sogeti.android.gpstracker", "nl.sogeti.android.gpstracker.widget.ControlWidgetProvider"); private static int mState; public ControlWidgetProvider() { super(); } @Override public void onEnabled(Context context) { // Log.d(TAG, "onEnabled() "); super.onEnabled(context); context.startService(new Intent(Constants.SERVICENAME)); } @Override public void onDisabled(Context context) { // Log.d(TAG, "onDisabled() "); } @Override public void onUpdate(Context context, AppWidgetManager appWidgetManager, int[] appWidgetIds) { // Log.d(TAG, "onDisabled() "); // Update each requested appWidgetId RemoteViews view = buildUpdate(context, -1); for (int i = 0; i < appWidgetIds.length; i++) { appWidgetManager.updateAppWidget(appWidgetIds[i], view); } } /** * Load image for given widget and build {@link RemoteViews} for it. */ static RemoteViews buildUpdate(Context context, int appWidgetId) { RemoteViews views = new RemoteViews(context.getPackageName(), R.layout.control_appwidget); views.setOnClickPendingIntent(R.id.widget_insertnote_enabled, getLaunchPendingIntent(context, appWidgetId, BUTTON_INSERTNOTE)); views.setOnClickPendingIntent(R.id.widget_trackingcontrol, getLaunchPendingIntent(context, appWidgetId, BUTTON_TRACKINGCONTROL)); updateButtons(views, context); return views; } /** * Load image for given widget and build {@link RemoteViews} for it. */ private static void updateButtons(RemoteViews views, Context context) { // Log.d(TAG, "Updated the remote views to state " + mState); switch (mState) { case Constants.LOGGING: setEnableInsertNote(views, true); break; case Constants.PAUSED: setEnableInsertNote(views, false); break; case Constants.STOPPED: setEnableInsertNote(views, false); break; case Constants.UNKNOWN: setEnableInsertNote(views, false); break; default: Log.w(TAG, "Unknown logging state for widget: " + mState); break; } } private static void setEnableInsertNote( RemoteViews views, boolean enabled ) { if( enabled ) { views.setViewVisibility(R.id.widget_insertnote_enabled, View.VISIBLE); views.setViewVisibility(R.id.widget_insertnote_disabled, View.GONE); } else { views.setViewVisibility(R.id.widget_insertnote_enabled, View.GONE); views.setViewVisibility(R.id.widget_insertnote_disabled, View.VISIBLE); } } /** * Creates PendingIntent to notify the widget of a button click. * * @param context * @param appWidgetId * @return */ private static PendingIntent getLaunchPendingIntent(Context context, int appWidgetId, int buttonId) { Intent launchIntent = new Intent(); launchIntent.setClass(context, ControlWidgetProvider.class); launchIntent.addCategory(Intent.CATEGORY_ALTERNATIVE); launchIntent.setData(Uri.parse("custom:" + buttonId)); PendingIntent pi = PendingIntent.getBroadcast(context, 0 /* no requestCode */, launchIntent, 0 /* * no * flags */); return pi; } /** * Receives and processes a button pressed intent or state change. * * @param context * @param intent Indicates the pressed button. */ @Override public void onReceive(Context context, Intent intent) { // Log.d(TAG, "Did recieve intent with action: " + intent.getAction()); super.onReceive(context, intent); String action = intent.getAction(); if (Constants.LOGGING_STATE_CHANGED_ACTION.equals(action)) { mState = intent.getIntExtra(Constants.EXTRA_LOGGING_STATE, Constants.UNKNOWN); updateWidget(context); } else if (intent.hasCategory(Intent.CATEGORY_ALTERNATIVE)) { Uri data = intent.getData(); int buttonId = Integer.parseInt(data.getSchemeSpecificPart()); if (buttonId == BUTTON_TRACKINGCONTROL) { Intent controlIntent = new Intent( context, ControlTracking.class ); controlIntent.addFlags(Intent.FLAG_ACTIVITY_NEW_TASK); context.startActivity(controlIntent); } else if (buttonId == BUTTON_INSERTNOTE) { Intent noteIntent = new Intent( context, InsertNote.class ); noteIntent.addFlags(Intent.FLAG_ACTIVITY_NEW_TASK); context.startActivity( noteIntent ); } } else { // Don't fall-through to updating the widget. The Intent // was something unrelated or that our super class took // care of. return; } // State changes fall through updateWidget(context); } /** * Updates the widget when something changes, or when a button is pushed. * * @param context */ public static void updateWidget(Context context) { RemoteViews views = buildUpdate(context, -1); // Update specific list of appWidgetIds if given, otherwise default to all final AppWidgetManager gm = AppWidgetManager.getInstance(context); gm.updateAppWidget(THIS_APPWIDGET, views); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/widget/ControlWidgetProvider.java
Java
gpl3
8,262
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.db; import android.content.ContentUris; import android.net.Uri; import android.net.Uri.Builder; import android.provider.BaseColumns; /** * The GPStracking provider stores all static information about GPStracking. * * @version $Id$ * @author rene (c) Jan 22, 2009, Sogeti B.V. */ public final class GPStracking { /** The authority of this provider: nl.sogeti.android.gpstracker */ public static final String AUTHORITY = "nl.sogeti.android.gpstracker"; /** The content:// style Uri for this provider, content://nl.sogeti.android.gpstracker */ public static final Uri CONTENT_URI = Uri.parse( "content://" + GPStracking.AUTHORITY ); /** The name of the database file */ static final String DATABASE_NAME = "GPSLOG.db"; /** The version of the database schema */ static final int DATABASE_VERSION = 10; /** * This table contains tracks. * * @author rene */ public static final class Tracks extends TracksColumns implements android.provider.BaseColumns { /** The MIME type of a CONTENT_URI subdirectory of a single track. */ public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.nl.sogeti.android.track"; /** The MIME type of CONTENT_URI providing a directory of tracks. */ public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.nl.sogeti.android.track"; /** The content:// style URL for this provider, content://nl.sogeti.android.gpstracker/tracks */ public static final Uri CONTENT_URI = Uri.parse( "content://" + GPStracking.AUTHORITY + "/" + Tracks.TABLE ); /** The name of this table */ public static final String TABLE = "tracks"; static final String CREATE_STATEMENT = "CREATE TABLE " + Tracks.TABLE + "(" + " " + Tracks._ID + " " + Tracks._ID_TYPE + "," + " " + Tracks.NAME + " " + Tracks.NAME_TYPE + "," + " " + Tracks.CREATION_TIME + " " + Tracks.CREATION_TIME_TYPE + ");"; } /** * This table contains segments. * * @author rene */ public static final class Segments extends SegmentsColumns implements android.provider.BaseColumns { /** The MIME type of a CONTENT_URI subdirectory of a single segment. */ public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.nl.sogeti.android.segment"; /** The MIME type of CONTENT_URI providing a directory of segments. */ public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.nl.sogeti.android.segment"; /** The name of this table, segments */ public static final String TABLE = "segments"; static final String CREATE_STATMENT = "CREATE TABLE " + Segments.TABLE + "(" + " " + Segments._ID + " " + Segments._ID_TYPE + "," + " " + Segments.TRACK + " " + Segments.TRACK_TYPE + ");"; } /** * This table contains waypoints. * * @author rene */ public static final class Waypoints extends WaypointsColumns implements android.provider.BaseColumns { /** The MIME type of a CONTENT_URI subdirectory of a single waypoint. */ public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.nl.sogeti.android.waypoint"; /** The MIME type of CONTENT_URI providing a directory of waypoints. */ public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.nl.sogeti.android.waypoint"; /** The name of this table, waypoints */ public static final String TABLE = "waypoints"; static final String CREATE_STATEMENT = "CREATE TABLE " + Waypoints.TABLE + "(" + " " + BaseColumns._ID + " " + WaypointsColumns._ID_TYPE + "," + " " + WaypointsColumns.LATITUDE + " " + WaypointsColumns.LATITUDE_TYPE + "," + " " + WaypointsColumns.LONGITUDE + " " + WaypointsColumns.LONGITUDE_TYPE + "," + " " + WaypointsColumns.TIME + " " + WaypointsColumns.TIME_TYPE + "," + " " + WaypointsColumns.SPEED + " " + WaypointsColumns.SPEED + "," + " " + WaypointsColumns.SEGMENT + " " + WaypointsColumns.SEGMENT_TYPE + "," + " " + WaypointsColumns.ACCURACY + " " + WaypointsColumns.ACCURACY_TYPE + "," + " " + WaypointsColumns.ALTITUDE + " " + WaypointsColumns.ALTITUDE_TYPE + "," + " " + WaypointsColumns.BEARING + " " + WaypointsColumns.BEARING_TYPE + ");"; static final String[] UPGRADE_STATEMENT_7_TO_8 = { "ALTER TABLE " + Waypoints.TABLE + " ADD COLUMN " + WaypointsColumns.ACCURACY + " " + WaypointsColumns.ACCURACY_TYPE +";", "ALTER TABLE " + Waypoints.TABLE + " ADD COLUMN " + WaypointsColumns.ALTITUDE + " " + WaypointsColumns.ALTITUDE_TYPE +";", "ALTER TABLE " + Waypoints.TABLE + " ADD COLUMN " + WaypointsColumns.BEARING + " " + WaypointsColumns.BEARING_TYPE +";" }; /** * Build a waypoint Uri like: * content://nl.sogeti.android.gpstracker/tracks/2/segments/1/waypoints/52 * using the provided identifiers * * @param trackId * @param segmentId * @param waypointId * * @return */ public static Uri buildUri(long trackId, long segmentId, long waypointId) { Builder builder = Tracks.CONTENT_URI.buildUpon(); ContentUris.appendId(builder, trackId); builder.appendPath(Segments.TABLE); ContentUris.appendId(builder, segmentId); builder.appendPath(Waypoints.TABLE); ContentUris.appendId(builder, waypointId); return builder.build(); } } /** * This table contains media URI's. * * @author rene */ public static final class Media extends MediaColumns implements android.provider.BaseColumns { /** The MIME type of a CONTENT_URI subdirectory of a single media entry. */ public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.nl.sogeti.android.media"; /** The MIME type of CONTENT_URI providing a directory of media entry. */ public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.nl.sogeti.android.media"; /** The name of this table */ public static final String TABLE = "media"; static final String CREATE_STATEMENT = "CREATE TABLE " + Media.TABLE + "(" + " " + BaseColumns._ID + " " + MediaColumns._ID_TYPE + "," + " " + MediaColumns.TRACK + " " + MediaColumns.TRACK_TYPE + "," + " " + MediaColumns.SEGMENT + " " + MediaColumns.SEGMENT_TYPE + "," + " " + MediaColumns.WAYPOINT + " " + MediaColumns.WAYPOINT_TYPE + "," + " " + MediaColumns.URI + " " + MediaColumns.URI_TYPE + ");"; public static final Uri CONTENT_URI = Uri.parse( "content://" + GPStracking.AUTHORITY + "/" + Media.TABLE ); } /** * This table contains media URI's. * * @author rene */ public static final class MetaData extends MetaDataColumns implements android.provider.BaseColumns { /** The MIME type of a CONTENT_URI subdirectory of a single metadata entry. */ public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.nl.sogeti.android.metadata"; /** The MIME type of CONTENT_URI providing a directory of media entry. */ public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.nl.sogeti.android.metadata"; /** The name of this table */ public static final String TABLE = "metadata"; static final String CREATE_STATEMENT = "CREATE TABLE " + MetaData.TABLE + "(" + " " + BaseColumns._ID + " " + MetaDataColumns._ID_TYPE + "," + " " + MetaDataColumns.TRACK + " " + MetaDataColumns.TRACK_TYPE + "," + " " + MetaDataColumns.SEGMENT + " " + MetaDataColumns.SEGMENT_TYPE + "," + " " + MetaDataColumns.WAYPOINT + " " + MetaDataColumns.WAYPOINT_TYPE + "," + " " + MetaDataColumns.KEY + " " + MetaDataColumns.KEY_TYPE + "," + " " + MetaDataColumns.VALUE + " " + MetaDataColumns.VALUE_TYPE + ");"; /** * content://nl.sogeti.android.gpstracker/metadata */ public static final Uri CONTENT_URI = Uri.parse( "content://" + GPStracking.AUTHORITY + "/" + MetaData.TABLE ); } /** * Columns from the tracks table. * * @author rene */ public static class TracksColumns { public static final String NAME = "name"; public static final String CREATION_TIME = "creationtime"; static final String CREATION_TIME_TYPE = "INTEGER NOT NULL"; static final String NAME_TYPE = "TEXT"; static final String _ID_TYPE = "INTEGER PRIMARY KEY AUTOINCREMENT"; } /** * Columns from the segments table. * * @author rene */ public static class SegmentsColumns { /** The track _id to which this segment belongs */ public static final String TRACK = "track"; static final String TRACK_TYPE = "INTEGER NOT NULL"; static final String _ID_TYPE = "INTEGER PRIMARY KEY AUTOINCREMENT"; } /** * Columns from the waypoints table. * * @author rene */ public static class WaypointsColumns { /** The latitude */ public static final String LATITUDE = "latitude"; /** The longitude */ public static final String LONGITUDE = "longitude"; /** The recorded time */ public static final String TIME = "time"; /** The speed in meters per second */ public static final String SPEED = "speed"; /** The segment _id to which this segment belongs */ public static final String SEGMENT = "tracksegment"; /** The accuracy of the fix */ public static final String ACCURACY = "accuracy"; /** The altitude */ public static final String ALTITUDE = "altitude"; /** the bearing of the fix */ public static final String BEARING = "bearing"; static final String LATITUDE_TYPE = "REAL NOT NULL"; static final String LONGITUDE_TYPE = "REAL NOT NULL"; static final String TIME_TYPE = "INTEGER NOT NULL"; static final String SPEED_TYPE = "REAL NOT NULL"; static final String SEGMENT_TYPE = "INTEGER NOT NULL"; static final String ACCURACY_TYPE = "REAL"; static final String ALTITUDE_TYPE = "REAL"; static final String BEARING_TYPE = "REAL"; static final String _ID_TYPE = "INTEGER PRIMARY KEY AUTOINCREMENT"; } /** * Columns from the media table. * * @author rene */ public static class MediaColumns { /** The track _id to which this segment belongs */ public static final String TRACK = "track"; static final String TRACK_TYPE = "INTEGER NOT NULL"; public static final String SEGMENT = "segment"; static final String SEGMENT_TYPE = "INTEGER NOT NULL"; public static final String WAYPOINT = "waypoint"; static final String WAYPOINT_TYPE = "INTEGER NOT NULL"; public static final String URI = "uri"; static final String URI_TYPE = "TEXT"; static final String _ID_TYPE = "INTEGER PRIMARY KEY AUTOINCREMENT"; } /** * Columns from the media table. * * @author rene */ public static class MetaDataColumns { /** The track _id to which this segment belongs */ public static final String TRACK = "track"; static final String TRACK_TYPE = "INTEGER NOT NULL"; public static final String SEGMENT = "segment"; static final String SEGMENT_TYPE = "INTEGER"; public static final String WAYPOINT = "waypoint"; static final String WAYPOINT_TYPE = "INTEGER"; public static final String KEY = "key"; static final String KEY_TYPE = "TEXT NOT NULL"; public static final String VALUE = "value"; static final String VALUE_TYPE = "TEXT NOT NULL"; static final String _ID_TYPE = "INTEGER PRIMARY KEY AUTOINCREMENT"; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/db/GPStracking.java
Java
gpl3
13,886
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.db; import java.util.Date; import nl.sogeti.android.gpstracker.db.GPStracking.Media; import nl.sogeti.android.gpstracker.db.GPStracking.MediaColumns; import nl.sogeti.android.gpstracker.db.GPStracking.MetaData; import nl.sogeti.android.gpstracker.db.GPStracking.Segments; import nl.sogeti.android.gpstracker.db.GPStracking.Tracks; import nl.sogeti.android.gpstracker.db.GPStracking.TracksColumns; import nl.sogeti.android.gpstracker.db.GPStracking.Waypoints; import nl.sogeti.android.gpstracker.db.GPStracking.WaypointsColumns; import android.content.ContentResolver; import android.content.ContentUris; import android.content.ContentValues; import android.content.Context; import android.database.Cursor; import android.database.sqlite.SQLiteDatabase; import android.database.sqlite.SQLiteOpenHelper; import android.location.Location; import android.net.Uri; import android.util.Log; /** * Class to hold bare-metal database operations exposed as functionality blocks * To be used by database adapters, like a content provider, that implement a * required functionality set * * @version $Id$ * @author rene (c) Jan 22, 2009, Sogeti B.V. */ public class DatabaseHelper extends SQLiteOpenHelper { private Context mContext; private final static String TAG = "OGT.DatabaseHelper"; public DatabaseHelper(Context context) { super(context, GPStracking.DATABASE_NAME, null, GPStracking.DATABASE_VERSION); this.mContext = context; } /* * (non-Javadoc) * @see * android.database.sqlite.SQLiteOpenHelper#onCreate(android.database.sqlite * .SQLiteDatabase) */ @Override public void onCreate(SQLiteDatabase db) { db.execSQL(Waypoints.CREATE_STATEMENT); db.execSQL(Segments.CREATE_STATMENT); db.execSQL(Tracks.CREATE_STATEMENT); db.execSQL(Media.CREATE_STATEMENT); db.execSQL(MetaData.CREATE_STATEMENT); } /** * Will update version 1 through 5 to version 8 * * @see android.database.sqlite.SQLiteOpenHelper#onUpgrade(android.database.sqlite.SQLiteDatabase, * int, int) * @see GPStracking.DATABASE_VERSION */ @Override public void onUpgrade(SQLiteDatabase db, int current, int targetVersion) { Log.i(TAG, "Upgrading db from " + current + " to " + targetVersion); if (current <= 5) // From 1-5 to 6 (these before are the same before) { current = 6; } if (current == 6) // From 6 to 7 ( no changes ) { current = 7; } if (current == 7) // From 7 to 8 ( more waypoints data ) { for (String statement : Waypoints.UPGRADE_STATEMENT_7_TO_8) { db.execSQL(statement); } current = 8; } if (current == 8) // From 8 to 9 ( media Uri data ) { db.execSQL(Media.CREATE_STATEMENT); current = 9; } if (current == 9) // From 9 to 10 ( metadata ) { db.execSQL(MetaData.CREATE_STATEMENT); current = 10; } } public void vacuum() { new Thread() { @Override public void run() { SQLiteDatabase sqldb = getWritableDatabase(); sqldb.execSQL("VACUUM"); } }.start(); } int bulkInsertWaypoint(long trackId, long segmentId, ContentValues[] valuesArray) { if (trackId < 0 || segmentId < 0) { throw new IllegalArgumentException("Track and segments may not the less then 0."); } int inserted = 0; SQLiteDatabase sqldb = getWritableDatabase(); sqldb.beginTransaction(); try { for (ContentValues args : valuesArray) { args.put(Waypoints.SEGMENT, segmentId); long id = sqldb.insert(Waypoints.TABLE, null, args); if (id >= 0) { inserted++; } } sqldb.setTransactionSuccessful(); } finally { if (sqldb.inTransaction()) { sqldb.endTransaction(); } } return inserted; } /** * Creates a waypoint under the current track segment with the current time * on which the waypoint is reached * * @param track track * @param segment segment * @param latitude latitude * @param longitude longitude * @param time time * @param speed the measured speed * @return */ long insertWaypoint(long trackId, long segmentId, Location location) { if (trackId < 0 || segmentId < 0) { throw new IllegalArgumentException("Track and segments may not the less then 0."); } SQLiteDatabase sqldb = getWritableDatabase(); ContentValues args = new ContentValues(); args.put(WaypointsColumns.SEGMENT, segmentId); args.put(WaypointsColumns.TIME, location.getTime()); args.put(WaypointsColumns.LATITUDE, location.getLatitude()); args.put(WaypointsColumns.LONGITUDE, location.getLongitude()); args.put(WaypointsColumns.SPEED, location.getSpeed()); args.put(WaypointsColumns.ACCURACY, location.getAccuracy()); args.put(WaypointsColumns.ALTITUDE, location.getAltitude()); args.put(WaypointsColumns.BEARING, location.getBearing()); long waypointId = sqldb.insert(Waypoints.TABLE, null, args); ContentResolver resolver = this.mContext.getContentResolver(); Uri notifyUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/segments/" + segmentId + "/waypoints"); resolver.notifyChange(notifyUri, null); // Log.d( TAG, "Waypoint stored: "+notifyUri); return waypointId; } /** * Insert a URI for a given waypoint/segment/track in the media table * * @param trackId * @param segmentId * @param waypointId * @param mediaUri * @return */ long insertMedia(long trackId, long segmentId, long waypointId, String mediaUri) { if (trackId < 0 || segmentId < 0 || waypointId < 0) { throw new IllegalArgumentException("Track, segments and waypoint may not the less then 0."); } SQLiteDatabase sqldb = getWritableDatabase(); ContentValues args = new ContentValues(); args.put(MediaColumns.TRACK, trackId); args.put(MediaColumns.SEGMENT, segmentId); args.put(MediaColumns.WAYPOINT, waypointId); args.put(MediaColumns.URI, mediaUri); // Log.d( TAG, "Media stored in the datebase: "+mediaUri ); long mediaId = sqldb.insert(Media.TABLE, null, args); ContentResolver resolver = this.mContext.getContentResolver(); Uri notifyUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/segments/" + segmentId + "/waypoints/" + waypointId + "/media"); resolver.notifyChange(notifyUri, null); // Log.d( TAG, "Notify: "+notifyUri ); resolver.notifyChange(Media.CONTENT_URI, null); // Log.d( TAG, "Notify: "+Media.CONTENT_URI ); return mediaId; } /** * Insert a key/value pair as meta-data for a track and optionally narrow the * scope by segment or segment/waypoint * * @param trackId * @param segmentId * @param waypointId * @param key * @param value * @return */ long insertOrUpdateMetaData(long trackId, long segmentId, long waypointId, String key, String value) { long metaDataId = -1; if (trackId < 0 && key != null && value != null) { throw new IllegalArgumentException("Track, key and value must be provided"); } if (waypointId >= 0 && segmentId < 0) { throw new IllegalArgumentException("Waypoint must have segment"); } ContentValues args = new ContentValues(); args.put(MetaData.TRACK, trackId); args.put(MetaData.SEGMENT, segmentId); args.put(MetaData.WAYPOINT, waypointId); args.put(MetaData.KEY, key); args.put(MetaData.VALUE, value); String whereClause = MetaData.TRACK + " = ? AND " + MetaData.SEGMENT + " = ? AND " + MetaData.WAYPOINT + " = ? AND " + MetaData.KEY + " = ?"; String[] whereArgs = new String[] { Long.toString(trackId), Long.toString(segmentId), Long.toString(waypointId), key }; SQLiteDatabase sqldb = getWritableDatabase(); int updated = sqldb.update(MetaData.TABLE, args, whereClause, whereArgs); if (updated == 0) { metaDataId = sqldb.insert(MetaData.TABLE, null, args); } else { Cursor c = null; try { c = sqldb.query(MetaData.TABLE, new String[] { MetaData._ID }, whereClause, whereArgs, null, null, null); if( c.moveToFirst() ) { metaDataId = c.getLong(0); } } finally { if (c != null) { c.close(); } } } ContentResolver resolver = this.mContext.getContentResolver(); Uri notifyUri; if (segmentId >= 0 && waypointId >= 0) { notifyUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/segments/" + segmentId + "/waypoints/" + waypointId + "/metadata"); } else if (segmentId >= 0) { notifyUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/segments/" + segmentId + "/metadata"); } else { notifyUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/metadata"); } resolver.notifyChange(notifyUri, null); resolver.notifyChange(MetaData.CONTENT_URI, null); return metaDataId; } /** * Deletes a single track and all underlying segments, waypoints, media and * metadata * * @param trackId * @return */ int deleteTrack(long trackId) { SQLiteDatabase sqldb = getWritableDatabase(); int affected = 0; Cursor cursor = null; long segmentId = -1; long metadataId = -1; try { sqldb.beginTransaction(); // Iterate on each segement to delete each cursor = sqldb.query(Segments.TABLE, new String[] { Segments._ID }, Segments.TRACK + "= ?", new String[] { String.valueOf(trackId) }, null, null, null, null); if (cursor.moveToFirst()) { do { segmentId = cursor.getLong(0); affected += deleteSegment(sqldb, trackId, segmentId); } while (cursor.moveToNext()); } else { Log.e(TAG, "Did not find the last active segment"); } // Delete the track affected += sqldb.delete(Tracks.TABLE, Tracks._ID + "= ?", new String[] { String.valueOf(trackId) }); // Delete remaining meta-data affected += sqldb.delete(MetaData.TABLE, MetaData.TRACK + "= ?", new String[] { String.valueOf(trackId) }); cursor = sqldb.query(MetaData.TABLE, new String[] { MetaData._ID }, MetaData.TRACK + "= ?", new String[] { String.valueOf(trackId) }, null, null, null, null); if (cursor.moveToFirst()) { do { metadataId = cursor.getLong(0); affected += deleteMetaData(metadataId); } while (cursor.moveToNext()); } sqldb.setTransactionSuccessful(); } finally { if (cursor != null) { cursor.close(); } if (sqldb.inTransaction()) { sqldb.endTransaction(); } } ContentResolver resolver = this.mContext.getContentResolver(); resolver.notifyChange(Tracks.CONTENT_URI, null); resolver.notifyChange(ContentUris.withAppendedId(Tracks.CONTENT_URI, trackId), null); return affected; } /** * @param mediaId * @return */ int deleteMedia(long mediaId) { SQLiteDatabase sqldb = getWritableDatabase(); Cursor cursor = null; long trackId = -1; long segmentId = -1; long waypointId = -1; try { cursor = sqldb.query(Media.TABLE, new String[] { Media.TRACK, Media.SEGMENT, Media.WAYPOINT }, Media._ID + "= ?", new String[] { String.valueOf(mediaId) }, null, null, null, null); if (cursor.moveToFirst()) { trackId = cursor.getLong(0); segmentId = cursor.getLong(0); waypointId = cursor.getLong(0); } else { Log.e(TAG, "Did not find the media element to delete"); } } finally { if (cursor != null) { cursor.close(); } } int affected = sqldb.delete(Media.TABLE, Media._ID + "= ?", new String[] { String.valueOf(mediaId) }); ContentResolver resolver = this.mContext.getContentResolver(); Uri notifyUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/segments/" + segmentId + "/waypoints/" + waypointId + "/media"); resolver.notifyChange(notifyUri, null); notifyUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/segments/" + segmentId + "/media"); resolver.notifyChange(notifyUri, null); notifyUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/media"); resolver.notifyChange(notifyUri, null); resolver.notifyChange(ContentUris.withAppendedId(Media.CONTENT_URI, mediaId), null); return affected; } int deleteMetaData(long metadataId) { SQLiteDatabase sqldb = getWritableDatabase(); Cursor cursor = null; long trackId = -1; long segmentId = -1; long waypointId = -1; try { cursor = sqldb.query(MetaData.TABLE, new String[] { MetaData.TRACK, MetaData.SEGMENT, MetaData.WAYPOINT }, MetaData._ID + "= ?", new String[] { String.valueOf(metadataId) }, null, null, null, null); if (cursor.moveToFirst()) { trackId = cursor.getLong(0); segmentId = cursor.getLong(0); waypointId = cursor.getLong(0); } else { Log.e(TAG, "Did not find the media element to delete"); } } finally { if (cursor != null) { cursor.close(); } } int affected = sqldb.delete(MetaData.TABLE, MetaData._ID + "= ?", new String[] { String.valueOf(metadataId) }); ContentResolver resolver = this.mContext.getContentResolver(); Uri notifyUri; if (trackId >= 0 && segmentId >= 0 && waypointId >= 0) { notifyUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/segments/" + segmentId + "/waypoints/" + waypointId + "/media"); resolver.notifyChange(notifyUri, null); } if (trackId >= 0 && segmentId >= 0) { notifyUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/segments/" + segmentId + "/media"); resolver.notifyChange(notifyUri, null); } notifyUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/media"); resolver.notifyChange(notifyUri, null); resolver.notifyChange(ContentUris.withAppendedId(Media.CONTENT_URI, metadataId), null); return affected; } /** * Delete a segment and all member waypoints * * @param sqldb The SQLiteDatabase in question * @param trackId The track id of this delete * @param segmentId The segment that needs deleting * @return */ int deleteSegment(SQLiteDatabase sqldb, long trackId, long segmentId) { int affected = sqldb.delete(Segments.TABLE, Segments._ID + "= ?", new String[] { String.valueOf(segmentId) }); // Delete all waypoints from segments affected += sqldb.delete(Waypoints.TABLE, Waypoints.SEGMENT + "= ?", new String[] { String.valueOf(segmentId) }); // Delete all media from segment affected += sqldb.delete(Media.TABLE, Media.TRACK + "= ? AND " + Media.SEGMENT + "= ?", new String[] { String.valueOf(trackId), String.valueOf(segmentId) }); // Delete meta-data affected += sqldb.delete(MetaData.TABLE, MetaData.TRACK + "= ? AND " + MetaData.SEGMENT + "= ?", new String[] { String.valueOf(trackId), String.valueOf(segmentId) }); ContentResolver resolver = this.mContext.getContentResolver(); resolver.notifyChange(Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/segments/" + segmentId), null); resolver.notifyChange(Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/segments"), null); return affected; } int updateTrack(long trackId, String name) { int updates; String whereclause = Tracks._ID + " = " + trackId; ContentValues args = new ContentValues(); args.put(Tracks.NAME, name); // Execute the query. SQLiteDatabase mDb = getWritableDatabase(); updates = mDb.update(Tracks.TABLE, args, whereclause, null); ContentResolver resolver = this.mContext.getContentResolver(); Uri notifyUri = ContentUris.withAppendedId(Tracks.CONTENT_URI, trackId); resolver.notifyChange(notifyUri, null); return updates; } /** * Insert a key/value pair as meta-data for a track and optionally narrow the * scope by segment or segment/waypoint * * @param trackId * @param segmentId * @param waypointId * @param key * @param value * @return */ int updateMetaData(long trackId, long segmentId, long waypointId, long metadataId, String selection, String[] selectionArgs, String value) { { if ((metadataId < 0 && trackId < 0)) { throw new IllegalArgumentException("Track or meta-data id be provided"); } if (trackId >= 0 && (selection == null || !selection.contains("?") || selectionArgs.length != 1)) { throw new IllegalArgumentException("A where clause selection must be provided to select the correct KEY"); } if (trackId >= 0 && waypointId >= 0 && segmentId < 0) { throw new IllegalArgumentException("Waypoint must have segment"); } SQLiteDatabase sqldb = getWritableDatabase(); String[] whereParams; String whereclause; if (metadataId >= 0) { whereclause = MetaData._ID + " = ? "; whereParams = new String[] { Long.toString(metadataId) }; } else { whereclause = MetaData.TRACK + " = ? AND " + MetaData.SEGMENT + " = ? AND " + MetaData.WAYPOINT + " = ? AND " + MetaData.KEY + " = ? "; whereParams = new String[] { Long.toString(trackId), Long.toString(segmentId), Long.toString(waypointId), selectionArgs[0] }; } ContentValues args = new ContentValues(); args.put(MetaData.VALUE, value); int updates = sqldb.update(MetaData.TABLE, args, whereclause, whereParams); ContentResolver resolver = this.mContext.getContentResolver(); Uri notifyUri; if (trackId >= 0 && segmentId >= 0 && waypointId >= 0) { notifyUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/segments/" + segmentId + "/waypoints/" + waypointId + "/metadata"); } else if (trackId >= 0 && segmentId >= 0) { notifyUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/segments/" + segmentId + "/metadata"); } else if (trackId >= 0) { notifyUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/metadata"); } else { notifyUri = Uri.withAppendedPath(MetaData.CONTENT_URI, "" + metadataId); } resolver.notifyChange(notifyUri, null); resolver.notifyChange(MetaData.CONTENT_URI, null); return updates; } } /** * Move to a fresh track with a new first segment for this track * * @return */ long toNextTrack(String name) { long currentTime = new Date().getTime(); ContentValues args = new ContentValues(); args.put(TracksColumns.NAME, name); args.put(TracksColumns.CREATION_TIME, currentTime); SQLiteDatabase sqldb = getWritableDatabase(); long trackId = sqldb.insert(Tracks.TABLE, null, args); ContentResolver resolver = this.mContext.getContentResolver(); resolver.notifyChange(Tracks.CONTENT_URI, null); return trackId; } /** * Moves to a fresh segment to which waypoints can be connected * * @return */ long toNextSegment(long trackId) { SQLiteDatabase sqldb = getWritableDatabase(); ContentValues args = new ContentValues(); args.put(Segments.TRACK, trackId); long segmentId = sqldb.insert(Segments.TABLE, null, args); ContentResolver resolver = this.mContext.getContentResolver(); resolver.notifyChange(Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/segments"), null); return segmentId; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/db/DatabaseHelper.java
Java
gpl3
22,575
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.db; import java.util.Arrays; import java.util.LinkedList; import java.util.List; import nl.sogeti.android.gpstracker.db.GPStracking.Media; import nl.sogeti.android.gpstracker.db.GPStracking.MetaData; import nl.sogeti.android.gpstracker.db.GPStracking.Segments; import nl.sogeti.android.gpstracker.db.GPStracking.Tracks; import nl.sogeti.android.gpstracker.db.GPStracking.Waypoints; import android.app.SearchManager; import android.content.ContentProvider; import android.content.ContentUris; import android.content.ContentValues; import android.content.UriMatcher; import android.database.Cursor; import android.database.sqlite.SQLiteDatabase; import android.database.sqlite.SQLiteQueryBuilder; import android.location.Location; import android.net.Uri; import android.provider.LiveFolders; import android.util.Log; /** * Goal of this Content Provider is to make the GPS Tracking information uniformly * available to this application and even other applications. The GPS-tracking * database can hold, tracks, segments or waypoints * <p> * A track is an actual route taken from start to finish. All the GPS locations * collected are waypoints. Waypoints taken in sequence without loss of GPS-signal * are considered connected and are grouped in segments. A route is build up out of * 1 or more segments. * <p> * For example:<br> * <code>content://nl.sogeti.android.gpstracker/tracks</code> * is the URI that returns all the stored tracks or starts a new track on insert * <p> * <code>content://nl.sogeti.android.gpstracker/tracks/2</code> * is the URI string that would return a single result row, the track with ID = 23. * <p> * <code>content://nl.sogeti.android.gpstracker/tracks/2/segments</code> is the URI that returns * all the stored segments of a track with ID = 2 or starts a new segment on insert * <p> * <code>content://nl.sogeti.android.gpstracker/tracks/2/waypoints</code> is the URI that returns * all the stored waypoints of a track with ID = 2 * <p> * <code>content://nl.sogeti.android.gpstracker/tracks/2/segments</code> is the URI that returns * all the stored segments of a track with ID = 2 * <p> * <code>content://nl.sogeti.android.gpstracker/tracks/2/segments/3</code> is * the URI string that would return a single result row, the segment with ID = 3 of a track with ID = 2 . * <p> * <code>content://nl.sogeti.android.gpstracker/tracks/2/segments/1/waypoints</code> is the URI that * returns all the waypoints of a segment 1 of track 2. * <p> * <code>content://nl.sogeti.android.gpstracker/tracks/2/segments/1/waypoints/52</code> is the URI string that * would return a single result row, the waypoint with ID = 52 * <p> * Media is stored under a waypoint and may be queried as:<br> * <code>content://nl.sogeti.android.gpstracker/tracks/2/segments/3/waypoints/22/media</code> * <p> * * * All media for a segment can be queried with:<br> * <code>content://nl.sogeti.android.gpstracker/tracks/2/segments/3/media</code> * <p> * All media for a track can be queried with:<br> * <code>content://nl.sogeti.android.gpstracker/tracks/2/media</code> * * <p> * The whole set of collected media may be queried as:<br> * <code>content://nl.sogeti.android.gpstracker/media</code> * <p> * A single media is stored with an ID, for instance ID = 12:<br> * <code>content://nl.sogeti.android.gpstracker/media/12</code> * <p> * The whole set of collected media may be queried as:<br> * <code>content://nl.sogeti.android.gpstracker/media</code> * <p> * * * Meta-data regarding a single waypoint may be queried as:<br> * <code>content://nl.sogeti.android.gpstracker/tracks/2/segments/3/waypoints/22/metadata</code> * <p> * Meta-data regarding a single segment as whole may be queried as:<br> * <code>content://nl.sogeti.android.gpstracker/tracks/2/segments/3/metadata</code> * Note: This does not include meta-data of waypoints. * <p> * Meta-data regarding a single track as a whole may be queried as:<br> * <code>content://nl.sogeti.android.gpstracker/tracks/2/metadata</code> * Note: This does not include meta-data of waypoints or segments. * * @version $Id$ * @author rene (c) Jan 22, 2009, Sogeti B.V. */ public class GPStrackingProvider extends ContentProvider { private static final String TAG = "OGT.GPStrackingProvider"; /* Action types as numbers for using the UriMatcher */ private static final int TRACKS = 1; private static final int TRACK_ID = 2; private static final int TRACK_MEDIA = 3; private static final int TRACK_WAYPOINTS = 4; private static final int SEGMENTS = 5; private static final int SEGMENT_ID = 6; private static final int SEGMENT_MEDIA = 7; private static final int WAYPOINTS = 8; private static final int WAYPOINT_ID = 9; private static final int WAYPOINT_MEDIA = 10; private static final int SEARCH_SUGGEST_ID = 11; private static final int LIVE_FOLDERS = 12; private static final int MEDIA = 13; private static final int MEDIA_ID = 14; private static final int TRACK_METADATA = 15; private static final int SEGMENT_METADATA = 16; private static final int WAYPOINT_METADATA = 17; private static final int METADATA = 18; private static final int METADATA_ID = 19; private static final String[] SUGGEST_PROJECTION = new String[] { Tracks._ID, Tracks.NAME+" AS "+SearchManager.SUGGEST_COLUMN_TEXT_1, "datetime("+Tracks.CREATION_TIME+"/1000, 'unixepoch') as "+SearchManager.SUGGEST_COLUMN_TEXT_2, Tracks._ID+" AS "+SearchManager.SUGGEST_COLUMN_INTENT_DATA_ID }; private static final String[] LIVE_PROJECTION = new String[] { Tracks._ID+" AS "+LiveFolders._ID, Tracks.NAME+" AS "+ LiveFolders.NAME, "datetime("+Tracks.CREATION_TIME+"/1000, 'unixepoch') as "+LiveFolders.DESCRIPTION }; private static UriMatcher sURIMatcher = new UriMatcher( UriMatcher.NO_MATCH ); /** * Although it is documented that in addURI(null, path, 0) "path" should be an absolute path this does not seem to work. A relative path gets the jobs done and matches an absolute path. */ static { GPStrackingProvider.sURIMatcher = new UriMatcher( UriMatcher.NO_MATCH ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "tracks", GPStrackingProvider.TRACKS ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "tracks/#", GPStrackingProvider.TRACK_ID ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "tracks/#/media", GPStrackingProvider.TRACK_MEDIA ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "tracks/#/metadata", GPStrackingProvider.TRACK_METADATA ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "tracks/#/waypoints", GPStrackingProvider.TRACK_WAYPOINTS ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "tracks/#/segments", GPStrackingProvider.SEGMENTS ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "tracks/#/segments/#", GPStrackingProvider.SEGMENT_ID ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "tracks/#/segments/#/media", GPStrackingProvider.SEGMENT_MEDIA ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "tracks/#/segments/#/metadata", GPStrackingProvider.SEGMENT_METADATA ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "tracks/#/segments/#/waypoints", GPStrackingProvider.WAYPOINTS ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "tracks/#/segments/#/waypoints/#", GPStrackingProvider.WAYPOINT_ID ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "tracks/#/segments/#/waypoints/#/media", GPStrackingProvider.WAYPOINT_MEDIA ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "tracks/#/segments/#/waypoints/#/metadata", GPStrackingProvider.WAYPOINT_METADATA ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "media", GPStrackingProvider.MEDIA ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "media/#", GPStrackingProvider.MEDIA_ID ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "metadata", GPStrackingProvider.METADATA ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "metadata/#", GPStrackingProvider.METADATA_ID ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "live_folders/tracks", GPStrackingProvider.LIVE_FOLDERS ); GPStrackingProvider.sURIMatcher.addURI( GPStracking.AUTHORITY, "search_suggest_query", GPStrackingProvider.SEARCH_SUGGEST_ID ); } private DatabaseHelper mDbHelper; /** * (non-Javadoc) * @see android.content.ContentProvider#onCreate() */ @Override public boolean onCreate() { if (this.mDbHelper == null) { this.mDbHelper = new DatabaseHelper( getContext() ); } return true; } /** * (non-Javadoc) * @see android.content.ContentProvider#getType(android.net.Uri) */ @Override public String getType( Uri uri ) { int match = GPStrackingProvider.sURIMatcher.match( uri ); String mime = null; switch (match) { case TRACKS: mime = Tracks.CONTENT_TYPE; break; case TRACK_ID: mime = Tracks.CONTENT_ITEM_TYPE; break; case SEGMENTS: mime = Segments.CONTENT_TYPE; break; case SEGMENT_ID: mime = Segments.CONTENT_ITEM_TYPE; break; case WAYPOINTS: mime = Waypoints.CONTENT_TYPE; break; case WAYPOINT_ID: mime = Waypoints.CONTENT_ITEM_TYPE; break; case MEDIA_ID: case TRACK_MEDIA: case SEGMENT_MEDIA: case WAYPOINT_MEDIA: mime = Media.CONTENT_ITEM_TYPE; break; case METADATA_ID: case TRACK_METADATA: case SEGMENT_METADATA: case WAYPOINT_METADATA: mime = MetaData.CONTENT_ITEM_TYPE; break; case UriMatcher.NO_MATCH: default: Log.w(TAG, "There is not MIME type defined for URI "+uri); break; } return mime; } /** * (non-Javadoc) * @see android.content.ContentProvider#insert(android.net.Uri, android.content.ContentValues) */ @Override public Uri insert( Uri uri, ContentValues values ) { //Log.d( TAG, "insert on "+uri ); Uri insertedUri = null; int match = GPStrackingProvider.sURIMatcher.match( uri ); List<String> pathSegments = null; long trackId = -1; long segmentId = -1; long waypointId = -1; long mediaId = -1; String key; String value; switch (match) { case WAYPOINTS: pathSegments = uri.getPathSegments(); trackId = Long.parseLong( pathSegments.get( 1 ) ); segmentId = Long.parseLong( pathSegments.get( 3 ) ); Location loc = new Location( TAG ); Double latitude = values.getAsDouble( Waypoints.LATITUDE ); Double longitude = values.getAsDouble( Waypoints.LONGITUDE ); Long time = values.getAsLong( Waypoints.TIME ); Float speed = values.getAsFloat( Waypoints.SPEED ); if( time == null ) { time = System.currentTimeMillis(); } if( speed == null ) { speed = 0f; } loc.setLatitude( latitude ); loc.setLongitude( longitude ); loc.setTime( time ); loc.setSpeed( speed ); if( values.containsKey( Waypoints.ACCURACY ) ) { loc.setAccuracy( values.getAsFloat( Waypoints.ACCURACY ) ); } if( values.containsKey( Waypoints.ALTITUDE ) ) { loc.setAltitude( values.getAsDouble( Waypoints.ALTITUDE ) ); } if( values.containsKey( Waypoints.BEARING ) ) { loc.setBearing( values.getAsFloat( Waypoints.BEARING ) ); } waypointId = this.mDbHelper.insertWaypoint( trackId, segmentId, loc ); // Log.d( TAG, "Have inserted to segment "+segmentId+" with waypoint "+waypointId ); insertedUri = ContentUris.withAppendedId( uri, waypointId ); break; case WAYPOINT_MEDIA: pathSegments = uri.getPathSegments(); trackId = Long.parseLong( pathSegments.get( 1 ) ); segmentId = Long.parseLong( pathSegments.get( 3 ) ); waypointId = Long.parseLong( pathSegments.get( 5 ) ); String mediaUri = values.getAsString( Media.URI ); mediaId = this.mDbHelper.insertMedia( trackId, segmentId, waypointId, mediaUri ); insertedUri = ContentUris.withAppendedId( Media.CONTENT_URI, mediaId ); break; case SEGMENTS: pathSegments = uri.getPathSegments(); trackId = Integer.parseInt( pathSegments.get( 1 ) ); segmentId = this.mDbHelper.toNextSegment( trackId ); insertedUri = ContentUris.withAppendedId( uri, segmentId ); break; case TRACKS: String name = ( values == null ) ? "" : values.getAsString( Tracks.NAME ); trackId = this.mDbHelper.toNextTrack( name ); insertedUri = ContentUris.withAppendedId( uri, trackId ); break; case TRACK_METADATA: pathSegments = uri.getPathSegments(); trackId = Long.parseLong( pathSegments.get( 1 ) ); key = values.getAsString( MetaData.KEY ); value = values.getAsString( MetaData.VALUE ); mediaId = this.mDbHelper.insertOrUpdateMetaData( trackId, -1L, -1L, key, value ); insertedUri = ContentUris.withAppendedId( MetaData.CONTENT_URI, mediaId ); break; case SEGMENT_METADATA: pathSegments = uri.getPathSegments(); trackId = Long.parseLong( pathSegments.get( 1 ) ); segmentId = Long.parseLong( pathSegments.get( 3 ) ); key = values.getAsString( MetaData.KEY ); value = values.getAsString( MetaData.VALUE ); mediaId = this.mDbHelper.insertOrUpdateMetaData( trackId, segmentId, -1L, key, value ); insertedUri = ContentUris.withAppendedId( MetaData.CONTENT_URI, mediaId ); break; case WAYPOINT_METADATA: pathSegments = uri.getPathSegments(); trackId = Long.parseLong( pathSegments.get( 1 ) ); segmentId = Long.parseLong( pathSegments.get( 3 ) ); waypointId = Long.parseLong( pathSegments.get( 5 ) ); key = values.getAsString( MetaData.KEY ); value = values.getAsString( MetaData.VALUE ); mediaId = this.mDbHelper.insertOrUpdateMetaData( trackId, segmentId, waypointId, key, value ); insertedUri = ContentUris.withAppendedId( MetaData.CONTENT_URI, mediaId ); break; default: Log.e( GPStrackingProvider.TAG, "Unable to match the insert URI: " + uri.toString() ); insertedUri = null; break; } return insertedUri; } /** * (non-Javadoc) * @see android.content.ContentProvider#query(android.net.Uri, java.lang.String[], java.lang.String, java.lang.String[], java.lang.String) */ @Override public Cursor query( Uri uri, String[] projection, String selection, String[] selectionArgs, String sortOrder ) { // Log.d( TAG, "Query on Uri:"+uri ); int match = GPStrackingProvider.sURIMatcher.match( uri ); String tableName = null; String innerSelection = "1"; String[] innerSelectionArgs = new String[]{}; String sortorder = sortOrder; List<String> pathSegments = uri.getPathSegments(); switch (match) { case TRACKS: tableName = Tracks.TABLE; break; case TRACK_ID: tableName = Tracks.TABLE; innerSelection = Tracks._ID + " = ? "; innerSelectionArgs = new String[]{ pathSegments.get( 1 ) }; break; case SEGMENTS: tableName = Segments.TABLE; innerSelection = Segments.TRACK + " = ? "; innerSelectionArgs = new String[]{ pathSegments.get( 1 ) }; break; case SEGMENT_ID: tableName = Segments.TABLE; innerSelection = Segments.TRACK + " = ? and " + Segments._ID + " = ? "; innerSelectionArgs = new String[]{ pathSegments.get( 1 ), pathSegments.get( 3 ) }; break; case WAYPOINTS: tableName = Waypoints.TABLE; innerSelection = Waypoints.SEGMENT + " = ? "; innerSelectionArgs = new String[]{ pathSegments.get( 3 ) }; break; case WAYPOINT_ID: tableName = Waypoints.TABLE; innerSelection = Waypoints.SEGMENT + " = ? and " + Waypoints._ID + " = ? "; innerSelectionArgs = new String[]{ pathSegments.get( 3 ), pathSegments.get( 5 ) }; break; case TRACK_WAYPOINTS: tableName = Waypoints.TABLE + " INNER JOIN " + Segments.TABLE + " ON "+ Segments.TABLE+"."+Segments._ID +"=="+ Waypoints.SEGMENT; innerSelection = Segments.TRACK + " = ? "; innerSelectionArgs = new String[]{ pathSegments.get( 1 ) }; break; case GPStrackingProvider.MEDIA: tableName = Media.TABLE; break; case GPStrackingProvider.MEDIA_ID: tableName = Media.TABLE; innerSelection = Media._ID + " = ? "; innerSelectionArgs = new String[]{ pathSegments.get( 1 ) }; break; case TRACK_MEDIA: tableName = Media.TABLE; innerSelection = Media.TRACK + " = ? "; innerSelectionArgs = new String[]{ pathSegments.get( 1 ) }; break; case SEGMENT_MEDIA: tableName = Media.TABLE; innerSelection = Media.TRACK + " = ? and " + Media.SEGMENT + " = ? "; innerSelectionArgs = new String[]{ pathSegments.get( 1 ), pathSegments.get( 3 ) }; break; case WAYPOINT_MEDIA: tableName = Media.TABLE; innerSelection = Media.TRACK + " = ? and " + Media.SEGMENT + " = ? and " + Media.WAYPOINT + " = ? "; innerSelectionArgs = new String[]{ pathSegments.get( 1 ),pathSegments.get( 3 ), pathSegments.get( 5 )}; break; case TRACK_METADATA: tableName = MetaData.TABLE; innerSelection = MetaData.TRACK + " = ? and " + MetaData.SEGMENT + " = ? and " + MetaData.WAYPOINT + " = ? "; innerSelectionArgs = new String[]{ pathSegments.get( 1 ), "-1", "-1" }; break; case SEGMENT_METADATA: tableName = MetaData.TABLE; innerSelection = MetaData.TRACK + " = ? and " + MetaData.SEGMENT + " = ? and " + MetaData.WAYPOINT + " = ? "; innerSelectionArgs = new String[]{pathSegments.get( 1 ), pathSegments.get( 3 ), "-1" }; break; case WAYPOINT_METADATA: tableName = MetaData.TABLE; innerSelection = MetaData.TRACK + " = ? and " + MetaData.SEGMENT + " = ? and " + MetaData.WAYPOINT + " = ? "; innerSelectionArgs = new String[]{ pathSegments.get( 1 ), pathSegments.get( 3 ), pathSegments.get( 5 ) }; break; case GPStrackingProvider.METADATA: tableName = MetaData.TABLE; break; case GPStrackingProvider.METADATA_ID: tableName = MetaData.TABLE; innerSelection = MetaData._ID + " = ? "; innerSelectionArgs = new String[]{ pathSegments.get( 1 ) }; break; case SEARCH_SUGGEST_ID: tableName = Tracks.TABLE; if( selectionArgs[0] == null || selectionArgs[0].equals( "" ) ) { selection = null; selectionArgs = null; sortorder = Tracks.CREATION_TIME+" desc"; } else { selectionArgs[0] = "%" +selectionArgs[0]+ "%"; } projection = SUGGEST_PROJECTION; break; case LIVE_FOLDERS: tableName = Tracks.TABLE; projection = LIVE_PROJECTION; sortorder = Tracks.CREATION_TIME+" desc"; break; default: Log.e( GPStrackingProvider.TAG, "Unable to come to an action in the query uri: " + uri.toString() ); return null; } // SQLiteQueryBuilder is a helper class that creates the // proper SQL syntax for us. SQLiteQueryBuilder qBuilder = new SQLiteQueryBuilder(); // Set the table we're querying. qBuilder.setTables( tableName ); if( selection == null ) { selection = innerSelection; } else { selection = "( "+ innerSelection + " ) and " + selection; } LinkedList<String> allArgs = new LinkedList<String>(); if( selectionArgs == null ) { allArgs.addAll(Arrays.asList(innerSelectionArgs)); } else { allArgs.addAll(Arrays.asList(innerSelectionArgs)); allArgs.addAll(Arrays.asList(selectionArgs)); } selectionArgs = allArgs.toArray(innerSelectionArgs); // Make the query. SQLiteDatabase mDb = this.mDbHelper.getWritableDatabase(); Cursor c = qBuilder.query( mDb, projection, selection, selectionArgs, null, null, sortorder ); c.setNotificationUri( getContext().getContentResolver(), uri ); return c; } /** * (non-Javadoc) * @see android.content.ContentProvider#update(android.net.Uri, android.content.ContentValues, java.lang.String, java.lang.String[]) */ @Override public int update( Uri uri, ContentValues givenValues, String selection, String[] selectionArgs ) { int updates = -1 ; long trackId; long segmentId; long waypointId; long metaDataId; List<String> pathSegments; int match = GPStrackingProvider.sURIMatcher.match( uri ); String value; switch (match) { case TRACK_ID: trackId = new Long( uri.getLastPathSegment() ).longValue(); String name = givenValues.getAsString( Tracks.NAME ); updates = mDbHelper.updateTrack(trackId, name); break; case TRACK_METADATA: pathSegments = uri.getPathSegments(); trackId = Long.parseLong( pathSegments.get( 1 ) ); value = givenValues.getAsString( MetaData.VALUE ); updates = mDbHelper.updateMetaData( trackId, -1L, -1L, -1L, selection, selectionArgs, value); break; case SEGMENT_METADATA: pathSegments = uri.getPathSegments(); trackId = Long.parseLong( pathSegments.get( 1 ) ); segmentId = Long.parseLong( pathSegments.get( 3 ) ); value = givenValues.getAsString( MetaData.VALUE ); updates = mDbHelper.updateMetaData( trackId, segmentId, -1L, -1L, selection, selectionArgs, value); break; case WAYPOINT_METADATA: pathSegments = uri.getPathSegments(); trackId = Long.parseLong( pathSegments.get( 1 ) ); segmentId = Long.parseLong( pathSegments.get( 3 ) ); waypointId = Long.parseLong( pathSegments.get( 5 ) ); value = givenValues.getAsString( MetaData.VALUE ); updates = mDbHelper.updateMetaData( trackId, segmentId, waypointId, -1L, selection, selectionArgs, value); break; case METADATA_ID: pathSegments = uri.getPathSegments(); metaDataId = Long.parseLong( pathSegments.get( 1 ) ); value = givenValues.getAsString( MetaData.VALUE ); updates = mDbHelper.updateMetaData( -1L, -1L, -1L, metaDataId, selection, selectionArgs, value); break; default: Log.e( GPStrackingProvider.TAG, "Unable to come to an action in the query uri" + uri.toString() ); return -1; } return updates; } /** * (non-Javadoc) * @see android.content.ContentProvider#delete(android.net.Uri, java.lang.String, java.lang.String[]) */ @Override public int delete( Uri uri, String selection, String[] selectionArgs ) { int match = GPStrackingProvider.sURIMatcher.match( uri ); int affected = 0; switch( match ) { case GPStrackingProvider.TRACK_ID: affected = this.mDbHelper.deleteTrack( new Long( uri.getLastPathSegment() ).longValue() ); break; case GPStrackingProvider.MEDIA_ID: affected = this.mDbHelper.deleteMedia( new Long( uri.getLastPathSegment() ).longValue() ); break; case GPStrackingProvider.METADATA_ID: affected = this.mDbHelper.deleteMetaData( new Long( uri.getLastPathSegment() ).longValue() ); break; default: affected = 0; break; } return affected; } @Override public int bulkInsert( Uri uri, ContentValues[] valuesArray ) { int inserted = 0; int match = GPStrackingProvider.sURIMatcher.match( uri ); switch (match) { case WAYPOINTS: List<String> pathSegments = uri.getPathSegments(); int trackId = Integer.parseInt( pathSegments.get( 1 ) ); int segmentId = Integer.parseInt( pathSegments.get( 3 ) ); inserted = this.mDbHelper.bulkInsertWaypoint( trackId, segmentId, valuesArray ); break; default: inserted = super.bulkInsert( uri, valuesArray ); break; } return inserted; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/db/GPStrackingProvider.java
Java
gpl3
28,917
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.adapter; import java.io.FileInputStream; import java.io.FileNotFoundException; import java.io.FileOutputStream; import java.io.IOException; import java.io.ObjectInputStream; import java.io.ObjectOutputStream; import java.io.OptionalDataException; import java.util.ArrayList; import java.util.Collections; import java.util.Date; import java.util.HashMap; import java.util.HashSet; import java.util.List; import java.util.Map; import java.util.Observable; import java.util.Set; import java.util.Vector; import nl.sogeti.android.gpstracker.R; import nl.sogeti.android.gpstracker.db.GPStracking.MetaData; import nl.sogeti.android.gpstracker.util.Constants; import nl.sogeti.android.gpstracker.util.Pair; import android.content.ContentResolver; import android.content.Context; import android.database.Cursor; import android.util.Log; import android.widget.ArrayAdapter; import android.widget.SpinnerAdapter; /** * Model containing agregrated data retrieved from the GoBreadcrumbs.com API * * @version $Id:$ * @author rene (c) May 9, 2011, Sogeti B.V. */ public class BreadcrumbsTracks extends Observable { public static final String DESCRIPTION = "DESCRIPTION"; public static final String NAME = "NAME"; public static final String ENDTIME = "ENDTIME"; public static final String TRACK_ID = "BREADCRUMBS_TRACK_ID"; public static final String BUNDLE_ID = "BREADCRUMBS_BUNDLE_ID"; public static final String ACTIVITY_ID = "BREADCRUMBS_ACTIVITY_ID"; public static final String DIFFICULTY = "DIFFICULTY"; public static final String STARTTIME = "STARTTIME"; public static final String ISPUBLIC = "ISPUBLIC"; public static final String RATING = "RATING"; public static final String LATITUDE = "LATITUDE"; public static final String LONGITUDE = "LONGITUDE"; public static final String TOTALDISTANCE = "TOTALDISTANCE"; public static final String TOTALTIME = "TOTALTIME"; private static final String TAG = "OGT.BreadcrumbsTracks"; private static final Integer CACHE_VERSION = Integer.valueOf(8); private static final String BREADCRUMSB_BUNDLES_CACHE_FILE = "breadcrumbs_bundles_cache.data"; private static final String BREADCRUMSB_ACTIVITY_CACHE_FILE = "breadcrumbs_activity_cache.data"; /** * Time in milliseconds that a persisted breadcrumbs cache is used without a * refresh */ private static final long CACHE_TIMEOUT = 1000 * 60;//1000*60*10 ; /** * Mapping from bundleId to a list of trackIds */ private static HashMap<Integer, List<Integer>> sBundlesWithTracks; /** * Map from activityId to a dictionary containing keys like NAME */ private static HashMap<Integer, Map<String, String>> sActivityMappings; /** * Map from bundleId to a dictionary containing keys like NAME and * DESCRIPTION */ private static HashMap<Integer, Map<String, String>> sBundleMappings; /** * Map from trackId to a dictionary containing keys like NAME, ISPUBLIC, * DESCRIPTION and more */ private static HashMap<Integer, Map<String, String>> sTrackMappings; /** * Cache of OGT Tracks that have a Breadcrumbs track id stored in the * meta-data table */ private Map<Long, Integer> mSyncedTracks = null; private static Set<Pair<Integer, Integer>> sScheduledTracksLoading; static { BreadcrumbsTracks.initCacheVariables(); } private static void initCacheVariables() { sBundlesWithTracks = new HashMap<Integer, List<Integer>>(); sActivityMappings = new HashMap<Integer, Map<String, String>>(); sBundleMappings = new HashMap<Integer, Map<String, String>>(); sTrackMappings = new HashMap<Integer, Map<String, String>>(); sScheduledTracksLoading = new HashSet<Pair<Integer, Integer>>(); } private ContentResolver mResolver; /** * Constructor: create a new BreadcrumbsTracks. * * @param resolver Content resolver to obtain local Breadcrumbs references */ public BreadcrumbsTracks(ContentResolver resolver) { mResolver = resolver; } public void addActivity(int activityId, String activityName) { if (BreadcrumbsAdapter.DEBUG) { Log.d(TAG, "addActivity(Integer " + activityId + " String " + activityName + ")"); } if (sActivityMappings.get(activityId) == null) { sActivityMappings.put(activityId, new HashMap<String, String>()); } sActivityMappings.get(activityId).put(NAME, activityName); setChanged(); notifyObservers(); } /** * Add bundle to the track list * * @param activityId * @param bundleId * @param bundleName * @param bundleDescription */ public void addBundle(int bundleId, String bundleName, String bundleDescription) { if (BreadcrumbsAdapter.DEBUG) { Log.d(TAG, "addBundle(Integer " + bundleId + ", String " + bundleName + ", String " + bundleDescription + ")"); } if (sBundleMappings.get(bundleId) == null) { sBundleMappings.put(bundleId, new HashMap<String, String>()); } if (sBundlesWithTracks.get(bundleId) == null) { sBundlesWithTracks.put(bundleId, new ArrayList<Integer>()); } sBundleMappings.get(bundleId).put(NAME, bundleName); sBundleMappings.get(bundleId).put(DESCRIPTION, bundleDescription); setChanged(); notifyObservers(); } /** * Add track to tracklist * * @param trackId * @param trackName * @param bundleId * @param trackDescription * @param difficulty * @param startTime * @param endTime * @param isPublic * @param lat * @param lng * @param totalDistance * @param totalTime * @param trackRating */ public void addTrack(int trackId, String trackName, int bundleId, String trackDescription, String difficulty, String startTime, String endTime, String isPublic, Float lat, Float lng, Float totalDistance, Integer totalTime, String trackRating) { if (BreadcrumbsAdapter.DEBUG) { Log.d(TAG, "addTrack(Integer " + trackId + ", String " + trackName + ", Integer " + bundleId + "..."); } if (sBundlesWithTracks.get(bundleId) == null) { sBundlesWithTracks.put(bundleId, new ArrayList<Integer>()); } if (!sBundlesWithTracks.get(bundleId).contains(trackId)) { sBundlesWithTracks.get(bundleId).add(trackId); sScheduledTracksLoading.remove(Pair.create(Constants.BREADCRUMBS_TRACK_ITEM_VIEW_TYPE, trackId)); } if (sTrackMappings.get(trackId) == null) { sTrackMappings.put(trackId, new HashMap<String, String>()); } putForTrack(trackId, NAME, trackName); putForTrack(trackId, ISPUBLIC, isPublic); putForTrack(trackId, STARTTIME, startTime); putForTrack(trackId, ENDTIME, endTime); putForTrack(trackId, DESCRIPTION, trackDescription); putForTrack(trackId, DIFFICULTY, difficulty); putForTrack(trackId, RATING, trackRating); putForTrack(trackId, LATITUDE, lat); putForTrack(trackId, LONGITUDE, lng); putForTrack(trackId, TOTALDISTANCE, totalDistance); putForTrack(trackId, TOTALTIME, totalTime); notifyObservers(); } public void addSyncedTrack(Long trackId, int bcTrackId) { if (mSyncedTracks == null) { isLocalTrackOnline(-1l); } mSyncedTracks.put(trackId, bcTrackId); setChanged(); notifyObservers(); } public void addTracksLoadingScheduled(Pair<Integer, Integer> item) { sScheduledTracksLoading.add(item); setChanged(); notifyObservers(); } /** * Cleans old bundles based a set of all bundles * * @param newBundleIds */ public void setAllBundleIds(Set<Integer> currentBundleIds) { Set<Integer> keySet = sBundlesWithTracks.keySet(); for (Integer oldBundleId : keySet) { if (!currentBundleIds.contains(oldBundleId)) { removeBundle(oldBundleId); } } } public void setAllTracksForBundleId(int mBundleId, Set<Integer> updatedbcTracksIdList) { List<Integer> trackIdList = sBundlesWithTracks.get(mBundleId); for (int location = 0; location < trackIdList.size(); location++) { Integer oldTrackId = trackIdList.get(location); if (!updatedbcTracksIdList.contains(oldTrackId)) { removeTrack(mBundleId, oldTrackId); } } setChanged(); notifyObservers(); } private void putForTrack(int trackId, String key, Object value) { if (value != null) { sTrackMappings.get(trackId).put(key, value.toString()); } setChanged(); notifyObservers(); } /** * Remove a bundle * * @param deletedId */ public void removeBundle(int deletedId) { sBundleMappings.remove(deletedId); sBundlesWithTracks.remove(deletedId); setChanged(); notifyObservers(); } /** * Remove a track * * @param deletedId */ public void removeTrack(int bundleId, int trackId) { sTrackMappings.remove(trackId); if (sBundlesWithTracks.get(bundleId) != null) { sBundlesWithTracks.get(bundleId).remove(trackId); } setChanged(); notifyObservers(); mResolver.delete(MetaData.CONTENT_URI, MetaData.TRACK + " = ? AND " + MetaData.KEY + " = ? ", new String[] { Integer.toString(trackId), TRACK_ID }); if (mSyncedTracks != null && mSyncedTracks.containsKey(trackId)) { mSyncedTracks.remove(trackId); } } public int positions() { int size = 0; for (int index = 0; index < sBundlesWithTracks.size(); index++) { // One row for the Bundle header size += 1; List<Integer> trackIds = sBundlesWithTracks.get(index); int bundleSize = trackIds != null ? trackIds.size() : 0; // One row per track in each bundle size += bundleSize; } return size; } public Integer getBundleIdForTrackId(int trackId) { for (Integer bundleId : sBundlesWithTracks.keySet()) { List<Integer> trackIds = sBundlesWithTracks.get(bundleId); if (trackIds.contains(trackId)) { return bundleId; } } return null; } /** * @param position list postition 0...n * @return a pair of a TYPE and an ID */ public Pair<Integer, Integer> getItemForPosition(int position) { int countdown = position; for (Integer bundleId : sBundlesWithTracks.keySet()) { if (countdown == 0) { return Pair.create(Constants.BREADCRUMBS_BUNDLE_ITEM_VIEW_TYPE, bundleId); } countdown--; int bundleSize = sBundlesWithTracks.get(bundleId) != null ? sBundlesWithTracks.get(bundleId).size() : 0; if (countdown < bundleSize) { Integer trackId = sBundlesWithTracks.get(bundleId).get(countdown); return Pair.create(Constants.BREADCRUMBS_TRACK_ITEM_VIEW_TYPE, trackId); } countdown -= bundleSize; } return null; } public String getValueForItem(Pair<Integer, Integer> item, String key) { String value = null; switch (item.first) { case Constants.BREADCRUMBS_BUNDLE_ITEM_VIEW_TYPE: value = sBundleMappings.get(item.second).get(key); break; case Constants.BREADCRUMBS_TRACK_ITEM_VIEW_TYPE: value = sTrackMappings.get(item.second).get(key); break; default: value = null; break; } return value; } public SpinnerAdapter getActivityAdapter(Context ctx) { List<String> activities = new Vector<String>(); for (Integer activityId : sActivityMappings.keySet()) { String name = sActivityMappings.get(activityId).get(NAME); name = name != null ? name : ""; activities.add(name); } Collections.sort(activities); ArrayAdapter<String> adapter = new ArrayAdapter<String>(ctx, android.R.layout.simple_spinner_item, activities); adapter.setDropDownViewResource(android.R.layout.simple_spinner_dropdown_item); return adapter; } public SpinnerAdapter getBundleAdapter(Context ctx) { List<String> bundles = new Vector<String>(); for (Integer bundleId : sBundlesWithTracks.keySet()) { bundles.add(sBundleMappings.get(bundleId).get(NAME)); } Collections.sort(bundles); if (!bundles.contains(ctx.getString(R.string.app_name))) { bundles.add(ctx.getString(R.string.app_name)); } ArrayAdapter<String> adapter = new ArrayAdapter<String>(ctx, android.R.layout.simple_spinner_item, bundles); adapter.setDropDownViewResource(android.R.layout.simple_spinner_dropdown_item); return adapter; } public static int getIdForActivity(String selectedItem) { if (selectedItem == null) { return -1; } for (Integer activityId : sActivityMappings.keySet()) { Map<String, String> mapping = sActivityMappings.get(activityId); if (mapping != null && selectedItem.equals(mapping.get(NAME))) { return activityId; } } return -1; } public static int getIdForBundle(int activityId, String selectedItem) { for (Integer bundleId : sBundlesWithTracks.keySet()) { if (selectedItem.equals(sBundleMappings.get(bundleId).get(NAME))) { return bundleId; } } return -1; } private boolean isLocalTrackOnline(Long qtrackId) { if (mSyncedTracks == null) { mSyncedTracks = new HashMap<Long, Integer>(); Cursor cursor = null; try { cursor = mResolver.query(MetaData.CONTENT_URI, new String[] { MetaData.TRACK, MetaData.VALUE }, MetaData.KEY + " = ? ", new String[] { TRACK_ID }, null); if (cursor.moveToFirst()) { do { Long trackId = cursor.getLong(0); try { Integer bcTrackId = Integer.valueOf(cursor.getString(1)); mSyncedTracks.put(trackId, bcTrackId); } catch (NumberFormatException e) { Log.w(TAG, "Illigal value stored as track id", e); } } while (cursor.moveToNext()); } } finally { if (cursor != null) { cursor.close(); } } setChanged(); notifyObservers(); } boolean synced = mSyncedTracks.containsKey(qtrackId); return synced; } public boolean isLocalTrackSynced(Long qtrackId) { boolean uploaded = isLocalTrackOnline(qtrackId); Integer trackId = mSyncedTracks.get(qtrackId); boolean synced = trackId != null && sTrackMappings.get(trackId) != null; return uploaded && synced; } public boolean areTracksLoaded(Pair<Integer, Integer> item) { return sBundlesWithTracks.get(item.second) != null && item.first == Constants.BREADCRUMBS_TRACK_ITEM_VIEW_TYPE; } public boolean areTracksLoadingScheduled(Pair<Integer, Integer> item) { return sScheduledTracksLoading.contains(item); } /** * Read the static breadcrumbs data from private file * * @param ctx * @return is refresh is needed */ @SuppressWarnings("unchecked") public boolean readCache(Context ctx) { FileInputStream fis = null; ObjectInputStream ois = null; Date bundlesPersisted = null, activitiesPersisted = null; Object[] cache; synchronized (BREADCRUMSB_BUNDLES_CACHE_FILE) { try { fis = ctx.openFileInput(BREADCRUMSB_BUNDLES_CACHE_FILE); ois = new ObjectInputStream(fis); cache = (Object[]) ois.readObject(); // new Object[] { CACHE_VERSION, new Date(), sActivitiesWithBundles, sBundlesWithTracks, sBundleMappings, sTrackMappings }; if (cache[0] instanceof Integer && CACHE_VERSION.equals(cache[0])) { bundlesPersisted = (Date) cache[1]; HashMap<Integer, List<Integer>> bundles = (HashMap<Integer, List<Integer>>) cache[2]; HashMap<Integer, Map<String, String>> bundlemappings = (HashMap<Integer, Map<String, String>>) cache[3]; HashMap<Integer, Map<String, String>> trackmappings = (HashMap<Integer, Map<String, String>>) cache[4]; sBundlesWithTracks = bundles != null ? bundles : sBundlesWithTracks; sBundleMappings = bundlemappings != null ? bundlemappings : sBundleMappings; sTrackMappings = trackmappings != null ? trackmappings : sTrackMappings; } else { clearPersistentCache(ctx); } fis = ctx.openFileInput(BREADCRUMSB_ACTIVITY_CACHE_FILE); ois = new ObjectInputStream(fis); cache = (Object[]) ois.readObject(); // new Object[] { CACHE_VERSION, new Date(), sActivityMappings }; if (cache[0] instanceof Integer && CACHE_VERSION.equals(cache[0])) { activitiesPersisted = (Date) cache[1]; HashMap<Integer, Map<String, String>> activitymappings = (HashMap<Integer, Map<String, String>>) cache[2]; sActivityMappings = activitymappings != null ? activitymappings : sActivityMappings; } else { clearPersistentCache(ctx); } } catch (OptionalDataException e) { clearPersistentCache(ctx); Log.w(TAG, "Unable to read persisted breadcrumbs cache", e); } catch (ClassNotFoundException e) { clearPersistentCache(ctx); Log.w(TAG, "Unable to read persisted breadcrumbs cache", e); } catch (IOException e) { clearPersistentCache(ctx); Log.w(TAG, "Unable to read persisted breadcrumbs cache", e); } catch (ClassCastException e) { clearPersistentCache(ctx); Log.w(TAG, "Unable to read persisted breadcrumbs cache", e); } catch (ArrayIndexOutOfBoundsException e) { clearPersistentCache(ctx); Log.w(TAG, "Unable to read persisted breadcrumbs cache", e); } finally { if (fis != null) { try { fis.close(); } catch (IOException e) { Log.w(TAG, "Error closing file stream after reading cache", e); } } if (ois != null) { try { ois.close(); } catch (IOException e) { Log.w(TAG, "Error closing object stream after reading cache", e); } } } } setChanged(); notifyObservers(); boolean refreshNeeded = false; refreshNeeded = refreshNeeded || bundlesPersisted == null || activitiesPersisted == null; refreshNeeded = refreshNeeded || (activitiesPersisted.getTime() < new Date().getTime() - CACHE_TIMEOUT * 10); refreshNeeded = refreshNeeded || (bundlesPersisted.getTime() < new Date().getTime() - CACHE_TIMEOUT); return refreshNeeded; } public void persistCache(Context ctx) { FileOutputStream fos = null; ObjectOutputStream oos = null; Object[] cache; synchronized (BREADCRUMSB_BUNDLES_CACHE_FILE) { try { fos = ctx.openFileOutput(BREADCRUMSB_BUNDLES_CACHE_FILE, Context.MODE_PRIVATE); oos = new ObjectOutputStream(fos); cache = new Object[] { CACHE_VERSION, new Date(), sBundlesWithTracks, sBundleMappings, sTrackMappings }; oos.writeObject(cache); fos = ctx.openFileOutput(BREADCRUMSB_ACTIVITY_CACHE_FILE, Context.MODE_PRIVATE); oos = new ObjectOutputStream(fos); cache = new Object[] { CACHE_VERSION, new Date(), sActivityMappings }; oos.writeObject(cache); } catch (FileNotFoundException e) { Log.e(TAG, "Error in file stream during persist cache", e); } catch (IOException e) { Log.e(TAG, "Error in object stream during persist cache", e); } finally { if (fos != null) { try { fos.close(); } catch (IOException e) { Log.w(TAG, "Error closing file stream after writing cache", e); } } if (oos != null) { try { oos.close(); } catch (IOException e) { Log.w(TAG, "Error closing object stream after writing cache", e); } } } } } public void clearAllCache(Context ctx) { BreadcrumbsTracks.initCacheVariables(); setChanged(); clearPersistentCache(ctx); notifyObservers(); } public void clearPersistentCache(Context ctx) { Log.w(TAG, "Deleting old Breadcrumbs cache files"); synchronized (BREADCRUMSB_BUNDLES_CACHE_FILE) { ctx.deleteFile(BREADCRUMSB_ACTIVITY_CACHE_FILE); ctx.deleteFile(BREADCRUMSB_BUNDLES_CACHE_FILE); } } @Override public String toString() { return "BreadcrumbsTracks [mActivityMappings=" + sActivityMappings + ", mBundleMappings=" + sBundleMappings + ", mTrackMappings=" + sTrackMappings + ", mActivities=" + sActivityMappings + ", mBundles=" + sBundlesWithTracks + "]"; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/adapter/BreadcrumbsTracks.java
Java
gpl3
23,924
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.adapter; import java.util.LinkedList; import java.util.List; import nl.sogeti.android.gpstracker.R; import nl.sogeti.android.gpstracker.actions.tasks.GpxParser; import nl.sogeti.android.gpstracker.breadcrumbs.BreadcrumbsService; import nl.sogeti.android.gpstracker.breadcrumbs.BreadcrumbsTracks; import nl.sogeti.android.gpstracker.util.Constants; import nl.sogeti.android.gpstracker.util.Pair; import android.app.Activity; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.BaseAdapter; import android.widget.TextView; /** * Organizes Breadcrumbs tasks based on demands on the BaseAdapter functions * * @version $Id:$ * @author rene (c) Apr 24, 2011, Sogeti B.V. */ public class BreadcrumbsAdapter extends BaseAdapter { private static final String TAG = "OGT.BreadcrumbsAdapter"; public static final boolean DEBUG = false; private Activity mContext; private LayoutInflater mInflater; private BreadcrumbsService mService; private List<Pair<Integer, Integer>> breadcrumbItems = new LinkedList<Pair<Integer, Integer>>(); public BreadcrumbsAdapter(Activity ctx, BreadcrumbsService service) { super(); mContext = ctx; mService = service; mInflater = LayoutInflater.from(mContext); } public void setService(BreadcrumbsService service) { mService = service; updateItemList(); } /** * Reloads the current list of known breadcrumb listview items * */ public void updateItemList() { mContext.runOnUiThread(new Runnable() { @Override public void run() { if (mService != null) { breadcrumbItems = mService.getAllItems(); notifyDataSetChanged(); } } }); } /** * @see android.widget.Adapter#getCount() */ @Override public int getCount() { if (mService != null) { if (mService.isAuthorized()) { return breadcrumbItems.size(); } else { return 1; } } else { return 0; } } /** * @see android.widget.Adapter#getItem(int) */ @Override public Object getItem(int position) { if (mService.isAuthorized()) { return breadcrumbItems.get(position); } else { return Constants.BREADCRUMBS_CONNECT; } } /** * @see android.widget.Adapter#getItemId(int) */ @Override public long getItemId(int position) { return position; } /** * @see android.widget.Adapter#getView(int, android.view.View, android.view.ViewGroup) */ @Override public View getView(int position, View convertView, ViewGroup parent) { View view = null; if (mService.isAuthorized()) { int type = getItemViewType(position); if (convertView == null) { switch (type) { case Constants.BREADCRUMBS_BUNDLE_ITEM_VIEW_TYPE: view = mInflater.inflate(R.layout.breadcrumbs_bundle, null); break; case Constants.BREADCRUMBS_TRACK_ITEM_VIEW_TYPE: view = mInflater.inflate(R.layout.breadcrumbs_track, null); break; default: view = new TextView(null); break; } } else { view = convertView; } Pair<Integer, Integer> item = breadcrumbItems.get(position); mService.willDisplayItem(item); String name; switch (type) { case Constants.BREADCRUMBS_BUNDLE_ITEM_VIEW_TYPE: name = mService.getValueForItem((Pair<Integer, Integer>) item, BreadcrumbsTracks.NAME); ((TextView) view.findViewById(R.id.listitem_name)).setText(name); break; case Constants.BREADCRUMBS_TRACK_ITEM_VIEW_TYPE: TextView nameView = (TextView) view.findViewById(R.id.listitem_name); TextView dateView = (TextView) view.findViewById(R.id.listitem_from); nameView.setText(mService.getValueForItem(item, BreadcrumbsTracks.NAME)); String dateString = mService.getValueForItem(item, BreadcrumbsTracks.ENDTIME); if (dateString != null) { Long date = GpxParser.parseXmlDateTime(dateString); dateView.setText(date.toString()); } break; default: view = new TextView(null); break; } } else { if (convertView == null) { view = mInflater.inflate(R.layout.breadcrumbs_connect, null); } else { view = convertView; } ((TextView) view).setText(R.string.breadcrumbs_connect); } return view; } @Override public int getViewTypeCount() { int types = 4; return types; } @Override public int getItemViewType(int position) { if (mService.isAuthorized()) { Pair<Integer, Integer> item = breadcrumbItems.get(position); return item.first; } else { return Constants.BREADCRUMBS_CONNECT_ITEM_VIEW_TYPE; } } @Override public boolean areAllItemsEnabled() { return false; }; @Override public boolean isEnabled(int position) { int itemViewType = getItemViewType(position); return itemViewType == Constants.BREADCRUMBS_TRACK_ITEM_VIEW_TYPE || itemViewType == Constants.BREADCRUMBS_CONNECT_ITEM_VIEW_TYPE; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/adapter/BreadcrumbsAdapter.java
Java
gpl3
7,386
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.adapter; import java.util.LinkedHashMap; import java.util.Map; import nl.sogeti.android.gpstracker.R; import nl.sogeti.android.gpstracker.util.Constants; import android.content.Context; import android.database.DataSetObserver; import android.view.View; import android.view.ViewGroup; import android.widget.Adapter; import android.widget.ArrayAdapter; import android.widget.BaseAdapter; import android.widget.ListAdapter; /** * Combines multiple Adapters into a sectioned ListAdapter * * @version $Id:$ * @author rene (c) Apr 24, 2011, Sogeti B.V. */ public class SectionedListAdapter extends BaseAdapter { @SuppressWarnings("unused") private static final String TAG = "OGT.SectionedListAdapter"; private Map<String, BaseAdapter> mSections; private ArrayAdapter<String> mHeaders; public SectionedListAdapter(Context ctx) { mHeaders = new ArrayAdapter<String>(ctx, R.layout.section_header); mSections = new LinkedHashMap<String, BaseAdapter>(); } public void addSection(String name, BaseAdapter adapter) { mHeaders.add(name); mSections.put(name, adapter); } @Override public void registerDataSetObserver(DataSetObserver observer) { super.registerDataSetObserver(observer); for( Adapter adapter : mSections.values() ) { adapter.registerDataSetObserver(observer); } } @Override public void unregisterDataSetObserver(DataSetObserver observer) { super.unregisterDataSetObserver(observer); for( Adapter adapter : mSections.values() ) { adapter.unregisterDataSetObserver(observer); } } /* * (non-Javadoc) * @see android.widget.Adapter#getCount() */ @Override public int getCount() { int count = 0; for (Adapter adapter : mSections.values()) { count += adapter.getCount() + 1; } return count; } /* * (non-Javadoc) * @see android.widget.Adapter#getItem(int) */ @Override public Object getItem(int position) { int countDown = position; Adapter adapter; for (String section : mSections.keySet()) { adapter = mSections.get(section); if (countDown == 0) { return section; } countDown--; if (countDown < adapter.getCount()) { return adapter.getItem(countDown); } countDown -= adapter.getCount(); } return null; } /* * (non-Javadoc) * @see android.widget.Adapter#getItemId(int) */ @Override public long getItemId(int position) { int countDown = position; Adapter adapter; for (String section : mSections.keySet()) { adapter = mSections.get(section); if (countDown == 0) { return position; } countDown--; if (countDown < adapter.getCount()) { long id = adapter.getItemId(countDown); return id; } countDown -= adapter.getCount(); } return -1; } /* * (non-Javadoc) * @see android.widget.Adapter#getView(int, android.view.View, * android.view.ViewGroup) */ @Override public View getView(final int position, View convertView, ViewGroup parent) { int sectionNumber = 0; int countDown = position; for (String section : mSections.keySet()) { Adapter adapter = mSections.get(section); int size = adapter.getCount() + 1; // check if position inside this section if (countDown == 0) { return mHeaders.getView(sectionNumber, convertView, parent); } if (countDown < size) { return adapter.getView(countDown - 1, convertView, parent); } // otherwise jump into next section countDown -= size; sectionNumber++; } return null; } @Override public int getViewTypeCount() { int types = 1; for (Adapter section : mSections.values()) { types += section.getViewTypeCount(); } return types; } @Override public int getItemViewType(int position) { int type = 1; Adapter adapter; int countDown = position; for (String section : mSections.keySet()) { adapter = mSections.get(section); int size = adapter.getCount() + 1; if (countDown == 0) { return Constants.SECTIONED_HEADER_ITEM_VIEW_TYPE; } else if (countDown < size) { return type + adapter.getItemViewType(countDown - 1); } countDown -= size; type += adapter.getViewTypeCount(); } return ListAdapter.IGNORE_ITEM_VIEW_TYPE; } @Override public boolean areAllItemsEnabled() { return false; }; @Override public boolean isEnabled(int position) { if( getItemViewType(position) == Constants.SECTIONED_HEADER_ITEM_VIEW_TYPE ) { return false; } else { int countDown = position; for (String section : mSections.keySet()) { BaseAdapter adapter = mSections.get(section); countDown--; int size = adapter.getCount() ; if (countDown < size) { return adapter.isEnabled(countDown); } // otherwise jump into next section countDown -= size; } } return false ; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/adapter/SectionedListAdapter.java
Java
gpl3
7,170
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.util; import java.text.DateFormat; import java.util.Date; import android.content.Context; import android.util.AttributeSet; import android.widget.TextView; /** * An implementation for the XML element DateView that alters the textview in the * formating of the text when displaying a date in ms from 1970. * * @version $Id$ * @author rene (c) Jan 22, 2009, Sogeti B.V. */ public class DateView extends TextView { private Date mDate; /** * Constructor: create a new DateView. * @param context */ public DateView(Context context) { super( context ); } /** * Constructor: create a new DateView. * @param context * @param attrs */ public DateView(Context context, AttributeSet attrs) { super( context, attrs ); } /** * Constructor: create a new DateView. * @param context * @param attrs * @param defStyle */ public DateView(Context context, AttributeSet attrs, int defStyle) { super( context, attrs, defStyle ); } /* * (non-Javadoc) * @see android.widget.TextView#setText(java.lang.CharSequence, android.widget.TextView.BufferType) */ @Override public void setText( CharSequence charSeq, BufferType type ) { // Behavior for the graphical editor if( this.isInEditMode() ) { super.setText( charSeq, type ); return; } long longVal; if( charSeq.length() == 0 ) { longVal = 0l ; } else { try { longVal = Long.parseLong(charSeq.toString()) ; } catch(NumberFormatException e) { longVal = 0l; } } this.mDate = new Date( longVal ); DateFormat dateFormat = android.text.format.DateFormat.getLongDateFormat(this.getContext().getApplicationContext()); DateFormat timeFormat = android.text.format.DateFormat.getTimeFormat(this.getContext().getApplicationContext()); String text = timeFormat.format(this.mDate) + " " + dateFormat.format(mDate); super.setText( text, type ); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/util/DateView.java
Java
gpl3
3,692
/* Copyright (c) 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package nl.sogeti.android.gpstracker.util; import java.io.IOException; import java.io.InputStream; import java.io.InputStreamReader; import java.io.PushbackInputStream; import java.io.Reader; public class UnicodeReader extends Reader { private static final int BOM_SIZE = 4; private final InputStreamReader reader; /** * Construct UnicodeReader * * @param in Input stream. * @param defaultEncoding Default encoding to be used if BOM is not found, or <code>null</code> to use system default encoding. * @throws IOException If an I/O error occurs. */ public UnicodeReader(InputStream in, String defaultEncoding) throws IOException { byte bom[] = new byte[BOM_SIZE]; String encoding; int unread; PushbackInputStream pushbackStream = new PushbackInputStream( in, BOM_SIZE ); int n = pushbackStream.read( bom, 0, bom.length ); // Read ahead four bytes and check for BOM marks. if( ( bom[0] == (byte) 0xEF ) && ( bom[1] == (byte) 0xBB ) && ( bom[2] == (byte) 0xBF ) ) { encoding = "UTF-8"; unread = n - 3; } else if( ( bom[0] == (byte) 0xFE ) && ( bom[1] == (byte) 0xFF ) ) { encoding = "UTF-16BE"; unread = n - 2; } else if( ( bom[0] == (byte) 0xFF ) && ( bom[1] == (byte) 0xFE ) ) { encoding = "UTF-16LE"; unread = n - 2; } else if( ( bom[0] == (byte) 0x00 ) && ( bom[1] == (byte) 0x00 ) && ( bom[2] == (byte) 0xFE ) && ( bom[3] == (byte) 0xFF ) ) { encoding = "UTF-32BE"; unread = n - 4; } else if( ( bom[0] == (byte) 0xFF ) && ( bom[1] == (byte) 0xFE ) && ( bom[2] == (byte) 0x00 ) && ( bom[3] == (byte) 0x00 ) ) { encoding = "UTF-32LE"; unread = n - 4; } else { encoding = defaultEncoding; unread = n; } // Unread bytes if necessary and skip BOM marks. if( unread > 0 ) { pushbackStream.unread( bom, ( n - unread ), unread ); } else if( unread < -1 ) { pushbackStream.unread( bom, 0, 0 ); } // Use given encoding. if( encoding == null ) { reader = new InputStreamReader( pushbackStream ); } else { reader = new InputStreamReader( pushbackStream, encoding ); } } public String getEncoding() { return reader.getEncoding(); } @Override public int read( char[] cbuf, int off, int len ) throws IOException { return reader.read( cbuf, off, len ); } @Override public void close() throws IOException { reader.close(); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/util/UnicodeReader.java
Java
gpl3
3,284
/* * Written by Tom van Braeckel @ http://code.google.com/u/tomvanbraeckel/ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.util; import android.content.BroadcastReceiver; import android.content.Context; import android.content.Intent; import android.preference.PreferenceManager; import android.util.Log; public class BootReceiver extends BroadcastReceiver { private final static String TAG = "OGT.BootReceiver"; @Override public void onReceive( Context context, Intent intent ) { // Log.d( TAG, "BootReceiver.onReceive(), probably ACTION_BOOT_COMPLETED" ); String action = intent.getAction(); // start on BOOT_COMPLETED if( action.equals( Intent.ACTION_BOOT_COMPLETED ) ) { // Log.d( TAG, "BootReceiver received ACTION_BOOT_COMPLETED" ); // check in the settings if we need to auto start boolean startImmidiatly = PreferenceManager.getDefaultSharedPreferences( context ).getBoolean( Constants.STARTUPATBOOT, false ); if( startImmidiatly ) { // Log.d( TAG, "Starting LoggerMap activity..." ); context.startService( new Intent( Constants.SERVICENAME ) ); } else { Log.i( TAG, "Not starting Logger Service. Adjust the settings if you wanted this !" ); } } else { // this shouldn't happen ! Log.w( TAG, "OpenGPSTracker's BootReceiver received " + action + ", but it's only able to respond to " + Intent.ACTION_BOOT_COMPLETED + ". This shouldn't happen !" ); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/util/BootReceiver.java
Java
gpl3
2,288
/*------------------------------------------------------------------------------ ** Ident: Delivery Center Java ** Author: rene ** Copyright: (c) Mar 10, 2012 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ */ package nl.sogeti.android.gpstracker.util; import nl.sogeti.android.gpstracker.R; import android.content.Context; import android.graphics.Canvas; import android.graphics.drawable.Drawable; import android.util.AttributeSet; import android.util.Log; import android.view.View; /** * ???? * * @version $Id:$ * @author rene (c) Mar 10, 2012, Sogeti B.V. */ public class SlidingIndicatorView extends View { private static final String TAG = "OGT.SlidingIndicatorView"; private float mMinimum = 0; private float mMaximum = 100 ; private float mValue = 0; private Drawable mIndicator; private int mIntrinsicHeight; public SlidingIndicatorView(Context context) { super(context); } public SlidingIndicatorView(Context context, AttributeSet attrs) { super(context, attrs); } public SlidingIndicatorView(Context context, AttributeSet attrs, int defStyle) { super(context, attrs, defStyle); } @Override protected void onDraw(Canvas canvas) { super.onDraw(canvas); if( mIndicator == null ) { mIndicator = getResources().getDrawable(R.drawable.stip); mIntrinsicHeight = mIndicator.getIntrinsicHeight(); mIndicator.setBounds(0, 0, getWidth(), mIntrinsicHeight); } int height = getHeight(); float scale = Math.abs( mValue/(mMaximum-mMinimum) ); float y = height - height*scale; float translate = y-mIntrinsicHeight; canvas.save(); canvas.translate(0, translate); mIndicator.draw(canvas); canvas.restore(); } public float getMin() { return mMinimum; } public void setMin(float min) { if(mMaximum-mMinimum == 0 ) { Log.w(TAG, "Minimum and maximum difference must be greater then 0"); return; } this.mMinimum = min; } public float getMax() { return mMaximum; } public void setMax(float max) { if(mMaximum-mMinimum == 0 ) { Log.w(TAG, "Minimum and maximum difference must be greater then 0"); return; } this.mMaximum = max; } public float getValue() { return mValue; } public void setValue(float value) { this.mValue = value; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/util/SlidingIndicatorView.java
Java
gpl3
3,065
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.util; import nl.sogeti.android.gpstracker.logger.GPSLoggerService; import android.content.BroadcastReceiver; import android.content.Context; import android.content.Intent; import android.os.Bundle; import android.preference.PreferenceManager; import android.util.Log; public class DockReceiver extends BroadcastReceiver { private final static String TAG = "OGT.DockReceiver"; @Override public void onReceive( Context context, Intent intent ) { String action = intent.getAction(); if( action.equals( Intent.ACTION_DOCK_EVENT ) ) { Bundle extras = intent.getExtras(); boolean start = false; boolean stop = false; if( extras != null && extras.containsKey(Intent.EXTRA_DOCK_STATE ) ) { int dockstate = extras.getInt(Intent.EXTRA_DOCK_STATE, -1); if( dockstate == Intent.EXTRA_DOCK_STATE_CAR ) { start = PreferenceManager.getDefaultSharedPreferences( context ).getBoolean( Constants.LOGATDOCK, false ); } else if( dockstate == Intent.EXTRA_DOCK_STATE_UNDOCKED ) { stop = PreferenceManager.getDefaultSharedPreferences( context ).getBoolean( Constants.STOPATUNDOCK, false ); } } if( start ) { Intent serviceIntent = new Intent( Constants.SERVICENAME ); serviceIntent.putExtra(GPSLoggerService.COMMAND, GPSLoggerService.EXTRA_COMMAND_START); context.startService( serviceIntent ); } else if( stop ) { Intent serviceIntent = new Intent( Constants.SERVICENAME ); serviceIntent.putExtra(GPSLoggerService.COMMAND, GPSLoggerService.EXTRA_COMMAND_STOP); context.startService( serviceIntent ); } } else { Log.w( TAG, "OpenGPSTracker's BootReceiver received " + action + ", but it's only able to respond to " + Intent.ACTION_BOOT_COMPLETED + ". This shouldn't happen !" ); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/util/DockReceiver.java
Java
gpl3
3,584
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.util; import java.io.FilterInputStream; import java.io.IOException; import java.io.InputStream; import nl.sogeti.android.gpstracker.actions.tasks.GpxParser; import nl.sogeti.android.gpstracker.actions.tasks.GpxParser.ProgressAdmin; /** * ???? * * @version $Id$ * @author rene (c) Dec 11, 2010, Sogeti B.V. */ public class ProgressFilterInputStream extends FilterInputStream { GpxParser mAsyncTask; long progress = 0; private ProgressAdmin mProgressAdmin; public ProgressFilterInputStream(InputStream is, ProgressAdmin progressAdmin) { super( is ); mProgressAdmin = progressAdmin; } @Override public int read() throws IOException { int read = super.read(); incrementProgressBy( 1 ); return read; } @Override public int read( byte[] buffer, int offset, int count ) throws IOException { int read = super.read( buffer, offset, count ); incrementProgressBy( read ); return read; } private void incrementProgressBy( int bytes ) { if( bytes > 0 ) { mProgressAdmin.addBytesProgress(bytes); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/util/ProgressFilterInputStream.java
Java
gpl3
2,694
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.util; import java.util.Locale; import nl.sogeti.android.gpstracker.R; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.content.res.Configuration; import android.content.res.Resources; import android.preference.PreferenceManager; import android.util.TypedValue; /** * Collection of methods to provide metric and imperial data based on locale or * overridden by configuration * * @version $Id$ * @author rene (c) Feb 2, 2010, Sogeti B.V. */ public class UnitsI18n { private Context mContext; private double mConversion_from_mps_to_speed; private double mConversion_from_meter_to_distance; private double mConversion_from_meter_to_height; private String mSpeed_unit; private String mDistance_unit; private String mHeight_unit; private UnitsChangeListener mListener; private OnSharedPreferenceChangeListener mPreferenceListener = new OnSharedPreferenceChangeListener() { @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { if (key.equals(Constants.UNITS)) { initBasedOnPreferences(sharedPreferences); if (mListener != null) { mListener.onUnitsChange(); } } } }; private boolean needsUnitFlip; private int mUnits; @SuppressWarnings("unused") private static final String TAG = "OGT.UnitsI18n"; public UnitsI18n(Context ctx, UnitsChangeListener listener) { this(ctx); mListener = listener; } public UnitsI18n(Context ctx) { mContext = ctx; initBasedOnPreferences(PreferenceManager.getDefaultSharedPreferences(mContext)); } private void initBasedOnPreferences(SharedPreferences sharedPreferences) { mUnits = Integer.parseInt(sharedPreferences.getString(Constants.UNITS, Integer.toString(Constants.UNITS_DEFAULT))); switch (mUnits) { case (Constants.UNITS_DEFAULT): setToDefault(); break; case (Constants.UNITS_IMPERIAL): setToImperial(); break; case (Constants.UNITS_METRIC): setToMetric(); break; case (Constants.UNITS_NAUTIC): setToMetric(); overrideWithNautic(mContext.getResources()); break; case (Constants.UNITS_METRICPACE): setToMetric(); overrideWithPace(mContext.getResources()); break; case (Constants.UNITS_IMPERIALPACE): setToImperial(); overrideWithPaceImperial(mContext.getResources()); break; case Constants.UNITS_IMPERIALSURFACE: setToImperial(); overrideWithSurfaceImperial(); break; case Constants.UNITS_METRICSURFACE: setToMetric(); overrideWithSurfaceMetric(); break; default: setToDefault(); break; } } private void setToDefault() { Resources resources = mContext.getResources(); init(resources); } private void setToMetric() { Resources resources = mContext.getResources(); Configuration config = resources.getConfiguration(); Locale oldLocale = config.locale; config.locale = new Locale(""); resources.updateConfiguration(config, resources.getDisplayMetrics()); init(resources); config.locale = oldLocale; resources.updateConfiguration(config, resources.getDisplayMetrics()); } private void setToImperial() { Resources resources = mContext.getResources(); Configuration config = resources.getConfiguration(); Locale oldLocale = config.locale; config.locale = Locale.US; resources.updateConfiguration(config, resources.getDisplayMetrics()); init(resources); config.locale = oldLocale; resources.updateConfiguration(config, resources.getDisplayMetrics()); } /** * Based on a given Locale prefetch the units conversions and names. * * @param resources Resources initialized with a Locale */ private void init(Resources resources) { TypedValue outValue = new TypedValue(); needsUnitFlip = false; resources.getValue(R.raw.conversion_from_mps, outValue, false); mConversion_from_mps_to_speed = outValue.getFloat(); resources.getValue(R.raw.conversion_from_meter, outValue, false); mConversion_from_meter_to_distance = outValue.getFloat(); resources.getValue(R.raw.conversion_from_meter_to_height, outValue, false); mConversion_from_meter_to_height = outValue.getFloat(); mSpeed_unit = resources.getString(R.string.speed_unitname); mDistance_unit = resources.getString(R.string.distance_unitname); mHeight_unit = resources.getString(R.string.distance_smallunitname); } private void overrideWithNautic(Resources resources) { TypedValue outValue = new TypedValue(); resources.getValue(R.raw.conversion_from_mps_to_knot, outValue, false); mConversion_from_mps_to_speed = outValue.getFloat(); resources.getValue(R.raw.conversion_from_meter_to_nauticmile, outValue, false); mConversion_from_meter_to_distance = outValue.getFloat(); mSpeed_unit = resources.getString(R.string.knot_unitname); mDistance_unit = resources.getString(R.string.nautic_unitname); } private void overrideWithPace(Resources resources) { needsUnitFlip = true; mSpeed_unit = resources.getString(R.string.pace_unitname); } private void overrideWithPaceImperial(Resources resources) { needsUnitFlip = true; mSpeed_unit = resources.getString(R.string.pace_unitname_imperial); } private void overrideWithSurfaceImperial() { float width = getWidthPreference(); Resources resources = mContext.getResources(); TypedValue outValue = new TypedValue(); resources.getValue(R.raw.conversion_from_mps_to_acres_hour, outValue, false); mConversion_from_mps_to_speed = outValue.getFloat() * width; mSpeed_unit = resources.getString(R.string.surface_unitname_imperial); } private float getWidthPreference() { return Float.parseFloat(PreferenceManager.getDefaultSharedPreferences(mContext).getString("units_implement_width", "12")); } private void overrideWithSurfaceMetric() { float width = getWidthPreference(); Resources resources = mContext.getResources(); TypedValue outValue = new TypedValue(); resources.getValue(R.raw.conversion_from_mps_to_hectare_hour, outValue, false); mConversion_from_mps_to_speed = outValue.getFloat() * width; mSpeed_unit = resources.getString(R.string.surface_unitname_metric); } public double conversionFromMeterAndMiliseconds(double meters, long miliseconds) { float seconds = miliseconds / 1000f; return conversionFromMetersPerSecond(meters / seconds); } public double conversionFromMetersPerSecond(double mps) { double speed = mps * mConversion_from_mps_to_speed; if (needsUnitFlip) // Flip from "x per hour" to "minutes per x" { if (speed > 1) // Nearly no speed return 0 as if there is no speed { speed = (1 / speed) * 60.0; } else { speed = 0; } } return speed; } public double conversionFromMeter(double meters) { double value = meters * mConversion_from_meter_to_distance; return value; } public double conversionFromLocalToMeters(double localizedValue) { double meters = localizedValue / mConversion_from_meter_to_distance; return meters; } public double conversionFromMeterToHeight(double meters) { return meters * mConversion_from_meter_to_height; } public String getSpeedUnit() { return mSpeed_unit; } public String getDistanceUnit() { return mDistance_unit; } public String getHeightUnit() { return mHeight_unit; } public boolean isUnitFlipped() { return needsUnitFlip; } public void setUnitsChangeListener(UnitsChangeListener unitsChangeListener) { mListener = unitsChangeListener; if( mListener != null ) { initBasedOnPreferences(PreferenceManager.getDefaultSharedPreferences(mContext)); PreferenceManager.getDefaultSharedPreferences(mContext).registerOnSharedPreferenceChangeListener(mPreferenceListener); } else { PreferenceManager.getDefaultSharedPreferences(mContext).unregisterOnSharedPreferenceChangeListener(mPreferenceListener); } } /** * Interface definition for a callback to be invoked when the preference for * units changed. * * @version $Id$ * @author rene (c) Feb 14, 2010, Sogeti B.V. */ public interface UnitsChangeListener { /** * Called when the unit data has changed. */ void onUnitsChange(); } /** * Format a speed using the current unit and flipping * * @param speed * @param decimals format a bit larger showing decimals or seconds * @return */ public String formatSpeed(double speed, boolean decimals) { String speedText; if(mUnits == Constants.UNITS_METRICPACE || mUnits == Constants.UNITS_IMPERIALPACE) { if( decimals ) { speedText = String.format( "%02d %s", (int)speed, this.getSpeedUnit() ); } else { speedText = String.format( "%02d:%02d %s", (int)speed, (int)((speed-(int)speed)*60), // convert decimal to seconds this.getSpeedUnit() ); } } else { if( decimals ) { speedText = String.format( "%.2f %s", speed, this.getSpeedUnit() ); } else { speedText = String.format( "%.0f %s", speed, this.getSpeedUnit() ); } } return speedText; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/util/UnitsI18n.java
Java
gpl3
11,781
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.util; import java.io.File; import nl.sogeti.android.gpstracker.db.GPStracking; import android.content.Context; import android.net.Uri; import android.os.Environment; import android.preference.PreferenceManager; /** * Various application wide constants * * @version $Id$ * @author rene (c) Mar 22, 2009, Sogeti B.V. */ public class Constants { public static final String DISABLEBLANKING = "disableblanking"; public static final String DISABLEDIMMING = "disabledimming"; public static final String SATELLITE = "SATELLITE"; public static final String TRAFFIC = "TRAFFIC"; public static final String SPEED = "showspeed"; public static final String ALTITUDE = "showaltitude"; public static final String DISTANCE = "showdistance"; public static final String COMPASS = "COMPASS"; public static final String LOCATION = "LOCATION"; public static final String MAPPROVIDER = "mapprovider"; public static final String TRACKCOLORING = "trackcoloring"; public static final String SPEEDSANITYCHECK = "speedsanitycheck"; public static final String PRECISION = "precision"; public static final String LOGATSTARTUP = "logatstartup"; public static final String STARTUPATBOOT = "startupatboot"; public static final String LOGATDOCK = "logatdock"; public static final String STOPATUNDOCK = "stopatundock"; public static final String SERVICENAME = "nl.sogeti.android.gpstracker.intent.action.GPSLoggerService"; public static final String STREAMBROADCAST = "nl.sogeti.android.gpstracker.intent.action.STREAMBROADCAST"; public static final String UNITS = "units"; public static final int UNITS_DEFAULT = 0; public static final int UNITS_IMPERIAL = 1; public static final int UNITS_METRIC = 2; public static final int UNITS_NAUTIC = 3; public static final int UNITS_METRICPACE = 4; public static final int UNITS_IMPERIALPACE = 5; public static final int UNITS_IMPERIALSURFACE = 6; public static final int UNITS_METRICSURFACE = 7; public static final String SDDIR_DIR = "SDDIR_DIR"; public static final String DEFAULT_EXTERNAL_DIR = "/OpenGPSTracker/"; public static final String TMPICTUREFILE_SUBPATH = "media_tmp.tmp"; public static final Uri NAME_URI = Uri.parse( "content://" + GPStracking.AUTHORITY+".string" ); public static final int GOOGLE = 0; public static final int OSM = 1; public static final int MAPQUEST = 2; public static final String JOGRUNNER_AUTH = "JOGRUNNER_AUTH"; public static final String EXPORT_TYPE = "SHARE_TYPE"; public static final String EXPORT_GPXTARGET = "EXPORT_GPXTARGET"; public static final String EXPORT_KMZTARGET = "EXPORT_KMZTARGET"; public static final String EXPORT_TXTTARGET = "EXPORT_TXTTARGET"; public static final double MIN_STATISTICS_SPEED = 1.0d; public static final int OSM_CLOUDMADE = 0; public static final int OSM_MAKNIK = 1; public static final int OSM_CYCLE = 2; public static final String OSMBASEOVERLAY = "OSM_BASE_OVERLAY"; public static final String LOGGING_INTERVAL = "customprecisiontime"; public static final String LOGGING_DISTANCE = "customprecisiondistance"; public static final String STATUS_MONITOR = "gpsstatusmonitor"; public static final String OSM_USERNAME = "OSM_USERNAME"; public static final String OSM_PASSWORD = "OSM_PASSWORD"; public static final String OSM_VISIBILITY = "OSM_VISIBILITY"; public static final String DATASOURCES_KEY = "DATASOURCES"; /** * Broadcast intent action indicating that the logger service state has * changed. Includes the logging state and its precision. * * @see #EXTRA_LOGGING_PRECISION * @see #EXTRA_LOGGING_STATE */ public static final String LOGGING_STATE_CHANGED_ACTION = "nl.sogeti.android.gpstracker.LOGGING_STATE_CHANGED"; /** * The precision the service is logging on. * * @see #LOGGING_FINE * @see #LOGGING_NORMAL * @see #LOGGING_COARSE * @see #LOGGING_GLOBAL * @see #LOGGING_CUSTOM * */ public static final String EXTRA_LOGGING_PRECISION = "nl.sogeti.android.gpstracker.EXTRA_LOGGING_PRECISION"; /** * The state the service is. * * @see #UNKNOWN * @see #LOGGING * @see #PAUSED * @see #STOPPED */ public static final String EXTRA_LOGGING_STATE = "nl.sogeti.android.gpstracker.EXTRA_LOGGING_STATE"; /** * The state of the service is unknown */ public static final int UNKNOWN = -1; /** * The service is actively logging, it has requested location update from the location provider. */ public static final int LOGGING = 1; /** * The service is not active, but can be resumed to become active and store location changes as * part of a new segment of the current track. */ public static final int PAUSED = 2; /** * The service is not active and can not resume a current track but must start a new one when becoming active. */ public static final int STOPPED = 3; /** * The precision of the GPS provider is based on the custom time interval and distance. */ public static final int LOGGING_CUSTOM = 0; /** * The GPS location provider is asked to update every 10 seconds or every 5 meters. */ public static final int LOGGING_FINE = 1; /** * The GPS location provider is asked to update every 15 seconds or every 10 meters. */ public static final int LOGGING_NORMAL = 2; /** * The GPS location provider is asked to update every 30 seconds or every 25 meters. */ public static final int LOGGING_COARSE = 3; /** * The radio location provider is asked to update every 5 minutes or every 500 meters. */ public static final int LOGGING_GLOBAL = 4; public static final String REQUEST_URL = "http://api.gobreadcrumbs.com/oauth/request_token"; public static final String ACCESS_URL = "http://api.gobreadcrumbs.com/oauth/access_token"; public static final String AUTHORIZE_URL = "http://api.gobreadcrumbs.com/oauth/authorize"; public static final String OSM_REQUEST_URL = "http://www.openstreetmap.org/oauth/request_token"; public static final String OSM_ACCESS_URL = "http://www.openstreetmap.org/oauth/access_token"; public static final String OSM_AUTHORIZE_URL = "http://www.openstreetmap.org/oauth/authorize"; public static final String OAUTH_CALLBACK_SCHEME = "x-oauthflow-opengpstracker"; public static final String OAUTH_CALLBACK_HOST = "callback"; public static final String OAUTH_CALLBACK_URL = OAUTH_CALLBACK_SCHEME + "://" + OAUTH_CALLBACK_HOST; public static final String NAME = "NAME"; /** * Based on preference return the SD-Card directory in which Open GPS Tracker creates and stores files * shared tracks, * * @param ctx * @return */ public static String getSdCardDirectory( Context ctx ) { // Read preference and ensure start and end with '/' symbol String dir = PreferenceManager.getDefaultSharedPreferences(ctx).getString(SDDIR_DIR, DEFAULT_EXTERNAL_DIR); if( !dir.startsWith("/") ) { dir = "/" + dir; } if( !dir.endsWith("/") ) { dir = dir + "/" ; } dir = Environment.getExternalStorageDirectory().getAbsolutePath() + dir; // If neither exists or can be created fall back to default File dirHandle = new File(dir); if( !dirHandle.exists() && !dirHandle.mkdirs() ) { dir = Environment.getExternalStorageDirectory().getAbsolutePath() + DEFAULT_EXTERNAL_DIR; } return dir; } public static String getSdCardTmpFile( Context ctx ) { String dir = getSdCardDirectory( ctx ) + TMPICTUREFILE_SUBPATH; return dir; } public static final String BREADCRUMBS_CONNECT = "breadcrumbs_connect"; public static final int BREADCRUMBS_CONNECT_ITEM_VIEW_TYPE = 0; public static final int BREADCRUMBS_BUNDLE_ITEM_VIEW_TYPE = 2; public static final int BREADCRUMBS_TRACK_ITEM_VIEW_TYPE = 3; public static final int BREADCRUMBS_ACTIVITY_ITEM_VIEW_TYPE = 4; public static final int SECTIONED_HEADER_ITEM_VIEW_TYPE = 0; public static final String BROADCAST_STREAM = "STREAM_ENABLED"; /** * A distance in meters */ public static final String EXTRA_DISTANCE = "nl.sogeti.android.gpstracker.EXTRA_DISTANCE"; /** * A time period in minutes */ public static final String EXTRA_TIME = "nl.sogeti.android.gpstracker.EXTRA_TIME"; /** * The location that pushed beyond the set minimum time or distance */ public static final String EXTRA_LOCATION = "nl.sogeti.android.gpstracker.EXTRA_LOCATION"; /** * The track that is being logged */ public static final String EXTRA_TRACK = "nl.sogeti.android.gpstracker.EXTRA_TRACK"; }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/util/Constants.java
Java
gpl3
10,472
/* * Copyright (C) 2009 The Android Open Source Project * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package nl.sogeti.android.gpstracker.util; /** * Container to ease passing around a tuple of two objects. This object provides a sensible * implementation of equals(), returning true if equals() is true on each of the contained * objects. */ public class Pair<F, S> { public final F first; public final S second; private String toStringOverride; /** * Constructor for a Pair. If either are null then equals() and hashCode() will throw * a NullPointerException. * @param first the first object in the Pair * @param second the second object in the pair */ public Pair(F first, S second) { this.first = first; this.second = second; } /** * Checks the two objects for equality by delegating to their respective equals() methods. * @param o the Pair to which this one is to be checked for equality * @return true if the underlying objects of the Pair are both considered equals() */ @SuppressWarnings("unchecked") @Override public boolean equals(Object o) { if (o == this) return true; if (!(o instanceof Pair)) return false; final Pair<F, S> other; try { other = (Pair<F, S>) o; } catch (ClassCastException e) { return false; } return first.equals(other.first) && second.equals(other.second); } /** * Compute a hash code using the hash codes of the underlying objects * @return a hashcode of the Pair */ @Override public int hashCode() { int result = 17; result = 31 * result + first.hashCode(); result = 31 * result + second.hashCode(); return result; } /** * Convenience method for creating an appropriately typed pair. * @param a the first object in the Pair * @param b the second object in the pair * @return a Pair that is templatized with the types of a and b */ public static <A, B> Pair <A, B> create(A a, B b) { return new Pair<A, B>(a, b); } public void overrideToString(String toStringOverride) { this.toStringOverride = toStringOverride; } @Override public String toString() { if( toStringOverride == null ) { return super.toString(); } else { return toStringOverride; } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/util/Pair.java
Java
gpl3
2,988
/*------------------------------------------------------------------------------ ** Ident: Delivery Center Java ** Author: rene ** Copyright: (c) Feb 25, 2012 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ */ package nl.sogeti.android.gpstracker.viewer; import java.io.BufferedReader; import java.io.IOException; import java.io.InputStream; import java.io.InputStreamReader; import nl.sogeti.android.gpstracker.R; import android.app.Activity; import android.content.Context; import android.content.pm.PackageManager.NameNotFoundException; import android.os.Bundle; import android.util.Log; import android.webkit.WebView; import android.widget.TextView; /** * ???? * * @version $Id:$ * @author rene (c) Feb 25, 2012, Sogeti B.V. */ public class About extends Activity { private static final String TAG = "OGT.About"; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.about); fillContentFields(); } private void fillContentFields() { TextView version = (TextView) findViewById(R.id.version); try { version.setText(getPackageManager().getPackageInfo(getPackageName(), 0).versionName); } catch (NameNotFoundException e) { version.setText(""); } WebView license = (WebView) findViewById(R.id.license_body); license.loadUrl("file:///android_asset/license_short.html"); WebView contributions = (WebView) findViewById(R.id.contribution_body); contributions.loadUrl("file:///android_asset/contributions.html"); WebView notice = (WebView) findViewById(R.id.notices_body); notice.loadUrl("file:///android_asset/notices.html"); } public static String readRawTextFile(Context ctx, int resId) { InputStream inputStream = ctx.getResources().openRawResource(resId); InputStreamReader inputreader = new InputStreamReader(inputStream); BufferedReader buffreader = new BufferedReader(inputreader); String line; StringBuilder text = new StringBuilder(); try { while ((line = buffreader.readLine()) != null) { text.append(line); text.append('\n'); } } catch (IOException e) { Log.e(TAG, "Failed to read raw text resource", e); } return text.toString(); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/About.java
Java
gpl3
2,985
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.viewer.map; import nl.sogeti.android.gpstracker.R; import nl.sogeti.android.gpstracker.util.Constants; import nl.sogeti.android.gpstracker.util.SlidingIndicatorView; import nl.sogeti.android.gpstracker.viewer.map.overlay.FixedMyLocationOverlay; import nl.sogeti.android.gpstracker.viewer.map.overlay.OverlayProvider; import android.app.Activity; import android.app.Dialog; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.graphics.Bitmap; import android.graphics.Point; import android.os.Bundle; import android.view.KeyEvent; import android.view.Menu; import android.view.MenuItem; import android.widget.BaseAdapter; import android.widget.TextView; import com.google.android.maps.GeoPoint; import com.google.android.maps.MapActivity; import com.google.android.maps.MapView; /** * Main activity showing a track and allowing logging control * * @version $Id$ * @author rene (c) Jan 18, 2009, Sogeti B.V. */ public class GoogleLoggerMap extends MapActivity implements LoggerMap { LoggerMapHelper mHelper; private MapView mMapView; private TextView[] mSpeedtexts; private TextView mLastGPSSpeedView; private TextView mLastGPSAltitudeView; private TextView mDistanceView; private FixedMyLocationOverlay mMylocation; /** * Called when the activity is first created. */ @Override protected void onCreate(Bundle load) { super.onCreate(load); setContentView(R.layout.map_google); mHelper = new LoggerMapHelper(this); mMapView = (MapView) findViewById(R.id.myMapView); mMylocation = new FixedMyLocationOverlay(this, mMapView); mMapView.setBuiltInZoomControls(true); TextView[] speeds = { (TextView) findViewById(R.id.speedview05), (TextView) findViewById(R.id.speedview04), (TextView) findViewById(R.id.speedview03), (TextView) findViewById(R.id.speedview02), (TextView) findViewById(R.id.speedview01), (TextView) findViewById(R.id.speedview00) }; mSpeedtexts = speeds; mLastGPSSpeedView = (TextView) findViewById(R.id.currentSpeed); mLastGPSAltitudeView = (TextView) findViewById(R.id.currentAltitude); mDistanceView = (TextView) findViewById(R.id.currentDistance); mHelper.onCreate(load); } @Override protected void onResume() { super.onResume(); mHelper.onResume(); } @Override protected void onPause() { mHelper.onPause(); super.onPause(); } @Override protected void onDestroy() { mHelper.onDestroy(); super.onDestroy(); } @Override public void onNewIntent(Intent newIntent) { mHelper.onNewIntent(newIntent); } @Override protected void onRestoreInstanceState(Bundle load) { if (load != null) { super.onRestoreInstanceState(load); } mHelper.onRestoreInstanceState(load); } @Override protected void onSaveInstanceState(Bundle save) { super.onSaveInstanceState(save); mHelper.onSaveInstanceState(save); } @Override public boolean onCreateOptionsMenu(Menu menu) { boolean result = super.onCreateOptionsMenu(menu); mHelper.onCreateOptionsMenu(menu); return result; } @Override public boolean onPrepareOptionsMenu(Menu menu) { mHelper.onPrepareOptionsMenu(menu); return super.onPrepareOptionsMenu(menu); } @Override public boolean onOptionsItemSelected(MenuItem item) { boolean handled = mHelper.onOptionsItemSelected(item); if( !handled ) { handled = super.onOptionsItemSelected(item); } return handled; } @Override protected void onActivityResult(int requestCode, int resultCode, Intent intent) { super.onActivityResult(requestCode, resultCode, intent); mHelper.onActivityResult(requestCode, resultCode, intent); } @Override public boolean onKeyDown(int keyCode, KeyEvent event) { boolean propagate = true; switch (keyCode) { case KeyEvent.KEYCODE_S: setSatelliteOverlay(!this.mMapView.isSatellite()); propagate = false; break; case KeyEvent.KEYCODE_A: setTrafficOverlay(!this.mMapView.isTraffic()); propagate = false; break; default: propagate = mHelper.onKeyDown(keyCode, event); if( propagate ) { propagate = super.onKeyDown(keyCode, event); } break; } return propagate; } @Override protected Dialog onCreateDialog(int id) { Dialog dialog = mHelper.onCreateDialog(id); if( dialog == null ) { dialog = super.onCreateDialog(id); } return dialog; } @Override protected void onPrepareDialog(int id, Dialog dialog) { mHelper.onPrepareDialog(id, dialog); super.onPrepareDialog(id, dialog); } /******************************/ /** Own methods **/ /******************************/ private void setTrafficOverlay(boolean b) { SharedPreferences sharedPreferences = mHelper.getPreferences(); Editor editor = sharedPreferences.edit(); editor.putBoolean(Constants.TRAFFIC, b); editor.commit(); } private void setSatelliteOverlay(boolean b) { SharedPreferences sharedPreferences = mHelper.getPreferences(); Editor editor = sharedPreferences.edit(); editor.putBoolean(Constants.SATELLITE, b); editor.commit(); } @Override protected boolean isRouteDisplayed() { return true; } @Override protected boolean isLocationDisplayed() { SharedPreferences sharedPreferences = mHelper.getPreferences(); return sharedPreferences.getBoolean(Constants.LOCATION, false) || mHelper.isLogging(); } /******************************/ /** Loggermap methods **/ /******************************/ @Override public void updateOverlays() { SharedPreferences sharedPreferences = mHelper.getPreferences(); GoogleLoggerMap.this.mMapView.setSatellite(sharedPreferences.getBoolean(Constants.SATELLITE, false)); GoogleLoggerMap.this.mMapView.setTraffic(sharedPreferences.getBoolean(Constants.TRAFFIC, false)); } @Override public void setDrawingCacheEnabled(boolean b) { findViewById(R.id.mapScreen).setDrawingCacheEnabled(true); } @Override public Activity getActivity() { return this; } @Override public void onLayerCheckedChanged(int checkedId, boolean isChecked) { switch (checkedId) { case R.id.layer_google_satellite: setSatelliteOverlay(true); break; case R.id.layer_google_regular: setSatelliteOverlay(false); break; case R.id.layer_traffic: setTrafficOverlay(isChecked); break; default: break; } } @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { if (key.equals(Constants.TRAFFIC)) { updateOverlays(); } else if (key.equals(Constants.SATELLITE)) { updateOverlays(); } } @Override public Bitmap getDrawingCache() { return findViewById(R.id.mapScreen).getDrawingCache(); } @Override public void showMediaDialog(BaseAdapter mediaAdapter) { mHelper.showMediaDialog(mediaAdapter); } public void onDateOverlayChanged() { mMapView.postInvalidate(); } @Override public String getDataSourceId() { return LoggerMapHelper.GOOGLE_PROVIDER; } @Override public boolean isOutsideScreen(GeoPoint lastPoint) { Point out = new Point(); this.mMapView.getProjection().toPixels(lastPoint, out); int height = this.mMapView.getHeight(); int width = this.mMapView.getWidth(); return (out.x < 0 || out.y < 0 || out.y > height || out.x > width); } @Override public boolean isNearScreenEdge(GeoPoint lastPoint) { Point out = new Point(); this.mMapView.getProjection().toPixels(lastPoint, out); int height = this.mMapView.getHeight(); int width = this.mMapView.getWidth(); return (out.x < width / 4 || out.y < height / 4 || out.x > (width / 4) * 3 || out.y > (height / 4) * 3); } @Override public void executePostponedActions() { // NOOP for Google Maps } @Override public void enableCompass() { mMylocation.enableCompass(); } @Override public void enableMyLocation() { mMylocation.enableMyLocation(); } @Override public void disableMyLocation() { mMylocation.disableMyLocation(); } @Override public void disableCompass() { mMylocation.disableCompass(); } @Override public void setZoom(int zoom) { mMapView.getController().setZoom(zoom); } @Override public void animateTo(GeoPoint storedPoint) { mMapView.getController().animateTo(storedPoint); } @Override public int getZoomLevel() { return mMapView.getZoomLevel(); } @Override public GeoPoint getMapCenter() { return mMapView.getMapCenter(); } @Override public boolean zoomOut() { return mMapView.getController().zoomOut(); } @Override public boolean zoomIn() { return mMapView.getController().zoomIn(); } @Override public void postInvalidate() { mMapView.postInvalidate(); } @Override public void clearAnimation() { mMapView.clearAnimation(); } @Override public void setCenter(GeoPoint lastPoint) { mMapView.getController().setCenter(lastPoint); } @Override public int getMaxZoomLevel() { return mMapView.getMaxZoomLevel(); } @Override public GeoPoint fromPixels(int x, int y) { return mMapView.getProjection().fromPixels(x, y); } @Override public boolean hasProjection() { return mMapView.getProjection() != null; } @Override public float metersToEquatorPixels(float float1) { return mMapView.getProjection().metersToEquatorPixels(float1); } @Override public void toPixels(GeoPoint geoPoint, Point screenPoint) { mMapView.getProjection().toPixels(geoPoint, screenPoint); } @Override public TextView[] getSpeedTextViews() { return mSpeedtexts; } @Override public TextView getAltitideTextView() { return mLastGPSAltitudeView; } @Override public TextView getSpeedTextView() { return mLastGPSSpeedView; } @Override public TextView getDistanceTextView() { return mDistanceView; } @Override public void addOverlay(OverlayProvider overlay) { mMapView.getOverlays().add(overlay.getGoogleOverlay()); } @Override public void clearOverlays() { mMapView.getOverlays().clear(); } @Override public SlidingIndicatorView getScaleIndicatorView() { return (SlidingIndicatorView) findViewById(R.id.scaleindicator); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/map/GoogleLoggerMap.java
Java
gpl3
12,883
/*------------------------------------------------------------------------------ ** Ident: Delivery Center Java ** Author: rene ** Copyright: (c) Feb 26, 2012 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ */ package nl.sogeti.android.gpstracker.viewer.map; import java.util.concurrent.Semaphore; import nl.sogeti.android.gpstracker.R; import nl.sogeti.android.gpstracker.actions.ControlTracking; import nl.sogeti.android.gpstracker.actions.InsertNote; import nl.sogeti.android.gpstracker.actions.ShareTrack; import nl.sogeti.android.gpstracker.actions.Statistics; import nl.sogeti.android.gpstracker.db.GPStracking.Media; import nl.sogeti.android.gpstracker.db.GPStracking.Segments; import nl.sogeti.android.gpstracker.db.GPStracking.Tracks; import nl.sogeti.android.gpstracker.db.GPStracking.Waypoints; import nl.sogeti.android.gpstracker.logger.GPSLoggerServiceManager; import nl.sogeti.android.gpstracker.util.Constants; import nl.sogeti.android.gpstracker.util.SlidingIndicatorView; import nl.sogeti.android.gpstracker.util.UnitsI18n; import nl.sogeti.android.gpstracker.viewer.About; import nl.sogeti.android.gpstracker.viewer.ApplicationPreferenceActivity; import nl.sogeti.android.gpstracker.viewer.TrackList; import nl.sogeti.android.gpstracker.viewer.map.overlay.BitmapSegmentsOverlay; import nl.sogeti.android.gpstracker.viewer.map.overlay.SegmentRendering; import android.app.Activity; import android.app.AlertDialog; import android.app.AlertDialog.Builder; import android.app.Dialog; import android.content.ContentResolver; import android.content.ContentUris; import android.content.Context; import android.content.DialogInterface; import android.content.DialogInterface.OnClickListener; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.database.ContentObserver; import android.database.Cursor; import android.graphics.Bitmap; import android.location.Location; import android.location.LocationManager; import android.net.Uri; import android.os.Bundle; import android.os.Handler; import android.os.Looper; import android.os.PowerManager; import android.os.PowerManager.WakeLock; import android.preference.PreferenceManager; import android.util.Log; import android.view.ContextMenu; import android.view.KeyEvent; import android.view.LayoutInflater; import android.view.Menu; import android.view.MenuItem; import android.view.View; import android.widget.AdapterView; import android.widget.AdapterView.OnItemSelectedListener; import android.widget.BaseAdapter; import android.widget.CheckBox; import android.widget.CompoundButton; import android.widget.CompoundButton.OnCheckedChangeListener; import android.widget.Gallery; import android.widget.RadioButton; import android.widget.RadioGroup; import android.widget.TextView; import com.google.android.maps.GeoPoint; /** * ???? * * @version $Id:$ * @author rene (c) Feb 26, 2012, Sogeti B.V. */ public class LoggerMapHelper { public static final String OSM_PROVIDER = "OSM"; public static final String GOOGLE_PROVIDER = "GOOGLE"; public static final String MAPQUEST_PROVIDER = "MAPQUEST"; private static final String INSTANCE_E6LONG = "e6long"; private static final String INSTANCE_E6LAT = "e6lat"; private static final String INSTANCE_ZOOM = "zoom"; private static final String INSTANCE_AVGSPEED = "averagespeed"; private static final String INSTANCE_HEIGHT = "averageheight"; private static final String INSTANCE_TRACK = "track"; private static final String INSTANCE_SPEED = "speed"; private static final String INSTANCE_ALTITUDE = "altitude"; private static final String INSTANCE_DISTANCE = "distance"; private static final int ZOOM_LEVEL = 16; // MENU'S private static final int MENU_SETTINGS = 1; private static final int MENU_TRACKING = 2; private static final int MENU_TRACKLIST = 3; private static final int MENU_STATS = 4; private static final int MENU_ABOUT = 5; private static final int MENU_LAYERS = 6; private static final int MENU_NOTE = 7; private static final int MENU_SHARE = 13; private static final int MENU_CONTRIB = 14; private static final int DIALOG_NOTRACK = 24; private static final int DIALOG_LAYERS = 31; private static final int DIALOG_URIS = 34; private static final int DIALOG_CONTRIB = 35; private static final String TAG = "OGT.LoggerMap"; private double mAverageSpeed = 33.33d / 3d; private double mAverageHeight = 33.33d / 3d; private long mTrackId = -1; private long mLastSegment = -1; private UnitsI18n mUnits; private WakeLock mWakeLock = null; private SharedPreferences mSharedPreferences; private GPSLoggerServiceManager mLoggerServiceManager; private SegmentRendering mLastSegmentOverlay; private BaseAdapter mMediaAdapter; private Handler mHandler; private ContentObserver mTrackSegmentsObserver; private ContentObserver mSegmentWaypointsObserver; private ContentObserver mTrackMediasObserver; private DialogInterface.OnClickListener mNoTrackDialogListener; private OnItemSelectedListener mGalerySelectListener; private Uri mSelected; private OnClickListener mNoteSelectDialogListener; private OnCheckedChangeListener mCheckedChangeListener; private android.widget.RadioGroup.OnCheckedChangeListener mGroupCheckedChangeListener; private OnSharedPreferenceChangeListener mSharedPreferenceChangeListener; private UnitsI18n.UnitsChangeListener mUnitsChangeListener; /** * Run after the ServiceManager completes the binding to the remote service */ private Runnable mServiceConnected; private Runnable speedCalculator; private Runnable heightCalculator; private LoggerMap mLoggerMap; private BitmapSegmentsOverlay mBitmapSegmentsOverlay; private float mSpeed; private double mAltitude; private float mDistance; public LoggerMapHelper(LoggerMap loggerMap) { mLoggerMap = loggerMap; } /** * Called when the activity is first created. */ protected void onCreate(Bundle load) { mLoggerMap.setDrawingCacheEnabled(true); mUnits = new UnitsI18n(mLoggerMap.getActivity()); mLoggerServiceManager = new GPSLoggerServiceManager(mLoggerMap.getActivity()); final Semaphore calulatorSemaphore = new Semaphore(0); Thread calulator = new Thread("OverlayCalculator") { @Override public void run() { Looper.prepare(); mHandler = new Handler(); calulatorSemaphore.release(); Looper.loop(); } }; calulator.start(); try { calulatorSemaphore.acquire(); } catch (InterruptedException e) { Log.e(TAG, "Failed waiting for a semaphore", e); } mSharedPreferences = PreferenceManager.getDefaultSharedPreferences(mLoggerMap.getActivity()); mBitmapSegmentsOverlay = new BitmapSegmentsOverlay(mLoggerMap, mHandler); createListeners(); onRestoreInstanceState(load); mLoggerMap.updateOverlays(); } protected void onResume() { updateMapProvider(); mLoggerServiceManager.startup(mLoggerMap.getActivity(), mServiceConnected); mSharedPreferences.registerOnSharedPreferenceChangeListener(mSharedPreferenceChangeListener); mUnits.setUnitsChangeListener(mUnitsChangeListener); updateTitleBar(); updateBlankingBehavior(); if (mTrackId >= 0) { ContentResolver resolver = mLoggerMap.getActivity().getContentResolver(); Uri trackUri = Uri.withAppendedPath(Tracks.CONTENT_URI, mTrackId + "/segments"); Uri lastSegmentUri = Uri.withAppendedPath(Tracks.CONTENT_URI, mTrackId + "/segments/" + mLastSegment + "/waypoints"); Uri mediaUri = ContentUris.withAppendedId(Media.CONTENT_URI, mTrackId); resolver.unregisterContentObserver(this.mTrackSegmentsObserver); resolver.unregisterContentObserver(this.mSegmentWaypointsObserver); resolver.unregisterContentObserver(this.mTrackMediasObserver); resolver.registerContentObserver(trackUri, false, this.mTrackSegmentsObserver); resolver.registerContentObserver(lastSegmentUri, true, this.mSegmentWaypointsObserver); resolver.registerContentObserver(mediaUri, true, this.mTrackMediasObserver); } updateDataOverlays(); updateSpeedColoring(); updateSpeedDisplayVisibility(); updateAltitudeDisplayVisibility(); updateDistanceDisplayVisibility(); updateCompassDisplayVisibility(); updateLocationDisplayVisibility(); updateTrackNumbers(); mLoggerMap.executePostponedActions(); } protected void onPause() { if (this.mWakeLock != null && this.mWakeLock.isHeld()) { this.mWakeLock.release(); Log.w(TAG, "onPause(): Released lock to keep screen on!"); } mLoggerMap.clearOverlays(); mBitmapSegmentsOverlay.clearSegments(); mLastSegmentOverlay = null; ContentResolver resolver = mLoggerMap.getActivity().getContentResolver(); resolver.unregisterContentObserver(this.mTrackSegmentsObserver); resolver.unregisterContentObserver(this.mSegmentWaypointsObserver); resolver.unregisterContentObserver(this.mTrackMediasObserver); mSharedPreferences.unregisterOnSharedPreferenceChangeListener(this.mSharedPreferenceChangeListener); mUnits.setUnitsChangeListener(null); mLoggerMap.disableMyLocation(); mLoggerMap.disableCompass(); this.mLoggerServiceManager.shutdown(mLoggerMap.getActivity()); } protected void onDestroy() { mLoggerMap.clearOverlays(); mHandler.post(new Runnable() { @Override public void run() { Looper.myLooper().quit(); } }); if (mWakeLock != null && mWakeLock.isHeld()) { mWakeLock.release(); Log.w(TAG, "onDestroy(): Released lock to keep screen on!"); } if (mLoggerServiceManager.getLoggingState() == Constants.STOPPED) { mLoggerMap.getActivity().stopService(new Intent(Constants.SERVICENAME)); } mUnits = null; } public void onNewIntent(Intent newIntent) { Uri data = newIntent.getData(); if (data != null) { moveToTrack(Long.parseLong(data.getLastPathSegment()), true); } } protected void onRestoreInstanceState(Bundle load) { Uri data = mLoggerMap.getActivity().getIntent().getData(); if (load != null && load.containsKey(INSTANCE_TRACK)) // 1st method: track from a previous instance of this activity { long loadTrackId = load.getLong(INSTANCE_TRACK); moveToTrack(loadTrackId, false); if (load.containsKey(INSTANCE_AVGSPEED)) { mAverageSpeed = load.getDouble(INSTANCE_AVGSPEED); } if (load.containsKey(INSTANCE_HEIGHT)) { mAverageHeight = load.getDouble(INSTANCE_HEIGHT); } if( load.containsKey(INSTANCE_SPEED)) { mSpeed = load.getFloat(INSTANCE_SPEED); } if( load.containsKey(INSTANCE_ALTITUDE)) { mAltitude = load.getDouble(INSTANCE_HEIGHT); } if( load.containsKey(INSTANCE_DISTANCE)) { mDistance = load.getFloat(INSTANCE_DISTANCE); } } else if (data != null) // 2nd method: track ordered to make { long loadTrackId = Long.parseLong(data.getLastPathSegment()); moveToTrack(loadTrackId, true); } else // 3rd method: just try the last track { moveToLastTrack(); } if (load != null && load.containsKey(INSTANCE_ZOOM)) { mLoggerMap.setZoom(load.getInt(INSTANCE_ZOOM)); } else { mLoggerMap.setZoom(ZOOM_LEVEL); } if (load != null && load.containsKey(INSTANCE_E6LAT) && load.containsKey(INSTANCE_E6LONG)) { GeoPoint storedPoint = new GeoPoint(load.getInt(INSTANCE_E6LAT), load.getInt(INSTANCE_E6LONG)); mLoggerMap.animateTo(storedPoint); } else { GeoPoint lastPoint = getLastTrackPoint(); mLoggerMap.animateTo(lastPoint); } } protected void onSaveInstanceState(Bundle save) { save.putLong(INSTANCE_TRACK, this.mTrackId); save.putDouble(INSTANCE_AVGSPEED, mAverageSpeed); save.putDouble(INSTANCE_HEIGHT, mAverageHeight); save.putInt(INSTANCE_ZOOM, mLoggerMap.getZoomLevel()); save.putFloat(INSTANCE_SPEED, mSpeed); save.putDouble(INSTANCE_ALTITUDE, mAltitude); save.putFloat(INSTANCE_DISTANCE, mDistance); GeoPoint point = mLoggerMap.getMapCenter(); save.putInt(INSTANCE_E6LAT, point.getLatitudeE6()); save.putInt(INSTANCE_E6LONG, point.getLongitudeE6()); } public boolean onKeyDown(int keyCode, KeyEvent event) { boolean propagate = true; switch (keyCode) { case KeyEvent.KEYCODE_T: propagate = mLoggerMap.zoomIn(); propagate = false; break; case KeyEvent.KEYCODE_G: propagate = mLoggerMap.zoomOut(); propagate = false; break; case KeyEvent.KEYCODE_F: moveToTrack(this.mTrackId - 1, true); propagate = false; break; case KeyEvent.KEYCODE_H: moveToTrack(this.mTrackId + 1, true); propagate = false; break; } return propagate; } private void setSpeedOverlay(boolean b) { Editor editor = mSharedPreferences.edit(); editor.putBoolean(Constants.SPEED, b); editor.commit(); } private void setAltitudeOverlay(boolean b) { Editor editor = mSharedPreferences.edit(); editor.putBoolean(Constants.ALTITUDE, b); editor.commit(); } private void setDistanceOverlay(boolean b) { Editor editor = mSharedPreferences.edit(); editor.putBoolean(Constants.DISTANCE, b); editor.commit(); } private void setCompassOverlay(boolean b) { Editor editor = mSharedPreferences.edit(); editor.putBoolean(Constants.COMPASS, b); editor.commit(); } private void setLocationOverlay(boolean b) { Editor editor = mSharedPreferences.edit(); editor.putBoolean(Constants.LOCATION, b); editor.commit(); } private void setOsmBaseOverlay(int b) { Editor editor = mSharedPreferences.edit(); editor.putInt(Constants.OSMBASEOVERLAY, b); editor.commit(); } private void createListeners() { /******************************************************* * 8 Runnable listener actions */ speedCalculator = new Runnable() { @Override public void run() { double avgspeed = 0.0; ContentResolver resolver = mLoggerMap.getActivity().getContentResolver(); Cursor waypointsCursor = null; try { waypointsCursor = resolver.query(Uri.withAppendedPath(Tracks.CONTENT_URI, LoggerMapHelper.this.mTrackId + "/waypoints"), new String[] { "avg(" + Waypoints.SPEED + ")", "max(" + Waypoints.SPEED + ")" }, null, null, null); if (waypointsCursor != null && waypointsCursor.moveToLast()) { double average = waypointsCursor.getDouble(0); double maxBasedAverage = waypointsCursor.getDouble(1) / 2; avgspeed = Math.min(average, maxBasedAverage); } if (avgspeed < 2) { avgspeed = 5.55d / 2; } } finally { if (waypointsCursor != null) { waypointsCursor.close(); } } mAverageSpeed = avgspeed; mLoggerMap.getActivity().runOnUiThread(new Runnable() { @Override public void run() { updateSpeedColoring(); } }); } }; heightCalculator = new Runnable() { @Override public void run() { double avgHeight = 0.0; ContentResolver resolver = mLoggerMap.getActivity().getContentResolver(); Cursor waypointsCursor = null; try { waypointsCursor = resolver.query(Uri.withAppendedPath(Tracks.CONTENT_URI, LoggerMapHelper.this.mTrackId + "/waypoints"), new String[] { "avg(" + Waypoints.ALTITUDE + ")", "max(" + Waypoints.ALTITUDE + ")" }, null, null, null); if (waypointsCursor != null && waypointsCursor.moveToLast()) { double average = waypointsCursor.getDouble(0); double maxBasedAverage = waypointsCursor.getDouble(1) / 2; avgHeight = Math.min(average, maxBasedAverage); } } finally { if (waypointsCursor != null) { waypointsCursor.close(); } } mAverageHeight = avgHeight; mLoggerMap.getActivity().runOnUiThread(new Runnable() { @Override public void run() { updateSpeedColoring(); } }); } }; mServiceConnected = new Runnable() { @Override public void run() { updateBlankingBehavior(); } }; /******************************************************* * 8 Various dialog listeners */ mGalerySelectListener = new AdapterView.OnItemSelectedListener() { @Override public void onItemSelected(AdapterView< ? > parent, View view, int pos, long id) { mSelected = (Uri) parent.getSelectedItem(); } @Override public void onNothingSelected(AdapterView< ? > arg0) { mSelected = null; } }; mNoteSelectDialogListener = new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { SegmentRendering.handleMedia(mLoggerMap.getActivity(), mSelected); mSelected = null; } }; mGroupCheckedChangeListener = new android.widget.RadioGroup.OnCheckedChangeListener() { @Override public void onCheckedChanged(RadioGroup group, int checkedId) { switch (checkedId) { case R.id.layer_osm_cloudmade: setOsmBaseOverlay(Constants.OSM_CLOUDMADE); break; case R.id.layer_osm_maknik: setOsmBaseOverlay(Constants.OSM_MAKNIK); break; case R.id.layer_osm_bicycle: setOsmBaseOverlay(Constants.OSM_CYCLE); break; default: mLoggerMap.onLayerCheckedChanged(checkedId, true); break; } } }; mCheckedChangeListener = new OnCheckedChangeListener() { @Override public void onCheckedChanged(CompoundButton buttonView, boolean isChecked) { int checkedId; checkedId = buttonView.getId(); switch (checkedId) { case R.id.layer_speed: setSpeedOverlay(isChecked); break; case R.id.layer_altitude: setAltitudeOverlay(isChecked); break; case R.id.layer_distance: setDistanceOverlay(isChecked); break; case R.id.layer_compass: setCompassOverlay(isChecked); break; case R.id.layer_location: setLocationOverlay(isChecked); break; default: mLoggerMap.onLayerCheckedChanged(checkedId, isChecked); break; } } }; mNoTrackDialogListener = new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { // Log.d( TAG, "mNoTrackDialogListener" + which); Intent tracklistIntent = new Intent(mLoggerMap.getActivity(), TrackList.class); tracklistIntent.putExtra(Tracks._ID, mTrackId); mLoggerMap.getActivity().startActivityForResult(tracklistIntent, MENU_TRACKLIST); } }; /** * Listeners to events outside this mapview */ mSharedPreferenceChangeListener = new OnSharedPreferenceChangeListener() { @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { if (key.equals(Constants.TRACKCOLORING)) { mAverageSpeed = 0.0; mAverageHeight = 0.0; updateSpeedColoring(); } else if (key.equals(Constants.DISABLEBLANKING) || key.equals(Constants.DISABLEDIMMING)) { updateBlankingBehavior(); } else if (key.equals(Constants.SPEED)) { updateSpeedDisplayVisibility(); } else if (key.equals(Constants.ALTITUDE)) { updateAltitudeDisplayVisibility(); } else if (key.equals(Constants.DISTANCE)) { updateDistanceDisplayVisibility(); } else if (key.equals(Constants.COMPASS)) { updateCompassDisplayVisibility(); } else if (key.equals(Constants.LOCATION)) { updateLocationDisplayVisibility(); } else if (key.equals(Constants.MAPPROVIDER)) { updateMapProvider(); } else if (key.equals(Constants.OSMBASEOVERLAY)) { mLoggerMap.updateOverlays(); } else { mLoggerMap.onSharedPreferenceChanged(sharedPreferences, key); } } }; mTrackMediasObserver = new ContentObserver(new Handler()) { @Override public void onChange(boolean selfUpdate) { if (!selfUpdate) { if (mLastSegmentOverlay != null) { mLastSegmentOverlay.calculateMedia(); } } else { Log.w(TAG, "mTrackMediasObserver skipping change on " + mLastSegment); } } }; mTrackSegmentsObserver = new ContentObserver(new Handler()) { @Override public void onChange(boolean selfUpdate) { if (!selfUpdate) { updateDataOverlays(); } else { Log.w(TAG, "mTrackSegmentsObserver skipping change on " + mLastSegment); } } }; mSegmentWaypointsObserver = new ContentObserver(new Handler()) { @Override public void onChange(boolean selfUpdate) { if (!selfUpdate) { updateTrackNumbers(); if (mLastSegmentOverlay != null) { moveActiveViewWindow(); updateMapProviderAdministration(mLoggerMap.getDataSourceId()); } else { Log.e(TAG, "Error the last segment changed but it is not on screen! " + mLastSegment); } } else { Log.w(TAG, "mSegmentWaypointsObserver skipping change on " + mLastSegment); } } }; mUnitsChangeListener = new UnitsI18n.UnitsChangeListener() { @Override public void onUnitsChange() { mAverageSpeed = 0.0; mAverageHeight = 0.0; updateTrackNumbers(); updateSpeedColoring(); } }; } public void onCreateOptionsMenu(Menu menu) { menu.add(ContextMenu.NONE, MENU_TRACKING, ContextMenu.NONE, R.string.menu_tracking).setIcon(R.drawable.ic_menu_movie).setAlphabeticShortcut('T'); menu.add(ContextMenu.NONE, MENU_LAYERS, ContextMenu.NONE, R.string.menu_showLayers).setIcon(R.drawable.ic_menu_mapmode).setAlphabeticShortcut('L'); menu.add(ContextMenu.NONE, MENU_NOTE, ContextMenu.NONE, R.string.menu_insertnote).setIcon(R.drawable.ic_menu_myplaces); menu.add(ContextMenu.NONE, MENU_STATS, ContextMenu.NONE, R.string.menu_statistics).setIcon(R.drawable.ic_menu_picture).setAlphabeticShortcut('S'); menu.add(ContextMenu.NONE, MENU_SHARE, ContextMenu.NONE, R.string.menu_shareTrack).setIcon(R.drawable.ic_menu_share).setAlphabeticShortcut('I'); // More menu.add(ContextMenu.NONE, MENU_TRACKLIST, ContextMenu.NONE, R.string.menu_tracklist).setIcon(R.drawable.ic_menu_show_list).setAlphabeticShortcut('P'); menu.add(ContextMenu.NONE, MENU_SETTINGS, ContextMenu.NONE, R.string.menu_settings).setIcon(R.drawable.ic_menu_preferences).setAlphabeticShortcut('C'); menu.add(ContextMenu.NONE, MENU_ABOUT, ContextMenu.NONE, R.string.menu_about).setIcon(R.drawable.ic_menu_info_details).setAlphabeticShortcut('A'); menu.add(ContextMenu.NONE, MENU_CONTRIB, ContextMenu.NONE, R.string.menu_contrib).setIcon(R.drawable.ic_menu_allfriends); } public void onPrepareOptionsMenu(Menu menu) { MenuItem noteMenu = menu.findItem(MENU_NOTE); noteMenu.setEnabled(mLoggerServiceManager.isMediaPrepared()); MenuItem shareMenu = menu.findItem(MENU_SHARE); shareMenu.setEnabled(mTrackId >= 0); } public boolean onOptionsItemSelected(MenuItem item) { boolean handled = false; Uri trackUri; Intent intent; switch (item.getItemId()) { case MENU_TRACKING: intent = new Intent(mLoggerMap.getActivity(), ControlTracking.class); mLoggerMap.getActivity().startActivityForResult(intent, MENU_TRACKING); handled = true; break; case MENU_LAYERS: mLoggerMap.getActivity().showDialog(DIALOG_LAYERS); handled = true; break; case MENU_NOTE: intent = new Intent(mLoggerMap.getActivity(), InsertNote.class); mLoggerMap.getActivity().startActivityForResult(intent, MENU_NOTE); handled = true; break; case MENU_SETTINGS: intent = new Intent(mLoggerMap.getActivity(), ApplicationPreferenceActivity.class); mLoggerMap.getActivity().startActivity(intent); handled = true; break; case MENU_TRACKLIST: intent = new Intent(mLoggerMap.getActivity(), TrackList.class); intent.putExtra(Tracks._ID, this.mTrackId); mLoggerMap.getActivity().startActivityForResult(intent, MENU_TRACKLIST); handled = true; break; case MENU_STATS: if (this.mTrackId >= 0) { intent = new Intent(mLoggerMap.getActivity(), Statistics.class); trackUri = ContentUris.withAppendedId(Tracks.CONTENT_URI, mTrackId); intent.setData(trackUri); mLoggerMap.getActivity().startActivity(intent); break; } else { mLoggerMap.getActivity().showDialog(DIALOG_NOTRACK); } handled = true; break; case MENU_ABOUT: intent = new Intent(mLoggerMap.getActivity(), About.class); mLoggerMap.getActivity().startActivity(intent); break; case MENU_SHARE: intent = new Intent(Intent.ACTION_RUN); trackUri = ContentUris.withAppendedId(Tracks.CONTENT_URI, mTrackId); intent.setDataAndType(trackUri, Tracks.CONTENT_ITEM_TYPE); intent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION); Bitmap bm = mLoggerMap.getDrawingCache(); Uri screenStreamUri = ShareTrack.storeScreenBitmap(bm); intent.putExtra(Intent.EXTRA_STREAM, screenStreamUri); mLoggerMap.getActivity().startActivityForResult(Intent.createChooser(intent, mLoggerMap.getActivity().getString(R.string.share_track)), MENU_SHARE); handled = true; break; case MENU_CONTRIB: mLoggerMap.getActivity().showDialog(DIALOG_CONTRIB); default: handled = false; break; } return handled; } protected Dialog onCreateDialog(int id) { Dialog dialog = null; LayoutInflater factory = null; View view = null; Builder builder = null; switch (id) { case DIALOG_LAYERS: builder = new AlertDialog.Builder(mLoggerMap.getActivity()); factory = LayoutInflater.from(mLoggerMap.getActivity()); view = factory.inflate(R.layout.layerdialog, null); CheckBox traffic = (CheckBox) view.findViewById(R.id.layer_traffic); CheckBox speed = (CheckBox) view.findViewById(R.id.layer_speed); CheckBox altitude = (CheckBox) view.findViewById(R.id.layer_altitude); CheckBox distance = (CheckBox) view.findViewById(R.id.layer_distance); CheckBox compass = (CheckBox) view.findViewById(R.id.layer_compass); CheckBox location = (CheckBox) view.findViewById(R.id.layer_location); ((RadioGroup) view.findViewById(R.id.google_backgrounds)).setOnCheckedChangeListener(mGroupCheckedChangeListener); ((RadioGroup) view.findViewById(R.id.osm_backgrounds)).setOnCheckedChangeListener(mGroupCheckedChangeListener); traffic.setOnCheckedChangeListener(mCheckedChangeListener); speed.setOnCheckedChangeListener(mCheckedChangeListener); altitude.setOnCheckedChangeListener(mCheckedChangeListener); distance.setOnCheckedChangeListener(mCheckedChangeListener); compass.setOnCheckedChangeListener(mCheckedChangeListener); location.setOnCheckedChangeListener(mCheckedChangeListener); builder.setTitle(R.string.dialog_layer_title).setIcon(android.R.drawable.ic_dialog_map).setPositiveButton(R.string.btn_okay, null).setView(view); dialog = builder.create(); return dialog; case DIALOG_NOTRACK: builder = new AlertDialog.Builder(mLoggerMap.getActivity()); builder.setTitle(R.string.dialog_notrack_title).setMessage(R.string.dialog_notrack_message).setIcon(android.R.drawable.ic_dialog_alert) .setPositiveButton(R.string.btn_selecttrack, mNoTrackDialogListener).setNegativeButton(R.string.btn_cancel, null); dialog = builder.create(); return dialog; case DIALOG_URIS: builder = new AlertDialog.Builder(mLoggerMap.getActivity()); factory = LayoutInflater.from(mLoggerMap.getActivity()); view = factory.inflate(R.layout.mediachooser, null); builder.setTitle(R.string.dialog_select_media_title).setMessage(R.string.dialog_select_media_message).setIcon(android.R.drawable.ic_dialog_alert) .setNegativeButton(R.string.btn_cancel, null).setPositiveButton(R.string.btn_okay, mNoteSelectDialogListener).setView(view); dialog = builder.create(); return dialog; case DIALOG_CONTRIB: builder = new AlertDialog.Builder(mLoggerMap.getActivity()); factory = LayoutInflater.from(mLoggerMap.getActivity()); view = factory.inflate(R.layout.contrib, null); TextView contribView = (TextView) view.findViewById(R.id.contrib_view); contribView.setText(R.string.dialog_contrib_message); builder.setTitle(R.string.dialog_contrib_title).setView(view).setIcon(android.R.drawable.ic_dialog_email) .setPositiveButton(R.string.btn_okay, null); dialog = builder.create(); return dialog; default: return null; } } protected void onPrepareDialog(int id, Dialog dialog) { RadioButton satellite; RadioButton regular; RadioButton cloudmade; RadioButton mapnik; RadioButton cycle; switch (id) { case DIALOG_LAYERS: satellite = (RadioButton) dialog.findViewById(R.id.layer_google_satellite); regular = (RadioButton) dialog.findViewById(R.id.layer_google_regular); satellite.setChecked(mSharedPreferences.getBoolean(Constants.SATELLITE, false)); regular.setChecked(!mSharedPreferences.getBoolean(Constants.SATELLITE, false)); int osmbase = mSharedPreferences.getInt(Constants.OSMBASEOVERLAY, 0); cloudmade = (RadioButton) dialog.findViewById(R.id.layer_osm_cloudmade); mapnik = (RadioButton) dialog.findViewById(R.id.layer_osm_maknik); cycle = (RadioButton) dialog.findViewById(R.id.layer_osm_bicycle); cloudmade.setChecked(osmbase == Constants.OSM_CLOUDMADE); mapnik.setChecked(osmbase == Constants.OSM_MAKNIK); cycle.setChecked(osmbase == Constants.OSM_CYCLE); ((CheckBox) dialog.findViewById(R.id.layer_traffic)).setChecked(mSharedPreferences.getBoolean(Constants.TRAFFIC, false)); ((CheckBox) dialog.findViewById(R.id.layer_speed)).setChecked(mSharedPreferences.getBoolean(Constants.SPEED, false)); ((CheckBox) dialog.findViewById(R.id.layer_altitude)).setChecked(mSharedPreferences.getBoolean(Constants.ALTITUDE, false)); ((CheckBox) dialog.findViewById(R.id.layer_distance)).setChecked(mSharedPreferences.getBoolean(Constants.DISTANCE, false)); ((CheckBox) dialog.findViewById(R.id.layer_compass)).setChecked(mSharedPreferences.getBoolean(Constants.COMPASS, false)); ((CheckBox) dialog.findViewById(R.id.layer_location)).setChecked(mSharedPreferences.getBoolean(Constants.LOCATION, false)); int provider = Integer.valueOf(mSharedPreferences.getString(Constants.MAPPROVIDER, "" + Constants.GOOGLE)).intValue(); switch (provider) { case Constants.GOOGLE: dialog.findViewById(R.id.google_backgrounds).setVisibility(View.VISIBLE); dialog.findViewById(R.id.osm_backgrounds).setVisibility(View.GONE); dialog.findViewById(R.id.shared_layers).setVisibility(View.VISIBLE); dialog.findViewById(R.id.google_overlays).setVisibility(View.VISIBLE); break; case Constants.OSM: dialog.findViewById(R.id.osm_backgrounds).setVisibility(View.VISIBLE); dialog.findViewById(R.id.google_backgrounds).setVisibility(View.GONE); dialog.findViewById(R.id.shared_layers).setVisibility(View.VISIBLE); dialog.findViewById(R.id.google_overlays).setVisibility(View.GONE); break; default: dialog.findViewById(R.id.osm_backgrounds).setVisibility(View.GONE); dialog.findViewById(R.id.google_backgrounds).setVisibility(View.GONE); dialog.findViewById(R.id.shared_layers).setVisibility(View.VISIBLE); dialog.findViewById(R.id.google_overlays).setVisibility(View.GONE); break; } break; case DIALOG_URIS: Gallery gallery = (Gallery) dialog.findViewById(R.id.gallery); gallery.setAdapter(mMediaAdapter); gallery.setOnItemSelectedListener(mGalerySelectListener); default: break; } } protected void onActivityResult(int requestCode, int resultCode, Intent intent) { Uri trackUri; long trackId; switch (requestCode) { case MENU_TRACKLIST: if (resultCode == Activity.RESULT_OK) { trackUri = intent.getData(); trackId = Long.parseLong(trackUri.getLastPathSegment()); moveToTrack(trackId, true); } break; case MENU_TRACKING: if (resultCode == Activity.RESULT_OK) { trackUri = intent.getData(); if (trackUri != null) { trackId = Long.parseLong(trackUri.getLastPathSegment()); moveToTrack(trackId, true); } } break; case MENU_SHARE: ShareTrack.clearScreenBitmap(); break; default: Log.e(TAG, "Returned form unknow activity: " + requestCode); break; } } private void updateTitleBar() { ContentResolver resolver = mLoggerMap.getActivity().getContentResolver(); Cursor trackCursor = null; try { trackCursor = resolver.query(ContentUris.withAppendedId(Tracks.CONTENT_URI, this.mTrackId), new String[] { Tracks.NAME }, null, null, null); if (trackCursor != null && trackCursor.moveToLast()) { String trackName = trackCursor.getString(0); mLoggerMap.getActivity().setTitle(mLoggerMap.getActivity().getString(R.string.app_name) + ": " + trackName); } } finally { if (trackCursor != null) { trackCursor.close(); } } } private void updateMapProvider() { Class< ? > mapClass = null; int provider = Integer.valueOf(mSharedPreferences.getString(Constants.MAPPROVIDER, "" + Constants.GOOGLE)).intValue(); switch (provider) { case Constants.GOOGLE: mapClass = GoogleLoggerMap.class; break; case Constants.OSM: mapClass = OsmLoggerMap.class; break; case Constants.MAPQUEST: mapClass = MapQuestLoggerMap.class; break; default: mapClass = GoogleLoggerMap.class; Log.e(TAG, "Fault in value " + provider + " as MapProvider, defaulting to Google Maps."); break; } if (mapClass != mLoggerMap.getActivity().getClass()) { Intent myIntent = mLoggerMap.getActivity().getIntent(); Intent realIntent; if (myIntent != null) { realIntent = new Intent(myIntent.getAction(), myIntent.getData(), mLoggerMap.getActivity(), mapClass); realIntent.putExtras(myIntent); } else { realIntent = new Intent(mLoggerMap.getActivity(), mapClass); realIntent.putExtras(myIntent); } mLoggerMap.getActivity().startActivity(realIntent); mLoggerMap.getActivity().finish(); } } protected void updateMapProviderAdministration(String provider) { mLoggerServiceManager.storeDerivedDataSource(provider); } private void updateBlankingBehavior() { boolean disableblanking = mSharedPreferences.getBoolean(Constants.DISABLEBLANKING, false); boolean disabledimming = mSharedPreferences.getBoolean(Constants.DISABLEDIMMING, false); if (disableblanking) { if (mWakeLock == null) { PowerManager pm = (PowerManager) mLoggerMap.getActivity().getSystemService(Context.POWER_SERVICE); if (disabledimming) { mWakeLock = pm.newWakeLock(PowerManager.SCREEN_BRIGHT_WAKE_LOCK, TAG); } else { mWakeLock = pm.newWakeLock(PowerManager.SCREEN_DIM_WAKE_LOCK, TAG); } } if (mLoggerServiceManager.getLoggingState() == Constants.LOGGING && !mWakeLock.isHeld()) { mWakeLock.acquire(); Log.w(TAG, "Acquired lock to keep screen on!"); } } } private void updateSpeedColoring() { int trackColoringMethod = Integer.valueOf(mSharedPreferences.getString(Constants.TRACKCOLORING, "3")).intValue(); View speedbar = mLoggerMap.getActivity().findViewById(R.id.speedbar); SlidingIndicatorView scaleIndicator = mLoggerMap.getScaleIndicatorView(); TextView[] speedtexts = mLoggerMap.getSpeedTextViews(); switch (trackColoringMethod) { case SegmentRendering.DRAW_MEASURED: case SegmentRendering.DRAW_CALCULATED: // mAverageSpeed is set to 0 if unknown or to trigger an recalculation here if (mAverageSpeed == 0.0) { mHandler.removeCallbacks(speedCalculator); mHandler.post(speedCalculator); } else { drawSpeedTexts(); speedtexts = mLoggerMap.getSpeedTextViews(); speedbar.setVisibility(View.VISIBLE); scaleIndicator.setVisibility(View.VISIBLE); for (int i = 0; i < speedtexts.length; i++) { speedtexts[i].setVisibility(View.VISIBLE); } } break; case SegmentRendering.DRAW_DOTS: case SegmentRendering.DRAW_GREEN: case SegmentRendering.DRAW_RED: speedbar.setVisibility(View.INVISIBLE); scaleIndicator.setVisibility(View.INVISIBLE); for (int i = 0; i < speedtexts.length; i++) { speedtexts[i].setVisibility(View.INVISIBLE); } break; case SegmentRendering.DRAW_HEIGHT: if (mAverageHeight == 0.0) { mHandler.removeCallbacks(heightCalculator); mHandler.post(heightCalculator); } else { drawHeightTexts(); speedtexts = mLoggerMap.getSpeedTextViews(); speedbar.setVisibility(View.VISIBLE); scaleIndicator.setVisibility(View.VISIBLE); for (int i = 0; i < speedtexts.length; i++) { speedtexts[i].setVisibility(View.VISIBLE); } } break; default: break; } mBitmapSegmentsOverlay.setTrackColoringMethod(trackColoringMethod, mAverageSpeed, mAverageHeight); } private void updateSpeedDisplayVisibility() { boolean showspeed = mSharedPreferences.getBoolean(Constants.SPEED, false); TextView lastGPSSpeedView = mLoggerMap.getSpeedTextView(); if (showspeed) { lastGPSSpeedView.setVisibility(View.VISIBLE); } else { lastGPSSpeedView.setVisibility(View.GONE); } updateScaleDisplayVisibility(); } private void updateAltitudeDisplayVisibility() { boolean showaltitude = mSharedPreferences.getBoolean(Constants.ALTITUDE, false); TextView lastGPSAltitudeView = mLoggerMap.getAltitideTextView(); if (showaltitude) { lastGPSAltitudeView.setVisibility(View.VISIBLE); } else { lastGPSAltitudeView.setVisibility(View.GONE); } updateScaleDisplayVisibility(); } private void updateScaleDisplayVisibility() { SlidingIndicatorView scaleIndicator = mLoggerMap.getScaleIndicatorView(); boolean showspeed = mSharedPreferences.getBoolean(Constants.SPEED, false); boolean showaltitude = mSharedPreferences.getBoolean(Constants.ALTITUDE, false); int trackColoringMethod = Integer.valueOf(mSharedPreferences.getString(Constants.TRACKCOLORING, "3")).intValue(); switch (trackColoringMethod) { case SegmentRendering.DRAW_MEASURED: case SegmentRendering.DRAW_CALCULATED: if( showspeed ) { scaleIndicator.setVisibility(View.VISIBLE); } else { scaleIndicator.setVisibility(View.GONE); } break; case SegmentRendering.DRAW_HEIGHT: default: if( showaltitude ) { scaleIndicator.setVisibility(View.VISIBLE); } else { scaleIndicator.setVisibility(View.GONE); } break; } } private void updateDistanceDisplayVisibility() { boolean showdistance = mSharedPreferences.getBoolean(Constants.DISTANCE, false); TextView distanceView = mLoggerMap.getDistanceTextView(); if (showdistance) { distanceView.setVisibility(View.VISIBLE); } else { distanceView.setVisibility(View.GONE); } } private void updateCompassDisplayVisibility() { boolean compass = mSharedPreferences.getBoolean(Constants.COMPASS, false); if (compass) { mLoggerMap.enableCompass(); } else { mLoggerMap.disableCompass(); } } private void updateLocationDisplayVisibility() { boolean location = mSharedPreferences.getBoolean(Constants.LOCATION, false); if (location) { mLoggerMap.enableMyLocation(); } else { mLoggerMap.disableMyLocation(); } } /** * Retrieves the numbers of the measured speed and altitude from the most * recent waypoint and updates UI components with this latest bit of * information. */ private void updateTrackNumbers() { Location lastWaypoint = mLoggerServiceManager.getLastWaypoint(); UnitsI18n units = mUnits; if (lastWaypoint != null && units != null) { // Speed number mSpeed = lastWaypoint.getSpeed(); mAltitude = lastWaypoint.getAltitude(); mDistance = mLoggerServiceManager.getTrackedDistance(); } //Distance number double distance = units.conversionFromMeter(mDistance); String distanceText = String.format("%.2f %s", distance, units.getDistanceUnit()); TextView mDistanceView = mLoggerMap.getDistanceTextView(); mDistanceView.setText(distanceText); //Speed number double speed = units.conversionFromMetersPerSecond(mSpeed); String speedText = units.formatSpeed(speed, false); TextView lastGPSSpeedView = mLoggerMap.getSpeedTextView(); lastGPSSpeedView.setText(speedText); //Altitude number double altitude = units.conversionFromMeterToHeight(mAltitude); String altitudeText = String.format("%.0f %s", altitude, units.getHeightUnit()); TextView mLastGPSAltitudeView = mLoggerMap.getAltitideTextView(); mLastGPSAltitudeView.setText(altitudeText); // Slider indicator SlidingIndicatorView currentScaleIndicator = mLoggerMap.getScaleIndicatorView(); int trackColoringMethod = Integer.valueOf(mSharedPreferences.getString(Constants.TRACKCOLORING, "3")).intValue(); if( trackColoringMethod == SegmentRendering.DRAW_MEASURED || trackColoringMethod == SegmentRendering.DRAW_CALCULATED) { currentScaleIndicator.setValue((float) speed); // Speed color bar and reference numbers if (speed > 2 * mAverageSpeed ) { mAverageSpeed = 0.0; updateSpeedColoring(); mBitmapSegmentsOverlay.scheduleRecalculation(); } } else if(trackColoringMethod == SegmentRendering.DRAW_HEIGHT) { currentScaleIndicator.setValue((float) altitude); // Speed color bar and reference numbers if (altitude > 2 * mAverageHeight ) { mAverageHeight = 0.0; updateSpeedColoring(); mLoggerMap.postInvalidate(); } } } /** * For the current track identifier the route of that track is drawn by * adding a OverLay for each segments in the track * * @param trackId * @see SegmentRendering */ private void createDataOverlays() { mLastSegmentOverlay = null; mBitmapSegmentsOverlay.clearSegments(); mLoggerMap.clearOverlays(); mLoggerMap.addOverlay(mBitmapSegmentsOverlay); ContentResolver resolver = mLoggerMap.getActivity().getContentResolver(); Cursor segments = null; int trackColoringMethod = Integer.valueOf(mSharedPreferences.getString(Constants.TRACKCOLORING, "2")).intValue(); try { Uri segmentsUri = Uri.withAppendedPath(Tracks.CONTENT_URI, this.mTrackId + "/segments"); segments = resolver.query(segmentsUri, new String[] { Segments._ID }, null, null, null); if (segments != null && segments.moveToFirst()) { do { long segmentsId = segments.getLong(0); Uri segmentUri = ContentUris.withAppendedId(segmentsUri, segmentsId); SegmentRendering segmentOverlay = new SegmentRendering(mLoggerMap, segmentUri, trackColoringMethod, mAverageSpeed, mAverageHeight, mHandler); mBitmapSegmentsOverlay.addSegment(segmentOverlay); mLastSegmentOverlay = segmentOverlay; if (segments.isFirst()) { segmentOverlay.addPlacement(SegmentRendering.FIRST_SEGMENT); } if (segments.isLast()) { segmentOverlay.addPlacement(SegmentRendering.LAST_SEGMENT); } mLastSegment = segmentsId; } while (segments.moveToNext()); } } finally { if (segments != null) { segments.close(); } } Uri lastSegmentUri = Uri.withAppendedPath(Tracks.CONTENT_URI, mTrackId + "/segments/" + mLastSegment + "/waypoints"); resolver.unregisterContentObserver(this.mSegmentWaypointsObserver); resolver.registerContentObserver(lastSegmentUri, false, this.mSegmentWaypointsObserver); } private void updateDataOverlays() { ContentResolver resolver = mLoggerMap.getActivity().getContentResolver(); Uri segmentsUri = Uri.withAppendedPath(Tracks.CONTENT_URI, this.mTrackId + "/segments"); Cursor segmentsCursor = null; int segmentOverlaysCount = mBitmapSegmentsOverlay.size(); try { segmentsCursor = resolver.query(segmentsUri, new String[] { Segments._ID }, null, null, null); if (segmentsCursor != null && segmentsCursor.getCount() == segmentOverlaysCount) { // Log.d( TAG, "Alignment of segments" ); } else { createDataOverlays(); } } finally { if (segmentsCursor != null) { segmentsCursor.close(); } } } /** * Call when an overlay has recalulated and has new information to be redrawn */ private void moveActiveViewWindow() { GeoPoint lastPoint = getLastTrackPoint(); if (lastPoint != null && mLoggerServiceManager.getLoggingState() == Constants.LOGGING) { if (mLoggerMap.isOutsideScreen(lastPoint)) { mLoggerMap.clearAnimation(); mLoggerMap.setCenter(lastPoint); } else if (mLoggerMap.isNearScreenEdge(lastPoint)) { mLoggerMap.clearAnimation(); mLoggerMap.animateTo(lastPoint); } } } /** * Updates the labels next to the color bar with speeds */ private void drawSpeedTexts() { UnitsI18n units = mUnits; if (units != null) { double avgSpeed = units.conversionFromMetersPerSecond(mAverageSpeed); TextView[] mSpeedtexts = mLoggerMap.getSpeedTextViews(); SlidingIndicatorView currentScaleIndicator = mLoggerMap.getScaleIndicatorView(); for (int i = 0; i < mSpeedtexts.length; i++) { mSpeedtexts[i].setVisibility(View.VISIBLE); double speed; if (mUnits.isUnitFlipped()) { speed = ((avgSpeed * 2d) / 5d) * (mSpeedtexts.length - i - 1); } else { speed = ((avgSpeed * 2d) / 5d) * i; } if( i == 0 ) { currentScaleIndicator.setMin((float) speed); } else { currentScaleIndicator.setMax((float) speed); } String speedText = units.formatSpeed(speed, false); mSpeedtexts[i].setText(speedText); } } } /** * Updates the labels next to the color bar with heights */ private void drawHeightTexts() { UnitsI18n units = mUnits; if (units != null) { double avgHeight = units.conversionFromMeterToHeight(mAverageHeight); TextView[] mSpeedtexts = mLoggerMap.getSpeedTextViews(); SlidingIndicatorView currentScaleIndicator = mLoggerMap.getScaleIndicatorView(); for (int i = 0; i < mSpeedtexts.length; i++) { mSpeedtexts[i].setVisibility(View.VISIBLE); double height = ((avgHeight * 2d) / 5d) * i; String heightText = String.format( "%d %s", (int)height, units.getHeightUnit() ); mSpeedtexts[i].setText(heightText); if( i == 0 ) { currentScaleIndicator.setMin((float) height); } else { currentScaleIndicator.setMax((float) height); } } } } /** * Alter this to set a new track as current. * * @param trackId * @param center center on the end of the track */ private void moveToTrack(long trackId, boolean center) { if( trackId == mTrackId ) { return; } Cursor track = null; try { ContentResolver resolver = mLoggerMap.getActivity().getContentResolver(); Uri trackUri = ContentUris.withAppendedId(Tracks.CONTENT_URI, trackId); track = resolver.query(trackUri, new String[] { Tracks.NAME }, null, null, null); if (track != null && track.moveToFirst()) { this.mTrackId = trackId; mLastSegment = -1; resolver.unregisterContentObserver(this.mTrackSegmentsObserver); resolver.unregisterContentObserver(this.mTrackMediasObserver); Uri tracksegmentsUri = Uri.withAppendedPath(Tracks.CONTENT_URI, trackId + "/segments"); resolver.registerContentObserver(tracksegmentsUri, false, this.mTrackSegmentsObserver); resolver.registerContentObserver(Media.CONTENT_URI, true, this.mTrackMediasObserver); mLoggerMap.clearOverlays(); mBitmapSegmentsOverlay.clearSegments(); mAverageSpeed = 0.0; mAverageHeight = 0.0; updateTitleBar(); updateDataOverlays(); updateSpeedColoring(); if (center) { GeoPoint lastPoint = getLastTrackPoint(); mLoggerMap.animateTo(lastPoint); } } } finally { if (track != null) { track.close(); } } } /** * Get the last know position from the GPS provider and return that * information wrapped in a GeoPoint to which the Map can navigate. * * @see GeoPoint * @return */ private GeoPoint getLastKnowGeopointLocation() { int microLatitude = 0; int microLongitude = 0; LocationManager locationManager = (LocationManager) mLoggerMap.getActivity().getApplication().getSystemService(Context.LOCATION_SERVICE); Location locationFine = locationManager.getLastKnownLocation(LocationManager.GPS_PROVIDER); if (locationFine != null) { microLatitude = (int) (locationFine.getLatitude() * 1E6d); microLongitude = (int) (locationFine.getLongitude() * 1E6d); } if (locationFine == null || microLatitude == 0 || microLongitude == 0) { Location locationCoarse = locationManager.getLastKnownLocation(LocationManager.NETWORK_PROVIDER); if (locationCoarse != null) { microLatitude = (int) (locationCoarse.getLatitude() * 1E6d); microLongitude = (int) (locationCoarse.getLongitude() * 1E6d); } if (locationCoarse == null || microLatitude == 0 || microLongitude == 0) { microLatitude = 51985105; microLongitude = 5106132; } } GeoPoint geoPoint = new GeoPoint(microLatitude, microLongitude); return geoPoint; } /** * Retrieve the last point of the current track * * @param context */ private GeoPoint getLastTrackPoint() { Cursor waypoint = null; GeoPoint lastPoint = null; // First try the service which might have a cached version Location lastLoc = mLoggerServiceManager.getLastWaypoint(); if (lastLoc != null) { int microLatitude = (int) (lastLoc.getLatitude() * 1E6d); int microLongitude = (int) (lastLoc.getLongitude() * 1E6d); lastPoint = new GeoPoint(microLatitude, microLongitude); } // If nothing yet, try the content resolver and query the track if (lastPoint == null || lastPoint.getLatitudeE6() == 0 || lastPoint.getLongitudeE6() == 0) { try { ContentResolver resolver = mLoggerMap.getActivity().getContentResolver(); waypoint = resolver.query(Uri.withAppendedPath(Tracks.CONTENT_URI, mTrackId + "/waypoints"), new String[] { Waypoints.LATITUDE, Waypoints.LONGITUDE, "max(" + Waypoints.TABLE + "." + Waypoints._ID + ")" }, null, null, null); if (waypoint != null && waypoint.moveToLast()) { int microLatitude = (int) (waypoint.getDouble(0) * 1E6d); int microLongitude = (int) (waypoint.getDouble(1) * 1E6d); lastPoint = new GeoPoint(microLatitude, microLongitude); } } finally { if (waypoint != null) { waypoint.close(); } } } // If nothing yet, try the last generally known location if (lastPoint == null || lastPoint.getLatitudeE6() == 0 || lastPoint.getLongitudeE6() == 0) { lastPoint = getLastKnowGeopointLocation(); } return lastPoint; } private void moveToLastTrack() { int trackId = -1; Cursor track = null; try { ContentResolver resolver = mLoggerMap.getActivity().getContentResolver(); track = resolver.query(Tracks.CONTENT_URI, new String[] { "max(" + Tracks._ID + ")", Tracks.NAME, }, null, null, null); if (track != null && track.moveToLast()) { trackId = track.getInt(0); moveToTrack(trackId, false); } } finally { if (track != null) { track.close(); } } } /** * Enables a SegmentOverlay to call back to the MapActivity to show a dialog * with choices of media * * @param mediaAdapter */ public void showMediaDialog(BaseAdapter mediaAdapter) { mMediaAdapter = mediaAdapter; mLoggerMap.getActivity().showDialog(DIALOG_URIS); } public SharedPreferences getPreferences() { return mSharedPreferences; } public boolean isLogging() { return mLoggerServiceManager.getLoggingState() == Constants.LOGGING; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/map/LoggerMapHelper.java
Java
gpl3
60,903
/*------------------------------------------------------------------------------ ** Ident: Delivery Center Java ** Author: rene ** Copyright: (c) Feb 26, 2012 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ */ package nl.sogeti.android.gpstracker.viewer.map; import nl.sogeti.android.gpstracker.util.Constants; import android.app.Activity; import android.content.Intent; import android.os.Bundle; import android.preference.PreferenceManager; import android.util.Log; /** * ???? * * @version $Id:$ * @author rene (c) Feb 26, 2012, Sogeti B.V. */ public class CommonLoggerMap extends Activity { private static final String TAG = "OGT.CommonLoggerMap"; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); Intent myIntent = getIntent(); Intent realIntent; Class<?> mapClass = GoogleLoggerMap.class; int provider = Integer.valueOf(PreferenceManager.getDefaultSharedPreferences(this).getString(Constants.MAPPROVIDER, "" + Constants.GOOGLE)).intValue(); switch (provider) { case Constants.GOOGLE: mapClass = GoogleLoggerMap.class; break; case Constants.OSM: mapClass = OsmLoggerMap.class; break; case Constants.MAPQUEST: mapClass = MapQuestLoggerMap.class; break; default: mapClass = GoogleLoggerMap.class; Log.e(TAG, "Fault in value " + provider + " as MapProvider, defaulting to Google Maps."); break; } if( myIntent != null ) { realIntent = new Intent(myIntent.getAction(), myIntent.getData(), this, mapClass); realIntent.putExtras(myIntent); } else { realIntent = new Intent(this, mapClass); realIntent.putExtras(myIntent); } startActivity(realIntent); finish(); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/map/CommonLoggerMap.java
Java
gpl3
2,490
/*------------------------------------------------------------------------------ ** Ident: Delivery Center Java ** Author: rene ** Copyright: (c) Feb 26, 2012 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ */ package nl.sogeti.android.gpstracker.viewer.map; import nl.sogeti.android.gpstracker.util.SlidingIndicatorView; import nl.sogeti.android.gpstracker.viewer.map.overlay.OverlayProvider; import android.app.Activity; import android.content.SharedPreferences; import android.graphics.Bitmap; import android.graphics.Point; import android.widget.BaseAdapter; import android.widget.TextView; import com.google.android.maps.GeoPoint; /** * ???? * * @version $Id$ * @author rene (c) Feb 26, 2012, Sogeti B.V. */ public interface LoggerMap { void setDrawingCacheEnabled(boolean b); Activity getActivity(); void updateOverlays(); void onLayerCheckedChanged(int checkedId, boolean b); void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key); Bitmap getDrawingCache(); void showMediaDialog(BaseAdapter mediaAdapter); String getDataSourceId(); boolean isOutsideScreen(GeoPoint lastPoint); boolean isNearScreenEdge(GeoPoint lastPoint); void executePostponedActions(); void disableMyLocation(); void disableCompass(); void setZoom(int int1); void animateTo(GeoPoint storedPoint); int getZoomLevel(); GeoPoint getMapCenter(); boolean zoomOut(); boolean zoomIn(); void postInvalidate(); void enableCompass(); void enableMyLocation(); void addOverlay(OverlayProvider overlay); void clearAnimation(); void setCenter(GeoPoint lastPoint); int getMaxZoomLevel(); GeoPoint fromPixels(int x, int y); boolean hasProjection(); float metersToEquatorPixels(float float1); void toPixels(GeoPoint geopoint, Point screenPoint); TextView[] getSpeedTextViews(); TextView getAltitideTextView(); TextView getSpeedTextView(); TextView getDistanceTextView(); void clearOverlays(); SlidingIndicatorView getScaleIndicatorView(); }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/map/LoggerMap.java
Java
gpl3
2,656
/*------------------------------------------------------------------------------ ** Ident: Delivery Center Java ** Author: rene ** Copyright: (c) Mar 3, 2012 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ */ package nl.sogeti.android.gpstracker.viewer.map; import nl.sogeti.android.gpstracker.R; import nl.sogeti.android.gpstracker.util.SlidingIndicatorView; import nl.sogeti.android.gpstracker.viewer.map.overlay.OverlayProvider; import android.app.Activity; import android.app.Dialog; import android.content.Intent; import android.content.SharedPreferences; import android.graphics.Bitmap; import android.graphics.Point; import android.os.Bundle; import android.view.KeyEvent; import android.view.Menu; import android.view.MenuItem; import android.widget.BaseAdapter; import android.widget.TextView; import com.google.android.maps.GeoPoint; import com.mapquest.android.maps.MapActivity; import com.mapquest.android.maps.MapView; import com.mapquest.android.maps.MyLocationOverlay; /** * ???? * * @version $Id:$ * @author rene (c) Mar 3, 2012, Sogeti B.V. */ public class MapQuestLoggerMap extends MapActivity implements LoggerMap { LoggerMapHelper mHelper; private MapView mMapView; private TextView[] mSpeedtexts; private TextView mLastGPSSpeedView; private TextView mLastGPSAltitudeView; private TextView mDistanceView; private MyLocationOverlay mMylocation; /** * Called when the activity is first created. */ @Override protected void onCreate(Bundle load) { super.onCreate(load); setContentView(R.layout.map_mapquest); mMapView = (MapView) findViewById(R.id.myMapView); mHelper = new LoggerMapHelper(this); mMapView = (MapView) findViewById(R.id.myMapView); mMylocation = new MyLocationOverlay(this, mMapView); mMapView.setBuiltInZoomControls(true); TextView[] speeds = { (TextView) findViewById(R.id.speedview05), (TextView) findViewById(R.id.speedview04), (TextView) findViewById(R.id.speedview03), (TextView) findViewById(R.id.speedview02), (TextView) findViewById(R.id.speedview01), (TextView) findViewById(R.id.speedview00) }; mSpeedtexts = speeds; mLastGPSSpeedView = (TextView) findViewById(R.id.currentSpeed); mLastGPSAltitudeView = (TextView) findViewById(R.id.currentAltitude); mDistanceView = (TextView) findViewById(R.id.currentDistance); mHelper.onCreate(load); } @Override protected void onResume() { super.onResume(); mHelper.onResume(); } @Override protected void onPause() { mHelper.onPause(); super.onPause(); } @Override protected void onDestroy() { mHelper.onDestroy(); super.onDestroy(); } @Override public void onNewIntent(Intent newIntent) { mHelper.onNewIntent(newIntent); } @Override protected void onRestoreInstanceState(Bundle load) { if (load != null) { super.onRestoreInstanceState(load); } mHelper.onRestoreInstanceState(load); } @Override protected void onSaveInstanceState(Bundle save) { super.onSaveInstanceState(save); mHelper.onSaveInstanceState(save); } @Override public boolean onCreateOptionsMenu(Menu menu) { boolean result = super.onCreateOptionsMenu(menu); mHelper.onCreateOptionsMenu(menu); return result; } @Override public boolean onPrepareOptionsMenu(Menu menu) { mHelper.onPrepareOptionsMenu(menu); return super.onPrepareOptionsMenu(menu); } @Override public boolean onOptionsItemSelected(MenuItem item) { boolean handled = mHelper.onOptionsItemSelected(item); if( !handled ) { handled = super.onOptionsItemSelected(item); } return handled; } @Override protected void onActivityResult(int requestCode, int resultCode, Intent intent) { super.onActivityResult(requestCode, resultCode, intent); mHelper.onActivityResult(requestCode, resultCode, intent); } @Override public boolean onKeyDown(int keyCode, KeyEvent event) { boolean propagate = true; switch (keyCode) { default: propagate = mHelper.onKeyDown(keyCode, event); if( propagate ) { propagate = super.onKeyDown(keyCode, event); } break; } return propagate; } @Override protected Dialog onCreateDialog(int id) { Dialog dialog = mHelper.onCreateDialog(id); if( dialog == null ) { dialog = super.onCreateDialog(id); } return dialog; } @Override protected void onPrepareDialog(int id, Dialog dialog) { mHelper.onPrepareDialog(id, dialog); super.onPrepareDialog(id, dialog); } /******************************/ /** Loggermap methods **/ /******************************/ @Override public void updateOverlays() { } @Override public void setDrawingCacheEnabled(boolean b) { findViewById(R.id.mapScreen).setDrawingCacheEnabled(true); } @Override public Activity getActivity() { return this; } @Override public void onLayerCheckedChanged(int checkedId, boolean isChecked) { } @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { } @Override public Bitmap getDrawingCache() { return findViewById(R.id.mapScreen).getDrawingCache(); } @Override public void showMediaDialog(BaseAdapter mediaAdapter) { mHelper.showMediaDialog(mediaAdapter); } public void onDateOverlayChanged() { mMapView.postInvalidate(); } @Override public String getDataSourceId() { return LoggerMapHelper.MAPQUEST_PROVIDER; } @Override public boolean isOutsideScreen(GeoPoint lastPoint) { Point out = new Point(); this.mMapView.getProjection().toPixels(MapQuestLoggerMap.convertGeoPoint(lastPoint), out); int height = this.mMapView.getHeight(); int width = this.mMapView.getWidth(); return (out.x < 0 || out.y < 0 || out.y > height || out.x > width); } @Override public boolean isNearScreenEdge(GeoPoint lastPoint) { Point out = new Point(); this.mMapView.getProjection().toPixels(MapQuestLoggerMap.convertGeoPoint(lastPoint), out); int height = this.mMapView.getHeight(); int width = this.mMapView.getWidth(); return (out.x < width / 4 || out.y < height / 4 || out.x > (width / 4) * 3 || out.y > (height / 4) * 3); } @Override public void executePostponedActions() { } @Override public void enableCompass() { mMylocation.enableCompass(); } @Override public void enableMyLocation() { mMylocation.enableMyLocation(); } @Override public void disableMyLocation() { mMylocation.disableMyLocation(); } @Override public void disableCompass() { mMylocation.disableCompass(); } @Override public void setZoom(int zoom) { mMapView.getController().setZoom(zoom); } @Override public void animateTo(GeoPoint storedPoint) { mMapView.getController().animateTo(MapQuestLoggerMap.convertGeoPoint(storedPoint)); } @Override public int getZoomLevel() { return mMapView.getZoomLevel(); } @Override public GeoPoint getMapCenter() { return MapQuestLoggerMap.convertMapQuestGeoPoint(mMapView.getMapCenter()); } @Override public boolean zoomOut() { return mMapView.getController().zoomOut(); } @Override public boolean zoomIn() { return mMapView.getController().zoomIn(); } @Override public void postInvalidate() { mMapView.postInvalidate(); } @Override public void addOverlay(OverlayProvider overlay) { mMapView.getOverlays().add(overlay.getMapQuestOverlay()); } @Override public void clearAnimation() { mMapView.clearAnimation(); } @Override public void setCenter(GeoPoint lastPoint) { mMapView.getController().setCenter( MapQuestLoggerMap.convertGeoPoint(lastPoint)); } @Override public int getMaxZoomLevel() { return mMapView.getMaxZoomLevel(); } @Override public GeoPoint fromPixels(int x, int y) { com.mapquest.android.maps.GeoPoint mqGeopoint = mMapView.getProjection().fromPixels(x, y); return convertMapQuestGeoPoint(mqGeopoint); } @Override public boolean hasProjection() { return mMapView.getProjection() != null; } @Override public float metersToEquatorPixels(float float1) { return mMapView.getProjection().metersToEquatorPixels(float1); } @Override public void toPixels(GeoPoint geoPoint, Point screenPoint) { com.mapquest.android.maps.GeoPoint mqGeopoint = MapQuestLoggerMap.convertGeoPoint(geoPoint); mMapView.getProjection().toPixels( mqGeopoint, screenPoint); } @Override public TextView[] getSpeedTextViews() { return mSpeedtexts; } @Override public TextView getAltitideTextView() { return mLastGPSAltitudeView; } @Override public TextView getSpeedTextView() { return mLastGPSSpeedView; } @Override public TextView getDistanceTextView() { return mDistanceView; } static com.mapquest.android.maps.GeoPoint convertGeoPoint( GeoPoint point ) { return new com.mapquest.android.maps.GeoPoint(point.getLatitudeE6(), point.getLongitudeE6() ); } static GeoPoint convertMapQuestGeoPoint( com.mapquest.android.maps.GeoPoint mqPoint ) { return new GeoPoint(mqPoint.getLatitudeE6(), mqPoint.getLongitudeE6() ); } @Override public void clearOverlays() { mMapView.getOverlays().clear(); } @Override public SlidingIndicatorView getScaleIndicatorView() { return (SlidingIndicatorView) findViewById(R.id.scaleindicator); } /******************************/ /** Own methods **/ /******************************/ @Override public boolean isRouteDisplayed() { return true; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/map/MapQuestLoggerMap.java
Java
gpl3
10,898
/* * Written by Pieter @ android-developers on groups.google.com * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.viewer.map.overlay; import nl.sogeti.android.gpstracker.R; import android.content.Context; import android.graphics.Canvas; import android.graphics.Paint; import android.graphics.Paint.Style; import android.graphics.Point; import android.graphics.drawable.Drawable; import android.location.Location; import com.google.android.maps.GeoPoint; import com.google.android.maps.MapView; import com.google.android.maps.MyLocationOverlay; import com.google.android.maps.Projection; /** * Fix for a ClassCastException found on some Google Maps API's implementations. * @see <a href="http://www.spectrekking.com/download/FixedMyLocationOverlay.java">www.spectrekking.com</a> * @version $Id$ */ public class FixedMyLocationOverlay extends MyLocationOverlay { private boolean bugged = false; private Paint accuracyPaint; private Point center; private Point left; private Drawable drawable; private int width; private int height; public FixedMyLocationOverlay(Context context, MapView mapView) { super(context, mapView); } @Override protected void drawMyLocation(Canvas canvas, MapView mapView, Location lastFix, GeoPoint myLoc, long when) { if (!bugged) { try { super.drawMyLocation(canvas, mapView, lastFix, myLoc, when); } catch (Exception e) { bugged = true; } } if (bugged) { if (drawable == null) { if( accuracyPaint == null ) { accuracyPaint = new Paint(); accuracyPaint.setAntiAlias(true); accuracyPaint.setStrokeWidth(2.0f); } drawable = mapView.getContext().getResources().getDrawable(R.drawable.mylocation); width = drawable.getIntrinsicWidth(); height = drawable.getIntrinsicHeight(); center = new Point(); left = new Point(); } Projection projection = mapView.getProjection(); double latitude = lastFix.getLatitude(); double longitude = lastFix.getLongitude(); float accuracy = lastFix.getAccuracy(); float[] result = new float[1]; Location.distanceBetween(latitude, longitude, latitude, longitude + 1, result); float longitudeLineDistance = result[0]; GeoPoint leftGeo = new GeoPoint((int)(latitude*1e6), (int)((longitude-accuracy/longitudeLineDistance)*1e6)); projection.toPixels(leftGeo, left); projection.toPixels(myLoc, center); int radius = center.x - left.x; accuracyPaint.setColor(0xff6666ff); accuracyPaint.setStyle(Style.STROKE); canvas.drawCircle(center.x, center.y, radius, accuracyPaint); accuracyPaint.setColor(0x186666ff); accuracyPaint.setStyle(Style.FILL); canvas.drawCircle(center.x, center.y, radius, accuracyPaint); drawable.setBounds(center.x - width / 2, center.y - height / 2, center.x + width / 2, center.y + height / 2); drawable.draw(canvas); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/map/overlay/FixedMyLocationOverlay.java
Java
gpl3
3,919
package nl.sogeti.android.gpstracker.viewer.map.overlay; import nl.sogeti.android.gpstracker.viewer.map.LoggerMap; import android.content.Context; import android.graphics.Bitmap; import android.graphics.Canvas; import android.graphics.Color; import android.graphics.Paint; import android.graphics.Point; import android.os.Handler; import android.util.Log; import android.view.MotionEvent; import com.google.android.maps.GeoPoint; import com.google.android.maps.MapView; import com.google.android.maps.Overlay; public abstract class AsyncOverlay extends Overlay implements OverlayProvider { private static final int OFFSET = 20; private static final String TAG = "GG.AsyncOverlay"; /** * Handler provided by the MapActivity to recalculate graphics */ private Handler mHandler; private GeoPoint mGeoTopLeft; private GeoPoint mGeoBottumRight; private int mWidth; private int mHeight; private Bitmap mActiveBitmap; private GeoPoint mActiveTopLeft; private Point mActivePointTopLeft; private Bitmap mCalculationBitmap; private Paint mPaint; private LoggerMap mLoggerMap; SegmentOsmOverlay mOsmOverlay; private SegmentMapQuestOverlay mMapQuestOverlay; private int mActiveZoomLevel; private Runnable mBitmapUpdater = new Runnable() { @Override public void run() { postedBitmapUpdater = false; mCalculationBitmap.eraseColor(Color.TRANSPARENT); mGeoTopLeft = mLoggerMap.fromPixels(0, 0); mGeoBottumRight = mLoggerMap.fromPixels(mWidth, mHeight); Canvas calculationCanvas = new Canvas(mCalculationBitmap); redrawOffscreen(calculationCanvas, mLoggerMap); synchronized (mActiveBitmap) { Bitmap oldActiveBitmap = mActiveBitmap; mActiveBitmap = mCalculationBitmap; mActiveTopLeft = mGeoTopLeft; mCalculationBitmap = oldActiveBitmap; } mLoggerMap.postInvalidate(); } }; private boolean postedBitmapUpdater; AsyncOverlay(LoggerMap loggermap, Handler handler) { mLoggerMap = loggermap; mHandler = handler; mWidth = 1; mHeight = 1; mPaint = new Paint(); mActiveZoomLevel = -1; mActiveBitmap = Bitmap.createBitmap(mWidth, mHeight, Bitmap.Config.ARGB_8888); mActiveTopLeft = new GeoPoint(0, 0); mActivePointTopLeft = new Point(); mCalculationBitmap = Bitmap.createBitmap(mWidth, mHeight, Bitmap.Config.ARGB_8888); mOsmOverlay = new SegmentOsmOverlay(mLoggerMap.getActivity(), mLoggerMap, this); mMapQuestOverlay = new SegmentMapQuestOverlay(this); } protected void reset() { synchronized (mActiveBitmap) { mCalculationBitmap = Bitmap.createBitmap(1, 1, Bitmap.Config.ARGB_8888); mActiveBitmap = Bitmap.createBitmap(1, 1, Bitmap.Config.ARGB_8888); } } protected void considerRedrawOffscreen() { int oldZoomLevel = mActiveZoomLevel; mActiveZoomLevel = mLoggerMap.getZoomLevel(); boolean needNewCalculation = false; if (mCalculationBitmap.getWidth() != mWidth || mCalculationBitmap.getHeight() != mHeight) { mCalculationBitmap = Bitmap.createBitmap(mWidth, mHeight, Bitmap.Config.ARGB_8888); needNewCalculation = true; } boolean unaligned = isOutAlignment(); if (needNewCalculation || mActiveZoomLevel != oldZoomLevel || unaligned) { scheduleRecalculation(); } } private boolean isOutAlignment() { Point screenPoint = new Point(0, 0); if (mGeoTopLeft != null) { mLoggerMap.toPixels(mGeoTopLeft, screenPoint); } return mGeoTopLeft == null || mGeoBottumRight == null || screenPoint.x > OFFSET || screenPoint.y > OFFSET || screenPoint.x < -OFFSET || screenPoint.y < -OFFSET; } public void onDateOverlayChanged() { if (!postedBitmapUpdater) { postedBitmapUpdater = true; mHandler.post(mBitmapUpdater); } } protected abstract void redrawOffscreen(Canvas asyncBuffer, LoggerMap loggermap); protected abstract void scheduleRecalculation(); /** * {@inheritDoc} */ @Override public void draw(Canvas canvas, MapView mapView, boolean shadow) { if (!shadow) { draw(canvas); } } private void draw(Canvas canvas) { mWidth = canvas.getWidth(); mHeight = canvas.getHeight(); considerRedrawOffscreen(); if (mActiveBitmap.getWidth() > 1) { synchronized (mActiveBitmap) { mLoggerMap.toPixels(mActiveTopLeft, mActivePointTopLeft); canvas.drawBitmap(mActiveBitmap, mActivePointTopLeft.x, mActivePointTopLeft.y, mPaint); } } } protected boolean isPointOnScreen(Point point) { return point.x < 0 || point.y < 0 || point.x > mWidth || point.y > mHeight; } @Override public boolean onTap(GeoPoint tappedGeoPoint, MapView mapview) { return commonOnTap(tappedGeoPoint); } /**************************************/ /** Multi map support **/ /**************************************/ @Override public Overlay getGoogleOverlay() { return this; } @Override public org.osmdroid.views.overlay.Overlay getOSMOverlay() { return mOsmOverlay; } @Override public com.mapquest.android.maps.Overlay getMapQuestOverlay() { return mMapQuestOverlay; } protected abstract boolean commonOnTap(GeoPoint tappedGeoPoint); static class SegmentOsmOverlay extends org.osmdroid.views.overlay.Overlay { AsyncOverlay mSegmentOverlay; LoggerMap mLoggerMap; public SegmentOsmOverlay(Context ctx, LoggerMap map, AsyncOverlay segmentOverlay) { super(ctx); mLoggerMap = map; mSegmentOverlay = segmentOverlay; } public AsyncOverlay getSegmentOverlay() { return mSegmentOverlay; } @Override public boolean onSingleTapUp(MotionEvent e, org.osmdroid.views.MapView openStreetMapView) { int x = (int) e.getX(); int y = (int) e.getY(); GeoPoint tappedGeoPoint = mLoggerMap.fromPixels(x, y); return mSegmentOverlay.commonOnTap(tappedGeoPoint); } @Override protected void draw(Canvas canvas, org.osmdroid.views.MapView view, boolean shadow) { if (!shadow) { mSegmentOverlay.draw(canvas); } } } static class SegmentMapQuestOverlay extends com.mapquest.android.maps.Overlay { AsyncOverlay mSegmentOverlay; public SegmentMapQuestOverlay(AsyncOverlay segmentOverlay) { super(); mSegmentOverlay = segmentOverlay; } public AsyncOverlay getSegmentOverlay() { return mSegmentOverlay; } @Override public boolean onTap(com.mapquest.android.maps.GeoPoint p, com.mapquest.android.maps.MapView mapView) { GeoPoint tappedGeoPoint = new GeoPoint(p.getLatitudeE6(), p.getLongitudeE6()); return mSegmentOverlay.commonOnTap(tappedGeoPoint); } @Override public void draw(Canvas canvas, com.mapquest.android.maps.MapView mapView, boolean shadow) { if (!shadow) { mSegmentOverlay.draw(canvas); } } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/map/overlay/AsyncOverlay.java
Java
gpl3
7,453
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.viewer.map.overlay; import com.mapquest.android.maps.Overlay; public interface OverlayProvider { public com.google.android.maps.Overlay getGoogleOverlay(); public org.osmdroid.views.overlay.Overlay getOSMOverlay(); public Overlay getMapQuestOverlay(); }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/map/overlay/OverlayProvider.java
Java
gpl3
1,824
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.viewer.map.overlay; import java.text.DateFormat; import java.util.Date; import java.util.List; import java.util.Vector; import nl.sogeti.android.gpstracker.BuildConfig; import nl.sogeti.android.gpstracker.R; import nl.sogeti.android.gpstracker.db.GPStracking; import nl.sogeti.android.gpstracker.db.GPStracking.Media; import nl.sogeti.android.gpstracker.db.GPStracking.Waypoints; import nl.sogeti.android.gpstracker.util.UnitsI18n; import nl.sogeti.android.gpstracker.viewer.map.LoggerMap; import android.content.ContentResolver; import android.content.ContentUris; import android.content.Context; import android.content.Intent; import android.content.res.Resources; import android.content.res.TypedArray; import android.database.ContentObserver; import android.database.Cursor; import android.graphics.Bitmap; import android.graphics.BitmapFactory; import android.graphics.Canvas; import android.graphics.Color; import android.graphics.ComposeShader; import android.graphics.CornerPathEffect; import android.graphics.Paint; import android.graphics.Path; import android.graphics.Point; import android.graphics.PorterDuff.Mode; import android.graphics.RadialGradient; import android.graphics.Shader; import android.graphics.Shader.TileMode; import android.location.Location; import android.net.Uri; import android.os.Handler; import android.util.Log; import android.util.SparseArray; import android.view.View; import android.view.ViewGroup; import android.widget.BaseAdapter; import android.widget.ImageView; import android.widget.Toast; import com.google.android.maps.GeoPoint; import com.google.android.maps.MapView; /** * Creates an overlay that can draw a single segment of connected waypoints * * @version $Id$ * @author rene (c) Jan 11, 2009, Sogeti B.V. */ public class SegmentRendering { public static final int MIDDLE_SEGMENT = 0; public static final int FIRST_SEGMENT = 1; public static final int LAST_SEGMENT = 2; public static final int DRAW_GREEN = 0; public static final int DRAW_RED = 1; public static final int DRAW_MEASURED = 2; public static final int DRAW_CALCULATED = 3; public static final int DRAW_DOTS = 4; public static final int DRAW_HEIGHT = 5; private static final String TAG = "OGT.SegmentRendering"; private static final float MINIMUM_PX_DISTANCE = 15; private static SparseArray<Bitmap> sBitmapCache = new SparseArray<Bitmap>();; private int mTrackColoringMethod = DRAW_CALCULATED; private ContentResolver mResolver; private LoggerMap mLoggerMap; private int mPlacement = SegmentRendering.MIDDLE_SEGMENT; private Uri mWaypointsUri; private Uri mMediaUri; private double mAvgSpeed; private double mAvgHeight; private GeoPoint mGeoTopLeft; private GeoPoint mGeoBottumRight; private Vector<DotVO> mDotPath; private Vector<DotVO> mDotPathCalculation; private Path mCalculatedPath; private Point mCalculatedStart; private Point mCalculatedStop; private Path mPathCalculation; private Shader mShader; private Vector<MediaVO> mMediaPath; private Vector<MediaVO> mMediaPathCalculation; private GeoPoint mStartPoint; private GeoPoint mEndPoint; private Point mPrevDrawnScreenPoint; private Point mScreenPointBackup; private Point mScreenPoint; private Point mMediaScreenPoint; private int mStepSize = -1; private Location mLocation; private Location mPrevLocation; private Cursor mWaypointsCursor; private Cursor mMediaCursor; private Uri mSegmentUri; private int mWaypointCount = -1; private int mWidth; private int mHeight; private GeoPoint mPrevGeoPoint; private int mCurrentColor; private Paint dotpaint; private Paint radiusPaint; private Paint routePaint; private Paint defaultPaint; private boolean mRequeryFlag; private Handler mHandler; private static Bitmap sStartBitmap; private static Bitmap sStopBitmap; private AsyncOverlay mAsyncOverlay; private ContentObserver mTrackSegmentsObserver; private final Runnable mMediaCalculator = new Runnable() { @Override public void run() { SegmentRendering.this.calculateMediaAsync(); } }; private final Runnable mTrackCalculator = new Runnable() { @Override public void run() { SegmentRendering.this.calculateTrackAsync(); } }; /** * Constructor: create a new TrackingOverlay. * * @param loggermap * @param segmentUri * @param color * @param avgSpeed * @param handler */ public SegmentRendering(LoggerMap loggermap, Uri segmentUri, int color, double avgSpeed, double avgHeight, Handler handler) { super(); mHandler = handler; mLoggerMap = loggermap; mTrackColoringMethod = color; mAvgSpeed = avgSpeed; mAvgHeight = avgHeight; mSegmentUri = segmentUri; mMediaUri = Uri.withAppendedPath(mSegmentUri, "media"); mWaypointsUri = Uri.withAppendedPath(mSegmentUri, "waypoints"); mResolver = mLoggerMap.getActivity().getContentResolver(); mRequeryFlag = true; mCurrentColor = Color.rgb(255, 0, 0); dotpaint = new Paint(); radiusPaint = new Paint(); radiusPaint.setColor(Color.YELLOW); radiusPaint.setAlpha(100); routePaint = new Paint(); routePaint.setStyle(Paint.Style.STROKE); routePaint.setStrokeWidth(6); routePaint.setAntiAlias(true); routePaint.setPathEffect(new CornerPathEffect(10)); defaultPaint = new Paint(); mScreenPoint = new Point(); mMediaScreenPoint = new Point(); mScreenPointBackup = new Point(); mPrevDrawnScreenPoint = new Point(); mDotPath = new Vector<DotVO>(); mDotPathCalculation = new Vector<DotVO>(); mCalculatedPath = new Path(); mPathCalculation = new Path(); mMediaPath = new Vector<MediaVO>(); mMediaPathCalculation = new Vector<MediaVO>(); mTrackSegmentsObserver = new ContentObserver(new Handler()) { @Override public void onChange(boolean selfUpdate) { if (!selfUpdate) { mRequeryFlag = true; } else { Log.w(TAG, "mTrackSegmentsObserver skipping change on " + mSegmentUri); } } }; openResources(); } public void closeResources() { mResolver.unregisterContentObserver(mTrackSegmentsObserver); mHandler.removeCallbacks(mMediaCalculator); mHandler.removeCallbacks(mTrackCalculator); mHandler.postAtFrontOfQueue(new Runnable() { @Override public void run() { if (mWaypointsCursor != null) { mWaypointsCursor.close(); mWaypointsCursor = null; } if (mMediaCursor != null) { mMediaCursor.close(); mMediaCursor = null; } } }); SegmentRendering.sStopBitmap = null; SegmentRendering.sStartBitmap = null; } public void openResources() { mResolver.registerContentObserver(mWaypointsUri, false, mTrackSegmentsObserver); } /** * Private draw method called by both the draw from Google Overlay and the * OSM Overlay * * @param canvas */ public void draw(Canvas canvas) { switch (mTrackColoringMethod) { case DRAW_HEIGHT: case DRAW_CALCULATED: case DRAW_MEASURED: case DRAW_RED: case DRAW_GREEN: drawPath(canvas); break; case DRAW_DOTS: drawDots(canvas); break; } drawStartStopCircles(canvas); drawMedia(canvas); mWidth = canvas.getWidth(); mHeight = canvas.getHeight(); } public void calculateTrack() { mHandler.removeCallbacks(mTrackCalculator); mHandler.post(mTrackCalculator); } /** * Either the Path or the Dots are calculated based on he current track * coloring method */ private synchronized void calculateTrackAsync() { mGeoTopLeft = mLoggerMap.fromPixels(0, 0); mGeoBottumRight = mLoggerMap.fromPixels(mWidth, mHeight); calculateStepSize(); mScreenPoint.x = -1; mScreenPoint.y = -1; this.mPrevDrawnScreenPoint.x = -1; this.mPrevDrawnScreenPoint.y = -1; switch (mTrackColoringMethod) { case DRAW_HEIGHT: case DRAW_CALCULATED: case DRAW_MEASURED: case DRAW_RED: case DRAW_GREEN: calculatePath(); synchronized (mCalculatedPath) // Switch the fresh path with the old Path object { Path oldPath = mCalculatedPath; mCalculatedPath = mPathCalculation; mPathCalculation = oldPath; } break; case DRAW_DOTS: calculateDots(); synchronized (mDotPath) // Switch the fresh path with the old Path object { Vector<DotVO> oldDotPath = mDotPath; mDotPath = mDotPathCalculation; mDotPathCalculation = oldDotPath; } break; } calculateStartStopCircles(); mAsyncOverlay.onDateOverlayChanged(); } /** * Calculated the new contents of segment in the mDotPathCalculation */ private void calculatePath() { mDotPathCalculation.clear(); this.mPathCalculation.rewind(); this.mShader = null; GeoPoint geoPoint; this.mPrevLocation = null; if (mWaypointsCursor == null) { mWaypointsCursor = this.mResolver.query(this.mWaypointsUri, new String[] { Waypoints.LATITUDE, Waypoints.LONGITUDE, Waypoints.SPEED, Waypoints.TIME, Waypoints.ACCURACY, Waypoints.ALTITUDE }, null, null, null); mRequeryFlag = false; } if (mRequeryFlag) { mWaypointsCursor.requery(); mRequeryFlag = false; } if (mLoggerMap.hasProjection() && mWaypointsCursor.moveToFirst()) { // Start point of the segments, possible a dot this.mStartPoint = extractGeoPoint(); mPrevGeoPoint = mStartPoint; this.mLocation = new Location(this.getClass().getName()); this.mLocation.setLatitude(mWaypointsCursor.getDouble(0)); this.mLocation.setLongitude(mWaypointsCursor.getDouble(1)); this.mLocation.setTime(mWaypointsCursor.getLong(3)); moveToGeoPoint(this.mStartPoint); do { geoPoint = extractGeoPoint(); // Do no include log wrong 0.0 lat 0.0 long, skip to next value in while-loop if (geoPoint.getLatitudeE6() == 0 || geoPoint.getLongitudeE6() == 0) { continue; } double speed = -1d; switch (mTrackColoringMethod) { case DRAW_GREEN: case DRAW_RED: plainLineToGeoPoint(geoPoint); break; case DRAW_MEASURED: speedLineToGeoPoint(geoPoint, mWaypointsCursor.getDouble(2)); break; case DRAW_CALCULATED: this.mPrevLocation = this.mLocation; this.mLocation = new Location(this.getClass().getName()); this.mLocation.setLatitude(mWaypointsCursor.getDouble(0)); this.mLocation.setLongitude(mWaypointsCursor.getDouble(1)); this.mLocation.setTime(mWaypointsCursor.getLong(3)); speed = calculateSpeedBetweenLocations(this.mPrevLocation, this.mLocation); speedLineToGeoPoint(geoPoint, speed); break; case DRAW_HEIGHT: heightLineToGeoPoint(geoPoint, mWaypointsCursor.getDouble(5)); break; default: Log.w(TAG, "Unknown coloring method"); break; } } while (moveToNextWayPoint()); this.mEndPoint = extractGeoPoint(); // End point of the segments, possible a dot } // Log.d( TAG, "transformSegmentToPath stop: points "+mCalculatedPoints+" from "+moves+" moves" ); } /** * @param canvas * @param mapView * @param shadow * @see SegmentRendering#draw(Canvas, MapView, boolean) */ private void calculateDots() { mPathCalculation.reset(); mDotPathCalculation.clear(); if (mWaypointsCursor == null) { mWaypointsCursor = this.mResolver.query(this.mWaypointsUri, new String[] { Waypoints.LATITUDE, Waypoints.LONGITUDE, Waypoints.SPEED, Waypoints.TIME, Waypoints.ACCURACY }, null, null, null); } if (mRequeryFlag) { mWaypointsCursor.requery(); mRequeryFlag = false; } if (mLoggerMap.hasProjection() && mWaypointsCursor.moveToFirst()) { GeoPoint geoPoint; mStartPoint = extractGeoPoint(); mPrevGeoPoint = mStartPoint; do { geoPoint = extractGeoPoint(); // Do no include log wrong 0.0 lat 0.0 long, skip to next value in while-loop if (geoPoint.getLatitudeE6() == 0 || geoPoint.getLongitudeE6() == 0) { continue; } setScreenPoint(geoPoint); float distance = (float) distanceInPoints(this.mPrevDrawnScreenPoint, this.mScreenPoint); if (distance > MINIMUM_PX_DISTANCE) { DotVO dotVO = new DotVO(); dotVO.x = this.mScreenPoint.x; dotVO.y = this.mScreenPoint.y; dotVO.speed = mWaypointsCursor.getLong(2); dotVO.time = mWaypointsCursor.getLong(3); dotVO.radius = mLoggerMap.metersToEquatorPixels(mWaypointsCursor.getFloat(4)); mDotPathCalculation.add(dotVO); this.mPrevDrawnScreenPoint.x = this.mScreenPoint.x; this.mPrevDrawnScreenPoint.y = this.mScreenPoint.y; } } while (moveToNextWayPoint()); this.mEndPoint = extractGeoPoint(); DotVO pointVO = new DotVO(); pointVO.x = this.mScreenPoint.x; pointVO.y = this.mScreenPoint.y; pointVO.speed = mWaypointsCursor.getLong(2); pointVO.time = mWaypointsCursor.getLong(3); pointVO.radius = mLoggerMap.metersToEquatorPixels(mWaypointsCursor.getFloat(4)); mDotPathCalculation.add(pointVO); } } public void calculateMedia() { mHandler.removeCallbacks(mMediaCalculator); mHandler.post(mMediaCalculator); } public synchronized void calculateMediaAsync() { mMediaPathCalculation.clear(); if (mMediaCursor == null) { mMediaCursor = this.mResolver.query(this.mMediaUri, new String[] { Media.WAYPOINT, Media.URI }, null, null, null); } else { mMediaCursor.requery(); } if (mLoggerMap.hasProjection() && mMediaCursor.moveToFirst()) { GeoPoint lastPoint = null; int wiggle = 0; do { MediaVO mediaVO = new MediaVO(); mediaVO.waypointId = mMediaCursor.getLong(0); mediaVO.uri = Uri.parse(mMediaCursor.getString(1)); Uri mediaWaypoint = ContentUris.withAppendedId(mWaypointsUri, mediaVO.waypointId); Cursor waypointCursor = null; try { waypointCursor = this.mResolver.query(mediaWaypoint, new String[] { Waypoints.LATITUDE, Waypoints.LONGITUDE }, null, null, null); if (waypointCursor != null && waypointCursor.moveToFirst()) { int microLatitude = (int) (waypointCursor.getDouble(0) * 1E6d); int microLongitude = (int) (waypointCursor.getDouble(1) * 1E6d); mediaVO.geopoint = new GeoPoint(microLatitude, microLongitude); } } finally { if (waypointCursor != null) { waypointCursor.close(); } } if (isGeoPointOnScreen(mediaVO.geopoint)) { mLoggerMap.toPixels(mediaVO.geopoint, this.mMediaScreenPoint); if (mediaVO.geopoint.equals(lastPoint)) { wiggle += 4; } else { wiggle = 0; } mediaVO.bitmapKey = getResourceForMedia(mLoggerMap.getActivity().getResources(), mediaVO.uri); mediaVO.w = sBitmapCache.get(mediaVO.bitmapKey).getWidth(); mediaVO.h = sBitmapCache.get(mediaVO.bitmapKey).getHeight(); int left = (mediaVO.w * 3) / 7 + wiggle; int up = (mediaVO.h * 6) / 7 - wiggle; mediaVO.x = mMediaScreenPoint.x - left; mediaVO.y = mMediaScreenPoint.y - up; lastPoint = mediaVO.geopoint; } mMediaPathCalculation.add(mediaVO); } while (mMediaCursor.moveToNext()); } synchronized (mMediaPath) // Switch the fresh path with the old Path object { Vector<MediaVO> oldmMediaPath = mMediaPath; mMediaPath = mMediaPathCalculation; mMediaPathCalculation = oldmMediaPath; } if (mMediaPathCalculation.size() != mMediaPath.size()) { mAsyncOverlay.onDateOverlayChanged(); } } private void calculateStartStopCircles() { if ((this.mPlacement == FIRST_SEGMENT || this.mPlacement == FIRST_SEGMENT + LAST_SEGMENT) && this.mStartPoint != null) { if (sStartBitmap == null) { sStartBitmap = BitmapFactory.decodeResource(this.mLoggerMap.getActivity().getResources(), R.drawable.stip); } if (mCalculatedStart == null) { mCalculatedStart = new Point(); } mLoggerMap.toPixels(this.mStartPoint, mCalculatedStart); } if ((this.mPlacement == LAST_SEGMENT || this.mPlacement == FIRST_SEGMENT + LAST_SEGMENT) && this.mEndPoint != null) { if (sStopBitmap == null) { sStopBitmap = BitmapFactory.decodeResource(this.mLoggerMap.getActivity().getResources(), R.drawable.stip2); } if (mCalculatedStop == null) { mCalculatedStop = new Point(); } mLoggerMap.toPixels(this.mEndPoint, mCalculatedStop); } } /** * @param canvas * @see SegmentRendering#draw(Canvas, MapView, boolean) */ private void drawPath(Canvas canvas) { switch (mTrackColoringMethod) { case DRAW_HEIGHT: case DRAW_CALCULATED: case DRAW_MEASURED: routePaint.setShader(this.mShader); break; case DRAW_RED: routePaint.setShader(null); routePaint.setColor(Color.RED); break; case DRAW_GREEN: routePaint.setShader(null); routePaint.setColor(Color.GREEN); break; default: routePaint.setShader(null); routePaint.setColor(Color.YELLOW); break; } synchronized (mCalculatedPath) { canvas.drawPath(mCalculatedPath, routePaint); } } private void drawDots(Canvas canvas) { synchronized (mDotPath) { if (sStopBitmap == null) { sStopBitmap = BitmapFactory.decodeResource(this.mLoggerMap.getActivity().getResources(), R.drawable.stip2); } for (DotVO dotVO : mDotPath) { canvas.drawBitmap(sStopBitmap, dotVO.x - 8, dotVO.y - 8, dotpaint); if (dotVO.radius > 8f) { canvas.drawCircle(dotVO.x, dotVO.y, dotVO.radius, radiusPaint); } } } } private void drawMedia(Canvas canvas) { synchronized (mMediaPath) { for (MediaVO mediaVO : mMediaPath) { if (mediaVO.bitmapKey != null) { Log.d(TAG, "Draw bitmap at (" + mediaVO.x + ", " + mediaVO.y + ") on " + canvas); canvas.drawBitmap(sBitmapCache.get(mediaVO.bitmapKey), mediaVO.x, mediaVO.y, defaultPaint); } } } } private void drawStartStopCircles(Canvas canvas) { if (mCalculatedStart != null) { canvas.drawBitmap(sStartBitmap, mCalculatedStart.x - 8, mCalculatedStart.y - 8, defaultPaint); } if (mCalculatedStop != null) { canvas.drawBitmap(sStopBitmap, mCalculatedStop.x - 5, mCalculatedStop.y - 5, defaultPaint); } } private Integer getResourceForMedia(Resources resources, Uri uri) { int drawable = 0; if (uri.getScheme().equals("file")) { if (uri.getLastPathSegment().endsWith("3gp")) { drawable = R.drawable.media_film; } else if (uri.getLastPathSegment().endsWith("jpg")) { drawable = R.drawable.media_camera; } else if (uri.getLastPathSegment().endsWith("txt")) { drawable = R.drawable.media_notepad; } } else if (uri.getScheme().equals("content")) { if (uri.getAuthority().equals(GPStracking.AUTHORITY + ".string")) { drawable = R.drawable.media_mark; } else if (uri.getAuthority().equals("media")) { drawable = R.drawable.media_speech; } } Bitmap bitmap = null; int bitmapKey = drawable; synchronized (sBitmapCache) { if (sBitmapCache.get(bitmapKey) == null) { bitmap = BitmapFactory.decodeResource(resources, drawable); sBitmapCache.put(bitmapKey, bitmap); } bitmap = sBitmapCache.get(bitmapKey); } return bitmapKey; } /** * Set the mPlace to the specified value. * * @see SegmentRendering.FIRST * @see SegmentRendering.MIDDLE * @see SegmentRendering.LAST * @param place The placement of this segment in the line. */ public void addPlacement(int place) { this.mPlacement += place; } public boolean isLast() { return (mPlacement >= LAST_SEGMENT); } public long getSegmentId() { return Long.parseLong(mSegmentUri.getLastPathSegment()); } /** * Set the beginnging to the next contour of the line to the give GeoPoint * * @param geoPoint */ private void moveToGeoPoint(GeoPoint geoPoint) { setScreenPoint(geoPoint); if (this.mPathCalculation != null) { this.mPathCalculation.moveTo(this.mScreenPoint.x, this.mScreenPoint.y); this.mPrevDrawnScreenPoint.x = this.mScreenPoint.x; this.mPrevDrawnScreenPoint.y = this.mScreenPoint.y; } } /** * Line to point without shaders * * @param geoPoint */ private void plainLineToGeoPoint(GeoPoint geoPoint) { shaderLineToGeoPoint(geoPoint, 0, 0); } /** * Line to point with speed * * @param geoPoint * @param height */ private void heightLineToGeoPoint(GeoPoint geoPoint, double height) { shaderLineToGeoPoint(geoPoint, height, mAvgHeight); } /** * Line to point with speed * * @param geoPoint * @param speed */ private void speedLineToGeoPoint(GeoPoint geoPoint, double speed) { shaderLineToGeoPoint(geoPoint, speed, mAvgSpeed); } private void shaderLineToGeoPoint(GeoPoint geoPoint, double value, double average) { setScreenPoint(geoPoint); // Log.d( TAG, "Draw line to " + geoPoint+" with speed "+speed ); if (value > 0) { int greenfactor = (int) Math.min((127 * value) / average, 255); int redfactor = 255 - greenfactor; mCurrentColor = Color.rgb(redfactor, greenfactor, 0); } else { int greenfactor = Color.green(mCurrentColor); int redfactor = Color.red(mCurrentColor); mCurrentColor = Color.argb(128, redfactor, greenfactor, 0); } float distance = (float) distanceInPoints(this.mPrevDrawnScreenPoint, this.mScreenPoint); if (distance > MINIMUM_PX_DISTANCE) { // Log.d( TAG, "Circle between " + mPrevDrawnScreenPoint+" and "+mScreenPoint ); int x_circle = (this.mPrevDrawnScreenPoint.x + this.mScreenPoint.x) / 2; int y_circle = (this.mPrevDrawnScreenPoint.y + this.mScreenPoint.y) / 2; float radius_factor = 0.4f; Shader lastShader = new RadialGradient(x_circle, y_circle, distance, new int[] { mCurrentColor, mCurrentColor, Color.TRANSPARENT }, new float[] { 0, radius_factor, 0.6f }, TileMode.CLAMP); // Paint debug = new Paint(); // debug.setStyle( Paint.Style.FILL_AND_STROKE ); // this.mDebugCanvas.drawCircle( // x_circle, // y_circle, // distance*radius_factor/2, // debug ); // this.mDebugCanvas.drawCircle( // x_circle, // y_circle, // distance*radius_factor, // debug ); // if( distance > 100 ) // { // Log.d( TAG, "Created shader for speed " + speed + " on " + x_circle + "," + y_circle ); // } if (this.mShader != null) { this.mShader = new ComposeShader(this.mShader, lastShader, Mode.DST_OVER); } else { this.mShader = lastShader; } this.mPrevDrawnScreenPoint.x = this.mScreenPoint.x; this.mPrevDrawnScreenPoint.y = this.mScreenPoint.y; } this.mPathCalculation.lineTo(this.mScreenPoint.x, this.mScreenPoint.y); } /** * Use to update location/point state when calculating the line * * @param geoPoint */ private void setScreenPoint(GeoPoint geoPoint) { mScreenPointBackup.x = this.mScreenPoint.x; mScreenPointBackup.y = this.mScreenPoint.x; mLoggerMap.toPixels(geoPoint, this.mScreenPoint); } /** * Move to a next waypoint, for on screen this are the points with mStepSize * % position == 0 to avoid jittering in the rendering or the points on the * either side of the screen edge. * * @return if a next waypoint is pointed to with the mWaypointsCursor */ private boolean moveToNextWayPoint() { boolean cursorReady = true; boolean onscreen = isGeoPointOnScreen(extractGeoPoint()); if (mWaypointsCursor.isLast()) // End of the line, cant move onward { cursorReady = false; } else if (onscreen) // Are on screen { cursorReady = moveOnScreenWaypoint(); } else // Are off screen => accelerate { int acceleratedStepsize = mStepSize * (mWaypointCount / 1000 + 6); cursorReady = moveOffscreenWaypoint(acceleratedStepsize); } return cursorReady; } /** * Move the cursor to the next waypoint modulo of the step size or less if * the screen edge is reached * * @param trackCursor * @return */ private boolean moveOnScreenWaypoint() { int nextPosition = mStepSize * (mWaypointsCursor.getPosition() / mStepSize) + mStepSize; if (mWaypointsCursor.moveToPosition(nextPosition)) { if (isGeoPointOnScreen(extractGeoPoint())) // Remained on screen { return true; // Cursor is pointing to somewhere } else { mWaypointsCursor.move(-1 * mStepSize); // Step back boolean nowOnScreen = true; // onto the screen while (nowOnScreen) // while on the screen { mWaypointsCursor.moveToNext(); // inch forward to the edge nowOnScreen = isGeoPointOnScreen(extractGeoPoint()); } return true; // with a cursor point to somewhere } } else { return mWaypointsCursor.moveToLast(); // No full step can be taken, move to last } } /** * Previous path GeoPoint was off screen and the next one will be to or the * first on screen when the path reaches the projection. * * @return */ private boolean moveOffscreenWaypoint(int flexStepsize) { while (mWaypointsCursor.move(flexStepsize)) { if (mWaypointsCursor.isLast()) { return true; } GeoPoint evalPoint = extractGeoPoint(); // Do no include log wrong 0.0 lat 0.0 long, skip to next value in while-loop if (evalPoint.getLatitudeE6() == 0 || evalPoint.getLongitudeE6() == 0) { continue; } // Log.d( TAG, String.format( "Evaluate point number %d ", mWaypointsCursor.getPosition() ) ); if (possibleScreenPass(mPrevGeoPoint, evalPoint)) { mPrevGeoPoint = evalPoint; if (flexStepsize == 1) // Just stumbled over a border { return true; } else { mWaypointsCursor.move(-1 * flexStepsize); // Take 1 step back return moveOffscreenWaypoint(flexStepsize / 2); // Continue at halve accelerated speed } } else { moveToGeoPoint(evalPoint); mPrevGeoPoint = evalPoint; } } return mWaypointsCursor.moveToLast(); } /** * If a segment contains more then 500 waypoints and is zoomed out more then * twice then some waypoints will not be used to render the line, this * speeding things along. */ private void calculateStepSize() { Cursor waypointsCursor = null; if (mRequeryFlag || mStepSize < 1 || mWaypointCount < 0) { try { waypointsCursor = this.mResolver.query(this.mWaypointsUri, new String[] { Waypoints._ID }, null, null, null); mWaypointCount = waypointsCursor.getCount(); } finally { if (waypointsCursor != null) { waypointsCursor.close(); } } } if (mWaypointCount < 250) { mStepSize = 1; } else { int zoomLevel = mLoggerMap.getZoomLevel(); int maxZoomLevel = mLoggerMap.getMaxZoomLevel(); if (zoomLevel >= maxZoomLevel - 2) { mStepSize = 1; } else { mStepSize = maxZoomLevel - zoomLevel; } } } /** * Is a given GeoPoint in the current projection of the map. * * @param eval * @return */ protected boolean isGeoPointOnScreen(GeoPoint geopoint) { boolean onscreen = geopoint != null; if (geopoint != null && mGeoTopLeft != null && mGeoBottumRight != null) { onscreen = onscreen && mGeoTopLeft.getLatitudeE6() > geopoint.getLatitudeE6(); onscreen = onscreen && mGeoBottumRight.getLatitudeE6() < geopoint.getLatitudeE6(); if (mGeoTopLeft.getLongitudeE6() < mGeoBottumRight.getLongitudeE6()) { onscreen = onscreen && mGeoTopLeft.getLongitudeE6() < geopoint.getLongitudeE6(); onscreen = onscreen && mGeoBottumRight.getLongitudeE6() > geopoint.getLongitudeE6(); } else { onscreen = onscreen && (mGeoTopLeft.getLongitudeE6() < geopoint.getLongitudeE6() || mGeoBottumRight.getLongitudeE6() > geopoint.getLongitudeE6()); } } return onscreen; } /** * Is a given coordinates are on the screen * * @param eval * @return */ protected boolean isOnScreen(int x, int y) { boolean onscreen = x > 0 && y > 0 && x < mWidth && y < mHeight; return onscreen; } /** * Calculates in which segment opposited to the projecting a geo point * resides * * @param p1 * @return */ private int toSegment(GeoPoint p1) { // Log.d( TAG, String.format( "Comparing %s to points TL %s and BR %s", p1, mTopLeft, mBottumRight )); int nr; if (p1.getLongitudeE6() < mGeoTopLeft.getLongitudeE6()) // left { nr = 1; } else if (p1.getLongitudeE6() > mGeoBottumRight.getLongitudeE6()) // right { nr = 3; } else // middle { nr = 2; } if (p1.getLatitudeE6() > mGeoTopLeft.getLatitudeE6()) // top { nr = nr + 0; } else if (p1.getLatitudeE6() < mGeoBottumRight.getLatitudeE6()) // bottom { nr = nr + 6; } else // middle { nr = nr + 3; } return nr; } private boolean possibleScreenPass(GeoPoint fromGeo, GeoPoint toGeo) { boolean safe = true; if (fromGeo != null && toGeo != null) { int from = toSegment(fromGeo); int to = toSegment(toGeo); switch (from) { case 1: safe = to == 1 || to == 2 || to == 3 || to == 4 || to == 7; break; case 2: safe = to == 1 || to == 2 || to == 3; break; case 3: safe = to == 1 || to == 2 || to == 3 || to == 6 || to == 9; break; case 4: safe = to == 1 || to == 4 || to == 7; break; case 5: safe = false; break; case 6: safe = to == 3 || to == 6 || to == 9; break; case 7: safe = to == 1 || to == 4 || to == 7 || to == 8 || to == 9; break; case 8: safe = to == 7 || to == 8 || to == 9; break; case 9: safe = to == 3 || to == 6 || to == 7 || to == 8 || to == 9; break; default: safe = false; break; } // Log.d( TAG, String.format( "From %d to %d is safe: %s", from, to, safe ) ); } return !safe; } public void setTrackColoringMethod(int coloring, double avgspeed, double avgHeight) { if (mTrackColoringMethod != coloring) { mTrackColoringMethod = coloring; calculateTrack(); } mAvgSpeed = avgspeed; mAvgHeight = avgHeight; } /** * For the current waypoint cursor returns the GeoPoint * * @return */ private GeoPoint extractGeoPoint() { int microLatitude = (int) (mWaypointsCursor.getDouble(0) * 1E6d); int microLongitude = (int) (mWaypointsCursor.getDouble(1) * 1E6d); return new GeoPoint(microLatitude, microLongitude); } /** * @param startLocation * @param endLocation * @return speed in m/s between 2 locations */ private static double calculateSpeedBetweenLocations(Location startLocation, Location endLocation) { double speed = -1d; if (startLocation != null && endLocation != null) { float distance = startLocation.distanceTo(endLocation); float seconds = (endLocation.getTime() - startLocation.getTime()) / 1000f; speed = distance / seconds; // Log.d( TAG, "Found a speed of "+speed+ " over a distance of "+ distance+" in a time of "+seconds); } if (speed > 0) { return speed; } else { return -1d; } } public static int extendPoint(int x1, int x2) { int diff = x2 - x1; int next = x2 + diff; return next; } private static double distanceInPoints(Point start, Point end) { int x = Math.abs(end.x - start.x); int y = Math.abs(end.y - start.y); return (double) Math.sqrt(x * x + y * y); } private boolean handleMediaTapList(List<Uri> tappedUri) { if (tappedUri.size() == 1) { return handleMedia(mLoggerMap.getActivity(), tappedUri.get(0)); } else { BaseAdapter adapter = new MediaAdapter(mLoggerMap.getActivity(), tappedUri); mLoggerMap.showMediaDialog(adapter); return true; } } public static boolean handleMedia(Context ctx, Uri mediaUri) { if (mediaUri.getScheme().equals("file")) { Intent intent = new Intent(android.content.Intent.ACTION_VIEW); if (mediaUri.getLastPathSegment().endsWith("3gp")) { intent.setDataAndType(mediaUri, "video/3gpp"); ctx.startActivity(intent); return true; } else if (mediaUri.getLastPathSegment().endsWith("jpg")) { //<scheme>://<authority><absolute path> Uri.Builder builder = new Uri.Builder(); mediaUri = builder.scheme(mediaUri.getScheme()).authority(mediaUri.getAuthority()).path(mediaUri.getPath()).build(); intent.setDataAndType(mediaUri, "image/jpeg"); ctx.startActivity(intent); return true; } else if (mediaUri.getLastPathSegment().endsWith("txt")) { intent.setDataAndType(mediaUri, "text/plain"); ctx.startActivity(intent); return true; } } else if (mediaUri.getScheme().equals("content")) { if (mediaUri.getAuthority().equals(GPStracking.AUTHORITY + ".string")) { String text = mediaUri.getLastPathSegment(); Toast toast = Toast.makeText(ctx, text, Toast.LENGTH_LONG); toast.show(); return true; } else if (mediaUri.getAuthority().equals("media")) { ctx.startActivity(new Intent(Intent.ACTION_VIEW, mediaUri)); return true; } } return false; } public boolean commonOnTap(GeoPoint tappedGeoPoint) { List<Uri> tappedUri = new Vector<Uri>(); Point tappedPoint = new Point(); mLoggerMap.toPixels(tappedGeoPoint, tappedPoint); for (MediaVO media : mMediaPath) { if (media.x < tappedPoint.x && tappedPoint.x < media.x + media.w && media.y < tappedPoint.y && tappedPoint.y < media.y + media.h) { tappedUri.add(media.uri); } } if (tappedUri.size() > 0) { return handleMediaTapList(tappedUri); } else { if (mTrackColoringMethod == DRAW_DOTS) { DotVO tapped = null; synchronized (mDotPath) // Switch the fresh path with the old Path object { int w = 25; for (DotVO dot : mDotPath) { // Log.d( TAG, "Compare ("+dot.x+","+dot.y+") with tap ("+tappedPoint.x+","+tappedPoint.y+")" ); if (dot.x - w < tappedPoint.x && tappedPoint.x < dot.x + w && dot.y - w < tappedPoint.y && tappedPoint.y < dot.y + w) { if (tapped == null) { tapped = dot; } else { tapped = dot.distanceTo(tappedPoint) < tapped.distanceTo(tappedPoint) ? dot : tapped; } } } } if (tapped != null) { DateFormat timeFormat = android.text.format.DateFormat.getTimeFormat(mLoggerMap.getActivity().getApplicationContext()); String timetxt = timeFormat.format(new Date(tapped.time)); UnitsI18n units = new UnitsI18n(mLoggerMap.getActivity(), null); double speed = units.conversionFromMetersPerSecond(tapped.speed); String speedtxt = String.format("%.1f %s", speed, units.getSpeedUnit()); String text = mLoggerMap.getActivity().getString(R.string.time_and_speed, timetxt, speedtxt); Toast toast = Toast.makeText(mLoggerMap.getActivity(), text, Toast.LENGTH_SHORT); toast.show(); } } return false; } } private static class MediaVO { @Override public String toString() { return "MediaVO [bitmapKey=" + bitmapKey + ", uri=" + uri + ", geopoint=" + geopoint + ", x=" + x + ", y=" + y + ", w=" + w + ", h=" + h + ", waypointId=" + waypointId + "]"; } public Integer bitmapKey; public Uri uri; public GeoPoint geopoint; public int x; public int y; public int w; public int h; public long waypointId; } private static class DotVO { public long time; public long speed; public int x; public int y; public float radius; public int distanceTo(Point tappedPoint) { return Math.abs(tappedPoint.x - this.x) + Math.abs(tappedPoint.y - this.y); } } private class MediaAdapter extends BaseAdapter { private Context mContext; private List<Uri> mTappedUri; private int itemBackground; public MediaAdapter(Context ctx, List<Uri> tappedUri) { mContext = ctx; mTappedUri = tappedUri; TypedArray a = mContext.obtainStyledAttributes(R.styleable.gallery); itemBackground = a.getResourceId(R.styleable.gallery_android_galleryItemBackground, 0); a.recycle(); } @Override public int getCount() { return mTappedUri.size(); } @Override public Object getItem(int position) { return mTappedUri.get(position); } @Override public long getItemId(int position) { return position; } @Override public View getView(int position, View convertView, ViewGroup parent) { ImageView imageView = new ImageView(mContext); imageView.setImageBitmap(sBitmapCache.get(getResourceForMedia(mLoggerMap.getActivity().getResources(), mTappedUri.get(position)))); imageView.setScaleType(ImageView.ScaleType.FIT_XY); imageView.setBackgroundResource(itemBackground); return imageView; } } public void setBitmapHolder(AsyncOverlay bitmapOverlay) { mAsyncOverlay = bitmapOverlay; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/map/overlay/SegmentRendering.java
Java
gpl3
44,404
package nl.sogeti.android.gpstracker.viewer.map.overlay; import java.util.LinkedList; import java.util.List; import nl.sogeti.android.gpstracker.viewer.map.LoggerMap; import android.graphics.Canvas; import android.os.Handler; import android.util.Log; import com.google.android.maps.GeoPoint; public class BitmapSegmentsOverlay extends AsyncOverlay { private static final String TAG = "GG.BitmapSegmentsOverlay"; List<SegmentRendering> mOverlays; Handler mOverlayHandler; public BitmapSegmentsOverlay(LoggerMap loggermap, Handler handler) { super(loggermap, handler); mOverlays = new LinkedList<SegmentRendering>(); mOverlayHandler = handler; } @Override synchronized protected void redrawOffscreen(Canvas asyncBuffer, LoggerMap loggermap) { for (SegmentRendering segment : mOverlays) { segment.draw(asyncBuffer); } } @Override public synchronized void scheduleRecalculation() { for (SegmentRendering segment : mOverlays) { segment.calculateMedia(); segment.calculateTrack(); } } @Override synchronized protected boolean commonOnTap(GeoPoint tappedGeoPoint) { boolean handled = false; for (SegmentRendering segment : mOverlays) { if (!handled) { handled = segment.commonOnTap(tappedGeoPoint); } } return handled; } synchronized public void addSegment(SegmentRendering segment) { segment.setBitmapHolder(this); mOverlays.add(segment); } synchronized public void clearSegments() { for (SegmentRendering segment : mOverlays) { segment.closeResources(); } mOverlays.clear(); reset(); } synchronized public void setTrackColoringMethod(int color, double speed, double height) { for (SegmentRendering segment : mOverlays) { segment.setTrackColoringMethod(color, speed, height); } scheduleRecalculation(); } public int size() { return mOverlays.size(); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/map/overlay/BitmapSegmentsOverlay.java
Java
gpl3
2,092
/*------------------------------------------------------------------------------ ** Ident: Delivery Center Java ** Author: rene ** Copyright: (c) Feb 26, 2012 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ */ package nl.sogeti.android.gpstracker.viewer.map; import nl.sogeti.android.gpstracker.R; import nl.sogeti.android.gpstracker.util.Constants; import nl.sogeti.android.gpstracker.util.SlidingIndicatorView; import nl.sogeti.android.gpstracker.viewer.map.overlay.OverlayProvider; import org.osmdroid.api.IGeoPoint; import org.osmdroid.tileprovider.tilesource.TileSourceFactory; import org.osmdroid.tileprovider.util.CloudmadeUtil; import org.osmdroid.views.MapView; import org.osmdroid.views.MapView.Projection; import org.osmdroid.views.overlay.MyLocationOverlay; import org.osmdroid.views.overlay.Overlay; import android.app.Activity; import android.app.Dialog; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.graphics.Bitmap; import android.graphics.Canvas; import android.graphics.Point; import android.os.Bundle; import android.util.Log; import android.view.KeyEvent; import android.view.Menu; import android.view.MenuItem; import android.widget.BaseAdapter; import android.widget.TextView; import com.google.android.maps.GeoPoint; /** * ???? * * @version $Id:$ * @author rene (c) Feb 26, 2012, Sogeti B.V. */ public class OsmLoggerMap extends Activity implements LoggerMap { protected static final String TAG = "OsmLoggerMap"; LoggerMapHelper mHelper; private MapView mMapView; private TextView[] mSpeedtexts; private TextView mLastGPSSpeedView; private TextView mLastGPSAltitudeView; private TextView mDistanceView; private MyLocationOverlay mMylocation; private Projection mProjecton; /** * Called when the activity is first created. */ @Override protected void onCreate(Bundle load) { super.onCreate(load); setContentView(R.layout.map_osm); mMapView = (MapView) findViewById(R.id.myMapView); TextView[] speeds = { (TextView) findViewById(R.id.speedview05), (TextView) findViewById(R.id.speedview04), (TextView) findViewById(R.id.speedview03), (TextView) findViewById(R.id.speedview02), (TextView) findViewById(R.id.speedview01), (TextView) findViewById(R.id.speedview00) }; mSpeedtexts = speeds; mLastGPSSpeedView = (TextView) findViewById(R.id.currentSpeed); mLastGPSAltitudeView = (TextView) findViewById(R.id.currentAltitude); mDistanceView = (TextView) findViewById(R.id.currentDistance); mHelper = new LoggerMapHelper(this); mMapView.setBuiltInZoomControls(true); mProjecton = mMapView.getProjection(); mHelper.onCreate(load); mMylocation = new MyLocationOverlay(this, mMapView); mMapView.getOverlays().add( new Overlay(this) { @Override protected void draw(Canvas arg0, MapView map, boolean arg2) { Projection projecton = map.getProjection(); mProjecton = projecton; IGeoPoint gepoint = map.getMapCenter(); Point point = projecton.toPixels(gepoint, null); Log.d(TAG, "Found center ("+gepoint.getLatitudeE6()+","+gepoint.getLongitudeE6()+") matching screen point ("+point.x+","+point.y+") "); } } ); } @Override protected void onResume() { super.onResume(); mHelper.onResume(); } @Override protected void onPause() { mHelper.onPause(); super.onPause(); } @Override protected void onDestroy() { mHelper.onDestroy(); super.onDestroy(); } @Override public void onNewIntent(Intent newIntent) { mHelper.onNewIntent(newIntent); } @Override protected void onRestoreInstanceState(Bundle load) { if (load != null) { super.onRestoreInstanceState(load); } mHelper.onRestoreInstanceState(load); } @Override protected void onSaveInstanceState(Bundle save) { super.onSaveInstanceState(save); mHelper.onSaveInstanceState(save); } @Override public boolean onCreateOptionsMenu(Menu menu) { boolean result = super.onCreateOptionsMenu(menu); mHelper.onCreateOptionsMenu(menu); return result; } @Override public boolean onPrepareOptionsMenu(Menu menu) { mHelper.onPrepareOptionsMenu(menu); return super.onPrepareOptionsMenu(menu); } @Override public boolean onOptionsItemSelected(MenuItem item) { boolean handled = mHelper.onOptionsItemSelected(item); if( !handled ) { handled = super.onOptionsItemSelected(item); } return handled; } @Override protected void onActivityResult(int requestCode, int resultCode, Intent intent) { super.onActivityResult(requestCode, resultCode, intent); mHelper.onActivityResult(requestCode, resultCode, intent); } @Override public boolean onKeyDown(int keyCode, KeyEvent event) { boolean propagate = true; switch (keyCode) { default: propagate = mHelper.onKeyDown(keyCode, event); if( propagate ) { propagate = super.onKeyDown(keyCode, event); } break; } return propagate; } @Override protected Dialog onCreateDialog(int id) { Dialog dialog = mHelper.onCreateDialog(id); if( dialog == null ) { dialog = super.onCreateDialog(id); } return dialog; } @Override protected void onPrepareDialog(int id, Dialog dialog) { mHelper.onPrepareDialog(id, dialog); super.onPrepareDialog(id, dialog); } /******************************/ /** Own methods **/ /******************************/ private void setTrafficOverlay(boolean b) { SharedPreferences sharedPreferences = mHelper.getPreferences(); Editor editor = sharedPreferences.edit(); editor.putBoolean(Constants.TRAFFIC, b); editor.commit(); } private void setSatelliteOverlay(boolean b) { SharedPreferences sharedPreferences = mHelper.getPreferences(); Editor editor = sharedPreferences.edit(); editor.putBoolean(Constants.SATELLITE, b); editor.commit(); } /******************************/ /** Loggermap methods **/ /******************************/ @Override public void updateOverlays() { SharedPreferences sharedPreferences = mHelper.getPreferences(); int renderer = sharedPreferences.getInt(Constants.OSMBASEOVERLAY, 0); switch( renderer ) { case Constants.OSM_CLOUDMADE: CloudmadeUtil.retrieveCloudmadeKey(this.getApplicationContext()); mMapView.setTileSource(TileSourceFactory.CLOUDMADESTANDARDTILES); break; case Constants.OSM_MAKNIK: mMapView.setTileSource(TileSourceFactory.MAPNIK); break; case Constants.OSM_CYCLE: mMapView.setTileSource(TileSourceFactory.CYCLEMAP); break; default: break; } } @Override public void setDrawingCacheEnabled(boolean b) { findViewById(R.id.mapScreen).setDrawingCacheEnabled(true); } @Override public Activity getActivity() { return this; } @Override public void onLayerCheckedChanged(int checkedId, boolean isChecked) { switch (checkedId) { case R.id.layer_google_satellite: setSatelliteOverlay(true); break; case R.id.layer_google_regular: setSatelliteOverlay(false); break; case R.id.layer_traffic: setTrafficOverlay(isChecked); break; default: break; } } @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { if (key.equals(Constants.TRAFFIC)) { updateOverlays(); } else if (key.equals(Constants.SATELLITE)) { updateOverlays(); } } @Override public Bitmap getDrawingCache() { return findViewById(R.id.mapScreen).getDrawingCache(); } @Override public void showMediaDialog(BaseAdapter mediaAdapter) { mHelper.showMediaDialog(mediaAdapter); } public void onDateOverlayChanged() { mMapView.postInvalidate(); } @Override public String getDataSourceId() { return LoggerMapHelper.GOOGLE_PROVIDER; } @Override public boolean isOutsideScreen(GeoPoint lastPoint) { Point out = new Point(); mProjecton.toMapPixels(convertGeoPoint(lastPoint), out); int height = this.mMapView.getHeight(); int width = this.mMapView.getWidth(); return (out.x < 0 || out.y < 0 || out.y > height || out.x > width); } @Override public boolean isNearScreenEdge(GeoPoint lastPoint) { Point out = new Point(); mProjecton.toMapPixels(convertGeoPoint(lastPoint), out); int height = this.mMapView.getHeight(); int width = this.mMapView.getWidth(); return (out.x < width / 4 || out.y < height / 4 || out.x > (width / 4) * 3 || out.y > (height / 4) * 3); } @Override public void executePostponedActions() { // NOOP for Google Maps } @Override public void enableCompass() { mMylocation.enableCompass(); } @Override public void enableMyLocation() { mMylocation.enableMyLocation(); } @Override public void disableMyLocation() { mMylocation.disableMyLocation(); } @Override public void disableCompass() { mMylocation.disableCompass(); } @Override public void setZoom(int zoom) { mMapView.getController().setZoom(zoom); } @Override public void animateTo(GeoPoint storedPoint) { mMapView.getController().animateTo(convertGeoPoint(storedPoint)); } @Override public int getZoomLevel() { return mMapView.getZoomLevel(); } @Override public GeoPoint getMapCenter() { return convertOSMGeoPoint(mMapView.getMapCenter()); } @Override public boolean zoomOut() { return mMapView.getController().zoomOut(); } @Override public boolean zoomIn() { return mMapView.getController().zoomIn(); } @Override public void postInvalidate() { mMapView.postInvalidate(); } @Override public void addOverlay(OverlayProvider overlay) { mMapView.getOverlays().add(overlay.getOSMOverlay()); } @Override public void clearAnimation() { mMapView.clearAnimation(); } @Override public void setCenter(GeoPoint lastPoint) { mMapView.getController().setCenter( convertGeoPoint(lastPoint)); } @Override public int getMaxZoomLevel() { return mMapView.getMaxZoomLevel(); } @Override public GeoPoint fromPixels(int x, int y) { IGeoPoint osmGeopoint = mProjecton.fromPixels(x, y); GeoPoint geopoint = convertOSMGeoPoint(osmGeopoint); return geopoint; } @Override public void toPixels(GeoPoint geoPoint, Point screenPoint) { org.osmdroid.util.GeoPoint localGeopoint = convertGeoPoint(geoPoint); mProjecton.toMapPixels( localGeopoint, screenPoint); } @Override public boolean hasProjection() { return mProjecton != null; } @Override public float metersToEquatorPixels(float float1) { return mProjecton.metersToEquatorPixels(float1); } @Override public TextView[] getSpeedTextViews() { return mSpeedtexts; } @Override public TextView getAltitideTextView() { return mLastGPSAltitudeView; } @Override public TextView getSpeedTextView() { return mLastGPSSpeedView; } @Override public TextView getDistanceTextView() { return mDistanceView; } static org.osmdroid.util.GeoPoint convertGeoPoint( GeoPoint point ) { org.osmdroid.util.GeoPoint geopoint = new org.osmdroid.util.GeoPoint(point.getLatitudeE6(), point.getLongitudeE6()); return geopoint; } static GeoPoint convertOSMGeoPoint( IGeoPoint point ) { return new GeoPoint(point.getLatitudeE6(), point.getLongitudeE6() ); } @Override public void clearOverlays() { mMapView.getOverlayManager().clear(); } @Override public SlidingIndicatorView getScaleIndicatorView() { return (SlidingIndicatorView) findViewById(R.id.scaleindicator); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/map/OsmLoggerMap.java
Java
gpl3
13,328
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.viewer; import nl.sogeti.android.gpstracker.R; import nl.sogeti.android.gpstracker.db.GPStracking; import android.app.Activity; import android.content.Intent; import android.net.Uri; import android.os.Bundle; import android.provider.LiveFolders; /** * Activity to build a data set to be shown in a live folder in a Android desktop * * @version $Id$ * @author rene (c) Mar 22, 2009, Sogeti B.V. */ public class TracksLiveFolder extends Activity { @Override protected void onCreate( Bundle savedInstanceState ) { this.setVisible( false ); super.onCreate( savedInstanceState ); final Intent intent = getIntent(); final String action = intent.getAction(); if( LiveFolders.ACTION_CREATE_LIVE_FOLDER.equals( action ) ) { final Intent baseAction = new Intent( Intent.ACTION_VIEW, GPStracking.Tracks.CONTENT_URI ); Uri liveData = Uri.withAppendedPath( GPStracking.CONTENT_URI, "live_folders/tracks" ); final Intent createLiveFolder = new Intent(); createLiveFolder.setData( liveData ); createLiveFolder.putExtra( LiveFolders.EXTRA_LIVE_FOLDER_NAME, getString(R.string.track_list) ); createLiveFolder.putExtra( LiveFolders.EXTRA_LIVE_FOLDER_ICON, Intent.ShortcutIconResource.fromContext( this, R.drawable.live ) ); createLiveFolder.putExtra( LiveFolders.EXTRA_LIVE_FOLDER_DISPLAY_MODE, LiveFolders.DISPLAY_MODE_LIST ); createLiveFolder.putExtra( LiveFolders.EXTRA_LIVE_FOLDER_BASE_INTENT, baseAction ); setResult( RESULT_OK, createLiveFolder ); } else { setResult( RESULT_CANCELED ); } finish(); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/TracksLiveFolder.java
Java
gpl3
3,237
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.viewer; import nl.sogeti.android.gpstracker.R; import nl.sogeti.android.gpstracker.actions.DescribeTrack; import nl.sogeti.android.gpstracker.actions.Statistics; import nl.sogeti.android.gpstracker.actions.tasks.GpxParser; import nl.sogeti.android.gpstracker.actions.utils.ProgressListener; import nl.sogeti.android.gpstracker.adapter.BreadcrumbsAdapter; import nl.sogeti.android.gpstracker.adapter.SectionedListAdapter; import nl.sogeti.android.gpstracker.breadcrumbs.BreadcrumbsService; import nl.sogeti.android.gpstracker.breadcrumbs.BreadcrumbsService.LocalBinder; import nl.sogeti.android.gpstracker.db.DatabaseHelper; import nl.sogeti.android.gpstracker.db.GPStracking; import nl.sogeti.android.gpstracker.db.GPStracking.Tracks; import nl.sogeti.android.gpstracker.util.Constants; import nl.sogeti.android.gpstracker.util.Pair; import nl.sogeti.android.gpstracker.viewer.map.CommonLoggerMap; import nl.sogeti.android.gpstracker.viewer.map.LoggerMap; import android.app.AlertDialog; import android.app.AlertDialog.Builder; import android.app.Dialog; import android.app.ListActivity; import android.app.SearchManager; import android.content.ActivityNotFoundException; import android.content.BroadcastReceiver; import android.content.ComponentName; import android.content.ContentUris; import android.content.ContentValues; import android.content.Context; import android.content.DialogInterface; import android.content.DialogInterface.OnClickListener; import android.content.Intent; import android.content.IntentFilter; import android.content.ServiceConnection; import android.database.Cursor; import android.net.Uri; import android.os.Bundle; import android.os.IBinder; import android.util.Log; import android.view.ContextMenu; import android.view.LayoutInflater; import android.view.Menu; import android.view.MenuItem; import android.view.View; import android.view.Window; import android.widget.AdapterView; import android.widget.CheckBox; import android.widget.CompoundButton; import android.widget.CompoundButton.OnCheckedChangeListener; import android.widget.EditText; import android.widget.ListView; import android.widget.ProgressBar; import android.widget.SimpleCursorAdapter; import android.widget.TextView; /** * Show a list view of all tracks, also doubles for showing search results * * @version $Id$ * @author rene (c) Jan 11, 2009, Sogeti B.V. */ public class TrackList extends ListActivity implements ProgressListener { private static final String TAG = "OGT.TrackList"; private static final int MENU_DETELE = Menu.FIRST + 0; private static final int MENU_SHARE = Menu.FIRST + 1; private static final int MENU_RENAME = Menu.FIRST + 2; private static final int MENU_STATS = Menu.FIRST + 3; private static final int MENU_SEARCH = Menu.FIRST + 4; private static final int MENU_VACUUM = Menu.FIRST + 5; private static final int MENU_PICKER = Menu.FIRST + 6; private static final int MENU_BREADCRUMBS = Menu.FIRST + 7; public static final int DIALOG_FILENAME = Menu.FIRST + 22; private static final int DIALOG_RENAME = Menu.FIRST + 23; private static final int DIALOG_DELETE = Menu.FIRST + 24; private static final int DIALOG_VACUUM = Menu.FIRST + 25; private static final int DIALOG_IMPORT = Menu.FIRST + 26; private static final int DIALOG_INSTALL = Menu.FIRST + 27; protected static final int DIALOG_ERROR = Menu.FIRST + 28; private static final int PICKER_OI = Menu.FIRST + 29; private static final int DESCRIBE = Menu.FIRST + 30; private BreadcrumbsAdapter mBreadcrumbAdapter; private EditText mTrackNameView; private Uri mDialogTrackUri; private String mDialogCurrentName = ""; private String mErrorDialogMessage; private Exception mErrorDialogException; private Runnable mImportAction; private String mImportTrackName; private String mErrorTask; /** * Progress listener for the background tasks uploading to gobreadcrumbs */ private ProgressListener mExportListener; private int mPausePosition; private BreadcrumbsService mService; boolean mBound = false; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); getWindow().requestFeature(Window.FEATURE_PROGRESS); this.setContentView(R.layout.tracklist); displayIntent(getIntent()); ListView listView = getListView(); listView.setItemsCanFocus(true); // Add the context menu (the long press thing) registerForContextMenu(listView); if (savedInstanceState != null) { getListView().setSelection(savedInstanceState.getInt("POSITION")); } IntentFilter filter = new IntentFilter(); filter.addAction(BreadcrumbsService.NOTIFY_DATA_SET_CHANGED); registerReceiver(mReceiver, filter); Intent service = new Intent(this, BreadcrumbsService.class); startService(service); } @Override protected void onStart() { super.onStart(); Intent intent = new Intent(this, BreadcrumbsService.class); bindService(intent, mConnection, Context.BIND_AUTO_CREATE); } @Override protected void onResume() { if (mPausePosition != 0) { getListView().setSelection(mPausePosition); } super.onResume(); } @Override protected void onPause() { mPausePosition = getListView().getFirstVisiblePosition(); super.onPause(); } @Override protected void onStop() { if (mBound) { unbindService(mConnection); mBound = false; mService = null; } super.onStop(); } @Override protected void onDestroy() { if (isFinishing()) { Intent service = new Intent(this, BreadcrumbsService.class); stopService(service); } unregisterReceiver(mReceiver); super.onDestroy(); } @Override public void onNewIntent(Intent newIntent) { displayIntent(newIntent); } /* * (non-Javadoc) * @see android.app.ListActivity#onRestoreInstanceState(android.os.Bundle) */ @Override protected void onRestoreInstanceState(Bundle state) { super.onRestoreInstanceState(state); mDialogTrackUri = state.getParcelable("URI"); mDialogCurrentName = state.getString("NAME"); mDialogCurrentName = mDialogCurrentName != null ? mDialogCurrentName : ""; getListView().setSelection(state.getInt("POSITION")); } /* * (non-Javadoc) * @see android.app.Activity#onSaveInstanceState(android.os.Bundle) */ @Override protected void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); outState.putParcelable("URI", mDialogTrackUri); outState.putString("NAME", mDialogCurrentName); outState.putInt("POSITION", getListView().getFirstVisiblePosition()); } @Override public boolean onCreateOptionsMenu(Menu menu) { boolean result = super.onCreateOptionsMenu(menu); menu.add(ContextMenu.NONE, MENU_SEARCH, ContextMenu.NONE, android.R.string.search_go).setIcon(android.R.drawable.ic_search_category_default).setAlphabeticShortcut(SearchManager.MENU_KEY); menu.add(ContextMenu.NONE, MENU_VACUUM, ContextMenu.NONE, R.string.menu_vacuum).setIcon(android.R.drawable.ic_menu_crop); menu.add(ContextMenu.NONE, MENU_PICKER, ContextMenu.NONE, R.string.menu_picker).setIcon(android.R.drawable.ic_menu_add); menu.add(ContextMenu.NONE, MENU_BREADCRUMBS, ContextMenu.NONE, R.string.dialog_breadcrumbsconnect).setIcon(android.R.drawable.ic_menu_revert); return result; } @Override public boolean onOptionsItemSelected(MenuItem item) { boolean handled = false; switch (item.getItemId()) { case MENU_SEARCH: onSearchRequested(); handled = true; break; case MENU_VACUUM: showDialog(DIALOG_VACUUM); break; case MENU_PICKER: try { Intent intent = new Intent("org.openintents.action.PICK_FILE"); intent.putExtra("org.openintents.extra.TITLE", getString(R.string.dialog_import_picker)); intent.putExtra("org.openintents.extra.BUTTON_TEXT", getString(R.string.menu_picker)); startActivityForResult(intent, PICKER_OI); } catch (ActivityNotFoundException e) { showDialog(DIALOG_INSTALL); } break; case MENU_BREADCRUMBS: mService.removeAuthentication(); mService.clearAllCache(); mService.collectBreadcrumbsOauthToken(); break; default: handled = super.onOptionsItemSelected(item); } return handled; } @Override protected void onListItemClick(ListView listView, View view, int position, long id) { super.onListItemClick(listView, view, position, id); Object item = listView.getItemAtPosition(position); if (item instanceof String) { if (Constants.BREADCRUMBS_CONNECT.equals(item)) { mService.collectBreadcrumbsOauthToken(); } } else if (item instanceof Pair< ? , ? >) { @SuppressWarnings("unchecked") final Pair<Integer, Integer> track = (Pair<Integer, Integer>) item; if (track.first == Constants.BREADCRUMBS_TRACK_ITEM_VIEW_TYPE) { TextView tv = (TextView) view.findViewById(R.id.listitem_name); mImportTrackName = tv.getText().toString(); mImportAction = new Runnable() { @Override public void run() { mService.startDownloadTask(TrackList.this, TrackList.this, track); } }; showDialog(DIALOG_IMPORT); } } else { Intent intent = new Intent(); Uri trackUri = ContentUris.withAppendedId(Tracks.CONTENT_URI, id); intent.setData(trackUri); ComponentName caller = this.getCallingActivity(); if (caller != null) { setResult(RESULT_OK, intent); finish(); } else { intent.setClass(this, CommonLoggerMap.class); startActivity(intent); } } } @Override public void onCreateContextMenu(ContextMenu menu, View v, ContextMenu.ContextMenuInfo menuInfo) { if (menuInfo instanceof AdapterView.AdapterContextMenuInfo) { AdapterView.AdapterContextMenuInfo itemInfo = (AdapterView.AdapterContextMenuInfo) menuInfo; TextView textView = (TextView) itemInfo.targetView.findViewById(R.id.listitem_name); if (textView != null) { menu.setHeaderTitle(textView.getText()); } Object listItem = getListAdapter().getItem(itemInfo.position); if (listItem instanceof Cursor) { menu.add(0, MENU_STATS, 0, R.string.menu_statistics); menu.add(0, MENU_SHARE, 0, R.string.menu_shareTrack); menu.add(0, MENU_RENAME, 0, R.string.menu_renameTrack); menu.add(0, MENU_DETELE, 0, R.string.menu_deleteTrack); } } } @Override public boolean onContextItemSelected(MenuItem item) { boolean handled = false; AdapterView.AdapterContextMenuInfo info; try { info = (AdapterView.AdapterContextMenuInfo) item.getMenuInfo(); } catch (ClassCastException e) { Log.e(TAG, "Bad menuInfo", e); return handled; } Object listItem = getListAdapter().getItem(info.position); if (listItem instanceof Cursor) { Cursor cursor = (Cursor) listItem; mDialogTrackUri = ContentUris.withAppendedId(Tracks.CONTENT_URI, cursor.getLong(0)); mDialogCurrentName = cursor.getString(1); mDialogCurrentName = mDialogCurrentName != null ? mDialogCurrentName : ""; switch (item.getItemId()) { case MENU_DETELE: { showDialog(DIALOG_DELETE); handled = true; break; } case MENU_SHARE: { Intent actionIntent = new Intent(Intent.ACTION_RUN); actionIntent.setDataAndType(mDialogTrackUri, Tracks.CONTENT_ITEM_TYPE); actionIntent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION); startActivity(Intent.createChooser(actionIntent, getString(R.string.share_track))); handled = true; break; } case MENU_RENAME: { showDialog(DIALOG_RENAME); handled = true; break; } case MENU_STATS: { Intent actionIntent = new Intent(this, Statistics.class); actionIntent.setData(mDialogTrackUri); startActivity(actionIntent); handled = true; break; } default: handled = super.onContextItemSelected(item); break; } } return handled; } /* * (non-Javadoc) * @see android.app.Activity#onCreateDialog(int) */ @Override protected Dialog onCreateDialog(int id) { Dialog dialog = null; Builder builder = null; switch (id) { case DIALOG_RENAME: LayoutInflater factory = LayoutInflater.from(this); View view = factory.inflate(R.layout.namedialog, null); mTrackNameView = (EditText) view.findViewById(R.id.nameField); builder = new AlertDialog.Builder(this).setTitle(R.string.dialog_routename_title).setMessage(R.string.dialog_routename_message).setIcon(android.R.drawable.ic_dialog_alert) .setPositiveButton(R.string.btn_okay, mRenameOnClickListener).setNegativeButton(R.string.btn_cancel, null).setView(view); dialog = builder.create(); return dialog; case DIALOG_DELETE: builder = new AlertDialog.Builder(TrackList.this).setTitle(R.string.dialog_delete_title).setIcon(android.R.drawable.ic_dialog_alert).setNegativeButton(android.R.string.cancel, null) .setPositiveButton(android.R.string.ok, mDeleteOnClickListener); dialog = builder.create(); String messageFormat = this.getResources().getString(R.string.dialog_delete_message); String message = String.format(messageFormat, ""); ((AlertDialog) dialog).setMessage(message); return dialog; case DIALOG_VACUUM: builder = new AlertDialog.Builder(TrackList.this).setTitle(R.string.dialog_vacuum_title).setMessage(R.string.dialog_vacuum_message).setIcon(android.R.drawable.ic_dialog_alert) .setNegativeButton(android.R.string.cancel, null).setPositiveButton(android.R.string.ok, mVacuumOnClickListener); dialog = builder.create(); return dialog; case DIALOG_IMPORT: builder = new AlertDialog.Builder(TrackList.this).setTitle(R.string.dialog_import_title).setMessage(getString(R.string.dialog_import_message, mImportTrackName)) .setIcon(android.R.drawable.ic_dialog_alert).setNegativeButton(android.R.string.cancel, null).setPositiveButton(android.R.string.ok, mImportOnClickListener); dialog = builder.create(); return dialog; case DIALOG_INSTALL: builder = new AlertDialog.Builder(this); builder.setTitle(R.string.dialog_nooipicker).setMessage(R.string.dialog_nooipicker_message).setIcon(android.R.drawable.ic_dialog_alert) .setPositiveButton(R.string.btn_install, mOiPickerDialogListener).setNegativeButton(R.string.btn_cancel, null); dialog = builder.create(); return dialog; case DIALOG_ERROR: builder = new AlertDialog.Builder(this); builder.setIcon(android.R.drawable.ic_dialog_alert).setTitle(android.R.string.dialog_alert_title).setMessage(mErrorDialogMessage).setNeutralButton(android.R.string.cancel, null); dialog = builder.create(); return dialog; default: return super.onCreateDialog(id); } } /* * (non-Javadoc) * @see android.app.Activity#onPrepareDialog(int, android.app.Dialog) */ @Override protected void onPrepareDialog(int id, Dialog dialog) { super.onPrepareDialog(id, dialog); AlertDialog alert; String message; switch (id) { case DIALOG_RENAME: mTrackNameView.setText(mDialogCurrentName); mTrackNameView.setSelection(0, mDialogCurrentName.length()); break; case DIALOG_DELETE: alert = (AlertDialog) dialog; String messageFormat = this.getResources().getString(R.string.dialog_delete_message); message = String.format(messageFormat, mDialogCurrentName); alert.setMessage(message); break; case DIALOG_ERROR: alert = (AlertDialog) dialog; message = "Failed task:\n" + mErrorTask; message += "\n\n"; message += "Reason:\n" + mErrorDialogMessage; if (mErrorDialogException != null) { message += " (" + mErrorDialogException.getMessage() + ") "; } alert.setMessage(message); break; case DIALOG_IMPORT: alert = (AlertDialog) dialog; alert.setMessage(getString(R.string.dialog_import_message, mImportTrackName)); break; } } @Override protected void onActivityResult(int requestCode, int resultCode, Intent data) { if (resultCode != RESULT_CANCELED) { switch (requestCode) { case PICKER_OI: new GpxParser(TrackList.this, TrackList.this).execute(data.getData()); break; case DESCRIBE: Uri trackUri = data.getData(); String name; if (data.getExtras() != null && data.getExtras().containsKey(Constants.NAME)) { name = data.getExtras().getString(Constants.NAME); } else { name = "shareToGobreadcrumbs"; } mService.startUploadTask(TrackList.this, mExportListener, trackUri, name); break; default: super.onActivityResult(requestCode, resultCode, data); break; } } else { if (requestCode == DESCRIBE) { mBreadcrumbAdapter.notifyDataSetChanged(); } } } private void displayIntent(Intent intent) { final String queryAction = intent.getAction(); final String orderby = Tracks.CREATION_TIME + " DESC"; Cursor tracksCursor = null; if (Intent.ACTION_SEARCH.equals(queryAction)) { // Got to SEARCH a query for tracks, make a list tracksCursor = doSearchWithIntent(intent); } else if (Intent.ACTION_VIEW.equals(queryAction)) { final Uri uri = intent.getData(); if ("content".equals(uri.getScheme()) && GPStracking.AUTHORITY.equals(uri.getAuthority())) { // Got to VIEW a single track, instead hand it of to the LoggerMap Intent notificationIntent = new Intent(this, LoggerMap.class); notificationIntent.setData(uri); startActivity(notificationIntent); finish(); } else if (uri.getScheme().equals("file") || uri.getScheme().equals("content")) { mImportTrackName = uri.getLastPathSegment(); // Got to VIEW a GPX filename mImportAction = new Runnable() { @Override public void run() { new GpxParser(TrackList.this, TrackList.this).execute(uri); } }; showDialog(DIALOG_IMPORT); tracksCursor = managedQuery(Tracks.CONTENT_URI, new String[] { Tracks._ID, Tracks.NAME, Tracks.CREATION_TIME }, null, null, orderby); } else { Log.e(TAG, "Unable to VIEW " + uri); } } else { // Got to nothing, make a list of everything tracksCursor = managedQuery(Tracks.CONTENT_URI, new String[] { Tracks._ID, Tracks.NAME, Tracks.CREATION_TIME }, null, null, orderby); } displayCursor(tracksCursor); } private void displayCursor(Cursor tracksCursor) { SectionedListAdapter sectionedAdapter = new SectionedListAdapter(this); String[] fromColumns = new String[] { Tracks.NAME, Tracks.CREATION_TIME, Tracks._ID }; int[] toItems = new int[] { R.id.listitem_name, R.id.listitem_from, R.id.bcSyncedCheckBox }; SimpleCursorAdapter trackAdapter = new SimpleCursorAdapter(this, R.layout.trackitem, tracksCursor, fromColumns, toItems); mBreadcrumbAdapter = new BreadcrumbsAdapter(this, mService); sectionedAdapter.addSection("Local", trackAdapter); sectionedAdapter.addSection("www.gobreadcrumbs.com", mBreadcrumbAdapter); // Enrich the track adapter with Breadcrumbs adapter data trackAdapter.setViewBinder(new SimpleCursorAdapter.ViewBinder() { @Override public boolean setViewValue(View view, final Cursor cursor, int columnIndex) { if (columnIndex == 0) { final long trackId = cursor.getLong(0); final String trackName = cursor.getString(1); // Show the check if Breadcrumbs is online final CheckBox checkbox = (CheckBox) view; final ProgressBar progressbar = (ProgressBar) ((View) view.getParent()).findViewById(R.id.bcExportProgress); if (mService != null && mService.isAuthorized()) { checkbox.setVisibility(View.VISIBLE); // Disable the checkbox if marked online boolean isOnline = mService.isLocalTrackSynced(trackId); checkbox.setEnabled(!isOnline); // Check the checkbox if determined synced boolean isSynced = mService.isLocalTrackSynced(trackId); checkbox.setOnCheckedChangeListener(null); checkbox.setChecked(isSynced); checkbox.setOnCheckedChangeListener(new OnCheckedChangeListener() { @Override public void onCheckedChanged(CompoundButton buttonView, boolean isChecked) { if (isChecked) { // Start a description of the track Intent namingIntent = new Intent(TrackList.this, DescribeTrack.class); namingIntent.setData(ContentUris.withAppendedId(Tracks.CONTENT_URI, trackId)); namingIntent.putExtra(Constants.NAME, trackName); mExportListener = new ProgressListener() { @Override public void setIndeterminate(boolean indeterminate) { progressbar.setIndeterminate(indeterminate); } @Override public void started() { checkbox.setVisibility(View.INVISIBLE); progressbar.setVisibility(View.VISIBLE); } @Override public void finished(Uri result) { checkbox.setVisibility(View.VISIBLE); progressbar.setVisibility(View.INVISIBLE); progressbar.setIndeterminate(false); } @Override public void setProgress(int value) { progressbar.setProgress(value); } @Override public void showError(String task, String errorMessage, Exception exception) { TrackList.this.showError(task, errorMessage, exception); } }; startActivityForResult(namingIntent, DESCRIBE); } } }); } else { checkbox.setVisibility(View.INVISIBLE); checkbox.setOnCheckedChangeListener(null); } return true; } return false; } }); setListAdapter(sectionedAdapter); } private Cursor doSearchWithIntent(final Intent queryIntent) { final String queryString = queryIntent.getStringExtra(SearchManager.QUERY); Cursor cursor = managedQuery(Tracks.CONTENT_URI, new String[] { Tracks._ID, Tracks.NAME, Tracks.CREATION_TIME }, "name LIKE ?", new String[] { "%" + queryString + "%" }, null); return cursor; } /*******************************************************************/ /** ProgressListener interface and UI actions (non-Javadoc) **/ /*******************************************************************/ @Override public void setIndeterminate(boolean indeterminate) { setProgressBarIndeterminate(indeterminate); } @Override public void started() { setProgressBarVisibility(true); setProgress(Window.PROGRESS_START); } @Override public void finished(Uri result) { setProgressBarVisibility(false); setProgressBarIndeterminate(false); } @Override public void showError(String task, String errorDialogMessage, Exception errorDialogException) { mErrorTask = task; mErrorDialogMessage = errorDialogMessage; mErrorDialogException = errorDialogException; Log.e(TAG, errorDialogMessage, errorDialogException); if (!isFinishing()) { showDialog(DIALOG_ERROR); } setProgressBarVisibility(false); setProgressBarIndeterminate(false); } private ServiceConnection mConnection = new ServiceConnection() { @Override public void onServiceConnected(ComponentName className, IBinder service) { LocalBinder binder = (LocalBinder) service; mService = binder.getService(); mBound = true; mBreadcrumbAdapter.setService(mService); } @Override public void onServiceDisconnected(ComponentName arg0) { mBound = false; mService = null; } }; private OnClickListener mDeleteOnClickListener = new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { getContentResolver().delete(mDialogTrackUri, null, null); } }; private OnClickListener mRenameOnClickListener = new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { // Log.d( TAG, "Context item selected: "+mDialogUri+" with name "+mDialogCurrentName ); String trackName = mTrackNameView.getText().toString(); ContentValues values = new ContentValues(); values.put(Tracks.NAME, trackName); TrackList.this.getContentResolver().update(mDialogTrackUri, values, null, null); } }; private OnClickListener mVacuumOnClickListener = new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { DatabaseHelper helper = new DatabaseHelper(TrackList.this); helper.vacuum(); } }; private OnClickListener mImportOnClickListener = new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { mImportAction.run(); } }; private final DialogInterface.OnClickListener mOiPickerDialogListener = new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { Uri oiDownload = Uri.parse("market://details?id=org.openintents.filemanager"); Intent oiAboutIntent = new Intent(Intent.ACTION_VIEW, oiDownload); try { startActivity(oiAboutIntent); } catch (ActivityNotFoundException e) { oiDownload = Uri.parse("http://openintents.googlecode.com/files/FileManager-1.1.3.apk"); oiAboutIntent = new Intent(Intent.ACTION_VIEW, oiDownload); startActivity(oiAboutIntent); } } }; private BroadcastReceiver mReceiver = new BroadcastReceiver() { @Override public void onReceive(Context context, Intent intent) { if (BreadcrumbsService.NOTIFY_DATA_SET_CHANGED.equals(intent.getAction())) { mBreadcrumbAdapter.updateItemList(); } } }; }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/TrackList.java
Java
gpl3
32,071
/*------------------------------------------------------------------------------ ** Ident: Sogeti Smart Mobile Solutions ** Author: rene ** Copyright: (c) Apr 24, 2011 Sogeti Nederland B.V. All Rights Reserved. **------------------------------------------------------------------------------ ** Sogeti Nederland B.V. | No part of this file may be reproduced ** Distributed Software Engineering | or transmitted in any form or by any ** Lange Dreef 17 | means, electronic or mechanical, for the ** 4131 NJ Vianen | purpose, without the express written ** The Netherlands | permission of the copyright holder. *------------------------------------------------------------------------------ * * This file is part of OpenGPSTracker. * * OpenGPSTracker is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * OpenGPSTracker is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with OpenGPSTracker. If not, see <http://www.gnu.org/licenses/>. * */ package nl.sogeti.android.gpstracker.viewer; import java.util.regex.Pattern; import nl.sogeti.android.gpstracker.R; import nl.sogeti.android.gpstracker.util.Constants; import nl.sogeti.android.gpstracker.util.UnitsI18n; import android.content.SharedPreferences.Editor; import android.os.Bundle; import android.preference.EditTextPreference; import android.preference.ListPreference; import android.preference.Preference; import android.preference.PreferenceActivity; /** * Controller for the settings dialog * * @version $Id: ApplicationPreferenceActivity.java 1146 2011-11-05 11:36:51Z * rcgroot $ * @author rene (c) Jan 18, 2009, Sogeti B.V. */ public class ApplicationPreferenceActivity extends PreferenceActivity { public static final String STREAMBROADCAST_PREFERENCE = "streambroadcast_distance"; public static final String UNITS_IMPLEMENT_WIDTH_PREFERENCE = "units_implement_width"; public static final String CUSTOMPRECISIONDISTANCE_PREFERENCE = "customprecisiondistance"; public static final String CUSTOMPRECISIONTIME_PREFERENCE = "customprecisiontime"; public static final String PRECISION_PREFERENCE = "precision"; public static final String CUSTOMUPLOAD_BACKLOG = "CUSTOMUPLOAD_BACKLOG"; public static final String CUSTOMUPLOAD_URL = "CUSTOMUPLOAD_URL"; private EditTextPreference time; private EditTextPreference distance; private EditTextPreference implentWidth; private EditTextPreference streambroadcast_distance; private EditTextPreference custumupload_backlog; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); addPreferencesFromResource(R.layout.settings); ListPreference precision = (ListPreference) findPreference(PRECISION_PREFERENCE); time = (EditTextPreference) findPreference(CUSTOMPRECISIONTIME_PREFERENCE); distance = (EditTextPreference) findPreference(CUSTOMPRECISIONDISTANCE_PREFERENCE); implentWidth = (EditTextPreference) findPreference(UNITS_IMPLEMENT_WIDTH_PREFERENCE); streambroadcast_distance = (EditTextPreference) findPreference(STREAMBROADCAST_PREFERENCE); custumupload_backlog = (EditTextPreference) findPreference(CUSTOMUPLOAD_BACKLOG); setEnabledCustomValues(precision.getValue()); precision.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { setEnabledCustomValues(newValue); return true; } }); implentWidth.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { String fpExpr = "\\d{1,4}([,\\.]\\d+)?"; return Pattern.matches(fpExpr, newValue.toString()); } }); streambroadcast_distance.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { String fpExpr = "\\d{1,5}"; boolean matches = Pattern.matches(fpExpr, newValue.toString()); if (matches) { Editor editor = getPreferenceManager().getSharedPreferences().edit(); double value = new UnitsI18n(ApplicationPreferenceActivity.this).conversionFromLocalToMeters(Integer.parseInt(newValue.toString())); editor.putFloat("streambroadcast_distance_meter", (float) value); editor.commit(); } return matches; } }); custumupload_backlog.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { String fpExpr = "\\d{1,3}"; return Pattern.matches(fpExpr, newValue.toString()); } }); } private void setEnabledCustomValues(Object newValue) { boolean customPresicion = Integer.toString(Constants.LOGGING_CUSTOM).equals(newValue); time.setEnabled(customPresicion); distance.setEnabled(customPresicion); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/src/nl/sogeti/android/gpstracker/viewer/ApplicationPreferenceActivity.java
Java
gpl3
5,868
</html><head> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"/> </head> <body> <h4>Translations</h4> Translations hosted by <a href="http://www.getlocalization.com/">Get Localization</a>. <ul> <li>Chinese: 安智网汉化, NetDragon Websoft</li> <li>Danish: Martin Larsen</li> <li>Dutch: René de Groot, zwets</li> <li>English: René de Groot</li> <li>French: Paul Meier, mvl87, Fabrice Veniard</li> <li>Finnish: Jani Pesonen</li> <li>German: Werner Bogula, SkryBav, doopdoop</li> <li>Hindi: vibin_nair</li> <li>Italian: Paul Meier</li> <li>Polish: Marcin Kost, Michał Podbielski, Wojciech Maj</li> <li>Russian: Yuri Zaitsev </li> <li>Spanish: Alfonso Montero López, Diego</li> <li>Swedish: Jesper Falk</li> </ul> <h4>Code</h4> Code hosted by <a href="http://code.google.com/p/open-gpstracker/">Google Code</a>. <ul> <li>Application: René de Groot</li> <li>Start at boot: Tom Van Braeckel</li> </ul> <h4>Images</h4> <ul> <li>Bubbles icons: ICONS etc. MySiteMyWay</li> </ul> </body></html>
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/assets/contributions.html
HTML
gpl3
1,021
</html><head></head> <body> <div class="section-copyrights"> <h3>Copyright (c) 2008 Google Inc.</h3> <h4>Apache License Version 2.0</h4> <ul> <li>UnicodeReader.java</li> </ul> <hr/> <h3>Copyright (c) 2005-2008, The Android Open Source Project</h3> <h4>Apache License Version 2.0</h4> <ul> <li>compass_arrow.png</li> <li>compass_base.png</li> <li>ic_maps_indicator_current_position.png</li> <li>ic_media_play_mirrored.png</li> <li>ic_media_play.png</li> <li>ic_menu_info_details.png</li> <li>ic_menu_mapmode.png</li> <li>ic_menu_movie.png</li> <li>ic_menu_picture.png</li> <li>ic_menu_preferences.png</li> <li>ic_menu_show_list.png</li> <li>ic_menu_view.png</li> <li>icon.png</li> <li>speedindexbar.png</li> <li>stip.gif</li> <li>stip2.gif</li> </ul> <hr/> <h3>Copyright 1999-2011 The Apache Software Foundation</h3> <h4>Apache License Version 2.0</h4> <ul> <li>Apache HttpComponents Client</li> <li>Apache HttpComponents Core</li> <li>Apache HttpComponents Mime</li> </ul> <hr/> <h3>Copyright (c) 2009 Matthias Kaeppler</h3> <h4>Apache License Version 2.0</h4> <ul> <li>OAuth Signpost</li> </ul> <hr/> </div> <div class="section-content"><p>Apache License<br></br>Version 2.0, January 2004<br></br> <a href="http://www.apache.org/licenses/">http://www.apache.org/licenses/</a> </p> <p>TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION</p> <p><strong><a name="definitions">1. Definitions</a></strong>.</p> <p>"License" shall mean the terms and conditions for use, reproduction, and distribution as defined by Sections 1 through 9 of this document.</p> <p>"Licensor" shall mean the copyright owner or entity authorized by the copyright owner that is granting the License.</p> <p>"Legal Entity" shall mean the union of the acting entity and all other entities that control, are controlled by, or are under common control with that entity. For the purposes of this definition, "control" means (i) the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the outstanding shares, or (iii) beneficial ownership of such entity.</p> <p>"You" (or "Your") shall mean an individual or Legal Entity exercising permissions granted by this License.</p> <p>"Source" form shall mean the preferred form for making modifications, including but not limited to software source code, documentation source, and configuration files.</p> <p>"Object" form shall mean any form resulting from mechanical transformation or translation of a Source form, including but not limited to compiled object code, generated documentation, and conversions to other media types.</p> <p>"Work" shall mean the work of authorship, whether in Source or Object form, made available under the License, as indicated by a copyright notice that is included in or attached to the work (an example is provided in the Appendix below).</p> <p>"Derivative Works" shall mean any work, whether in Source or Object form, that is based on (or derived from) the Work and for which the editorial revisions, annotations, elaborations, or other modifications represent, as a whole, an original work of authorship. For the purposes of this License, Derivative Works shall not include works that remain separable from, or merely link (or bind by name) to the interfaces of, the Work and Derivative Works thereof.</p> <p>"Contribution" shall mean any work of authorship, including the original version of the Work and any modifications or additions to that Work or Derivative Works thereof, that is intentionally submitted to Licensor for inclusion in the Work by the copyright owner or by an individual or Legal Entity authorized to submit on behalf of the copyright owner. For the purposes of this definition, "submitted" means any form of electronic, verbal, or written communication sent to the Licensor or its representatives, including but not limited to communication on electronic mailing lists, source code control systems, and issue tracking systems that are managed by, or on behalf of, the Licensor for the purpose of discussing and improving the Work, but excluding communication that is conspicuously marked or otherwise designated in writing by the copyright owner as "Not a Contribution."</p> <p>"Contributor" shall mean Licensor and any individual or Legal Entity on behalf of whom a Contribution has been received by Licensor and subsequently incorporated within the Work.</p> <p><strong><a name="copyright">2. Grant of Copyright License</a></strong>. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable copyright license to reproduce, prepare Derivative Works of, publicly display, publicly perform, sublicense, and distribute the Work and such Derivative Works in Source or Object form.</p> <p><strong><a name="patent">3. Grant of Patent License</a></strong>. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable (except as stated in this section) patent license to make, have made, use, offer to sell, sell, import, and otherwise transfer the Work, where such license applies only to those patent claims licensable by such Contributor that are necessarily infringed by their Contribution(s) alone or by combination of their Contribution(s) with the Work to which such Contribution(s) was submitted. If You institute patent litigation against any entity (including a cross-claim or counterclaim in a lawsuit) alleging that the Work or a Contribution incorporated within the Work constitutes direct or contributory patent infringement, then any patent licenses granted to You under this License for that Work shall terminate as of the date such litigation is filed.</p> <p><strong><a name="redistribution">4. Redistribution</a></strong>. You may reproduce and distribute copies of the Work or Derivative Works thereof in any medium, with or without modifications, and in Source or Object form, provided that You meet the following conditions:</p> <ol> <li> <p>You must give any other recipients of the Work or Derivative Works a copy of this License; and</p> </li> <li> <p>You must cause any modified files to carry prominent notices stating that You changed the files; and</p> </li> <li> <p>You must retain, in the Source form of any Derivative Works that You distribute, all copyright, patent, trademark, and attribution notices from the Source form of the Work, excluding those notices that do not pertain to any part of the Derivative Works; and</p> </li> <li> <p>If the Work includes a "NOTICE" text file as part of its distribution, then any Derivative Works that You distribute must include a readable copy of the attribution notices contained within such NOTICE file, excluding those notices that do not pertain to any part of the Derivative Works, in at least one of the following places: within a NOTICE text file distributed as part of the Derivative Works; within the Source form or documentation, if provided along with the Derivative Works; or, within a display generated by the Derivative Works, if and wherever such third-party notices normally appear. The contents of the NOTICE file are for informational purposes only and do not modify the License. You may add Your own attribution notices within Derivative Works that You distribute, alongside or as an addendum to the NOTICE text from the Work, provided that such additional attribution notices cannot be construed as modifying the License. You may add Your own copyright statement to Your modifications and may provide additional or different license terms and conditions for use, reproduction, or distribution of Your modifications, or for any such Derivative Works as a whole, provided Your use, reproduction, and distribution of the Work otherwise complies with the conditions stated in this License.</p> </li> </ol> <p><strong><a name="contributions">5. Submission of Contributions</a></strong>. Unless You explicitly state otherwise, any Contribution intentionally submitted for inclusion in the Work by You to the Licensor shall be under the terms and conditions of this License, without any additional terms or conditions. Notwithstanding the above, nothing herein shall supersede or modify the terms of any separate license agreement you may have executed with Licensor regarding such Contributions.</p> <p><strong><a name="trademarks">6. Trademarks</a></strong>. This License does not grant permission to use the trade names, trademarks, service marks, or product names of the Licensor, except as required for reasonable and customary use in describing the origin of the Work and reproducing the content of the NOTICE file.</p> <p><strong><a name="no-warranty">7. Disclaimer of Warranty</a></strong>. Unless required by applicable law or agreed to in writing, Licensor provides the Work (and each Contributor provides its Contributions) on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied, including, without limitation, any warranties or conditions of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A PARTICULAR PURPOSE. You are solely responsible for determining the appropriateness of using or redistributing the Work and assume any risks associated with Your exercise of permissions under this License.</p> <p><strong><a name="no-liability">8. Limitation of Liability</a></strong>. In no event and under no legal theory, whether in tort (including negligence), contract, or otherwise, unless required by applicable law (such as deliberate and grossly negligent acts) or agreed to in writing, shall any Contributor be liable to You for damages, including any direct, indirect, special, incidental, or consequential damages of any character arising as a result of this License or out of the use or inability to use the Work (including but not limited to damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses), even if such Contributor has been advised of the possibility of such damages.</p> <p><strong><a name="additional">9. Accepting Warranty or Additional Liability</a></strong>. While redistributing the Work or Derivative Works thereof, You may choose to offer, and charge a fee for, acceptance of support, warranty, indemnity, or other liability obligations and/or rights consistent with this License. However, in accepting such obligations, You may act only on Your own behalf and on Your sole responsibility, not on behalf of any other Contributor, and only if You agree to indemnify, defend, and hold each Contributor harmless for any liability incurred by, or claims asserted against, such Contributor by reason of your accepting any such warranty or additional liability.</p> <p>END OF TERMS AND CONDITIONS</p> </body></html>
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/assets/notices.html
HTML
gpl3
10,965
<html><head></head><body> <p> Open GPS Tracker is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. </p><p> Open GPS Tracker is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. </p><p> You should have received a copy of the GNU General Public License along with Open GPS Tracker. If not, see <a href="http://www.gnu.org/licenses/">http://www.gnu.org/licenses/</a>. </p> </body></html>
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/application/assets/license_short.html
HTML
gpl3
729
/* Copyright (c) 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.gdata.util.common.base; import static com.google.gdata.util.common.base.Preconditions.checkNotNull; import java.io.IOException; /** * An {@link Escaper} that converts literal text into a format safe for * inclusion in a particular context (such as an XML document). Typically (but * not always), the inverse process of "unescaping" the text is performed * automatically by the relevant parser. * * <p>For example, an XML escaper would convert the literal string {@code * "Foo<Bar>"} into {@code "Foo&lt;Bar&gt;"} to prevent {@code "<Bar>"} from * being confused with an XML tag. When the resulting XML document is parsed, * the parser API will return this text as the original literal string {@code * "Foo<Bar>"}. * * <p><b>Note:</b> This class is similar to {@link CharEscaper} but with one * very important difference. A CharEscaper can only process Java * <a href="http://en.wikipedia.org/wiki/UTF-16">UTF16</a> characters in * isolation and may not cope when it encounters surrogate pairs. This class * facilitates the correct escaping of all Unicode characters. * * <p>As there are important reasons, including potential security issues, to * handle Unicode correctly if you are considering implementing a new escaper * you should favor using UnicodeEscaper wherever possible. * * <p>A {@code UnicodeEscaper} instance is required to be stateless, and safe * when used concurrently by multiple threads. * * <p>Several popular escapers are defined as constants in the class {@link * CharEscapers}. To create your own escapers extend this class and implement * the {@link #escape(int)} method. * * */ public abstract class UnicodeEscaper implements Escaper { /** The amount of padding (chars) to use when growing the escape buffer. */ private static final int DEST_PAD = 32; /** * Returns the escaped form of the given Unicode code point, or {@code null} * if this code point does not need to be escaped. When called as part of an * escaping operation, the given code point is guaranteed to be in the range * {@code 0 <= cp <= Character#MAX_CODE_POINT}. * * <p>If an empty array is returned, this effectively strips the input * character from the resulting text. * * <p>If the character does not need to be escaped, this method should return * {@code null}, rather than an array containing the character representation * of the code point. This enables the escaping algorithm to perform more * efficiently. * * <p>If the implementation of this method cannot correctly handle a * particular code point then it should either throw an appropriate runtime * exception or return a suitable replacement character. It must never * silently discard invalid input as this may constitute a security risk. * * @param cp the Unicode code point to escape if necessary * @return the replacement characters, or {@code null} if no escaping was * needed */ protected abstract char[] escape(int cp); /** * Scans a sub-sequence of characters from a given {@link CharSequence}, * returning the index of the next character that requires escaping. * * <p><b>Note:</b> When implementing an escaper, it is a good idea to override * this method for efficiency. The base class implementation determines * successive Unicode code points and invokes {@link #escape(int)} for each of * them. If the semantics of your escaper are such that code points in the * supplementary range are either all escaped or all unescaped, this method * can be implemented more efficiently using {@link CharSequence#charAt(int)}. * * <p>Note however that if your escaper does not escape characters in the * supplementary range, you should either continue to validate the correctness * of any surrogate characters encountered or provide a clear warning to users * that your escaper does not validate its input. * * <p>See {@link PercentEscaper} for an example. * * @param csq a sequence of characters * @param start the index of the first character to be scanned * @param end the index immediately after the last character to be scanned * @throws IllegalArgumentException if the scanned sub-sequence of {@code csq} * contains invalid surrogate pairs */ protected int nextEscapeIndex(CharSequence csq, int start, int end) { int index = start; while (index < end) { int cp = codePointAt(csq, index, end); if (cp < 0 || escape(cp) != null) { break; } index += Character.isSupplementaryCodePoint(cp) ? 2 : 1; } return index; } /** * Returns the escaped form of a given literal string. * * <p>If you are escaping input in arbitrary successive chunks, then it is not * generally safe to use this method. If an input string ends with an * unmatched high surrogate character, then this method will throw * {@link IllegalArgumentException}. You should either ensure your input is * valid <a href="http://en.wikipedia.org/wiki/UTF-16">UTF-16</a> before * calling this method or use an escaped {@link Appendable} (as returned by * {@link #escape(Appendable)}) which can cope with arbitrarily split input. * * <p><b>Note:</b> When implementing an escaper it is a good idea to override * this method for efficiency by inlining the implementation of * {@link #nextEscapeIndex(CharSequence, int, int)} directly. Doing this for * {@link PercentEscaper} more than doubled the performance for unescaped * strings (as measured by {@link CharEscapersBenchmark}). * * @param string the literal string to be escaped * @return the escaped form of {@code string} * @throws NullPointerException if {@code string} is null * @throws IllegalArgumentException if invalid surrogate characters are * encountered */ public String escape(String string) { int end = string.length(); int index = nextEscapeIndex(string, 0, end); return index == end ? string : escapeSlow(string, index); } /** * Returns the escaped form of a given literal string, starting at the given * index. This method is called by the {@link #escape(String)} method when it * discovers that escaping is required. It is protected to allow subclasses * to override the fastpath escaping function to inline their escaping test. * See {@link CharEscaperBuilder} for an example usage. * * <p>This method is not reentrant and may only be invoked by the top level * {@link #escape(String)} method. * * @param s the literal string to be escaped * @param index the index to start escaping from * @return the escaped form of {@code string} * @throws NullPointerException if {@code string} is null * @throws IllegalArgumentException if invalid surrogate characters are * encountered */ protected final String escapeSlow(String s, int index) { int end = s.length(); // Get a destination buffer and setup some loop variables. char[] dest = DEST_TL.get(); int destIndex = 0; int unescapedChunkStart = 0; while (index < end) { int cp = codePointAt(s, index, end); if (cp < 0) { throw new IllegalArgumentException( "Trailing high surrogate at end of input"); } char[] escaped = escape(cp); if (escaped != null) { int charsSkipped = index - unescapedChunkStart; // This is the size needed to add the replacement, not the full // size needed by the string. We only regrow when we absolutely must. int sizeNeeded = destIndex + charsSkipped + escaped.length; if (dest.length < sizeNeeded) { int destLength = sizeNeeded + (end - index) + DEST_PAD; dest = growBuffer(dest, destIndex, destLength); } // If we have skipped any characters, we need to copy them now. if (charsSkipped > 0) { s.getChars(unescapedChunkStart, index, dest, destIndex); destIndex += charsSkipped; } if (escaped.length > 0) { System.arraycopy(escaped, 0, dest, destIndex, escaped.length); destIndex += escaped.length; } } unescapedChunkStart = index + (Character.isSupplementaryCodePoint(cp) ? 2 : 1); index = nextEscapeIndex(s, unescapedChunkStart, end); } // Process trailing unescaped characters - no need to account for escaped // length or padding the allocation. int charsSkipped = end - unescapedChunkStart; if (charsSkipped > 0) { int endIndex = destIndex + charsSkipped; if (dest.length < endIndex) { dest = growBuffer(dest, destIndex, endIndex); } s.getChars(unescapedChunkStart, end, dest, destIndex); destIndex = endIndex; } return new String(dest, 0, destIndex); } /** * Returns an {@code Appendable} instance which automatically escapes all * text appended to it before passing the resulting text to an underlying * {@code Appendable}. * * <p>Unlike {@link #escape(String)} it is permitted to append arbitrarily * split input to this Appendable, including input that is split over a * surrogate pair. In this case the pending high surrogate character will not * be processed until the corresponding low surrogate is appended. This means * that a trailing high surrogate character at the end of the input cannot be * detected and will be silently ignored. This is unavoidable since the * Appendable interface has no {@code close()} method, and it is impossible to * determine when the last characters have been appended. * * <p>The methods of the returned object will propagate any exceptions thrown * by the underlying {@code Appendable}. * * <p>For well formed <a href="http://en.wikipedia.org/wiki/UTF-16">UTF-16</a> * the escaping behavior is identical to that of {@link #escape(String)} and * the following code is equivalent to (but much slower than) * {@code escaper.escape(string)}: <pre>{@code * * StringBuilder sb = new StringBuilder(); * escaper.escape(sb).append(string); * return sb.toString();}</pre> * * @param out the underlying {@code Appendable} to append escaped output to * @return an {@code Appendable} which passes text to {@code out} after * escaping it * @throws NullPointerException if {@code out} is null * @throws IllegalArgumentException if invalid surrogate characters are * encountered * */ public Appendable escape(final Appendable out) { checkNotNull(out); return new Appendable() { int pendingHighSurrogate = -1; char[] decodedChars = new char[2]; public Appendable append(CharSequence csq) throws IOException { return append(csq, 0, csq.length()); } public Appendable append(CharSequence csq, int start, int end) throws IOException { int index = start; if (index < end) { // This is a little subtle: index must never reference the middle of a // surrogate pair but unescapedChunkStart can. The first time we enter // the loop below it is possible that index != unescapedChunkStart. int unescapedChunkStart = index; if (pendingHighSurrogate != -1) { // Our last append operation ended halfway through a surrogate pair // so we have to do some extra work first. char c = csq.charAt(index++); if (!Character.isLowSurrogate(c)) { throw new IllegalArgumentException( "Expected low surrogate character but got " + c); } char[] escaped = escape(Character.toCodePoint((char) pendingHighSurrogate, c)); if (escaped != null) { // Emit the escaped character and adjust unescapedChunkStart to // skip the low surrogate we have consumed. outputChars(escaped, escaped.length); unescapedChunkStart += 1; } else { // Emit pending high surrogate (unescaped) but do not modify // unescapedChunkStart as we must still emit the low surrogate. out.append((char) pendingHighSurrogate); } pendingHighSurrogate = -1; } while (true) { // Find and append the next subsequence of unescaped characters. index = nextEscapeIndex(csq, index, end); if (index > unescapedChunkStart) { out.append(csq, unescapedChunkStart, index); } if (index == end) { break; } // If we are not finished, calculate the next code point. int cp = codePointAt(csq, index, end); if (cp < 0) { // Our sequence ended half way through a surrogate pair so just // record the state and exit. pendingHighSurrogate = -cp; break; } // Escape the code point and output the characters. char[] escaped = escape(cp); if (escaped != null) { outputChars(escaped, escaped.length); } else { // This shouldn't really happen if nextEscapeIndex is correct but // we should cope with false positives. int len = Character.toChars(cp, decodedChars, 0); outputChars(decodedChars, len); } // Update our index past the escaped character and continue. index += (Character.isSupplementaryCodePoint(cp) ? 2 : 1); unescapedChunkStart = index; } } return this; } public Appendable append(char c) throws IOException { if (pendingHighSurrogate != -1) { // Our last append operation ended halfway through a surrogate pair // so we have to do some extra work first. if (!Character.isLowSurrogate(c)) { throw new IllegalArgumentException( "Expected low surrogate character but got '" + c + "' with value " + (int) c); } char[] escaped = escape(Character.toCodePoint((char) pendingHighSurrogate, c)); if (escaped != null) { outputChars(escaped, escaped.length); } else { out.append((char) pendingHighSurrogate); out.append(c); } pendingHighSurrogate = -1; } else if (Character.isHighSurrogate(c)) { // This is the start of a (split) surrogate pair. pendingHighSurrogate = c; } else { if (Character.isLowSurrogate(c)) { throw new IllegalArgumentException( "Unexpected low surrogate character '" + c + "' with value " + (int) c); } // This is a normal (non surrogate) char. char[] escaped = escape(c); if (escaped != null) { outputChars(escaped, escaped.length); } else { out.append(c); } } return this; } private void outputChars(char[] chars, int len) throws IOException { for (int n = 0; n < len; n++) { out.append(chars[n]); } } }; } /** * Returns the Unicode code point of the character at the given index. * * <p>Unlike {@link Character#codePointAt(CharSequence, int)} or * {@link String#codePointAt(int)} this method will never fail silently when * encountering an invalid surrogate pair. * * <p>The behaviour of this method is as follows: * <ol> * <li>If {@code index >= end}, {@link IndexOutOfBoundsException} is thrown. * <li><b>If the character at the specified index is not a surrogate, it is * returned.</b> * <li>If the first character was a high surrogate value, then an attempt is * made to read the next character. * <ol> * <li><b>If the end of the sequence was reached, the negated value of * the trailing high surrogate is returned.</b> * <li><b>If the next character was a valid low surrogate, the code point * value of the high/low surrogate pair is returned.</b> * <li>If the next character was not a low surrogate value, then * {@link IllegalArgumentException} is thrown. * </ol> * <li>If the first character was a low surrogate value, * {@link IllegalArgumentException} is thrown. * </ol> * * @param seq the sequence of characters from which to decode the code point * @param index the index of the first character to decode * @param end the index beyond the last valid character to decode * @return the Unicode code point for the given index or the negated value of * the trailing high surrogate character at the end of the sequence */ protected static final int codePointAt(CharSequence seq, int index, int end) { if (index < end) { char c1 = seq.charAt(index++); if (c1 < Character.MIN_HIGH_SURROGATE || c1 > Character.MAX_LOW_SURROGATE) { // Fast path (first test is probably all we need to do) return c1; } else if (c1 <= Character.MAX_HIGH_SURROGATE) { // If the high surrogate was the last character, return its inverse if (index == end) { return -c1; } // Otherwise look for the low surrogate following it char c2 = seq.charAt(index); if (Character.isLowSurrogate(c2)) { return Character.toCodePoint(c1, c2); } throw new IllegalArgumentException( "Expected low surrogate but got char '" + c2 + "' with value " + (int) c2 + " at index " + index); } else { throw new IllegalArgumentException( "Unexpected low surrogate character '" + c1 + "' with value " + (int) c1 + " at index " + (index - 1)); } } throw new IndexOutOfBoundsException("Index exceeds specified range"); } /** * Helper method to grow the character buffer as needed, this only happens * once in a while so it's ok if it's in a method call. If the index passed * in is 0 then no copying will be done. */ private static final char[] growBuffer(char[] dest, int index, int size) { char[] copy = new char[size]; if (index > 0) { System.arraycopy(dest, 0, copy, 0, index); } return copy; } /** * A thread-local destination buffer to keep us from creating new buffers. * The starting size is 1024 characters. If we grow past this we don't * put it back in the threadlocal, we just keep going and grow as needed. */ private static final ThreadLocal<char[]> DEST_TL = new ThreadLocal<char[]>() { @Override protected char[] initialValue() { return new char[1024]; } }; }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/com/google/gdata/util/common/base/UnicodeEscaper.java
Java
gpl3
19,518
/* * Copyright (C) 2007 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.gdata.util.common.base; import java.util.Collection; import java.util.NoSuchElementException; /** * Simple static methods to be called at the start of your own methods to verify * correct arguments and state. This allows constructs such as * <pre> * if (count <= 0) { * throw new IllegalArgumentException("must be positive: " + count); * }</pre> * * to be replaced with the more compact * <pre> * checkArgument(count > 0, "must be positive: %s", count);</pre> * * Note that the sense of the expression is inverted; with {@code Preconditions} * you declare what you expect to be <i>true</i>, just as you do with an * <a href="http://java.sun.com/j2se/1.5.0/docs/guide/language/assert.html"> * {@code assert}</a> or a JUnit {@code assertTrue()} call. * * <p>Take care not to confuse precondition checking with other similar types * of checks! Precondition exceptions -- including those provided here, but also * {@link IndexOutOfBoundsException}, {@link NoSuchElementException}, {@link * UnsupportedOperationException} and others -- are used to signal that the * <i>calling method</i> has made an error. This tells the caller that it should * not have invoked the method when it did, with the arguments it did, or * perhaps <i>ever</i>. Postcondition or other invariant failures should not * throw these types of exceptions. * * <p><b>Note:</b> The methods of the {@code Preconditions} class are highly * unusual in one way: they are <i>supposed to</i> throw exceptions, and promise * in their specifications to do so even when given perfectly valid input. That * is, {@code null} is a valid parameter to the method {@link * #checkNotNull(Object)} -- and technically this parameter could be even marked * as {@link Nullable} -- yet the method will still throw an exception anyway, * because that's what its contract says to do. * * <p>This class may be used with the Google Web Toolkit (GWT). * * */ public final class Preconditions { private Preconditions() {} /** * Ensures the truth of an expression involving one or more parameters to the * calling method. * * @param expression a boolean expression * @throws IllegalArgumentException if {@code expression} is false */ public static void checkArgument(boolean expression) { if (!expression) { throw new IllegalArgumentException(); } } /** * Ensures the truth of an expression involving one or more parameters to the * calling method. * * @param expression a boolean expression * @param errorMessage the exception message to use if the check fails; will * be converted to a string using {@link String#valueOf(Object)} * @throws IllegalArgumentException if {@code expression} is false */ public static void checkArgument(boolean expression, Object errorMessage) { if (!expression) { throw new IllegalArgumentException(String.valueOf(errorMessage)); } } /** * Ensures the truth of an expression involving one or more parameters to the * calling method. * * @param expression a boolean expression * @param errorMessageTemplate a template for the exception message should the * check fail. The message is formed by replacing each {@code %s} * placeholder in the template with an argument. These are matched by * position - the first {@code %s} gets {@code errorMessageArgs[0]}, etc. * Unmatched arguments will be appended to the formatted message in square * braces. Unmatched placeholders will be left as-is. * @param errorMessageArgs the arguments to be substituted into the message * template. Arguments are converted to strings using * {@link String#valueOf(Object)}. * @throws IllegalArgumentException if {@code expression} is false * @throws NullPointerException if the check fails and either {@code * errorMessageTemplate} or {@code errorMessageArgs} is null (don't let * this happen) */ public static void checkArgument(boolean expression, String errorMessageTemplate, Object... errorMessageArgs) { if (!expression) { throw new IllegalArgumentException( format(errorMessageTemplate, errorMessageArgs)); } } /** * Ensures the truth of an expression involving the state of the calling * instance, but not involving any parameters to the calling method. * * @param expression a boolean expression * @throws IllegalStateException if {@code expression} is false */ public static void checkState(boolean expression) { if (!expression) { throw new IllegalStateException(); } } /** * Ensures the truth of an expression involving the state of the calling * instance, but not involving any parameters to the calling method. * * @param expression a boolean expression * @param errorMessage the exception message to use if the check fails; will * be converted to a string using {@link String#valueOf(Object)} * @throws IllegalStateException if {@code expression} is false */ public static void checkState(boolean expression, Object errorMessage) { if (!expression) { throw new IllegalStateException(String.valueOf(errorMessage)); } } /** * Ensures the truth of an expression involving the state of the calling * instance, but not involving any parameters to the calling method. * * @param expression a boolean expression * @param errorMessageTemplate a template for the exception message should the * check fail. The message is formed by replacing each {@code %s} * placeholder in the template with an argument. These are matched by * position - the first {@code %s} gets {@code errorMessageArgs[0]}, etc. * Unmatched arguments will be appended to the formatted message in square * braces. Unmatched placeholders will be left as-is. * @param errorMessageArgs the arguments to be substituted into the message * template. Arguments are converted to strings using * {@link String#valueOf(Object)}. * @throws IllegalStateException if {@code expression} is false * @throws NullPointerException if the check fails and either {@code * errorMessageTemplate} or {@code errorMessageArgs} is null (don't let * this happen) */ public static void checkState(boolean expression, String errorMessageTemplate, Object... errorMessageArgs) { if (!expression) { throw new IllegalStateException( format(errorMessageTemplate, errorMessageArgs)); } } /** * Ensures that an object reference passed as a parameter to the calling * method is not null. * * @param reference an object reference * @return the non-null reference that was validated * @throws NullPointerException if {@code reference} is null */ public static <T> T checkNotNull(T reference) { if (reference == null) { throw new NullPointerException(); } return reference; } /** * Ensures that an object reference passed as a parameter to the calling * method is not null. * * @param reference an object reference * @param errorMessage the exception message to use if the check fails; will * be converted to a string using {@link String#valueOf(Object)} * @return the non-null reference that was validated * @throws NullPointerException if {@code reference} is null */ public static <T> T checkNotNull(T reference, Object errorMessage) { if (reference == null) { throw new NullPointerException(String.valueOf(errorMessage)); } return reference; } /** * Ensures that an object reference passed as a parameter to the calling * method is not null. * * @param reference an object reference * @param errorMessageTemplate a template for the exception message should the * check fail. The message is formed by replacing each {@code %s} * placeholder in the template with an argument. These are matched by * position - the first {@code %s} gets {@code errorMessageArgs[0]}, etc. * Unmatched arguments will be appended to the formatted message in square * braces. Unmatched placeholders will be left as-is. * @param errorMessageArgs the arguments to be substituted into the message * template. Arguments are converted to strings using * {@link String#valueOf(Object)}. * @return the non-null reference that was validated * @throws NullPointerException if {@code reference} is null */ public static <T> T checkNotNull(T reference, String errorMessageTemplate, Object... errorMessageArgs) { if (reference == null) { // If either of these parameters is null, the right thing happens anyway throw new NullPointerException( format(errorMessageTemplate, errorMessageArgs)); } return reference; } /** * Ensures that an {@code Iterable} object passed as a parameter to the * calling method is not null and contains no null elements. * * @param iterable the iterable to check the contents of * @return the non-null {@code iterable} reference just validated * @throws NullPointerException if {@code iterable} is null or contains at * least one null element */ public static <T extends Iterable<?>> T checkContentsNotNull(T iterable) { if (containsOrIsNull(iterable)) { throw new NullPointerException(); } return iterable; } /** * Ensures that an {@code Iterable} object passed as a parameter to the * calling method is not null and contains no null elements. * * @param iterable the iterable to check the contents of * @param errorMessage the exception message to use if the check fails; will * be converted to a string using {@link String#valueOf(Object)} * @return the non-null {@code iterable} reference just validated * @throws NullPointerException if {@code iterable} is null or contains at * least one null element */ public static <T extends Iterable<?>> T checkContentsNotNull( T iterable, Object errorMessage) { if (containsOrIsNull(iterable)) { throw new NullPointerException(String.valueOf(errorMessage)); } return iterable; } /** * Ensures that an {@code Iterable} object passed as a parameter to the * calling method is not null and contains no null elements. * * @param iterable the iterable to check the contents of * @param errorMessageTemplate a template for the exception message should the * check fail. The message is formed by replacing each {@code %s} * placeholder in the template with an argument. These are matched by * position - the first {@code %s} gets {@code errorMessageArgs[0]}, etc. * Unmatched arguments will be appended to the formatted message in square * braces. Unmatched placeholders will be left as-is. * @param errorMessageArgs the arguments to be substituted into the message * template. Arguments are converted to strings using * {@link String#valueOf(Object)}. * @return the non-null {@code iterable} reference just validated * @throws NullPointerException if {@code iterable} is null or contains at * least one null element */ public static <T extends Iterable<?>> T checkContentsNotNull(T iterable, String errorMessageTemplate, Object... errorMessageArgs) { if (containsOrIsNull(iterable)) { throw new NullPointerException( format(errorMessageTemplate, errorMessageArgs)); } return iterable; } private static boolean containsOrIsNull(Iterable<?> iterable) { if (iterable == null) { return true; } if (iterable instanceof Collection) { Collection<?> collection = (Collection<?>) iterable; try { return collection.contains(null); } catch (NullPointerException e) { // A NPE implies that the collection doesn't contain null. return false; } } else { for (Object element : iterable) { if (element == null) { return true; } } return false; } } /** * Ensures that {@code index} specifies a valid <i>element</i> in an array, * list or string of size {@code size}. An element index may range from zero, * inclusive, to {@code size}, exclusive. * * @param index a user-supplied index identifying an element of an array, list * or string * @param size the size of that array, list or string * @throws IndexOutOfBoundsException if {@code index} is negative or is not * less than {@code size} * @throws IllegalArgumentException if {@code size} is negative */ public static void checkElementIndex(int index, int size) { checkElementIndex(index, size, "index"); } /** * Ensures that {@code index} specifies a valid <i>element</i> in an array, * list or string of size {@code size}. An element index may range from zero, * inclusive, to {@code size}, exclusive. * * @param index a user-supplied index identifying an element of an array, list * or string * @param size the size of that array, list or string * @param desc the text to use to describe this index in an error message * @throws IndexOutOfBoundsException if {@code index} is negative or is not * less than {@code size} * @throws IllegalArgumentException if {@code size} is negative */ public static void checkElementIndex(int index, int size, String desc) { checkArgument(size >= 0, "negative size: %s", size); if (index < 0) { throw new IndexOutOfBoundsException( format("%s (%s) must not be negative", desc, index)); } if (index >= size) { throw new IndexOutOfBoundsException( format("%s (%s) must be less than size (%s)", desc, index, size)); } } /** * Ensures that {@code index} specifies a valid <i>position</i> in an array, * list or string of size {@code size}. A position index may range from zero * to {@code size}, inclusive. * * @param index a user-supplied index identifying a position in an array, list * or string * @param size the size of that array, list or string * @throws IndexOutOfBoundsException if {@code index} is negative or is * greater than {@code size} * @throws IllegalArgumentException if {@code size} is negative */ public static void checkPositionIndex(int index, int size) { checkPositionIndex(index, size, "index"); } /** * Ensures that {@code index} specifies a valid <i>position</i> in an array, * list or string of size {@code size}. A position index may range from zero * to {@code size}, inclusive. * * @param index a user-supplied index identifying a position in an array, list * or string * @param size the size of that array, list or string * @param desc the text to use to describe this index in an error message * @throws IndexOutOfBoundsException if {@code index} is negative or is * greater than {@code size} * @throws IllegalArgumentException if {@code size} is negative */ public static void checkPositionIndex(int index, int size, String desc) { checkArgument(size >= 0, "negative size: %s", size); if (index < 0) { throw new IndexOutOfBoundsException(format( "%s (%s) must not be negative", desc, index)); } if (index > size) { throw new IndexOutOfBoundsException(format( "%s (%s) must not be greater than size (%s)", desc, index, size)); } } /** * Ensures that {@code start} and {@code end} specify a valid <i>positions</i> * in an array, list or string of size {@code size}, and are in order. A * position index may range from zero to {@code size}, inclusive. * * @param start a user-supplied index identifying a starting position in an * array, list or string * @param end a user-supplied index identifying a ending position in an array, * list or string * @param size the size of that array, list or string * @throws IndexOutOfBoundsException if either index is negative or is * greater than {@code size}, or if {@code end} is less than {@code start} * @throws IllegalArgumentException if {@code size} is negative */ public static void checkPositionIndexes(int start, int end, int size) { checkPositionIndex(start, size, "start index"); checkPositionIndex(end, size, "end index"); if (end < start) { throw new IndexOutOfBoundsException(format( "end index (%s) must not be less than start index (%s)", end, start)); } } /** * Substitutes each {@code %s} in {@code template} with an argument. These * are matched by position - the first {@code %s} gets {@code args[0]}, etc. * If there are more arguments than placeholders, the unmatched arguments will * be appended to the end of the formatted message in square braces. * * @param template a non-null string containing 0 or more {@code %s} * placeholders. * @param args the arguments to be substituted into the message * template. Arguments are converted to strings using * {@link String#valueOf(Object)}. Arguments can be null. */ // VisibleForTesting static String format(String template, Object... args) { // start substituting the arguments into the '%s' placeholders StringBuilder builder = new StringBuilder( template.length() + 16 * args.length); int templateStart = 0; int i = 0; while (i < args.length) { int placeholderStart = template.indexOf("%s", templateStart); if (placeholderStart == -1) { break; } builder.append(template.substring(templateStart, placeholderStart)); builder.append(args[i++]); templateStart = placeholderStart + 2; } builder.append(template.substring(templateStart)); // if we run out of placeholders, append the extra args in square braces if (i < args.length) { builder.append(" ["); builder.append(args[i++]); while (i < args.length) { builder.append(", "); builder.append(args[i++]); } builder.append("]"); } return builder.toString(); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/com/google/gdata/util/common/base/Preconditions.java
Java
gpl3
18,838
/* Copyright (c) 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.gdata.util.common.base; /** * An object that converts literal text into a format safe for inclusion in a * particular context (such as an XML document). Typically (but not always), the * inverse process of "unescaping" the text is performed automatically by the * relevant parser. * * <p>For example, an XML escaper would convert the literal string {@code * "Foo<Bar>"} into {@code "Foo&lt;Bar&gt;"} to prevent {@code "<Bar>"} from * being confused with an XML tag. When the resulting XML document is parsed, * the parser API will return this text as the original literal string {@code * "Foo<Bar>"}. * * <p>An {@code Escaper} instance is required to be stateless, and safe when * used concurrently by multiple threads. * * <p>Several popular escapers are defined as constants in the class {@link * CharEscapers}. To create your own escapers, use {@link * CharEscaperBuilder}, or extend {@link CharEscaper} or {@code UnicodeEscaper}. * * */ public interface Escaper { /** * Returns the escaped form of a given literal string. * * <p>Note that this method may treat input characters differently depending on * the specific escaper implementation. * <ul> * <li>{@link UnicodeEscaper} handles * <a href="http://en.wikipedia.org/wiki/UTF-16">UTF-16</a> correctly, * including surrogate character pairs. If the input is badly formed the * escaper should throw {@link IllegalArgumentException}. * <li>{@link CharEscaper} handles Java characters independently and does not * verify the input for well formed characters. A CharEscaper should not be * used in situations where input is not guaranteed to be restricted to the * Basic Multilingual Plane (BMP). * </ul> * * @param string the literal string to be escaped * @return the escaped form of {@code string} * @throws NullPointerException if {@code string} is null * @throws IllegalArgumentException if {@code string} contains badly formed * UTF-16 or cannot be escaped for any other reason */ public String escape(String string); /** * Returns an {@code Appendable} instance which automatically escapes all * text appended to it before passing the resulting text to an underlying * {@code Appendable}. * * <p>Note that this method may treat input characters differently depending on * the specific escaper implementation. * <ul> * <li>{@link UnicodeEscaper} handles * <a href="http://en.wikipedia.org/wiki/UTF-16">UTF-16</a> correctly, * including surrogate character pairs. If the input is badly formed the * escaper should throw {@link IllegalArgumentException}. * <li>{@link CharEscaper} handles Java characters independently and does not * verify the input for well formed characters. A CharEscaper should not be * used in situations where input is not guaranteed to be restricted to the * Basic Multilingual Plane (BMP). * </ul> * * @param out the underlying {@code Appendable} to append escaped output to * @return an {@code Appendable} which passes text to {@code out} after * escaping it. */ public Appendable escape(Appendable out); }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/com/google/gdata/util/common/base/Escaper.java
Java
gpl3
3,773
/* Copyright (c) 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.gdata.util.common.base; /** * A {@code UnicodeEscaper} that escapes some set of Java characters using * the URI percent encoding scheme. The set of safe characters (those which * remain unescaped) can be specified on construction. * * <p>For details on escaping URIs for use in web pages, see section 2.4 of * <a href="http://www.ietf.org/rfc/rfc3986.txt">RFC 3986</a>. * * <p>In most cases this class should not need to be used directly. If you * have no special requirements for escaping your URIs, you should use either * {@link CharEscapers#uriEscaper()} or * {@link CharEscapers#uriEscaper(boolean)}. * * <p>When encoding a String, the following rules apply: * <ul> * <li>The alphanumeric characters "a" through "z", "A" through "Z" and "0" * through "9" remain the same. * <li>Any additionally specified safe characters remain the same. * <li>If {@code plusForSpace} was specified, the space character " " is * converted into a plus sign "+". * <li>All other characters are converted into one or more bytes using UTF-8 * encoding and each byte is then represented by the 3-character string * "%XY", where "XY" is the two-digit, uppercase, hexadecimal representation * of the byte value. * </ul> * * <p>RFC 2396 specifies the set of unreserved characters as "-", "_", ".", "!", * "~", "*", "'", "(" and ")". It goes on to state: * * <p><i>Unreserved characters can be escaped without changing the semantics * of the URI, but this should not be done unless the URI is being used * in a context that does not allow the unescaped character to appear.</i> * * <p>For performance reasons the only currently supported character encoding of * this class is UTF-8. * * <p><b>Note</b>: This escaper produces uppercase hexidecimal sequences. From * <a href="http://www.ietf.org/rfc/rfc3986.txt">RFC 3986</a>:<br> * <i>"URI producers and normalizers should use uppercase hexadecimal digits * for all percent-encodings."</i> * * */ public class PercentEscaper extends UnicodeEscaper { /** * A string of safe characters that mimics the behavior of * {@link java.net.URLEncoder}. * */ public static final String SAFECHARS_URLENCODER = "-_.*"; /** * A string of characters that do not need to be encoded when used in URI * path segments, as specified in RFC 3986. Note that some of these * characters do need to be escaped when used in other parts of the URI. */ public static final String SAFEPATHCHARS_URLENCODER = "-_.!~*'()@:$&,;="; /** * A string of characters that do not need to be encoded when used in URI * query strings, as specified in RFC 3986. Note that some of these * characters do need to be escaped when used in other parts of the URI. */ public static final String SAFEQUERYSTRINGCHARS_URLENCODER = "-_.!~*'()@:$,;/?:"; // In some uri escapers spaces are escaped to '+' private static final char[] URI_ESCAPED_SPACE = { '+' }; private static final char[] UPPER_HEX_DIGITS = "0123456789ABCDEF".toCharArray(); /** * If true we should convert space to the {@code +} character. */ private final boolean plusForSpace; /** * An array of flags where for any {@code char c} if {@code safeOctets[c]} is * true then {@code c} should remain unmodified in the output. If * {@code c > safeOctets.length} then it should be escaped. */ private final boolean[] safeOctets; /** * Constructs a URI escaper with the specified safe characters and optional * handling of the space character. * * @param safeChars a non null string specifying additional safe characters * for this escaper (the ranges 0..9, a..z and A..Z are always safe and * should not be specified here) * @param plusForSpace true if ASCII space should be escaped to {@code +} * rather than {@code %20} * @throws IllegalArgumentException if any of the parameters were invalid */ public PercentEscaper(String safeChars, boolean plusForSpace) { // Avoid any misunderstandings about the behavior of this escaper if (safeChars.matches(".*[0-9A-Za-z].*")) { throw new IllegalArgumentException( "Alphanumeric characters are always 'safe' and should not be " + "explicitly specified"); } // Avoid ambiguous parameters. Safe characters are never modified so if // space is a safe character then setting plusForSpace is meaningless. if (plusForSpace && safeChars.contains(" ")) { throw new IllegalArgumentException( "plusForSpace cannot be specified when space is a 'safe' character"); } if (safeChars.contains("%")) { throw new IllegalArgumentException( "The '%' character cannot be specified as 'safe'"); } this.plusForSpace = plusForSpace; this.safeOctets = createSafeOctets(safeChars); } /** * Creates a boolean[] with entries corresponding to the character values * for 0-9, A-Z, a-z and those specified in safeChars set to true. The array * is as small as is required to hold the given character information. */ private static boolean[] createSafeOctets(String safeChars) { int maxChar = 'z'; char[] safeCharArray = safeChars.toCharArray(); for (char c : safeCharArray) { maxChar = Math.max(c, maxChar); } boolean[] octets = new boolean[maxChar + 1]; for (int c = '0'; c <= '9'; c++) { octets[c] = true; } for (int c = 'A'; c <= 'Z'; c++) { octets[c] = true; } for (int c = 'a'; c <= 'z'; c++) { octets[c] = true; } for (char c : safeCharArray) { octets[c] = true; } return octets; } /* * Overridden for performance. For unescaped strings this improved the * performance of the uri escaper from ~760ns to ~400ns as measured by * {@link CharEscapersBenchmark}. */ @Override protected int nextEscapeIndex(CharSequence csq, int index, int end) { for (; index < end; index++) { char c = csq.charAt(index); if (c >= safeOctets.length || !safeOctets[c]) { break; } } return index; } /* * Overridden for performance. For unescaped strings this improved the * performance of the uri escaper from ~400ns to ~170ns as measured by * {@link CharEscapersBenchmark}. */ @Override public String escape(String s) { int slen = s.length(); for (int index = 0; index < slen; index++) { char c = s.charAt(index); if (c >= safeOctets.length || !safeOctets[c]) { return escapeSlow(s, index); } } return s; } /** * Escapes the given Unicode code point in UTF-8. */ @Override protected char[] escape(int cp) { // We should never get negative values here but if we do it will throw an // IndexOutOfBoundsException, so at least it will get spotted. if (cp < safeOctets.length && safeOctets[cp]) { return null; } else if (cp == ' ' && plusForSpace) { return URI_ESCAPED_SPACE; } else if (cp <= 0x7F) { // Single byte UTF-8 characters // Start with "%--" and fill in the blanks char[] dest = new char[3]; dest[0] = '%'; dest[2] = UPPER_HEX_DIGITS[cp & 0xF]; dest[1] = UPPER_HEX_DIGITS[cp >>> 4]; return dest; } else if (cp <= 0x7ff) { // Two byte UTF-8 characters [cp >= 0x80 && cp <= 0x7ff] // Start with "%--%--" and fill in the blanks char[] dest = new char[6]; dest[0] = '%'; dest[3] = '%'; dest[5] = UPPER_HEX_DIGITS[cp & 0xF]; cp >>>= 4; dest[4] = UPPER_HEX_DIGITS[0x8 | (cp & 0x3)]; cp >>>= 2; dest[2] = UPPER_HEX_DIGITS[cp & 0xF]; cp >>>= 4; dest[1] = UPPER_HEX_DIGITS[0xC | cp]; return dest; } else if (cp <= 0xffff) { // Three byte UTF-8 characters [cp >= 0x800 && cp <= 0xffff] // Start with "%E-%--%--" and fill in the blanks char[] dest = new char[9]; dest[0] = '%'; dest[1] = 'E'; dest[3] = '%'; dest[6] = '%'; dest[8] = UPPER_HEX_DIGITS[cp & 0xF]; cp >>>= 4; dest[7] = UPPER_HEX_DIGITS[0x8 | (cp & 0x3)]; cp >>>= 2; dest[5] = UPPER_HEX_DIGITS[cp & 0xF]; cp >>>= 4; dest[4] = UPPER_HEX_DIGITS[0x8 | (cp & 0x3)]; cp >>>= 2; dest[2] = UPPER_HEX_DIGITS[cp]; return dest; } else if (cp <= 0x10ffff) { char[] dest = new char[12]; // Four byte UTF-8 characters [cp >= 0xffff && cp <= 0x10ffff] // Start with "%F-%--%--%--" and fill in the blanks dest[0] = '%'; dest[1] = 'F'; dest[3] = '%'; dest[6] = '%'; dest[9] = '%'; dest[11] = UPPER_HEX_DIGITS[cp & 0xF]; cp >>>= 4; dest[10] = UPPER_HEX_DIGITS[0x8 | (cp & 0x3)]; cp >>>= 2; dest[8] = UPPER_HEX_DIGITS[cp & 0xF]; cp >>>= 4; dest[7] = UPPER_HEX_DIGITS[0x8 | (cp & 0x3)]; cp >>>= 2; dest[5] = UPPER_HEX_DIGITS[cp & 0xF]; cp >>>= 4; dest[4] = UPPER_HEX_DIGITS[0x8 | (cp & 0x3)]; cp >>>= 2; dest[2] = UPPER_HEX_DIGITS[cp & 0x7]; return dest; } else { // If this ever happens it is due to bug in UnicodeEscaper, not bad input. throw new IllegalArgumentException( "Invalid unicode character value " + cp); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/com/google/gdata/util/common/base/PercentEscaper.java
Java
gpl3
9,895
package oauth.signpost.basic; import java.io.IOException; import java.io.InputStream; import java.net.HttpURLConnection; import java.util.HashMap; import java.util.List; import java.util.Map; import oauth.signpost.http.HttpRequest; public class HttpURLConnectionRequestAdapter implements HttpRequest { protected HttpURLConnection connection; public HttpURLConnectionRequestAdapter(HttpURLConnection connection) { this.connection = connection; } public String getMethod() { return connection.getRequestMethod(); } public String getRequestUrl() { return connection.getURL().toExternalForm(); } public void setRequestUrl(String url) { // can't do } public void setHeader(String name, String value) { connection.setRequestProperty(name, value); } public String getHeader(String name) { return connection.getRequestProperty(name); } public Map<String, String> getAllHeaders() { Map<String, List<String>> origHeaders = connection.getRequestProperties(); Map<String, String> headers = new HashMap<String, String>(origHeaders.size()); for (String name : origHeaders.keySet()) { List<String> values = origHeaders.get(name); if (!values.isEmpty()) { headers.put(name, values.get(0)); } } return headers; } public InputStream getMessagePayload() throws IOException { return null; } public String getContentType() { return connection.getRequestProperty("Content-Type"); } public HttpURLConnection unwrap() { return connection; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/basic/HttpURLConnectionRequestAdapter.java
Java
gpl3
1,681
package oauth.signpost.basic; import java.io.IOException; import java.io.InputStream; import java.net.HttpURLConnection; import oauth.signpost.http.HttpResponse; public class HttpURLConnectionResponseAdapter implements HttpResponse { private HttpURLConnection connection; public HttpURLConnectionResponseAdapter(HttpURLConnection connection) { this.connection = connection; } public InputStream getContent() throws IOException { return connection.getInputStream(); } public int getStatusCode() throws IOException { return connection.getResponseCode(); } public String getReasonPhrase() throws Exception { return connection.getResponseMessage(); } public Object unwrap() { return connection; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/basic/HttpURLConnectionResponseAdapter.java
Java
gpl3
788
/* * Copyright (c) 2009 Matthias Kaeppler Licensed under the Apache License, * Version 2.0 (the "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law * or agreed to in writing, software distributed under the License is * distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * KIND, either express or implied. See the License for the specific language * governing permissions and limitations under the License. */ package oauth.signpost.basic; import java.io.IOException; import java.net.HttpURLConnection; import java.net.MalformedURLException; import java.net.URL; import oauth.signpost.AbstractOAuthProvider; import oauth.signpost.http.HttpRequest; import oauth.signpost.http.HttpResponse; /** * This default implementation uses {@link java.net.HttpURLConnection} type GET * requests to receive tokens from a service provider. * * @author Matthias Kaeppler */ public class DefaultOAuthProvider extends AbstractOAuthProvider { private static final long serialVersionUID = 1L; public DefaultOAuthProvider(String requestTokenEndpointUrl, String accessTokenEndpointUrl, String authorizationWebsiteUrl) { super(requestTokenEndpointUrl, accessTokenEndpointUrl, authorizationWebsiteUrl); } protected HttpRequest createRequest(String endpointUrl) throws MalformedURLException, IOException { HttpURLConnection connection = (HttpURLConnection) new URL(endpointUrl).openConnection(); connection.setRequestMethod("POST"); connection.setAllowUserInteraction(false); connection.setRequestProperty("Content-Length", "0"); return new HttpURLConnectionRequestAdapter(connection); } protected HttpResponse sendRequest(HttpRequest request) throws IOException { HttpURLConnection connection = (HttpURLConnection) request.unwrap(); connection.connect(); return new HttpURLConnectionResponseAdapter(connection); } @Override protected void closeConnection(HttpRequest request, HttpResponse response) { HttpURLConnection connection = (HttpURLConnection) request.unwrap(); if (connection != null) { connection.disconnect(); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/basic/DefaultOAuthProvider.java
Java
gpl3
2,366
/* Copyright (c) 2009 Matthias Kaeppler * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package oauth.signpost.basic; import java.net.HttpURLConnection; import oauth.signpost.AbstractOAuthConsumer; import oauth.signpost.http.HttpRequest; /** * The default implementation for an OAuth consumer. Only supports signing * {@link java.net.HttpURLConnection} type requests. * * @author Matthias Kaeppler */ public class DefaultOAuthConsumer extends AbstractOAuthConsumer { private static final long serialVersionUID = 1L; public DefaultOAuthConsumer(String consumerKey, String consumerSecret) { super(consumerKey, consumerSecret); } @Override protected HttpRequest wrap(Object request) { if (!(request instanceof HttpURLConnection)) { throw new IllegalArgumentException( "The default consumer expects requests of type java.net.HttpURLConnection"); } return new HttpURLConnectionRequestAdapter((HttpURLConnection) request); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/basic/DefaultOAuthConsumer.java
Java
gpl3
1,536
package oauth.signpost.basic; import java.io.IOException; import java.io.InputStream; import java.util.Collections; import java.util.Map; import oauth.signpost.http.HttpRequest; public class UrlStringRequestAdapter implements HttpRequest { private String url; public UrlStringRequestAdapter(String url) { this.url = url; } public String getMethod() { return "GET"; } public String getRequestUrl() { return url; } public void setRequestUrl(String url) { this.url = url; } public void setHeader(String name, String value) { } public String getHeader(String name) { return null; } public Map<String, String> getAllHeaders() { return Collections.emptyMap(); } public InputStream getMessagePayload() throws IOException { return null; } public String getContentType() { return null; } public Object unwrap() { return url; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/basic/UrlStringRequestAdapter.java
Java
gpl3
990
package oauth.signpost.exception; @SuppressWarnings("serial") public abstract class OAuthException extends Exception { public OAuthException(String message) { super(message); } public OAuthException(Throwable cause) { super(cause); } public OAuthException(String message, Throwable cause) { super(message, cause); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/exception/OAuthException.java
Java
gpl3
370
/* Copyright (c) 2009 Matthias Kaeppler * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package oauth.signpost.exception; @SuppressWarnings("serial") public class OAuthMessageSignerException extends OAuthException { public OAuthMessageSignerException(String message) { super(message); } public OAuthMessageSignerException(Exception cause) { super(cause); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/exception/OAuthMessageSignerException.java
Java
gpl3
909
/* Copyright (c) 2009 Matthias Kaeppler * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package oauth.signpost.exception; @SuppressWarnings("serial") public class OAuthNotAuthorizedException extends OAuthException { private static final String ERROR = "Authorization failed (server replied with a 401). " + "This can happen if the consumer key was not correct or " + "the signatures did not match."; private String responseBody; public OAuthNotAuthorizedException() { super(ERROR); } public OAuthNotAuthorizedException(String responseBody) { super(ERROR); this.responseBody = responseBody; } public String getResponseBody() { return responseBody; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/exception/OAuthNotAuthorizedException.java
Java
gpl3
1,267
/* Copyright (c) 2009 Matthias Kaeppler * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package oauth.signpost.exception; @SuppressWarnings("serial") public class OAuthExpectationFailedException extends OAuthException { public OAuthExpectationFailedException(String message) { super(message); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/exception/OAuthExpectationFailedException.java
Java
gpl3
829
/* Copyright (c) 2009 Matthias Kaeppler * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package oauth.signpost.exception; @SuppressWarnings("serial") public class OAuthCommunicationException extends OAuthException { private String responseBody; public OAuthCommunicationException(Exception cause) { super("Communication with the service provider failed: " + cause.getLocalizedMessage(), cause); } public OAuthCommunicationException(String message, String responseBody) { super(message); this.responseBody = responseBody; } public String getResponseBody() { return responseBody; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/exception/OAuthCommunicationException.java
Java
gpl3
1,189
/* Copyright (c) 2009 Matthias Kaeppler * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package oauth.signpost; import java.io.IOException; import java.io.InputStream; import java.util.Random; import oauth.signpost.basic.UrlStringRequestAdapter; import oauth.signpost.exception.OAuthCommunicationException; import oauth.signpost.exception.OAuthExpectationFailedException; import oauth.signpost.exception.OAuthMessageSignerException; import oauth.signpost.http.HttpParameters; import oauth.signpost.http.HttpRequest; import oauth.signpost.signature.AuthorizationHeaderSigningStrategy; import oauth.signpost.signature.HmacSha1MessageSigner; import oauth.signpost.signature.OAuthMessageSigner; import oauth.signpost.signature.QueryStringSigningStrategy; import oauth.signpost.signature.SigningStrategy; /** * ABC for consumer implementations. If you're developing a custom consumer you * will probably inherit from this class to save you a lot of work. * * @author Matthias Kaeppler */ public abstract class AbstractOAuthConsumer implements OAuthConsumer { private static final long serialVersionUID = 1L; private String consumerKey, consumerSecret; private String token; private OAuthMessageSigner messageSigner; private SigningStrategy signingStrategy; // these are params that may be passed to the consumer directly (i.e. // without going through the request object) private HttpParameters additionalParameters; // these are the params which will be passed to the message signer private HttpParameters requestParameters; private boolean sendEmptyTokens; public AbstractOAuthConsumer(String consumerKey, String consumerSecret) { this.consumerKey = consumerKey; this.consumerSecret = consumerSecret; setMessageSigner(new HmacSha1MessageSigner()); setSigningStrategy(new AuthorizationHeaderSigningStrategy()); } public void setMessageSigner(OAuthMessageSigner messageSigner) { this.messageSigner = messageSigner; messageSigner.setConsumerSecret(consumerSecret); } public void setSigningStrategy(SigningStrategy signingStrategy) { this.signingStrategy = signingStrategy; } public void setAdditionalParameters(HttpParameters additionalParameters) { this.additionalParameters = additionalParameters; } public HttpRequest sign(HttpRequest request) throws OAuthMessageSignerException, OAuthExpectationFailedException, OAuthCommunicationException { if (consumerKey == null) { throw new OAuthExpectationFailedException("consumer key not set"); } if (consumerSecret == null) { throw new OAuthExpectationFailedException("consumer secret not set"); } requestParameters = new HttpParameters(); try { if (additionalParameters != null) { requestParameters.putAll(additionalParameters, false); } collectHeaderParameters(request, requestParameters); collectQueryParameters(request, requestParameters); collectBodyParameters(request, requestParameters); // add any OAuth params that haven't already been set completeOAuthParameters(requestParameters); requestParameters.remove(OAuth.OAUTH_SIGNATURE); } catch (IOException e) { throw new OAuthCommunicationException(e); } String signature = messageSigner.sign(request, requestParameters); OAuth.debugOut("signature", signature); signingStrategy.writeSignature(signature, request, requestParameters); OAuth.debugOut("Auth header", request.getHeader("Authorization")); OAuth.debugOut("Request URL", request.getRequestUrl()); return request; } public HttpRequest sign(Object request) throws OAuthMessageSignerException, OAuthExpectationFailedException, OAuthCommunicationException { return sign(wrap(request)); } public String sign(String url) throws OAuthMessageSignerException, OAuthExpectationFailedException, OAuthCommunicationException { HttpRequest request = new UrlStringRequestAdapter(url); // switch to URL signing SigningStrategy oldStrategy = this.signingStrategy; this.signingStrategy = new QueryStringSigningStrategy(); sign(request); // revert to old strategy this.signingStrategy = oldStrategy; return request.getRequestUrl(); } /** * Adapts the given request object to a Signpost {@link HttpRequest}. How * this is done depends on the consumer implementation. * * @param request * the native HTTP request instance * @return the adapted request */ protected abstract HttpRequest wrap(Object request); public void setTokenWithSecret(String token, String tokenSecret) { this.token = token; messageSigner.setTokenSecret(tokenSecret); } public String getToken() { return token; } public String getTokenSecret() { return messageSigner.getTokenSecret(); } public String getConsumerKey() { return this.consumerKey; } public String getConsumerSecret() { return this.consumerSecret; } /** * <p> * Helper method that adds any OAuth parameters to the given request * parameters which are missing from the current request but required for * signing. A good example is the oauth_nonce parameter, which is typically * not provided by the client in advance. * </p> * <p> * It's probably not a very good idea to override this method. If you want * to generate different nonces or timestamps, override * {@link #generateNonce()} or {@link #generateTimestamp()} instead. * </p> * * @param out * the request parameter which should be completed */ protected void completeOAuthParameters(HttpParameters out) { if (!out.containsKey(OAuth.OAUTH_CONSUMER_KEY)) { out.put(OAuth.OAUTH_CONSUMER_KEY, consumerKey, true); } if (!out.containsKey(OAuth.OAUTH_SIGNATURE_METHOD)) { out.put(OAuth.OAUTH_SIGNATURE_METHOD, messageSigner.getSignatureMethod(), true); } if (!out.containsKey(OAuth.OAUTH_TIMESTAMP)) { out.put(OAuth.OAUTH_TIMESTAMP, generateTimestamp(), true); } if (!out.containsKey(OAuth.OAUTH_NONCE)) { out.put(OAuth.OAUTH_NONCE, generateNonce(), true); } if (!out.containsKey(OAuth.OAUTH_VERSION)) { out.put(OAuth.OAUTH_VERSION, OAuth.VERSION_1_0, true); } if (!out.containsKey(OAuth.OAUTH_TOKEN)) { if (token != null && !token.equals("") || sendEmptyTokens) { out.put(OAuth.OAUTH_TOKEN, token, true); } } } public HttpParameters getRequestParameters() { return requestParameters; } public void setSendEmptyTokens(boolean enable) { this.sendEmptyTokens = enable; } /** * Collects OAuth Authorization header parameters as per OAuth Core 1.0 spec * section 9.1.1 */ protected void collectHeaderParameters(HttpRequest request, HttpParameters out) { HttpParameters headerParams = OAuth.oauthHeaderToParamsMap(request.getHeader(OAuth.HTTP_AUTHORIZATION_HEADER)); out.putAll(headerParams, false); } /** * Collects x-www-form-urlencoded body parameters as per OAuth Core 1.0 spec * section 9.1.1 */ protected void collectBodyParameters(HttpRequest request, HttpParameters out) throws IOException { // collect x-www-form-urlencoded body params String contentType = request.getContentType(); if (contentType != null && contentType.startsWith(OAuth.FORM_ENCODED)) { InputStream payload = request.getMessagePayload(); out.putAll(OAuth.decodeForm(payload), true); } } /** * Collects HTTP GET query string parameters as per OAuth Core 1.0 spec * section 9.1.1 */ protected void collectQueryParameters(HttpRequest request, HttpParameters out) { String url = request.getRequestUrl(); int q = url.indexOf('?'); if (q >= 0) { // Combine the URL query string with the other parameters: out.putAll(OAuth.decodeForm(url.substring(q + 1)), true); } } protected String generateTimestamp() { return Long.toString(System.currentTimeMillis() / 1000L); } protected String generateNonce() { return Long.toString(new Random().nextLong()); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/AbstractOAuthConsumer.java
Java
gpl3
9,250
package oauth.signpost; import oauth.signpost.http.HttpRequest; import oauth.signpost.http.HttpResponse; /** * Provides hooks into the token request handling procedure executed by * {@link OAuthProvider}. * * @author Matthias Kaeppler */ public interface OAuthProviderListener { /** * Called after the request has been created and default headers added, but * before the request has been signed. * * @param request * the request to be sent * @throws Exception */ void prepareRequest(HttpRequest request) throws Exception; /** * Called after the request has been signed, but before it's being sent. * * @param request * the request to be sent * @throws Exception */ void prepareSubmission(HttpRequest request) throws Exception; /** * Called when the server response has been received. You can implement this * to manually handle the response data. * * @param request * the request that was sent * @param response * the response that was received * @return returning true means you have handled the response, and the * provider will return immediately. Return false to let the event * propagate and let the provider execute its default response * handling. * @throws Exception */ boolean onResponseReceived(HttpRequest request, HttpResponse response) throws Exception; }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/OAuthProviderListener.java
Java
gpl3
1,489
/* Copyright (c) 2008, 2009 Netflix, Matthias Kaeppler * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package oauth.signpost; import java.io.BufferedReader; import java.io.ByteArrayOutputStream; import java.io.IOException; import java.io.InputStream; import java.io.InputStreamReader; import java.io.OutputStream; import java.net.URLDecoder; import java.util.Collection; import java.util.HashMap; import java.util.Map; import oauth.signpost.http.HttpParameters; import com.google.gdata.util.common.base.PercentEscaper; public class OAuth { public static final String VERSION_1_0 = "1.0"; public static final String ENCODING = "UTF-8"; public static final String FORM_ENCODED = "application/x-www-form-urlencoded"; public static final String HTTP_AUTHORIZATION_HEADER = "Authorization"; public static final String OAUTH_CONSUMER_KEY = "oauth_consumer_key"; public static final String OAUTH_TOKEN = "oauth_token"; public static final String OAUTH_TOKEN_SECRET = "oauth_token_secret"; public static final String OAUTH_SIGNATURE_METHOD = "oauth_signature_method"; public static final String OAUTH_SIGNATURE = "oauth_signature"; public static final String OAUTH_TIMESTAMP = "oauth_timestamp"; public static final String OAUTH_NONCE = "oauth_nonce"; public static final String OAUTH_VERSION = "oauth_version"; public static final String OAUTH_CALLBACK = "oauth_callback"; public static final String OAUTH_CALLBACK_CONFIRMED = "oauth_callback_confirmed"; public static final String OAUTH_VERIFIER = "oauth_verifier"; /** * Pass this value as the callback "url" upon retrieving a request token if * your application cannot receive callbacks (e.g. because it's a desktop * app). This will tell the service provider that verification happens * out-of-band, which basically means that it will generate a PIN code (the * OAuth verifier) and display that to your user. You must obtain this code * from your user and pass it to * {@link OAuthProvider#retrieveAccessToken(OAuthConsumer, String)} in order * to complete the token handshake. */ public static final String OUT_OF_BAND = "oob"; private static final PercentEscaper percentEncoder = new PercentEscaper( "-._~", false); public static String percentEncode(String s) { if (s == null) { return ""; } return percentEncoder.escape(s); } public static String percentDecode(String s) { try { if (s == null) { return ""; } return URLDecoder.decode(s, ENCODING); // This implements http://oauth.pbwiki.com/FlexibleDecoding } catch (java.io.UnsupportedEncodingException wow) { throw new RuntimeException(wow.getMessage(), wow); } } /** * Construct a x-www-form-urlencoded document containing the given sequence * of name/value pairs. Use OAuth percent encoding (not exactly the encoding * mandated by x-www-form-urlencoded). */ public static <T extends Map.Entry<String, String>> void formEncode(Collection<T> parameters, OutputStream into) throws IOException { if (parameters != null) { boolean first = true; for (Map.Entry<String, String> entry : parameters) { if (first) { first = false; } else { into.write('&'); } into.write(percentEncode(safeToString(entry.getKey())).getBytes()); into.write('='); into.write(percentEncode(safeToString(entry.getValue())).getBytes()); } } } /** * Construct a x-www-form-urlencoded document containing the given sequence * of name/value pairs. Use OAuth percent encoding (not exactly the encoding * mandated by x-www-form-urlencoded). */ public static <T extends Map.Entry<String, String>> String formEncode(Collection<T> parameters) throws IOException { ByteArrayOutputStream b = new ByteArrayOutputStream(); formEncode(parameters, b); return new String(b.toByteArray()); } /** Parse a form-urlencoded document. */ public static HttpParameters decodeForm(String form) { HttpParameters params = new HttpParameters(); if (isEmpty(form)) { return params; } for (String nvp : form.split("\\&")) { int equals = nvp.indexOf('='); String name; String value; if (equals < 0) { name = percentDecode(nvp); value = null; } else { name = percentDecode(nvp.substring(0, equals)); value = percentDecode(nvp.substring(equals + 1)); } params.put(name, value); } return params; } public static HttpParameters decodeForm(InputStream content) throws IOException { BufferedReader reader = new BufferedReader(new InputStreamReader( content)); StringBuilder sb = new StringBuilder(); String line = reader.readLine(); while (line != null) { sb.append(line); line = reader.readLine(); } return decodeForm(sb.toString()); } /** * Construct a Map containing a copy of the given parameters. If several * parameters have the same name, the Map will contain the first value, * only. */ public static <T extends Map.Entry<String, String>> Map<String, String> toMap(Collection<T> from) { HashMap<String, String> map = new HashMap<String, String>(); if (from != null) { for (Map.Entry<String, String> entry : from) { String key = entry.getKey(); if (!map.containsKey(key)) { map.put(key, entry.getValue()); } } } return map; } public static final String safeToString(Object from) { return (from == null) ? null : from.toString(); } public static boolean isEmpty(String str) { return (str == null) || (str.length() == 0); } /** * Appends a list of key/value pairs to the given URL, e.g.: * * <pre> * String url = OAuth.addQueryParameters(&quot;http://example.com?a=1&quot;, b, 2, c, 3); * </pre> * * which yields: * * <pre> * http://example.com?a=1&b=2&c=3 * </pre> * * All parameters will be encoded according to OAuth's percent encoding * rules. * * @param url * the URL * @param kvPairs * the list of key/value pairs * @return */ public static String addQueryParameters(String url, String... kvPairs) { String queryDelim = url.contains("?") ? "&" : "?"; StringBuilder sb = new StringBuilder(url + queryDelim); for (int i = 0; i < kvPairs.length; i += 2) { if (i > 0) { sb.append("&"); } sb.append(OAuth.percentEncode(kvPairs[i]) + "=" + OAuth.percentEncode(kvPairs[i + 1])); } return sb.toString(); } public static String addQueryParameters(String url, Map<String, String> params) { String[] kvPairs = new String[params.size() * 2]; int idx = 0; for (String key : params.keySet()) { kvPairs[idx] = key; kvPairs[idx + 1] = params.get(key); idx += 2; } return addQueryParameters(url, kvPairs); } /** * Builds an OAuth header from the given list of header fields. All * parameters starting in 'oauth_*' will be percent encoded. * * <pre> * String authHeader = OAuth.prepareOAuthHeader(&quot;realm&quot;, &quot;http://example.com&quot;, &quot;oauth_token&quot;, &quot;x%y&quot;); * </pre> * * which yields: * * <pre> * OAuth realm="http://example.com", oauth_token="x%25y" * </pre> * * @param kvPairs * the list of key/value pairs * @return a string eligible to be used as an OAuth HTTP Authorization * header. */ public static String prepareOAuthHeader(String... kvPairs) { StringBuilder sb = new StringBuilder("OAuth "); for (int i = 0; i < kvPairs.length; i += 2) { if (i > 0) { sb.append(", "); } String value = kvPairs[i].startsWith("oauth_") ? OAuth .percentEncode(kvPairs[i + 1]) : kvPairs[i + 1]; sb.append(OAuth.percentEncode(kvPairs[i]) + "=\"" + value + "\""); } return sb.toString(); } public static HttpParameters oauthHeaderToParamsMap(String oauthHeader) { HttpParameters params = new HttpParameters(); if (oauthHeader == null || !oauthHeader.startsWith("OAuth ")) { return params; } oauthHeader = oauthHeader.substring("OAuth ".length()); String[] elements = oauthHeader.split(","); for (String keyValuePair : elements) { String[] keyValue = keyValuePair.split("="); params.put(keyValue[0].trim(), keyValue[1].replace("\"", "").trim()); } return params; } /** * Helper method to concatenate a parameter and its value to a pair that can * be used in an HTTP header. This method percent encodes both parts before * joining them. * * @param name * the OAuth parameter name, e.g. oauth_token * @param value * the OAuth parameter value, e.g. 'hello oauth' * @return a name/value pair, e.g. oauth_token="hello%20oauth" */ public static String toHeaderElement(String name, String value) { return OAuth.percentEncode(name) + "=\"" + OAuth.percentEncode(value) + "\""; } public static void debugOut(String key, String value) { if (System.getProperty("debug") != null) { System.out.println("[SIGNPOST] " + key + ": " + value); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/OAuth.java
Java
gpl3
10,723
/* * Copyright (c) 2009 Matthias Kaeppler Licensed under the Apache License, * Version 2.0 (the "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law * or agreed to in writing, software distributed under the License is * distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * KIND, either express or implied. See the License for the specific language * governing permissions and limitations under the License. */ package oauth.signpost; import java.io.BufferedReader; import java.io.InputStreamReader; import java.util.HashMap; import java.util.Map; import oauth.signpost.exception.OAuthCommunicationException; import oauth.signpost.exception.OAuthExpectationFailedException; import oauth.signpost.exception.OAuthMessageSignerException; import oauth.signpost.exception.OAuthNotAuthorizedException; import oauth.signpost.http.HttpParameters; import oauth.signpost.http.HttpRequest; import oauth.signpost.http.HttpResponse; /** * ABC for all provider implementations. If you're writing a custom provider, * you will probably inherit from this class, since it takes a lot of work from * you. * * @author Matthias Kaeppler */ public abstract class AbstractOAuthProvider implements OAuthProvider { private static final long serialVersionUID = 1L; private String requestTokenEndpointUrl; private String accessTokenEndpointUrl; private String authorizationWebsiteUrl; private HttpParameters responseParameters; private Map<String, String> defaultHeaders; private boolean isOAuth10a; private transient OAuthProviderListener listener; public AbstractOAuthProvider(String requestTokenEndpointUrl, String accessTokenEndpointUrl, String authorizationWebsiteUrl) { this.requestTokenEndpointUrl = requestTokenEndpointUrl; this.accessTokenEndpointUrl = accessTokenEndpointUrl; this.authorizationWebsiteUrl = authorizationWebsiteUrl; this.responseParameters = new HttpParameters(); this.defaultHeaders = new HashMap<String, String>(); } public String retrieveRequestToken(OAuthConsumer consumer, String callbackUrl) throws OAuthMessageSignerException, OAuthNotAuthorizedException, OAuthExpectationFailedException, OAuthCommunicationException { // invalidate current credentials, if any consumer.setTokenWithSecret(null, null); // 1.0a expects the callback to be sent while getting the request token. // 1.0 service providers would simply ignore this parameter. retrieveToken(consumer, requestTokenEndpointUrl, OAuth.OAUTH_CALLBACK, callbackUrl); String callbackConfirmed = responseParameters.getFirst(OAuth.OAUTH_CALLBACK_CONFIRMED); responseParameters.remove(OAuth.OAUTH_CALLBACK_CONFIRMED); isOAuth10a = Boolean.TRUE.toString().equals(callbackConfirmed); // 1.0 service providers expect the callback as part of the auth URL, // Do not send when 1.0a. if (isOAuth10a) { return OAuth.addQueryParameters(authorizationWebsiteUrl, OAuth.OAUTH_TOKEN, consumer.getToken()); } else { return OAuth.addQueryParameters(authorizationWebsiteUrl, OAuth.OAUTH_TOKEN, consumer.getToken(), OAuth.OAUTH_CALLBACK, callbackUrl); } } public void retrieveAccessToken(OAuthConsumer consumer, String oauthVerifier) throws OAuthMessageSignerException, OAuthNotAuthorizedException, OAuthExpectationFailedException, OAuthCommunicationException { if (consumer.getToken() == null || consumer.getTokenSecret() == null) { throw new OAuthExpectationFailedException( "Authorized request token or token secret not set. " + "Did you retrieve an authorized request token before?"); } if (isOAuth10a && oauthVerifier != null) { retrieveToken(consumer, accessTokenEndpointUrl, OAuth.OAUTH_VERIFIER, oauthVerifier); } else { retrieveToken(consumer, accessTokenEndpointUrl); } } /** * <p> * Implemented by subclasses. The responsibility of this method is to * contact the service provider at the given endpoint URL and fetch a * request or access token. What kind of token is retrieved solely depends * on the URL being used. * </p> * <p> * Correct implementations of this method must guarantee the following * post-conditions: * <ul> * <li>the {@link OAuthConsumer} passed to this method must have a valid * {@link OAuth#OAUTH_TOKEN} and {@link OAuth#OAUTH_TOKEN_SECRET} set by * calling {@link OAuthConsumer#setTokenWithSecret(String, String)}</li> * <li>{@link #getResponseParameters()} must return the set of query * parameters served by the service provider in the token response, with all * OAuth specific parameters being removed</li> * </ul> * </p> * * @param consumer * the {@link OAuthConsumer} that should be used to sign the request * @param endpointUrl * the URL at which the service provider serves the OAuth token that * is to be fetched * @param additionalParameters * you can pass parameters here (typically OAuth parameters such as * oauth_callback or oauth_verifier) which will go directly into the * signer, i.e. you don't have to put them into the request first, * just so the consumer pull them out again. Pass them sequentially * in key/value order. * @throws OAuthMessageSignerException * if signing the token request fails * @throws OAuthCommunicationException * if a network communication error occurs * @throws OAuthNotAuthorizedException * if the server replies 401 - Unauthorized * @throws OAuthExpectationFailedException * if an expectation has failed, e.g. because the server didn't * reply in the expected format */ protected void retrieveToken(OAuthConsumer consumer, String endpointUrl, String... additionalParameters) throws OAuthMessageSignerException, OAuthCommunicationException, OAuthNotAuthorizedException, OAuthExpectationFailedException { Map<String, String> defaultHeaders = getRequestHeaders(); if (consumer.getConsumerKey() == null || consumer.getConsumerSecret() == null) { throw new OAuthExpectationFailedException("Consumer key or secret not set"); } HttpRequest request = null; HttpResponse response = null; try { request = createRequest(endpointUrl); for (String header : defaultHeaders.keySet()) { request.setHeader(header, defaultHeaders.get(header)); } if (additionalParameters != null) { HttpParameters httpParams = new HttpParameters(); httpParams.putAll(additionalParameters, true); consumer.setAdditionalParameters(httpParams); } if (this.listener != null) { this.listener.prepareRequest(request); } consumer.sign(request); if (this.listener != null) { this.listener.prepareSubmission(request); } response = sendRequest(request); int statusCode = response.getStatusCode(); boolean requestHandled = false; if (this.listener != null) { requestHandled = this.listener.onResponseReceived(request, response); } if (requestHandled) { return; } if (statusCode >= 300) { handleUnexpectedResponse(statusCode, response); } HttpParameters responseParams = OAuth.decodeForm(response.getContent()); String token = responseParams.getFirst(OAuth.OAUTH_TOKEN); String secret = responseParams.getFirst(OAuth.OAUTH_TOKEN_SECRET); responseParams.remove(OAuth.OAUTH_TOKEN); responseParams.remove(OAuth.OAUTH_TOKEN_SECRET); setResponseParameters(responseParams); if (token == null || secret == null) { throw new OAuthExpectationFailedException( "Request token or token secret not set in server reply. " + "The service provider you use is probably buggy."); } consumer.setTokenWithSecret(token, secret); } catch (OAuthNotAuthorizedException e) { throw e; } catch (OAuthExpectationFailedException e) { throw e; } catch (Exception e) { throw new OAuthCommunicationException(e); } finally { try { closeConnection(request, response); } catch (Exception e) { throw new OAuthCommunicationException(e); } } } protected void handleUnexpectedResponse(int statusCode, HttpResponse response) throws Exception { if (response == null) { return; } BufferedReader reader = new BufferedReader(new InputStreamReader(response.getContent())); StringBuilder responseBody = new StringBuilder(); String line = reader.readLine(); while (line != null) { responseBody.append(line); line = reader.readLine(); } switch (statusCode) { case 401: throw new OAuthNotAuthorizedException(responseBody.toString()); default: throw new OAuthCommunicationException("Service provider responded in error: " + statusCode + " (" + response.getReasonPhrase() + ")", responseBody.toString()); } } /** * Overrride this method if you want to customize the logic for building a * request object for the given endpoint URL. * * @param endpointUrl * the URL to which the request will go * @return the request object * @throws Exception * if something breaks */ protected abstract HttpRequest createRequest(String endpointUrl) throws Exception; /** * Override this method if you want to customize the logic for how the given * request is sent to the server. * * @param request * the request to send * @return the response to the request * @throws Exception * if something breaks */ protected abstract HttpResponse sendRequest(HttpRequest request) throws Exception; /** * Called when the connection is being finalized after receiving the * response. Use this to do any cleanup / resource freeing. * * @param request * the request that has been sent * @param response * the response that has been received * @throws Exception * if something breaks */ protected void closeConnection(HttpRequest request, HttpResponse response) throws Exception { // NOP } public HttpParameters getResponseParameters() { return responseParameters; } /** * Returns a single query parameter as served by the service provider in a * token reply. You must call {@link #setResponseParameters} with the set of * parameters before using this method. * * @param key * the parameter name * @return the parameter value */ protected String getResponseParameter(String key) { return responseParameters.getFirst(key); } public void setResponseParameters(HttpParameters parameters) { this.responseParameters = parameters; } public void setOAuth10a(boolean isOAuth10aProvider) { this.isOAuth10a = isOAuth10aProvider; } public boolean isOAuth10a() { return isOAuth10a; } public String getRequestTokenEndpointUrl() { return this.requestTokenEndpointUrl; } public String getAccessTokenEndpointUrl() { return this.accessTokenEndpointUrl; } public String getAuthorizationWebsiteUrl() { return this.authorizationWebsiteUrl; } public void setRequestHeader(String header, String value) { defaultHeaders.put(header, value); } public Map<String, String> getRequestHeaders() { return defaultHeaders; } public void setListener(OAuthProviderListener listener) { this.listener = listener; } public void removeListener(OAuthProviderListener listener) { this.listener = null; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/AbstractOAuthProvider.java
Java
gpl3
12,885
/* Copyright (c) 2009 Matthias Kaeppler * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package oauth.signpost; import java.io.Serializable; import oauth.signpost.exception.OAuthCommunicationException; import oauth.signpost.exception.OAuthExpectationFailedException; import oauth.signpost.exception.OAuthMessageSignerException; import oauth.signpost.http.HttpParameters; import oauth.signpost.http.HttpRequest; import oauth.signpost.signature.AuthorizationHeaderSigningStrategy; import oauth.signpost.signature.HmacSha1MessageSigner; import oauth.signpost.signature.OAuthMessageSigner; import oauth.signpost.signature.PlainTextMessageSigner; import oauth.signpost.signature.QueryStringSigningStrategy; import oauth.signpost.signature.SigningStrategy; /** * <p> * Exposes a simple interface to sign HTTP requests using a given OAuth token * and secret. Refer to {@link OAuthProvider} how to retrieve a valid token and * token secret. * </p> * <p> * HTTP messages are signed as follows: * <p> * * <pre> * // exchange the arguments with the actual token/secret pair * OAuthConsumer consumer = new DefaultOAuthConsumer(&quot;1234&quot;, &quot;5678&quot;); * * URL url = new URL(&quot;http://example.com/protected.xml&quot;); * HttpURLConnection request = (HttpURLConnection) url.openConnection(); * * consumer.sign(request); * * request.connect(); * </pre> * * </p> * </p> * * @author Matthias Kaeppler */ public interface OAuthConsumer extends Serializable { /** * Sets the message signer that should be used to generate the OAuth * signature. * * @param messageSigner * the signer * @see HmacSha1MessageSigner * @see PlainTextMessageSigner */ public void setMessageSigner(OAuthMessageSigner messageSigner); /** * Allows you to add parameters (typically OAuth parameters such as * oauth_callback or oauth_verifier) which will go directly into the signer, * i.e. you don't have to put them into the request first. The consumer's * {@link SigningStrategy} will then take care of writing them to the * correct part of the request before it is sent. Note that these parameters * are expected to already be percent encoded -- they will be simply merged * as-is. * * @param additionalParameters * the parameters */ public void setAdditionalParameters(HttpParameters additionalParameters); /** * Defines which strategy should be used to write a signature to an HTTP * request. * * @param signingStrategy * the strategy * @see AuthorizationHeaderSigningStrategy * @see QueryStringSigningStrategy */ public void setSigningStrategy(SigningStrategy signingStrategy); /** * <p> * Causes the consumer to always include the oauth_token parameter to be * sent, even if blank. If you're seeing 401s during calls to * {@link OAuthProvider#retrieveRequestToken}, try setting this to true. * </p> * * @param enable * true or false */ public void setSendEmptyTokens(boolean enable); /** * Signs the given HTTP request by writing an OAuth signature (and other * required OAuth parameters) to it. Where these parameters are written * depends on the current {@link SigningStrategy}. * * @param request * the request to sign * @return the request object passed as an argument * @throws OAuthMessageSignerException * @throws OAuthExpectationFailedException * @throws OAuthCommunicationException */ public HttpRequest sign(HttpRequest request) throws OAuthMessageSignerException, OAuthExpectationFailedException, OAuthCommunicationException; /** * <p> * Signs the given HTTP request by writing an OAuth signature (and other * required OAuth parameters) to it. Where these parameters are written * depends on the current {@link SigningStrategy}. * </p> * This method accepts HTTP library specific request objects; the consumer * implementation must ensure that only those request types are passed which * it supports. * * @param request * the request to sign * @return the request object passed as an argument * @throws OAuthMessageSignerException * @throws OAuthExpectationFailedException * @throws OAuthCommunicationException */ public HttpRequest sign(Object request) throws OAuthMessageSignerException, OAuthExpectationFailedException, OAuthCommunicationException; /** * <p> * "Signs" the given URL by appending all OAuth parameters to it which are * required for message signing. The assumed HTTP method is GET. * Essentially, this is equivalent to signing an HTTP GET request, but it * can be useful if your application requires clickable links to protected * resources, i.e. when your application does not have access to the actual * request that is being sent. * </p> * * @param url * the input URL. May have query parameters. * @return the input URL, with all necessary OAuth parameters attached as a * query string. Existing query parameters are preserved. * @throws OAuthMessageSignerException * @throws OAuthExpectationFailedException * @throws OAuthCommunicationException */ public String sign(String url) throws OAuthMessageSignerException, OAuthExpectationFailedException, OAuthCommunicationException; /** * Sets the OAuth token and token secret used for message signing. * * @param token * the token * @param tokenSecret * the token secret */ public void setTokenWithSecret(String token, String tokenSecret); public String getToken(); public String getTokenSecret(); public String getConsumerKey(); public String getConsumerSecret(); /** * Returns all parameters collected from the HTTP request during message * signing (this means the return value may be NULL before a call to * {@link #sign}), plus all required OAuth parameters that were added * because the request didn't contain them beforehand. In other words, this * is the exact set of parameters that were used for creating the message * signature. * * @return the request parameters used for message signing */ public HttpParameters getRequestParameters(); }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/OAuthConsumer.java
Java
gpl3
7,051
/* Copyright (c) 2008, 2009 Netflix, Matthias Kaeppler * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package oauth.signpost.http; import java.io.Serializable; import java.util.Collection; import java.util.Iterator; import java.util.List; import java.util.Map; import java.util.Set; import java.util.SortedSet; import java.util.TreeMap; import java.util.TreeSet; import oauth.signpost.OAuth; /** * A multi-map of HTTP request parameters. Each key references a * {@link SortedSet} of parameters collected from the request during message * signing. Parameter values are sorted as per {@linkplain http * ://oauth.net/core/1.0a/#anchor13}. Every key/value pair will be * percent-encoded upon insertion. This class has special semantics tailored to * being useful for message signing; it's not a general purpose collection class * to handle request parameters. * * @author Matthias Kaeppler */ @SuppressWarnings("serial") public class HttpParameters implements Map<String, SortedSet<String>>, Serializable { private TreeMap<String, SortedSet<String>> wrappedMap = new TreeMap<String, SortedSet<String>>(); public SortedSet<String> put(String key, SortedSet<String> value) { return wrappedMap.put(key, value); } public SortedSet<String> put(String key, SortedSet<String> values, boolean percentEncode) { if (percentEncode) { remove(key); for (String v : values) { put(key, v, true); } return get(key); } else { return wrappedMap.put(key, values); } } /** * Convenience method to add a single value for the parameter specified by * 'key'. * * @param key * the parameter name * @param value * the parameter value * @return the value */ public String put(String key, String value) { return put(key, value, false); } /** * Convenience method to add a single value for the parameter specified by * 'key'. * * @param key * the parameter name * @param value * the parameter value * @param percentEncode * whether key and value should be percent encoded before being * inserted into the map * @return the value */ public String put(String key, String value, boolean percentEncode) { SortedSet<String> values = wrappedMap.get(key); if (values == null) { values = new TreeSet<String>(); wrappedMap.put(percentEncode ? OAuth.percentEncode(key) : key, values); } if (value != null) { value = percentEncode ? OAuth.percentEncode(value) : value; values.add(value); } return value; } /** * Convenience method to allow for storing null values. {@link #put} doesn't * allow null values, because that would be ambiguous. * * @param key * the parameter name * @param nullString * can be anything, but probably... null? * @return null */ public String putNull(String key, String nullString) { return put(key, nullString); } public void putAll(Map<? extends String, ? extends SortedSet<String>> m) { wrappedMap.putAll(m); } public void putAll(Map<? extends String, ? extends SortedSet<String>> m, boolean percentEncode) { if (percentEncode) { for (String key : m.keySet()) { put(key, m.get(key), true); } } else { wrappedMap.putAll(m); } } public void putAll(String[] keyValuePairs, boolean percentEncode) { for (int i = 0; i < keyValuePairs.length - 1; i += 2) { this.put(keyValuePairs[i], keyValuePairs[i + 1], percentEncode); } } /** * Convenience method to merge a Map<String, List<String>>. * * @param m * the map */ public void putMap(Map<String, List<String>> m) { for (String key : m.keySet()) { SortedSet<String> vals = get(key); if (vals == null) { vals = new TreeSet<String>(); put(key, vals); } vals.addAll(m.get(key)); } } public SortedSet<String> get(Object key) { return wrappedMap.get(key); } /** * Convenience method for {@link #getFirst(key, false)}. * * @param key * the parameter name (must be percent encoded if it contains unsafe * characters!) * @return the first value found for this parameter */ public String getFirst(Object key) { return getFirst(key, false); } /** * Returns the first value from the set of all values for the given * parameter name. If the key passed to this method contains special * characters, you MUST first percent encode it using * {@link OAuth#percentEncode(String)}, otherwise the lookup will fail * (that's because upon storing values in this map, keys get * percent-encoded). * * @param key * the parameter name (must be percent encoded if it contains unsafe * characters!) * @param percentDecode * whether the value being retrieved should be percent decoded * @return the first value found for this parameter */ public String getFirst(Object key, boolean percentDecode) { SortedSet<String> values = wrappedMap.get(key); if (values == null || values.isEmpty()) { return null; } String value = values.first(); return percentDecode ? OAuth.percentDecode(value) : value; } /** * Concatenates all values for the given key to a list of key/value pairs * suitable for use in a URL query string. * * @param key * the parameter name * @return the query string */ public String getAsQueryString(Object key) { StringBuilder sb = new StringBuilder(); key = OAuth.percentEncode((String) key); Set<String> values = wrappedMap.get(key); if (values == null) { return key + "="; } Iterator<String> iter = values.iterator(); while (iter.hasNext()) { sb.append(key + "=" + iter.next()); if (iter.hasNext()) { sb.append("&"); } } return sb.toString(); } public String getAsHeaderElement(String key) { String value = getFirst(key); if (value == null) { return null; } return key + "=\"" + value + "\""; } public boolean containsKey(Object key) { return wrappedMap.containsKey(key); } public boolean containsValue(Object value) { for (Set<String> values : wrappedMap.values()) { if (values.contains(value)) { return true; } } return false; } public int size() { int count = 0; for (String key : wrappedMap.keySet()) { count += wrappedMap.get(key).size(); } return count; } public boolean isEmpty() { return wrappedMap.isEmpty(); } public void clear() { wrappedMap.clear(); } public SortedSet<String> remove(Object key) { return wrappedMap.remove(key); } public Set<String> keySet() { return wrappedMap.keySet(); } public Collection<SortedSet<String>> values() { return wrappedMap.values(); } public Set<java.util.Map.Entry<String, SortedSet<String>>> entrySet() { return wrappedMap.entrySet(); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/http/HttpParameters.java
Java
gpl3
8,242
package oauth.signpost.http; import java.io.IOException; import java.io.InputStream; public interface HttpResponse { int getStatusCode() throws IOException; String getReasonPhrase() throws Exception; InputStream getContent() throws IOException; /** * Returns the underlying response object, in case you need to work on it * directly. * * @return the wrapped response object */ Object unwrap(); }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/http/HttpResponse.java
Java
gpl3
448
package oauth.signpost.http; import java.io.IOException; import java.io.InputStream; import java.util.Map; import oauth.signpost.OAuthConsumer; import oauth.signpost.basic.HttpURLConnectionRequestAdapter; /** * A concise description of an HTTP request. Contains methods to access all * those parts of an HTTP request which Signpost needs to sign a message. If you * want to extend Signpost to sign a different kind of HTTP request than those * currently supported, you'll have to write an adapter which implements this * interface and a custom {@link OAuthConsumer} which performs the wrapping. * * @see HttpURLConnectionRequestAdapter * @author Matthias Kaeppler */ public interface HttpRequest { String getMethod(); String getRequestUrl(); void setRequestUrl(String url); void setHeader(String name, String value); String getHeader(String name); Map<String, String> getAllHeaders(); InputStream getMessagePayload() throws IOException; String getContentType(); /** * Returns the wrapped request object, in case you must work directly on it. * * @return the wrapped request object */ Object unwrap(); }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/http/HttpRequest.java
Java
gpl3
1,186
/* Copyright (c) 2009 Matthias Kaeppler * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package oauth.signpost.signature; import java.io.IOException; import java.io.Serializable; import oauth.signpost.exception.OAuthMessageSignerException; import oauth.signpost.http.HttpRequest; import oauth.signpost.http.HttpParameters; import org.apache.commons.codec.binary.Base64; public abstract class OAuthMessageSigner implements Serializable { private static final long serialVersionUID = 4445779788786131202L; private transient Base64 base64; private String consumerSecret; private String tokenSecret; public OAuthMessageSigner() { this.base64 = new Base64(); } public abstract String sign(HttpRequest request, HttpParameters requestParameters) throws OAuthMessageSignerException; public abstract String getSignatureMethod(); public String getConsumerSecret() { return consumerSecret; } public String getTokenSecret() { return tokenSecret; } public void setConsumerSecret(String consumerSecret) { this.consumerSecret = consumerSecret; } public void setTokenSecret(String tokenSecret) { this.tokenSecret = tokenSecret; } protected byte[] decodeBase64(String s) { return base64.decode(s.getBytes()); } protected String base64Encode(byte[] b) { return new String(base64.encode(b)); } private void readObject(java.io.ObjectInputStream stream) throws IOException, ClassNotFoundException { stream.defaultReadObject(); this.base64 = new Base64(); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/signature/OAuthMessageSigner.java
Java
gpl3
2,154
/* Copyright (c) 2009 Matthias Kaeppler * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package oauth.signpost.signature; import java.io.UnsupportedEncodingException; import java.security.GeneralSecurityException; import javax.crypto.Mac; import javax.crypto.SecretKey; import javax.crypto.spec.SecretKeySpec; import oauth.signpost.OAuth; import oauth.signpost.exception.OAuthMessageSignerException; import oauth.signpost.http.HttpRequest; import oauth.signpost.http.HttpParameters; @SuppressWarnings("serial") public class HmacSha1MessageSigner extends OAuthMessageSigner { private static final String MAC_NAME = "HmacSHA1"; @Override public String getSignatureMethod() { return "HMAC-SHA1"; } @Override public String sign(HttpRequest request, HttpParameters requestParams) throws OAuthMessageSignerException { try { String keyString = OAuth.percentEncode(getConsumerSecret()) + '&' + OAuth.percentEncode(getTokenSecret()); byte[] keyBytes = keyString.getBytes(OAuth.ENCODING); SecretKey key = new SecretKeySpec(keyBytes, MAC_NAME); Mac mac = Mac.getInstance(MAC_NAME); mac.init(key); String sbs = new SignatureBaseString(request, requestParams).generate(); OAuth.debugOut("SBS", sbs); byte[] text = sbs.getBytes(OAuth.ENCODING); return base64Encode(mac.doFinal(text)).trim(); } catch (GeneralSecurityException e) { throw new OAuthMessageSignerException(e); } catch (UnsupportedEncodingException e) { throw new OAuthMessageSignerException(e); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/signature/HmacSha1MessageSigner.java
Java
gpl3
2,200
package oauth.signpost.signature; import java.io.Serializable; import oauth.signpost.http.HttpRequest; import oauth.signpost.http.HttpParameters; /** * <p> * Defines how an OAuth signature string is written to a request. * </p> * <p> * Unlike {@link OAuthMessageSigner}, which is concerned with <i>how</i> to * generate a signature, this class is concered with <i>where</i> to write it * (e.g. HTTP header or query string). * </p> * * @author Matthias Kaeppler */ public interface SigningStrategy extends Serializable { /** * Writes an OAuth signature and all remaining required parameters to an * HTTP message. * * @param signature * the signature to write * @param request * the request to sign * @param requestParameters * the request parameters * @return whatever has been written to the request, e.g. an Authorization * header field */ String writeSignature(String signature, HttpRequest request, HttpParameters requestParameters); }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/signature/SigningStrategy.java
Java
gpl3
1,058
/* Copyright (c) 2009 Matthias Kaeppler * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package oauth.signpost.signature; import oauth.signpost.OAuth; import oauth.signpost.exception.OAuthMessageSignerException; import oauth.signpost.http.HttpRequest; import oauth.signpost.http.HttpParameters; @SuppressWarnings("serial") public class PlainTextMessageSigner extends OAuthMessageSigner { @Override public String getSignatureMethod() { return "PLAINTEXT"; } @Override public String sign(HttpRequest request, HttpParameters requestParams) throws OAuthMessageSignerException { return OAuth.percentEncode(getConsumerSecret()) + '&' + OAuth.percentEncode(getTokenSecret()); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/signature/PlainTextMessageSigner.java
Java
gpl3
1,259
/* * Copyright (c) 2009 Matthias Kaeppler Licensed under the Apache License, * Version 2.0 (the "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law * or agreed to in writing, software distributed under the License is * distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * KIND, either express or implied. See the License for the specific language * governing permissions and limitations under the License. */ package oauth.signpost.signature; import java.io.IOException; import java.net.URI; import java.net.URISyntaxException; import java.util.Iterator; import oauth.signpost.OAuth; import oauth.signpost.exception.OAuthMessageSignerException; import oauth.signpost.http.HttpRequest; import oauth.signpost.http.HttpParameters; public class SignatureBaseString { private HttpRequest request; private HttpParameters requestParameters; /** * Constructs a new SBS instance that will operate on the given request * object and parameter set. * * @param request * the HTTP request * @param requestParameters * the set of request parameters from the Authorization header, query * string and form body */ public SignatureBaseString(HttpRequest request, HttpParameters requestParameters) { this.request = request; this.requestParameters = requestParameters; } /** * Builds the signature base string from the data this instance was * configured with. * * @return the signature base string * @throws OAuthMessageSignerException */ public String generate() throws OAuthMessageSignerException { try { String normalizedUrl = normalizeRequestUrl(); String normalizedParams = normalizeRequestParameters(); return request.getMethod() + '&' + OAuth.percentEncode(normalizedUrl) + '&' + OAuth.percentEncode(normalizedParams); } catch (Exception e) { throw new OAuthMessageSignerException(e); } } public String normalizeRequestUrl() throws URISyntaxException { URI uri = new URI(request.getRequestUrl()); String scheme = uri.getScheme().toLowerCase(); String authority = uri.getAuthority().toLowerCase(); boolean dropPort = (scheme.equals("http") && uri.getPort() == 80) || (scheme.equals("https") && uri.getPort() == 443); if (dropPort) { // find the last : in the authority int index = authority.lastIndexOf(":"); if (index >= 0) { authority = authority.substring(0, index); } } String path = uri.getRawPath(); if (path == null || path.length() <= 0) { path = "/"; // conforms to RFC 2616 section 3.2.2 } // we know that there is no query and no fragment here. return scheme + "://" + authority + path; } /** * Normalizes the set of request parameters this instance was configured * with, as per OAuth spec section 9.1.1. * * @param parameters * the set of request parameters * @return the normalized params string * @throws IOException */ public String normalizeRequestParameters() throws IOException { if (requestParameters == null) { return ""; } StringBuilder sb = new StringBuilder(); Iterator<String> iter = requestParameters.keySet().iterator(); for (int i = 0; iter.hasNext(); i++) { String param = iter.next(); if (OAuth.OAUTH_SIGNATURE.equals(param) || "realm".equals(param)) { continue; } if (i > 0) { sb.append("&"); } sb.append(requestParameters.getAsQueryString(param)); } return sb.toString(); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/signature/SignatureBaseString.java
Java
gpl3
4,046
package oauth.signpost.signature; import oauth.signpost.OAuth; import oauth.signpost.http.HttpParameters; import oauth.signpost.http.HttpRequest; /** * Writes to the HTTP Authorization header field. * * @author Matthias Kaeppler */ public class AuthorizationHeaderSigningStrategy implements SigningStrategy { private static final long serialVersionUID = 1L; public String writeSignature(String signature, HttpRequest request, HttpParameters requestParameters) { StringBuilder sb = new StringBuilder(); sb.append("OAuth "); if (requestParameters.containsKey("realm")) { sb.append(requestParameters.getAsHeaderElement("realm")); sb.append(", "); } if (requestParameters.containsKey(OAuth.OAUTH_TOKEN)) { sb.append(requestParameters.getAsHeaderElement(OAuth.OAUTH_TOKEN)); sb.append(", "); } if (requestParameters.containsKey(OAuth.OAUTH_CALLBACK)) { sb.append(requestParameters.getAsHeaderElement(OAuth.OAUTH_CALLBACK)); sb.append(", "); } if (requestParameters.containsKey(OAuth.OAUTH_VERIFIER)) { sb.append(requestParameters.getAsHeaderElement(OAuth.OAUTH_VERIFIER)); sb.append(", "); } sb.append(requestParameters.getAsHeaderElement(OAuth.OAUTH_CONSUMER_KEY)); sb.append(", "); sb.append(requestParameters.getAsHeaderElement(OAuth.OAUTH_VERSION)); sb.append(", "); sb.append(requestParameters.getAsHeaderElement(OAuth.OAUTH_SIGNATURE_METHOD)); sb.append(", "); sb.append(requestParameters.getAsHeaderElement(OAuth.OAUTH_TIMESTAMP)); sb.append(", "); sb.append(requestParameters.getAsHeaderElement(OAuth.OAUTH_NONCE)); sb.append(", "); sb.append(OAuth.toHeaderElement(OAuth.OAUTH_SIGNATURE, signature)); String header = sb.toString(); request.setHeader(OAuth.HTTP_AUTHORIZATION_HEADER, header); return header; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/signature/AuthorizationHeaderSigningStrategy.java
Java
gpl3
2,039
package oauth.signpost.signature; import oauth.signpost.OAuth; import oauth.signpost.http.HttpParameters; import oauth.signpost.http.HttpRequest; /** * Writes to a URL query string. <strong>Note that this currently ONLY works * when signing a URL directly, not with HTTP request objects.</strong> That's * because most HTTP request implementations do not allow the client to change * the URL once the request has been instantiated, so there is no way to append * parameters to it. * * @author Matthias Kaeppler */ public class QueryStringSigningStrategy implements SigningStrategy { private static final long serialVersionUID = 1L; public String writeSignature(String signature, HttpRequest request, HttpParameters requestParameters) { // add the signature StringBuilder sb = new StringBuilder(OAuth.addQueryParameters(request.getRequestUrl(), OAuth.OAUTH_SIGNATURE, signature)); // add the optional OAuth parameters if (requestParameters.containsKey(OAuth.OAUTH_TOKEN)) { sb.append("&"); sb.append(requestParameters.getAsQueryString(OAuth.OAUTH_TOKEN)); } if (requestParameters.containsKey(OAuth.OAUTH_CALLBACK)) { sb.append("&"); sb.append(requestParameters.getAsQueryString(OAuth.OAUTH_CALLBACK)); } if (requestParameters.containsKey(OAuth.OAUTH_VERIFIER)) { sb.append("&"); sb.append(requestParameters.getAsQueryString(OAuth.OAUTH_VERIFIER)); } // add the remaining OAuth params sb.append("&"); sb.append(requestParameters.getAsQueryString(OAuth.OAUTH_CONSUMER_KEY)); sb.append("&"); sb.append(requestParameters.getAsQueryString(OAuth.OAUTH_VERSION)); sb.append("&"); sb.append(requestParameters.getAsQueryString(OAuth.OAUTH_SIGNATURE_METHOD)); sb.append("&"); sb.append(requestParameters.getAsQueryString(OAuth.OAUTH_TIMESTAMP)); sb.append("&"); sb.append(requestParameters.getAsQueryString(OAuth.OAUTH_NONCE)); String signedUrl = sb.toString(); request.setRequestUrl(signedUrl); return signedUrl; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/signature/QueryStringSigningStrategy.java
Java
gpl3
2,219
/* * Copyright (c) 2009 Matthias Kaeppler Licensed under the Apache License, * Version 2.0 (the "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law * or agreed to in writing, software distributed under the License is * distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * KIND, either express or implied. See the License for the specific language * governing permissions and limitations under the License. */ package oauth.signpost; import java.io.Serializable; import java.util.Map; import oauth.signpost.basic.DefaultOAuthConsumer; import oauth.signpost.basic.DefaultOAuthProvider; import oauth.signpost.exception.OAuthCommunicationException; import oauth.signpost.exception.OAuthExpectationFailedException; import oauth.signpost.exception.OAuthMessageSignerException; import oauth.signpost.exception.OAuthNotAuthorizedException; import oauth.signpost.http.HttpParameters; /** * <p> * Supplies an interface that can be used to retrieve request and access tokens * from an OAuth 1.0(a) service provider. A provider object requires an * {@link OAuthConsumer} to sign the token request message; after a token has * been retrieved, the consumer is automatically updated with the token and the * corresponding secret. * </p> * <p> * To initiate the token exchange, create a new provider instance and configure * it with the URLs the service provider exposes for requesting tokens and * resource authorization, e.g.: * </p> * * <pre> * OAuthProvider provider = new DefaultOAuthProvider(&quot;http://twitter.com/oauth/request_token&quot;, * &quot;http://twitter.com/oauth/access_token&quot;, &quot;http://twitter.com/oauth/authorize&quot;); * </pre> * <p> * Depending on the HTTP library you use, you may need a different provider * type, refer to the website documentation for how to do that. * </p> * <p> * To receive a request token which the user must authorize, you invoke it using * a consumer instance and a callback URL: * </p> * <p> * * <pre> * String url = provider.retrieveRequestToken(consumer, &quot;http://www.example.com/callback&quot;); * </pre> * * </p> * <p> * That url must be opened in a Web browser, where the user can grant access to * the resources in question. If that succeeds, the service provider will * redirect to the callback URL and append the blessed request token. * </p> * <p> * That token must now be exchanged for an access token, as such: * </p> * <p> * * <pre> * provider.retrieveAccessToken(consumer, nullOrVerifierCode); * </pre> * * </p> * <p> * where nullOrVerifierCode is either null if your provided a callback URL in * the previous step, or the pin code issued by the service provider to the user * if the request was out-of-band (cf. {@link OAuth#OUT_OF_BAND}. * </p> * <p> * The consumer used during token handshakes is now ready for signing. * </p> * * @see DefaultOAuthProvider * @see DefaultOAuthConsumer * @see OAuthProviderListener */ public interface OAuthProvider extends Serializable { /** * Queries the service provider for a request token. * <p> * <b>Pre-conditions:</b> the given {@link OAuthConsumer} must have a valid * consumer key and consumer secret already set. * </p> * <p> * <b>Post-conditions:</b> the given {@link OAuthConsumer} will have an * unauthorized request token and token secret set. * </p> * * @param consumer * the {@link OAuthConsumer} that should be used to sign the request * @param callbackUrl * Pass an actual URL if your app can receive callbacks and you want * to get informed about the result of the authorization process. * Pass {@link OAuth.OUT_OF_BAND} if the service provider implements * OAuth 1.0a and your app cannot receive callbacks. Pass null if the * service provider implements OAuth 1.0 and your app cannot receive * callbacks. Please note that some services (among them Twitter) * will fail authorization if you pass a callback URL but register * your application as a desktop app (which would only be able to * handle OOB requests). * @return The URL to which the user must be sent in order to authorize the * consumer. It includes the unauthorized request token (and in the * case of OAuth 1.0, the callback URL -- 1.0a clients send along * with the token request). * @throws OAuthMessageSignerException * if signing the request failed * @throws OAuthNotAuthorizedException * if the service provider rejected the consumer * @throws OAuthExpectationFailedException * if required parameters were not correctly set by the consumer or * service provider * @throws OAuthCommunicationException * if server communication failed */ public String retrieveRequestToken(OAuthConsumer consumer, String callbackUrl) throws OAuthMessageSignerException, OAuthNotAuthorizedException, OAuthExpectationFailedException, OAuthCommunicationException; /** * Queries the service provider for an access token. * <p> * <b>Pre-conditions:</b> the given {@link OAuthConsumer} must have a valid * consumer key, consumer secret, authorized request token and token secret * already set. * </p> * <p> * <b>Post-conditions:</b> the given {@link OAuthConsumer} will have an * access token and token secret set. * </p> * * @param consumer * the {@link OAuthConsumer} that should be used to sign the request * @param oauthVerifier * <b>NOTE: Only applies to service providers implementing OAuth * 1.0a. Set to null if the service provider is still using OAuth * 1.0.</b> The verification code issued by the service provider * after the the user has granted the consumer authorization. If the * callback method provided in the previous step was * {@link OAuth.OUT_OF_BAND}, then you must ask the user for this * value. If your app has received a callback, the verfication code * was passed as part of that request instead. * @throws OAuthMessageSignerException * if signing the request failed * @throws OAuthNotAuthorizedException * if the service provider rejected the consumer * @throws OAuthExpectationFailedException * if required parameters were not correctly set by the consumer or * service provider * @throws OAuthCommunicationException * if server communication failed */ public void retrieveAccessToken(OAuthConsumer consumer, String oauthVerifier) throws OAuthMessageSignerException, OAuthNotAuthorizedException, OAuthExpectationFailedException, OAuthCommunicationException; /** * Any additional non-OAuth parameters returned in the response body of a * token request can be obtained through this method. These parameters will * be preserved until the next token request is issued. The return value is * never null. */ public HttpParameters getResponseParameters(); /** * Subclasses must use this setter to preserve any non-OAuth query * parameters contained in the server response. It's the caller's * responsibility that any OAuth parameters be removed beforehand. * * @param parameters * the map of query parameters served by the service provider in the * token response */ public void setResponseParameters(HttpParameters parameters); /** * Use this method to set custom HTTP headers to be used for the requests * which are sent to retrieve tokens. @deprecated THIS METHOD HAS BEEN * DEPRECATED. Use {@link OAuthProviderListener} to customize requests. * * @param header * The header name (e.g. 'WWW-Authenticate') * @param value * The header value (e.g. 'realm=www.example.com') */ @Deprecated public void setRequestHeader(String header, String value); /** * @deprecated THIS METHOD HAS BEEN DEPRECATED. Use * {@link OAuthProviderListener} to customize requests. * @return all request headers set via {@link #setRequestHeader} */ @Deprecated public Map<String, String> getRequestHeaders(); /** * @param isOAuth10aProvider * set to true if the service provider supports OAuth 1.0a. Note that * you need only call this method if you reconstruct a provider * object in between calls to retrieveRequestToken() and * retrieveAccessToken() (i.e. if the object state isn't preserved). * If instead those two methods are called on the same provider * instance, this flag will be deducted automatically based on the * server response during retrieveRequestToken(), so you can simply * ignore this method. */ public void setOAuth10a(boolean isOAuth10aProvider); /** * @return true if the service provider supports OAuth 1.0a. Note that the * value returned here is only meaningful after you have already * performed the token handshake, otherwise there is no way to * determine what version of the OAuth protocol the service provider * implements. */ public boolean isOAuth10a(); public String getRequestTokenEndpointUrl(); public String getAccessTokenEndpointUrl(); public String getAuthorizationWebsiteUrl(); public void setListener(OAuthProviderListener listener); public void removeListener(OAuthProviderListener listener); }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-core/src/main/java/oauth/signpost/OAuthProvider.java
Java
gpl3
10,024
/* Copyright (c) 2009 Matthias Kaeppler * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package oauth.signpost.commonshttp; import oauth.signpost.AbstractOAuthConsumer; import oauth.signpost.http.HttpRequest; /** * Supports signing HTTP requests of type {@link org.apache.ogt.http.HttpRequest}. * * @author Matthias Kaeppler */ public class CommonsHttpOAuthConsumer extends AbstractOAuthConsumer { private static final long serialVersionUID = 1L; public CommonsHttpOAuthConsumer(String consumerKey, String consumerSecret) { super(consumerKey, consumerSecret); } @Override protected HttpRequest wrap(Object request) { if (!(request instanceof org.apache.ogt.http.HttpRequest)) { throw new IllegalArgumentException( "This consumer expects requests of type " + org.apache.ogt.http.HttpRequest.class.getCanonicalName()); } return new HttpRequestAdapter((org.apache.ogt.http.client.methods.HttpUriRequest) request); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-commonshttp4/src/main/java/oauth/signpost/commonshttp/CommonsHttpOAuthConsumer.java
Java
gpl3
1,557
package oauth.signpost.commonshttp; import java.io.IOException; import java.io.InputStream; import oauth.signpost.http.HttpResponse; public class HttpResponseAdapter implements HttpResponse { private org.apache.ogt.http.HttpResponse response; public HttpResponseAdapter(org.apache.ogt.http.HttpResponse response) { this.response = response; } public InputStream getContent() throws IOException { return response.getEntity().getContent(); } public int getStatusCode() throws IOException { return response.getStatusLine().getStatusCode(); } public String getReasonPhrase() throws Exception { return response.getStatusLine().getReasonPhrase(); } public Object unwrap() { return response; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-commonshttp4/src/main/java/oauth/signpost/commonshttp/HttpResponseAdapter.java
Java
gpl3
782
/* * Copyright (c) 2009 Matthias Kaeppler Licensed under the Apache License, * Version 2.0 (the "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law * or agreed to in writing, software distributed under the License is * distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * KIND, either express or implied. See the License for the specific language * governing permissions and limitations under the License. */ package oauth.signpost.commonshttp; import java.io.IOException; import oauth.signpost.AbstractOAuthProvider; import oauth.signpost.http.HttpRequest; import org.apache.ogt.http.HttpEntity; import org.apache.ogt.http.HttpResponse; import org.apache.ogt.http.client.HttpClient; import org.apache.ogt.http.client.methods.HttpPost; import org.apache.ogt.http.client.methods.HttpUriRequest; import org.apache.ogt.http.impl.client.DefaultHttpClient; /** * This implementation uses the Apache Commons {@link HttpClient} 4.x HTTP * implementation to fetch OAuth tokens from a service provider. Android users * should use this provider implementation in favor of the default one, since * the latter is known to cause problems with Android's Apache Harmony * underpinnings. * * @author Matthias Kaeppler */ public class CommonsHttpOAuthProvider extends AbstractOAuthProvider { private static final long serialVersionUID = 1L; private transient HttpClient httpClient; public CommonsHttpOAuthProvider(String requestTokenEndpointUrl, String accessTokenEndpointUrl, String authorizationWebsiteUrl) { super(requestTokenEndpointUrl, accessTokenEndpointUrl, authorizationWebsiteUrl); this.httpClient = new DefaultHttpClient(); } public CommonsHttpOAuthProvider(String requestTokenEndpointUrl, String accessTokenEndpointUrl, String authorizationWebsiteUrl, HttpClient httpClient) { super(requestTokenEndpointUrl, accessTokenEndpointUrl, authorizationWebsiteUrl); this.httpClient = httpClient; } public void setHttpClient(HttpClient httpClient) { this.httpClient = httpClient; } @Override protected HttpRequest createRequest(String endpointUrl) throws Exception { HttpPost request = new HttpPost(endpointUrl); return new HttpRequestAdapter(request); } @Override protected oauth.signpost.http.HttpResponse sendRequest(HttpRequest request) throws Exception { HttpResponse response = httpClient.execute((HttpUriRequest) request.unwrap()); return new HttpResponseAdapter(response); } @Override protected void closeConnection(HttpRequest request, oauth.signpost.http.HttpResponse response) throws Exception { if (response != null) { HttpEntity entity = ((HttpResponse) response.unwrap()).getEntity(); if (entity != null) { try { // free the connection entity.consumeContent(); } catch (IOException e) { // this means HTTP keep-alive is not possible e.printStackTrace(); } } } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-commonshttp4/src/main/java/oauth/signpost/commonshttp/CommonsHttpOAuthProvider.java
Java
gpl3
3,318
package oauth.signpost.commonshttp; import java.io.IOException; import java.io.InputStream; import java.util.HashMap; import java.util.Map; import org.apache.ogt.http.Header; import org.apache.ogt.http.HttpEntity; import org.apache.ogt.http.HttpEntityEnclosingRequest; import org.apache.ogt.http.client.methods.HttpUriRequest; public class HttpRequestAdapter implements oauth.signpost.http.HttpRequest { private HttpUriRequest request; private HttpEntity entity; public HttpRequestAdapter(HttpUriRequest request) { this.request = request; if (request instanceof HttpEntityEnclosingRequest) { entity = ((HttpEntityEnclosingRequest) request).getEntity(); } } public String getMethod() { return request.getRequestLine().getMethod(); } public String getRequestUrl() { return request.getURI().toString(); } public void setRequestUrl(String url) { throw new RuntimeException(new UnsupportedOperationException()); } public String getHeader(String name) { Header header = request.getFirstHeader(name); if (header == null) { return null; } return header.getValue(); } public void setHeader(String name, String value) { request.setHeader(name, value); } public Map<String, String> getAllHeaders() { Header[] origHeaders = request.getAllHeaders(); HashMap<String, String> headers = new HashMap<String, String>(); for (Header h : origHeaders) { headers.put(h.getName(), h.getValue()); } return headers; } public String getContentType() { if (entity == null) { return null; } Header header = entity.getContentType(); if (header == null) { return null; } return header.getValue(); } public InputStream getMessagePayload() throws IOException { if (entity == null) { return null; } return entity.getContent(); } public Object unwrap() { return request; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/signpost/signpost-commonshttp4/src/main/java/oauth/signpost/commonshttp/HttpRequestAdapter.java
Java
gpl3
2,124
/* * ==================================================================== * * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.http.client.benchmark; import java.io.IOException; import java.io.InputStream; import java.io.OutputStream; import java.io.Writer; import java.net.URI; import javax.servlet.ServletException; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; import org.eclipse.jetty.http.HttpStatus; import org.eclipse.jetty.server.Request; import org.eclipse.jetty.server.Server; import org.eclipse.jetty.server.bio.SocketConnector; import org.eclipse.jetty.server.handler.AbstractHandler; import org.eclipse.jetty.util.ByteArrayOutputStream2; import org.eclipse.jetty.util.IO; import org.eclipse.jetty.util.thread.QueuedThreadPool; public class Benchmark { public static void main(String[] args) throws Exception { String ns = System.getProperty("hc.benchmark.n-requests", "200000"); String nc = System.getProperty("hc.benchmark.concurrent", "100"); String cls = System.getProperty("hc.benchmark.content-len", "2048"); int n = Integer.parseInt(ns); int c = Integer.parseInt(nc); int contentLen = Integer.parseInt(cls); SocketConnector connector = new SocketConnector(); connector.setPort(0); connector.setRequestBufferSize(12 * 1024); connector.setResponseBufferSize(12 * 1024); connector.setAcceptors(2); connector.setAcceptQueueSize(c); QueuedThreadPool threadpool = new QueuedThreadPool(); threadpool.setMinThreads(c); threadpool.setMaxThreads(2000); Server server = new Server(); server.addConnector(connector); server.setThreadPool(threadpool); server.setHandler(new RandomDataHandler()); server.start(); int port = connector.getLocalPort(); // Sleep a little Thread.sleep(2000); TestHttpAgent[] agents = new TestHttpAgent[] { new TestHttpClient3(), new TestHttpJRE(), new TestHttpCore(), new TestHttpClient4(), new TestJettyHttpClient(), new TestNingHttpClient() }; byte[] content = new byte[contentLen]; int r = Math.abs(content.hashCode()); for (int i = 0; i < content.length; i++) { content[i] = (byte) ((r + i) % 96 + 32); } URI target1 = new URI("http", null, "localhost", port, "/rnd", "c=" + contentLen, null); URI target2 = new URI("http", null, "localhost", port, "/echo", null, null); try { for (TestHttpAgent agent: agents) { agent.init(); try { System.out.println("================================="); System.out.println("HTTP agent: " + agent.getClientName()); System.out.println("---------------------------------"); System.out.println(n + " GET requests"); System.out.println("---------------------------------"); long startTime1 = System.currentTimeMillis(); Stats stats1 = agent.get(target1, n, c); long finishTime1 = System.currentTimeMillis(); Stats.printStats(target1, startTime1, finishTime1, stats1); System.out.println("---------------------------------"); System.out.println(n + " POST requests"); System.out.println("---------------------------------"); long startTime2 = System.currentTimeMillis(); Stats stats2 = agent.post(target2, content, n, c); long finishTime2 = System.currentTimeMillis(); Stats.printStats(target2, startTime2, finishTime2, stats2); } finally { agent.shutdown(); } agent.init(); System.out.println("---------------------------------"); } } finally { server.stop(); } server.join(); } static class RandomDataHandler extends AbstractHandler { public RandomDataHandler() { super(); } public void handle( final String target, final Request baseRequest, final HttpServletRequest request, final HttpServletResponse response) throws IOException, ServletException { if (target.equals("/rnd")) { rnd(request, response); } else if (target.equals("/echo")) { echo(request, response); } else { response.setStatus(HttpStatus.NOT_FOUND_404); Writer writer = response.getWriter(); writer.write("Target not found: " + target); writer.flush(); } } private void rnd( final HttpServletRequest request, final HttpServletResponse response) throws IOException, ServletException { int count = 100; String s = request.getParameter("c"); try { count = Integer.parseInt(s); } catch (NumberFormatException ex) { response.setStatus(500); Writer writer = response.getWriter(); writer.write("Invalid query format: " + request.getQueryString()); writer.flush(); return; } response.setStatus(200); response.setContentLength(count); OutputStream outstream = response.getOutputStream(); byte[] tmp = new byte[1024]; int r = Math.abs(tmp.hashCode()); int remaining = count; while (remaining > 0) { int chunk = Math.min(tmp.length, remaining); for (int i = 0; i < chunk; i++) { tmp[i] = (byte) ((r + i) % 96 + 32); } outstream.write(tmp, 0, chunk); remaining -= chunk; } outstream.flush(); } private void echo( final HttpServletRequest request, final HttpServletResponse response) throws IOException, ServletException { ByteArrayOutputStream2 buffer = new ByteArrayOutputStream2(); InputStream instream = request.getInputStream(); if (instream != null) { IO.copy(instream, buffer); buffer.flush(); } byte[] content = buffer.getBuf(); response.setStatus(200); response.setContentLength(content.length); OutputStream outstream = response.getOutputStream(); outstream.write(content); outstream.flush(); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient-benchmark/src/main/java/org/apache/http/client/benchmark/Benchmark.java
Java
gpl3
7,901
/* * ==================================================================== * * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.http.client.benchmark; import java.io.IOException; import java.io.InputStream; import java.io.OutputStream; import java.net.HttpURLConnection; import java.net.URI; import java.net.URL; public class TestHttpJRE implements TestHttpAgent { public TestHttpJRE() { super(); } public void init() { } public void shutdown() { } Stats execute(final URI targetURI, byte[] content, int n, int c) throws Exception { System.setProperty("http.maxConnections", Integer.toString(c)); URL target = targetURI.toURL(); Stats stats = new Stats(n, c); WorkerThread[] workers = new WorkerThread[c]; for (int i = 0; i < workers.length; i++) { workers[i] = new WorkerThread(stats, target, content); } for (int i = 0; i < workers.length; i++) { workers[i].start(); } for (int i = 0; i < workers.length; i++) { workers[i].join(); } return stats; } class WorkerThread extends Thread { private final Stats stats; private final URL target; private final byte[] content; WorkerThread(final Stats stats, final URL target, final byte[] content) { super(); this.stats = stats; this.target = target; this.content = content; } @Override public void run() { byte[] buffer = new byte[4096]; while (!this.stats.isComplete()) { long contentLen = 0; try { HttpURLConnection conn = (HttpURLConnection) this.target.openConnection(); conn.setReadTimeout(15000); if (this.content != null) { conn.setRequestMethod("POST"); conn.setFixedLengthStreamingMode(this.content.length); conn.setUseCaches (false); conn.setDoInput(true); conn.setDoOutput(true); OutputStream out = conn.getOutputStream(); try { out.write(this.content); out.flush (); } finally { out.close(); } } InputStream instream = conn.getInputStream(); if (instream != null) { try { int l = 0; while ((l = instream.read(buffer)) != -1) { contentLen += l; } } finally { instream.close(); } } if (conn.getResponseCode() == 200) { this.stats.success(contentLen); } else { this.stats.failure(contentLen); } } catch (IOException ex) { this.stats.failure(contentLen); } } } } public Stats get(final URI target, int n, int c) throws Exception { return execute(target, null, n, c); } public Stats post(final URI target, byte[] content, int n, int c) throws Exception { return execute(target, content, n, c); } public String getClientName() { return "JRE HTTP " + System.getProperty("java.version"); } public static void main(String[] args) throws Exception { if (args.length < 2) { System.out.println("Usage: <target URI> <no of requests> <concurrent connections>"); System.exit(-1); } URI targetURI = new URI(args[0]); int n = Integer.parseInt(args[1]); int c = 1; if (args.length > 2) { c = Integer.parseInt(args[2]); } TestHttpJRE test = new TestHttpJRE(); test.init(); try { long startTime = System.currentTimeMillis(); Stats stats = test.get(targetURI, n, c); long finishTime = System.currentTimeMillis(); Stats.printStats(targetURI, startTime, finishTime, stats); } finally { test.shutdown(); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient-benchmark/src/main/java/org/apache/http/client/benchmark/TestHttpJRE.java
Java
gpl3
5,560
/* * ==================================================================== * * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.http.client.benchmark; import java.io.IOException; import java.net.URI; import com.ning.http.client.AsyncHandler; import com.ning.http.client.AsyncHttpClient; import com.ning.http.client.AsyncHttpClientConfig; import com.ning.http.client.HttpResponseBodyPart; import com.ning.http.client.HttpResponseHeaders; import com.ning.http.client.HttpResponseStatus; import com.ning.http.client.Request; public class TestNingHttpClient implements TestHttpAgent { private AsyncHttpClient client; public TestNingHttpClient() { super(); } public void init() throws Exception { } public void shutdown() throws Exception { this.client.close(); } Stats execute(final URI targetURI, byte[] content, int n, int c) throws Exception { if (this.client != null) { this.client.close(); } AsyncHttpClientConfig config = new AsyncHttpClientConfig.Builder() .setAllowPoolingConnection(true) .setCompressionEnabled(false) .setMaximumConnectionsPerHost(c) .setMaximumConnectionsTotal(2000) .setRequestTimeoutInMs(15000) .build(); this.client = new AsyncHttpClient(config); Stats stats = new Stats(n, c); for (int i = 0; i < n; i++) { Request request; if (content == null) { request = this.client.prepareGet(targetURI.toASCIIString()) .build(); } else { request = this.client.preparePost(targetURI.toASCIIString()) .setBody(content) .build(); } try { this.client.executeRequest(request, new SimpleAsyncHandler(stats)); } catch (IOException ex) { } } stats.waitFor(); return stats; } public Stats get(final URI target, int n, int c) throws Exception { return execute(target, null, n, c); } public Stats post(final URI target, byte[] content, int n, int c) throws Exception { return execute(target, content, n, c); } public String getClientName() { return "Ning Async HTTP client 1.4.0"; } static class SimpleAsyncHandler implements AsyncHandler<Object> { private final Stats stats; private int status = 0; private long contentLen = 0; SimpleAsyncHandler(final Stats stats) { super(); this.stats = stats; } public STATE onStatusReceived(final HttpResponseStatus responseStatus) throws Exception { this.status = responseStatus.getStatusCode(); return STATE.CONTINUE; } public STATE onHeadersReceived(final HttpResponseHeaders headers) throws Exception { return STATE.CONTINUE; } public STATE onBodyPartReceived(final HttpResponseBodyPart bodyPart) throws Exception { this.contentLen += bodyPart.getBodyPartBytes().length; return STATE.CONTINUE; } public Object onCompleted() throws Exception { if (this.status == 200) { this.stats.success(this.contentLen); } else { this.stats.failure(this.contentLen); } return STATE.CONTINUE; } public void onThrowable(final Throwable t) { this.stats.failure(this.contentLen); } }; public static void main(String[] args) throws Exception { if (args.length < 2) { System.out.println("Usage: <target URI> <no of requests> <concurrent connections>"); System.exit(-1); } URI targetURI = new URI(args[0]); int n = Integer.parseInt(args[1]); int c = 1; if (args.length > 2) { c = Integer.parseInt(args[2]); } TestNingHttpClient test = new TestNingHttpClient(); test.init(); try { long startTime = System.currentTimeMillis(); Stats stats = test.get(targetURI, n, c); long finishTime = System.currentTimeMillis(); Stats.printStats(targetURI, startTime, finishTime, stats); } finally { test.shutdown(); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient-benchmark/src/main/java/org/apache/http/client/benchmark/TestNingHttpClient.java
Java
gpl3
5,492
/* * ==================================================================== * * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.http.client.benchmark; import java.io.IOException; import java.io.InputStream; import java.net.URI; import org.apache.commons.httpclient.HttpClient; import org.apache.commons.httpclient.HttpMethod; import org.apache.commons.httpclient.HttpMethodRetryHandler; import org.apache.commons.httpclient.HttpVersion; import org.apache.commons.httpclient.MultiThreadedHttpConnectionManager; import org.apache.commons.httpclient.methods.ByteArrayRequestEntity; import org.apache.commons.httpclient.methods.GetMethod; import org.apache.commons.httpclient.methods.PostMethod; import org.apache.commons.httpclient.params.HttpMethodParams; public class TestHttpClient3 implements TestHttpAgent { private final MultiThreadedHttpConnectionManager mgr; private final HttpClient httpclient; public TestHttpClient3() { super(); this.mgr = new MultiThreadedHttpConnectionManager(); this.httpclient = new HttpClient(this.mgr); this.httpclient.getParams().setVersion( HttpVersion.HTTP_1_1); this.httpclient.getParams().setBooleanParameter( HttpMethodParams.USE_EXPECT_CONTINUE, false); this.httpclient.getHttpConnectionManager().getParams() .setStaleCheckingEnabled(false); this.httpclient.getParams().setSoTimeout(15000); HttpMethodRetryHandler retryhandler = new HttpMethodRetryHandler() { public boolean retryMethod(final HttpMethod httpmethod, final IOException ex, int count) { return false; } }; this.httpclient.getParams().setParameter(HttpMethodParams.RETRY_HANDLER, retryhandler); } public void init() { } public void shutdown() { this.mgr.shutdown(); } Stats execute(final URI target, final byte[] content, int n, int c) throws Exception { this.mgr.getParams().setMaxTotalConnections(2000); this.mgr.getParams().setDefaultMaxConnectionsPerHost(c); Stats stats = new Stats(n, c); WorkerThread[] workers = new WorkerThread[c]; for (int i = 0; i < workers.length; i++) { workers[i] = new WorkerThread(stats, target, content); } for (int i = 0; i < workers.length; i++) { workers[i].start(); } for (int i = 0; i < workers.length; i++) { workers[i].join(); } return stats; } class WorkerThread extends Thread { private final Stats stats; private final URI target; private final byte[] content; WorkerThread(final Stats stats, final URI target, final byte[] content) { super(); this.stats = stats; this.target = target; this.content = content; } @Override public void run() { byte[] buffer = new byte[4096]; while (!this.stats.isComplete()) { HttpMethod httpmethod; if (this.content == null) { GetMethod httpget = new GetMethod(target.toASCIIString()); httpmethod = httpget; } else { PostMethod httppost = new PostMethod(target.toASCIIString()); httppost.setRequestEntity(new ByteArrayRequestEntity(content)); httpmethod = httppost; } long contentLen = 0; try { httpclient.executeMethod(httpmethod); InputStream instream = httpmethod.getResponseBodyAsStream(); if (instream != null) { int l = 0; while ((l = instream.read(buffer)) != -1) { contentLen += l; } } this.stats.success(contentLen); } catch (IOException ex) { this.stats.failure(contentLen); } finally { httpmethod.releaseConnection(); } } } } public Stats get(final URI target, int n, int c) throws Exception { return execute(target, null, n, c); } public Stats post(URI target, byte[] content, int n, int c) throws Exception { return execute(target, content, n, c); } public String getClientName() { return "Apache HttpClient 3.1"; } public static void main(String[] args) throws Exception { if (args.length < 2) { System.out.println("Usage: <target URI> <no of requests> <concurrent connections>"); System.exit(-1); } URI targetURI = new URI(args[0]); int n = Integer.parseInt(args[1]); int c = 1; if (args.length > 2) { c = Integer.parseInt(args[2]); } TestHttpClient3 test = new TestHttpClient3(); test.init(); try { long startTime = System.currentTimeMillis(); Stats stats = test.get(targetURI, n, c); long finishTime = System.currentTimeMillis(); Stats.printStats(targetURI, startTime, finishTime, stats); } finally { test.shutdown(); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient-benchmark/src/main/java/org/apache/http/client/benchmark/TestHttpClient3.java
Java
gpl3
6,452
/* * ==================================================================== * * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.http.client.benchmark; import java.net.URI; public class Stats { private final int expectedCount; private final int concurrency; private int successCount = 0; private int failureCount = 0; private long contentLen = 0; private long totalContentLen = 0; public Stats(int expectedCount, int concurrency) { super(); this.expectedCount = expectedCount; this.concurrency = concurrency; } public synchronized boolean isComplete() { return this.successCount + this.failureCount >= this.expectedCount; } public synchronized void success(long contentLen) { if (isComplete()) return; this.successCount++; this.contentLen = contentLen; this.totalContentLen += contentLen; notifyAll(); } public synchronized void failure(long contentLen) { if (isComplete()) return; this.failureCount++; this.contentLen = contentLen; this.totalContentLen += contentLen; notifyAll(); } public int getConcurrency() { return this.concurrency; } public synchronized int getSuccessCount() { return successCount; } public synchronized int getFailureCount() { return failureCount; } public void setFailureCount(int failureCount) { this.failureCount = failureCount; } public synchronized long getContentLen() { return contentLen; } public synchronized long getTotalContentLen() { return totalContentLen; } public synchronized void waitFor() throws InterruptedException { while (!isComplete()) { wait(); } } public static void printStats( final URI targetURI, long startTime, long finishTime, final Stats stats) { float totalTimeSec = (float) (finishTime - startTime) / 1000; float reqsPerSec = (float) stats.getSuccessCount() / totalTimeSec; float timePerReqMs = (float) (finishTime - startTime) / (float) stats.getSuccessCount(); System.out.print("Document URI:\t\t"); System.out.println(targetURI); System.out.print("Document Length:\t"); System.out.print(stats.getContentLen()); System.out.println(" bytes"); System.out.println(); System.out.print("Concurrency level:\t"); System.out.println(stats.getConcurrency()); System.out.print("Time taken for tests:\t"); System.out.print(totalTimeSec); System.out.println(" seconds"); System.out.print("Complete requests:\t"); System.out.println(stats.getSuccessCount()); System.out.print("Failed requests:\t"); System.out.println(stats.getFailureCount()); System.out.print("Content transferred:\t"); System.out.print(stats.getTotalContentLen()); System.out.println(" bytes"); System.out.print("Requests per second:\t"); System.out.print(reqsPerSec); System.out.println(" [#/sec] (mean)"); System.out.print("Time per request:\t"); System.out.print(timePerReqMs); System.out.println(" [ms] (mean)"); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient-benchmark/src/main/java/org/apache/http/client/benchmark/Stats.java
Java
gpl3
4,374
/* * ==================================================================== * * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.http.client.benchmark; import java.net.URI; public interface TestHttpAgent { void init() throws Exception; void shutdown() throws Exception; String getClientName(); Stats get(URI target, int n, int c) throws Exception; Stats post(URI target, byte[] content, int n, int c) throws Exception; }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient-benchmark/src/main/java/org/apache/http/client/benchmark/TestHttpAgent.java
Java
gpl3
1,531
/* * ==================================================================== * * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.http.client.benchmark; import java.io.IOException; import java.io.InputStream; import java.net.Socket; import java.net.URI; import org.apache.http.ConnectionReuseStrategy; import org.apache.http.HeaderIterator; import org.apache.http.HttpEntity; import org.apache.http.HttpException; import org.apache.http.HttpHost; import org.apache.http.HttpRequest; import org.apache.http.HttpRequestInterceptor; import org.apache.http.HttpResponse; import org.apache.http.HttpVersion; import org.apache.http.entity.ByteArrayEntity; import org.apache.http.impl.DefaultConnectionReuseStrategy; import org.apache.http.impl.DefaultHttpClientConnection; import org.apache.http.message.BasicHttpEntityEnclosingRequest; import org.apache.http.message.BasicHttpRequest; import org.apache.http.params.HttpConnectionParams; import org.apache.http.params.HttpParams; import org.apache.http.params.HttpProtocolParams; import org.apache.http.params.SyncBasicHttpParams; import org.apache.http.protocol.BasicHttpContext; import org.apache.http.protocol.ExecutionContext; import org.apache.http.protocol.HttpContext; import org.apache.http.protocol.HttpProcessor; import org.apache.http.protocol.HttpRequestExecutor; import org.apache.http.protocol.ImmutableHttpProcessor; import org.apache.http.protocol.RequestConnControl; import org.apache.http.protocol.RequestContent; import org.apache.http.protocol.RequestTargetHost; import org.apache.http.protocol.RequestUserAgent; import org.apache.http.util.VersionInfo; public class TestHttpCore implements TestHttpAgent { private final HttpParams params; private final HttpProcessor httpproc; private final HttpRequestExecutor httpexecutor; private final ConnectionReuseStrategy connStrategy; public TestHttpCore() { super(); this.params = new SyncBasicHttpParams(); this.params.setParameter(HttpProtocolParams.PROTOCOL_VERSION, HttpVersion.HTTP_1_1); this.params.setBooleanParameter(HttpProtocolParams.USE_EXPECT_CONTINUE, false); this.params.setBooleanParameter(HttpConnectionParams.STALE_CONNECTION_CHECK, false); this.params.setIntParameter(HttpConnectionParams.SOCKET_BUFFER_SIZE, 8 * 1024); this.params.setIntParameter(HttpConnectionParams.SO_TIMEOUT, 15000); this.httpproc = new ImmutableHttpProcessor(new HttpRequestInterceptor[] { new RequestContent(), new RequestTargetHost(), new RequestConnControl(), new RequestUserAgent() }, null); this.httpexecutor = new HttpRequestExecutor(); this.connStrategy = new DefaultConnectionReuseStrategy(); } public void init() { } public void shutdown() { } Stats execute(final URI target, final byte[] content, int n, int c) throws Exception { HttpHost targetHost = new HttpHost(target.getHost(), target.getPort()); StringBuilder buffer = new StringBuilder(); buffer.append(target.getPath()); if (target.getQuery() != null) { buffer.append("?"); buffer.append(target.getQuery()); } String requestUri = buffer.toString(); Stats stats = new Stats(n, c); WorkerThread[] workers = new WorkerThread[c]; for (int i = 0; i < workers.length; i++) { workers[i] = new WorkerThread(stats, targetHost, requestUri, content); } for (int i = 0; i < workers.length; i++) { workers[i].start(); } for (int i = 0; i < workers.length; i++) { workers[i].join(); } return stats; } class WorkerThread extends Thread { private final Stats stats; private final HttpHost targetHost; private final String requestUri; private final byte[] content; WorkerThread(final Stats stats, final HttpHost targetHost, final String requestUri, final byte[] content) { super(); this.stats = stats; this.targetHost = targetHost; this.requestUri = requestUri; this.content = content; } @Override public void run() { byte[] buffer = new byte[4096]; HttpContext context = new BasicHttpContext(); DefaultHttpClientConnection conn = new DefaultHttpClientConnection(); try { while (!this.stats.isComplete()) { HttpRequest request; if (this.content == null) { BasicHttpRequest httpget = new BasicHttpRequest("GET", this.requestUri); request = httpget; } else { BasicHttpEntityEnclosingRequest httppost = new BasicHttpEntityEnclosingRequest("POST", this.requestUri); httppost.setEntity(new ByteArrayEntity(this.content)); request = httppost; } long contentLen = 0; try { if (!conn.isOpen()) { Socket socket = new Socket( this.targetHost.getHostName(), this.targetHost.getPort() > 0 ? this.targetHost.getPort() : 80); conn.bind(socket, params); } context.setAttribute(ExecutionContext.HTTP_CONNECTION, conn); context.setAttribute(ExecutionContext.HTTP_TARGET_HOST, targetHost); httpexecutor.preProcess(request, httpproc, context); HttpResponse response = httpexecutor.execute(request, conn, context); httpexecutor.postProcess(response, httpproc, context); HttpEntity entity = response.getEntity(); if (entity != null) { InputStream instream = entity.getContent(); try { contentLen = 0; if (instream != null) { int l = 0; while ((l = instream.read(buffer)) != -1) { contentLen += l; } } } finally { instream.close(); } } if (!connStrategy.keepAlive(response, context)) { conn.close(); } for (HeaderIterator it = request.headerIterator(); it.hasNext();) { it.next(); it.remove(); } this.stats.success(contentLen); } catch (IOException ex) { this.stats.failure(contentLen); } catch (HttpException ex) { this.stats.failure(contentLen); } } } finally { try { conn.shutdown(); } catch (IOException ignore) {} } } } public Stats get(final URI target, int n, int c) throws Exception { return execute(target, null, n, c); } public Stats post(final URI target, byte[] content, int n, int c) throws Exception { return execute(target, content, n, c); } public String getClientName() { VersionInfo vinfo = VersionInfo.loadVersionInfo("org.apache.http", Thread.currentThread().getContextClassLoader()); return "Apache HttpCore 4 (ver: " + ((vinfo != null) ? vinfo.getRelease() : VersionInfo.UNAVAILABLE) + ")"; } public static void main(String[] args) throws Exception { if (args.length < 2) { System.out.println("Usage: <target URI> <no of requests> <concurrent connections>"); System.exit(-1); } URI targetURI = new URI(args[0]); int n = Integer.parseInt(args[1]); int c = 1; if (args.length > 2) { c = Integer.parseInt(args[2]); } TestHttpCore test = new TestHttpCore(); test.init(); try { long startTime = System.currentTimeMillis(); Stats stats = test.get(targetURI, n, c); long finishTime = System.currentTimeMillis(); Stats.printStats(targetURI, startTime, finishTime, stats); } finally { test.shutdown(); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient-benchmark/src/main/java/org/apache/http/client/benchmark/TestHttpCore.java
Java
gpl3
10,054
/* * ==================================================================== * * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.http.client.benchmark; import java.io.IOException; import java.io.InputStream; import java.net.URI; import org.apache.http.HttpEntity; import org.apache.http.HttpResponse; import org.apache.http.HttpVersion; import org.apache.http.client.HttpRequestRetryHandler; import org.apache.http.client.methods.HttpGet; import org.apache.http.client.methods.HttpPost; import org.apache.http.client.methods.HttpUriRequest; import org.apache.http.conn.scheme.PlainSocketFactory; import org.apache.http.conn.scheme.Scheme; import org.apache.http.conn.scheme.SchemeRegistry; import org.apache.http.conn.ssl.SSLSocketFactory; import org.apache.http.entity.ByteArrayEntity; import org.apache.http.impl.client.DefaultHttpClient; import org.apache.http.impl.conn.tsccm.ThreadSafeClientConnManager; import org.apache.http.params.HttpConnectionParams; import org.apache.http.params.HttpParams; import org.apache.http.params.HttpProtocolParams; import org.apache.http.params.SyncBasicHttpParams; import org.apache.http.protocol.HttpContext; import org.apache.http.util.VersionInfo; public class TestHttpClient4 implements TestHttpAgent { private final ThreadSafeClientConnManager mgr; private final DefaultHttpClient httpclient; public TestHttpClient4() { super(); HttpParams params = new SyncBasicHttpParams(); params.setParameter(HttpProtocolParams.PROTOCOL_VERSION, HttpVersion.HTTP_1_1); params.setBooleanParameter(HttpProtocolParams.USE_EXPECT_CONTINUE, false); params.setBooleanParameter(HttpConnectionParams.STALE_CONNECTION_CHECK, false); params.setIntParameter(HttpConnectionParams.SOCKET_BUFFER_SIZE, 8 * 1024); params.setIntParameter(HttpConnectionParams.SO_TIMEOUT, 15000); SchemeRegistry schemeRegistry = new SchemeRegistry(); schemeRegistry.register(new Scheme("http", 80, PlainSocketFactory.getSocketFactory())); schemeRegistry.register(new Scheme("https", 443, SSLSocketFactory.getSocketFactory())); this.mgr = new ThreadSafeClientConnManager(schemeRegistry); this.httpclient = new DefaultHttpClient(this.mgr, params); this.httpclient.setHttpRequestRetryHandler(new HttpRequestRetryHandler() { public boolean retryRequest( final IOException exception, int executionCount, final HttpContext context) { return false; } }); } public void init() { } public void shutdown() { this.mgr.shutdown(); } Stats execute(final URI target, final byte[] content, int n, int c) throws Exception { this.mgr.setMaxTotal(2000); this.mgr.setDefaultMaxPerRoute(c); Stats stats = new Stats(n, c); WorkerThread[] workers = new WorkerThread[c]; for (int i = 0; i < workers.length; i++) { workers[i] = new WorkerThread(stats, target, content); } for (int i = 0; i < workers.length; i++) { workers[i].start(); } for (int i = 0; i < workers.length; i++) { workers[i].join(); } return stats; } class WorkerThread extends Thread { private final Stats stats; private final URI target; private final byte[] content; WorkerThread(final Stats stats, final URI target, final byte[] content) { super(); this.stats = stats; this.target = target; this.content = content; } @Override public void run() { byte[] buffer = new byte[4096]; while (!this.stats.isComplete()) { HttpUriRequest request; if (this.content == null) { HttpGet httpget = new HttpGet(target); request = httpget; } else { HttpPost httppost = new HttpPost(target); httppost.setEntity(new ByteArrayEntity(content)); request = httppost; } long contentLen = 0; try { HttpResponse response = httpclient.execute(request); HttpEntity entity = response.getEntity(); if (entity != null) { InputStream instream = entity.getContent(); try { contentLen = 0; if (instream != null) { int l = 0; while ((l = instream.read(buffer)) != -1) { contentLen += l; } } } finally { instream.close(); } } this.stats.success(contentLen); } catch (IOException ex) { this.stats.failure(contentLen); request.abort(); } } } } public Stats get(final URI target, int n, int c) throws Exception { return execute(target, null, n ,c); } public Stats post(final URI target, byte[] content, int n, int c) throws Exception { return execute(target, content, n, c); } public String getClientName() { VersionInfo vinfo = VersionInfo.loadVersionInfo("org.apache.http.client", Thread.currentThread().getContextClassLoader()); return "Apache HttpClient 4 (ver: " + ((vinfo != null) ? vinfo.getRelease() : VersionInfo.UNAVAILABLE) + ")"; } public static void main(String[] args) throws Exception { if (args.length < 2) { System.out.println("Usage: <target URI> <no of requests> <concurrent connections>"); System.exit(-1); } URI targetURI = new URI(args[0]); int n = Integer.parseInt(args[1]); int c = 1; if (args.length > 2) { c = Integer.parseInt(args[2]); } TestHttpClient4 test = new TestHttpClient4(); test.init(); try { long startTime = System.currentTimeMillis(); Stats stats = test.get(targetURI, n, c); long finishTime = System.currentTimeMillis(); Stats.printStats(targetURI, startTime, finishTime, stats); } finally { test.shutdown(); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient-benchmark/src/main/java/org/apache/http/client/benchmark/TestHttpClient4.java
Java
gpl3
7,737
/* * ==================================================================== * * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.http.client.benchmark; import java.io.IOException; import java.net.URI; import org.eclipse.jetty.client.HttpClient; import org.eclipse.jetty.client.HttpExchange; import org.eclipse.jetty.io.Buffer; import org.eclipse.jetty.io.ByteArrayBuffer; import org.eclipse.jetty.server.Server; public class TestJettyHttpClient implements TestHttpAgent { private final HttpClient client; public TestJettyHttpClient() { super(); this.client = new HttpClient(); this.client.setRequestBufferSize(8 * 1024); this.client.setResponseBufferSize(8 * 1024); this.client.setConnectorType(HttpClient.CONNECTOR_SELECT_CHANNEL); this.client.setTimeout(15000); } public void init() throws Exception { this.client.start(); } public void shutdown() throws Exception { this.client.stop(); } Stats execute(final URI targetURI, byte[] content, int n, int c) throws Exception { this.client.setMaxConnectionsPerAddress(c); Stats stats = new Stats(n, c); for (int i = 0; i < n; i++) { SimpleHttpExchange exchange = new SimpleHttpExchange(stats); exchange.setURL(targetURI.toASCIIString()); if (content != null) { exchange.setMethod("POST"); exchange.setRequestContent(new ByteArrayBuffer(content)); } try { this.client.send(exchange); } catch (IOException ex) { } } stats.waitFor(); return stats; } public Stats get(final URI target, int n, int c) throws Exception { return execute(target, null, n, c); } public Stats post(final URI target, byte[] content, int n, int c) throws Exception { return execute(target, content, n, c); } public String getClientName() { return "Jetty " + Server.getVersion(); } static class SimpleHttpExchange extends HttpExchange { private final Stats stats; private int status = 0; private long contentLen = 0; SimpleHttpExchange(final Stats stats) { super(); this.stats = stats; } protected void onResponseStatus( final Buffer version, int status, final Buffer reason) throws IOException { this.status = status; super.onResponseStatus(version, status, reason); } @Override protected void onResponseContent(final Buffer content) throws IOException { byte[] tmp = new byte[content.length()]; content.get(tmp, 0, tmp.length); this.contentLen += tmp.length; super.onResponseContent(content); } @Override protected void onResponseComplete() throws IOException { if (this.status == 200) { this.stats.success(this.contentLen); } else { this.stats.failure(this.contentLen); } super.onResponseComplete(); } @Override protected void onConnectionFailed(final Throwable x) { this.stats.failure(this.contentLen); super.onConnectionFailed(x); } @Override protected void onException(final Throwable x) { this.stats.failure(this.contentLen); super.onException(x); } }; public static void main(String[] args) throws Exception { if (args.length < 2) { System.out.println("Usage: <target URI> <no of requests> <concurrent connections>"); System.exit(-1); } URI targetURI = new URI(args[0]); int n = Integer.parseInt(args[1]); int c = 1; if (args.length > 2) { c = Integer.parseInt(args[2]); } TestJettyHttpClient test = new TestJettyHttpClient(); test.init(); try { long startTime = System.currentTimeMillis(); Stats stats = test.get(targetURI, n, c); long finishTime = System.currentTimeMillis(); Stats.printStats(targetURI, startTime, finishTime, stats); } finally { test.shutdown(); } } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient-benchmark/src/main/java/org/apache/http/client/benchmark/TestJettyHttpClient.java
Java
gpl3
5,433
@import url("../../../css/hc-maven.css");
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient-cache/src/site/resources/css/site.css
CSS
gpl3
42
@import url("../../css/hc-maven.css");
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/src/site/resources/css/site.css
CSS
gpl3
39
<?xml version="1.0" encoding="utf-8"?> <!-- ==================================================================== Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many individuals on behalf of the Apache Software Foundation. For more information on the Apache Software Foundation, please see <http://www.apache.org />. ==================================================================== Based on XSL FO (PDF) stylesheet for the Spring reference documentation. Thanks are due to Christian Bauer of the Hibernate project team for writing the original stylesheet upon which this one is based. --> <xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" xmlns:fo="http://www.w3.org/1999/XSL/Format" version="1.0"> <xsl:import href="urn:docbkx:stylesheet"/> <!-- Prevent blank pages in output --> <xsl:template name="book.titlepage.before.verso"> </xsl:template> <xsl:template name="book.titlepage.verso"> </xsl:template> <xsl:template name="book.titlepage.separator"> </xsl:template> <!--################################################### Header ################################################### --> <!-- More space in the center header for long text --> <xsl:attribute-set name="header.content.properties"> <xsl:attribute name="font-family"> <xsl:value-of select="$body.font.family"/> </xsl:attribute> <xsl:attribute name="margin-left">-5em</xsl:attribute> <xsl:attribute name="margin-right">-5em</xsl:attribute> </xsl:attribute-set> <!--################################################### Custom Footer ################################################### --> <xsl:template name="footer.content"> <xsl:param name="pageclass" select="''"/> <xsl:param name="sequence" select="''"/> <xsl:param name="position" select="''"/> <xsl:param name="gentext-key" select="''"/> <xsl:variable name="Version"> <xsl:if test="//releaseinfo"> <xsl:text>HttpClient (</xsl:text> <xsl:value-of select="//releaseinfo"/> <xsl:text>)</xsl:text> </xsl:if> </xsl:variable> <xsl:choose> <xsl:when test="$sequence='blank'"> <xsl:if test="$position = 'center'"> <xsl:value-of select="$Version"/> </xsl:if> </xsl:when> <!-- for double sided printing, print page numbers on alternating sides (of the page) --> <xsl:when test="$double.sided != 0"> <xsl:choose> <xsl:when test="$sequence = 'even' and $position='left'"> <fo:page-number/> </xsl:when> <xsl:when test="$sequence = 'odd' and $position='right'"> <fo:page-number/> </xsl:when> <xsl:when test="$position='center'"> <xsl:value-of select="$Version"/> </xsl:when> </xsl:choose> </xsl:when> <!-- for single sided printing, print all page numbers on the right (of the page) --> <xsl:when test="$double.sided = 0"> <xsl:choose> <xsl:when test="$position='center'"> <xsl:value-of select="$Version"/> </xsl:when> <xsl:when test="$position='right'"> <fo:page-number/> </xsl:when> </xsl:choose> </xsl:when> </xsl:choose> </xsl:template> <!--################################################### Table Of Contents ################################################### --> <!-- Generate the TOCs for named components only --> <xsl:param name="generate.toc"> book toc </xsl:param> <!-- Show only Sections up to level 3 in the TOCs --> <xsl:param name="toc.section.depth">2</xsl:param> <!-- Show titles in bookmarks pane --> <xsl:param name="fop1.extensions">1</xsl:param> <!-- Dot and Whitespace as separator in TOC between Label and Title--> <xsl:param name="autotoc.label.separator" select="'. '"/> <!--################################################### Paper & Page Size ################################################### --> <!-- Paper type, no headers on blank pages, no double sided printing --> <xsl:param name="paper.type" select="'A4'"/> <xsl:param name="double.sided">0</xsl:param> <xsl:param name="headers.on.blank.pages">0</xsl:param> <xsl:param name="footers.on.blank.pages">0</xsl:param> <!-- Space between paper border and content (chaotic stuff, don't touch) --> <xsl:param name="page.margin.top">5mm</xsl:param> <xsl:param name="region.before.extent">10mm</xsl:param> <xsl:param name="body.margin.top">10mm</xsl:param> <xsl:param name="body.margin.bottom">15mm</xsl:param> <xsl:param name="region.after.extent">10mm</xsl:param> <xsl:param name="page.margin.bottom">0mm</xsl:param> <xsl:param name="page.margin.outer">18mm</xsl:param> <xsl:param name="page.margin.inner">18mm</xsl:param> <!-- No intendation of Titles --> <xsl:param name="title.margin.left">0pc</xsl:param> <!--################################################### Fonts & Styles ################################################### --> <!-- Left aligned text and no hyphenation --> <xsl:param name="alignment">justify</xsl:param> <xsl:param name="hyphenate">false</xsl:param> <!-- Default Font size --> <xsl:param name="body.font.master">11</xsl:param> <xsl:param name="body.font.small">8</xsl:param> <!-- Line height in body text --> <xsl:param name="line-height">1.4</xsl:param> <!-- Monospaced fonts are smaller than regular text --> <xsl:attribute-set name="monospace.properties"> <xsl:attribute name="font-family"> <xsl:value-of select="$monospace.font.family"/> </xsl:attribute> <xsl:attribute name="font-size">0.8em</xsl:attribute> </xsl:attribute-set> <!--################################################### Tables ################################################### --> <!-- The table width should be adapted to the paper size --> <xsl:param name="default.table.width">17.4cm</xsl:param> <!-- Some padding inside tables --> <xsl:attribute-set name="table.cell.padding"> <xsl:attribute name="padding-left">4pt</xsl:attribute> <xsl:attribute name="padding-right">4pt</xsl:attribute> <xsl:attribute name="padding-top">4pt</xsl:attribute> <xsl:attribute name="padding-bottom">4pt</xsl:attribute> </xsl:attribute-set> <!-- Only hairlines as frame and cell borders in tables --> <xsl:param name="table.frame.border.thickness">0.1pt</xsl:param> <xsl:param name="table.cell.border.thickness">0.1pt</xsl:param> <!--################################################### Labels ################################################### --> <!-- Label Chapters and Sections (numbering) --> <xsl:param name="chapter.autolabel">1</xsl:param> <xsl:param name="section.autolabel" select="1"/> <xsl:param name="section.label.includes.component.label" select="1"/> <!--################################################### Titles ################################################### --> <!-- Chapter title size --> <xsl:attribute-set name="chapter.titlepage.recto.style"> <xsl:attribute name="text-align">left</xsl:attribute> <xsl:attribute name="font-weight">bold</xsl:attribute> <xsl:attribute name="font-size"> <xsl:value-of select="$body.font.master * 1.8"/> <xsl:text>pt</xsl:text> </xsl:attribute> </xsl:attribute-set> <!-- Why is the font-size for chapters hardcoded in the XSL FO templates? Let's remove it, so this sucker can use our attribute-set only... --> <xsl:template match="title" mode="chapter.titlepage.recto.auto.mode"> <fo:block xmlns:fo="http://www.w3.org/1999/XSL/Format" xsl:use-attribute-sets="chapter.titlepage.recto.style"> <xsl:call-template name="component.title"> <xsl:with-param name="node" select="ancestor-or-self::chapter[1]"/> </xsl:call-template> </fo:block> </xsl:template> <!-- Sections 1, 2 and 3 titles have a small bump factor and padding --> <xsl:attribute-set name="section.title.level1.properties"> <xsl:attribute name="space-before.optimum">0.8em</xsl:attribute> <xsl:attribute name="space-before.minimum">0.8em</xsl:attribute> <xsl:attribute name="space-before.maximum">0.8em</xsl:attribute> <xsl:attribute name="font-size"> <xsl:value-of select="$body.font.master * 1.5"/> <xsl:text>pt</xsl:text> </xsl:attribute> <xsl:attribute name="space-after.optimum">0.1em</xsl:attribute> <xsl:attribute name="space-after.minimum">0.1em</xsl:attribute> <xsl:attribute name="space-after.maximum">0.1em</xsl:attribute> </xsl:attribute-set> <xsl:attribute-set name="section.title.level2.properties"> <xsl:attribute name="space-before.optimum">0.6em</xsl:attribute> <xsl:attribute name="space-before.minimum">0.6em</xsl:attribute> <xsl:attribute name="space-before.maximum">0.6em</xsl:attribute> <xsl:attribute name="font-size"> <xsl:value-of select="$body.font.master * 1.25"/> <xsl:text>pt</xsl:text> </xsl:attribute> <xsl:attribute name="space-after.optimum">0.1em</xsl:attribute> <xsl:attribute name="space-after.minimum">0.1em</xsl:attribute> <xsl:attribute name="space-after.maximum">0.1em</xsl:attribute> </xsl:attribute-set> <xsl:attribute-set name="section.title.level3.properties"> <xsl:attribute name="space-before.optimum">0.4em</xsl:attribute> <xsl:attribute name="space-before.minimum">0.4em</xsl:attribute> <xsl:attribute name="space-before.maximum">0.4em</xsl:attribute> <xsl:attribute name="font-size"> <xsl:value-of select="$body.font.master * 1.0"/> <xsl:text>pt</xsl:text> </xsl:attribute> <xsl:attribute name="space-after.optimum">0.1em</xsl:attribute> <xsl:attribute name="space-after.minimum">0.1em</xsl:attribute> <xsl:attribute name="space-after.maximum">0.1em</xsl:attribute> </xsl:attribute-set> <!-- Titles of formal objects (tables, examples, ...) --> <xsl:attribute-set name="formal.title.properties" use-attribute-sets="normal.para.spacing"> <xsl:attribute name="font-weight">bold</xsl:attribute> <xsl:attribute name="font-size"> <xsl:value-of select="$body.font.master"/> <xsl:text>pt</xsl:text> </xsl:attribute> <xsl:attribute name="hyphenate">false</xsl:attribute> <xsl:attribute name="space-after.minimum">0.4em</xsl:attribute> <xsl:attribute name="space-after.optimum">0.6em</xsl:attribute> <xsl:attribute name="space-after.maximum">0.8em</xsl:attribute> </xsl:attribute-set> <!--################################################### Programlistings ################################################### --> <!-- Verbatim text formatting (programlistings) --> <xsl:attribute-set name="monospace.verbatim.properties"> <xsl:attribute name="font-size"> <xsl:value-of select="$body.font.small * 1.0"/> <xsl:text>pt</xsl:text> </xsl:attribute> </xsl:attribute-set> <xsl:attribute-set name="verbatim.properties"> <xsl:attribute name="space-before.minimum">1em</xsl:attribute> <xsl:attribute name="space-before.optimum">1em</xsl:attribute> <xsl:attribute name="space-before.maximum">1em</xsl:attribute> <xsl:attribute name="border-color">#444444</xsl:attribute> <xsl:attribute name="border-style">solid</xsl:attribute> <xsl:attribute name="border-width">0.1pt</xsl:attribute> <xsl:attribute name="padding-top">0.5em</xsl:attribute> <xsl:attribute name="padding-left">0.5em</xsl:attribute> <xsl:attribute name="padding-right">0.5em</xsl:attribute> <xsl:attribute name="padding-bottom">0.5em</xsl:attribute> <xsl:attribute name="margin-left">0.5em</xsl:attribute> <xsl:attribute name="margin-right">0.5em</xsl:attribute> </xsl:attribute-set> <!-- Shade (background) programlistings --> <xsl:param name="shade.verbatim">1</xsl:param> <xsl:attribute-set name="shade.verbatim.style"> <xsl:attribute name="background-color">#F0F0F0</xsl:attribute> </xsl:attribute-set> <!--################################################### Callouts ################################################### --> <!-- Use images for callouts instead of (1) (2) (3) --> <xsl:param name="callout.graphics">0</xsl:param> <xsl:param name="callout.unicode">1</xsl:param> <!-- Place callout marks at this column in annotated areas --> <xsl:param name="callout.defaultcolumn">90</xsl:param> <!--################################################### Admonitions ################################################### --> <!-- Use nice graphics for admonitions --> <xsl:param name="admon.graphics">'1'</xsl:param> <!-- <xsl:param name="admon.graphics.path">&admon_gfx_path;</xsl:param> --> <!--################################################### Misc ################################################### --> <!-- Placement of titles --> <xsl:param name="formal.title.placement"> figure after example before equation before table before procedure before </xsl:param> <!-- Format Variable Lists as Blocks (prevents horizontal overflow) --> <xsl:param name="variablelist.as.blocks">1</xsl:param> <!-- The horrible list spacing problems --> <xsl:attribute-set name="list.block.spacing"> <xsl:attribute name="space-before.optimum">0.8em</xsl:attribute> <xsl:attribute name="space-before.minimum">0.8em</xsl:attribute> <xsl:attribute name="space-before.maximum">0.8em</xsl:attribute> <xsl:attribute name="space-after.optimum">0.1em</xsl:attribute> <xsl:attribute name="space-after.minimum">0.1em</xsl:attribute> <xsl:attribute name="space-after.maximum">0.1em</xsl:attribute> </xsl:attribute-set> <!--################################################### colored and hyphenated links ################################################### --> <xsl:template match="ulink"> <fo:basic-link external-destination="{@url}" xsl:use-attribute-sets="xref.properties" text-decoration="underline" color="blue"> <xsl:choose> <xsl:when test="count(child::node())=0"> <xsl:value-of select="@url"/> </xsl:when> <xsl:otherwise> <xsl:apply-templates/> </xsl:otherwise> </xsl:choose> </fo:basic-link> </xsl:template> </xsl:stylesheet>
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/src/docbkx/resources/xsl/fopdf.xsl
XSLT
gpl3
16,606
<?xml version="1.0" encoding="utf-8"?> <!-- ==================================================================== Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many individuals on behalf of the Apache Software Foundation. For more information on the Apache Software Foundation, please see <http://www.apache.org />. ==================================================================== Based on the XSL HTML configuration file for the Spring Reference Documentation. --> <xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" xmlns:fo="http://www.w3.org/1999/XSL/Format" version="1.0"> <xsl:import href="urn:docbkx:stylesheet"/> <!--################################################### HTML Settings ################################################### --> <xsl:param name="html.stylesheet">html.css</xsl:param> <!-- These extensions are required for table printing and other stuff --> <xsl:param name="use.extensions">1</xsl:param> <xsl:param name="tablecolumns.extension">0</xsl:param> <xsl:param name="callout.extensions">1</xsl:param> <xsl:param name="graphicsize.extension">0</xsl:param> <!--################################################### Table Of Contents ################################################### --> <!-- Generate the TOCs for named components only --> <xsl:param name="generate.toc"> book toc </xsl:param> <!-- Show only Sections up to level 3 in the TOCs --> <xsl:param name="toc.section.depth">3</xsl:param> <!--################################################### Labels ################################################### --> <!-- Label Chapters and Sections (numbering) --> <xsl:param name="chapter.autolabel">1</xsl:param> <xsl:param name="section.autolabel" select="1"/> <xsl:param name="section.label.includes.component.label" select="1"/> <!--################################################### Callouts ################################################### --> <!-- Use images for callouts instead of (1) (2) (3) --> <xsl:param name="callout.graphics">0</xsl:param> <!-- Place callout marks at this column in annotated areas --> <xsl:param name="callout.defaultcolumn">90</xsl:param> <!--################################################### Admonitions ################################################### --> <!-- Use nice graphics for admonitions --> <xsl:param name="admon.graphics">0</xsl:param> <!--################################################### Misc ################################################### --> <!-- Placement of titles --> <xsl:param name="formal.title.placement"> figure after example before equation before table before procedure before </xsl:param> <xsl:template match="author" mode="titlepage.mode"> <xsl:if test="name(preceding-sibling::*[1]) = 'author'"> <xsl:text>, </xsl:text> </xsl:if> <span class="{name(.)}"> <xsl:call-template name="person.name"/> <xsl:apply-templates mode="titlepage.mode" select="./contrib"/> <xsl:apply-templates mode="titlepage.mode" select="./affiliation"/> </span> </xsl:template> <xsl:template match="authorgroup" mode="titlepage.mode"> <div class="{name(.)}"> <h2>Authors</h2> <p/> <xsl:apply-templates mode="titlepage.mode"/> </div> </xsl:template> </xsl:stylesheet>
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/src/docbkx/resources/xsl/html.xsl
XSLT
gpl3
4,600
<?xml version="1.0" encoding="utf-8"?> <!-- ==================================================================== Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many individuals on behalf of the Apache Software Foundation. For more information on the Apache Software Foundation, please see <http://www.apache.org />. ==================================================================== Based on the XSL HTML configuration file for the Spring Reference Documentation. --> <xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" xmlns:fo="http://www.w3.org/1999/XSL/Format" version="1.0"> <xsl:import href="urn:docbkx:stylesheet"/> <!--################################################### HTML Settings ################################################### --> <xsl:param name="chunk.section.depth">'5'</xsl:param> <xsl:param name="use.id.as.filename">'1'</xsl:param> <!-- These extensions are required for table printing and other stuff --> <xsl:param name="use.extensions">1</xsl:param> <xsl:param name="tablecolumns.extension">0</xsl:param> <xsl:param name="callout.extensions">1</xsl:param> <xsl:param name="graphicsize.extension">0</xsl:param> <!--################################################### Table Of Contents ################################################### --> <!-- Generate the TOCs for named components only --> <xsl:param name="generate.toc"> book toc </xsl:param> <!-- Show only Sections up to level 3 in the TOCs --> <xsl:param name="toc.section.depth">3</xsl:param> <!--################################################### Labels ################################################### --> <!-- Label Chapters and Sections (numbering) --> <xsl:param name="chapter.autolabel">1</xsl:param> <xsl:param name="section.autolabel" select="1"/> <xsl:param name="section.label.includes.component.label" select="1"/> <!--################################################### Callouts ################################################### --> <!-- Place callout marks at this column in annotated areas --> <xsl:param name="callout.graphics">1</xsl:param> <xsl:param name="callout.defaultcolumn">90</xsl:param> <!--################################################### Misc ################################################### --> <!-- Placement of titles --> <xsl:param name="formal.title.placement"> figure after example before equation before table before procedure before </xsl:param> <xsl:template match="author" mode="titlepage.mode"> <xsl:if test="name(preceding-sibling::*[1]) = 'author'"> <xsl:text>, </xsl:text> </xsl:if> <span class="{name(.)}"> <xsl:call-template name="person.name"/> <xsl:apply-templates mode="titlepage.mode" select="./contrib"/> <xsl:apply-templates mode="titlepage.mode" select="./affiliation"/> </span> </xsl:template> <xsl:template match="authorgroup" mode="titlepage.mode"> <div class="{name(.)}"> <h2>Authors</h2> <p/> <xsl:apply-templates mode="titlepage.mode"/> </div> </xsl:template> <!--################################################### Headers and Footers ################################################### --> <xsl:template name="user.header.navigation"> <div class="banner"> <a class="bannerLeft" href="http://www.apache.org/" title="Apache Software Foundation"> <img style="border:none;" src="images/asf_logo_wide.gif"/> </a> <a class="bannerRight" href="http://hc.apache.org/httpcomponents-client-ga/" title="Apache HttpComponents Client"> <img style="border:none;" src="images/hc_logo.png"/> </a> <div class="clear"/> </div> </xsl:template> </xsl:stylesheet>
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/src/docbkx/resources/xsl/html_chunk.xsl
XSLT
gpl3
5,083
/* ==================================================================== Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many individuals on behalf of the Apache Software Foundation. For more information on the Apache Software Foundation, please see <http://www.apache.org/>. ==================================================================== Based on the CSS file for the Spring Reference Documentation. */ body { text-align: justify; margin-right: 2em; margin-left: 2em; } a:active { color: #003399; } a:visited { color: #888888; } p { font-family: Verdana, Arial, sans-serif; } dt { font-family: Verdana, Arial, sans-serif; font-size: 12px; } p, dl, dt, dd, blockquote { color: #000000; margin-bottom: 3px; margin-top: 3px; padding-top: 0px; } ol, ul, p { margin-top: 6px; margin-bottom: 6px; } p, blockquote { font-size: 90%; } p.releaseinfo { font-size: 100%; font-weight: bold; font-family: Verdana, Arial, helvetica, sans-serif; padding-top: 10px; } p.pubdate { font-size: 120%; font-weight: bold; font-family: Verdana, Arial, helvetica, sans-serif; } td { font-size: 80%; } td, th, span { color: #000000; } blockquote { margin-right: 0px; } h1, h2, h3, h4, h6, H6 { color: #000000; font-weight: 500; margin-top: 0px; padding-top: 14px; font-family: Verdana, Arial, helvetica, sans-serif; margin-bottom: 0px; } h2.title { font-weight: 800; margin-bottom: 8px; } h2.subtitle { font-weight: 800; margin-bottom: 20px; } .firstname, .surname { font-size: 12px; font-family: Verdana, Arial, helvetica, sans-serif; } table { border-collapse: collapse; border-spacing: 0; border: 1px black; empty-cells: hide; margin: 10px 0px 30px 50px; width: 90%; } div.table { margin: 30px 0px 30px 0px; border: 1px dashed gray; padding: 10px; } div .table-contents table { border: 1px solid black; } div.table > p.title { padding-left: 10px; } td { padding: 4pt; font-family: Verdana, Arial, helvetica, sans-serif; } div.warning TD { text-align: justify; } h1 { font-size: 150%; } h2 { font-size: 110%; } h3 { font-size: 100%; font-weight: bold; } h4 { font-size: 90%; font-weight: bold; } h5 { font-size: 90%; font-style: italic; } h6 { font-size: 100%; font-style: italic; } tt { font-size: 110%; font-family: "Courier New", Courier, monospace; color: #000000; } .navheader, .navfooter { border: none; } pre { font-size: 110%; padding: 5px; border-style: solid; border-width: 1px; border-color: #CCCCCC; background-color: #f3f5e9; } ul, ol, li { list-style: disc; } hr { width: 100%; height: 1px; background-color: #CCCCCC; border-width: 0px; padding: 0px; } .variablelist { padding-top: 10px; padding-bottom: 10px; margin: 0; } .term { font-weight: bold; } .mediaobject { padding-top: 30px; padding-bottom: 30px; } .legalnotice { font-family: Verdana, Arial, helvetica, sans-serif; font-size: 12px; font-style: italic; } .sidebar { float: right; margin: 10px 0px 10px 30px; padding: 10px 20px 20px 20px; width: 33%; border: 1px solid black; background-color: #F4F4F4; font-size: 14px; } .property { font-family: "Courier New", Courier, monospace; } a code { font-family: Verdana, Arial, monospace; font-size: 12px; } td code { font-size: 110%; } div.note * td, div.tip * td, div.warning * td, div.calloutlist * td { text-align: justify; font-size: 100%; } .programlisting .interfacename, .programlisting .literal, .programlisting .classname { font-size: 95%; } .title .interfacename, .title .literal, .title .classname { font-size: 130%; } .programlisting * .lineannotation, .programlisting * .lineannotation * { color: blue; } .bannerLeft, .bannerRight { font-size: xx-large; font-weight: bold; } .bannerLeft img, .bannerRight img { margin: 0px; } .bannerLeft img { float:left; text-shadow: #7CFC00; } .bannerRight img { float:right; text-shadow: #7CFC00; } .banner { padding: 0px; } .banner img { border: none; } .clear { clear:both; visibility: hidden; }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/src/docbkx/resources/css/hc-tutorial.css
CSS
gpl3
5,273
#==================================================================== # Licensed to the Apache Software Foundation (ASF) under one # or more contributor license agreements. See the NOTICE file # distributed with this work for additional information # regarding copyright ownership. The ASF licenses this file # to you under the Apache License, Version 2.0 (the # "License"); you may not use this file except in compliance # with the License. You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, # software distributed under the License is distributed on an # "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many # individuals on behalf of the Apache Software Foundation. For more # information on the Apache Software Foundation, please see # <http://www.apache.org/>. # import os import re import tempfile import shutil ignore_pattern = re.compile('^(.svn|target|bin|classes)') java_pattern = re.compile('^.*\.java') annot_pattern = re.compile('import org\.apache\.http\.annotation\.') def process_dir(dir): files = os.listdir(dir) for file in files: f = os.path.join(dir, file) if os.path.isdir(f): if not ignore_pattern.match(file): process_dir(f) else: if java_pattern.match(file): process_source(f) def process_source(filename): tmp = tempfile.mkstemp() tmpfd = tmp[0] tmpfile = tmp[1] try: changed = False dst = os.fdopen(tmpfd, 'w') try: src = open(filename) try: for line in src: if annot_pattern.match(line): changed = True line = line.replace('import org.apache.http.annotation.', 'import net.jcip.annotations.') dst.write(line) finally: src.close() finally: dst.close(); if changed: shutil.move(tmpfile, filename) else: os.remove(tmpfile) except: os.remove(tmpfile) process_dir('.')
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/jcip-annotations.py
Python
gpl3
2,485
@import url("../../../css/hc-maven.css");
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient/src/site/resources/css/site.css
CSS
gpl3
42
/* * ==================================================================== * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.ogt.http.conn.scheme; import java.io.IOException; import java.net.InetAddress; import java.net.InetSocketAddress; import java.net.Socket; import java.net.UnknownHostException; import org.apache.ogt.http.conn.ConnectTimeoutException; import org.apache.ogt.http.params.HttpParams; @Deprecated class SchemeSocketFactoryAdaptor implements SchemeSocketFactory { private final SocketFactory factory; SchemeSocketFactoryAdaptor(final SocketFactory factory) { super(); this.factory = factory; } public Socket connectSocket( final Socket sock, final InetSocketAddress remoteAddress, final InetSocketAddress localAddress, final HttpParams params) throws IOException, UnknownHostException, ConnectTimeoutException { String host = remoteAddress.getHostName(); int port = remoteAddress.getPort(); InetAddress local = null; int localPort = 0; if (localAddress != null) { local = localAddress.getAddress(); localPort = localAddress.getPort(); } return this.factory.connectSocket(sock, host, port, local, localPort, params); } public Socket createSocket(final HttpParams params) throws IOException { return this.factory.createSocket(); } public boolean isSecure(final Socket sock) throws IllegalArgumentException { return this.factory.isSecure(sock); } public SocketFactory getFactory() { return this.factory; } @Override public boolean equals(final Object obj) { if (obj == null) return false; if (this == obj) return true; if (obj instanceof SchemeSocketFactoryAdaptor) { return this.factory.equals(((SchemeSocketFactoryAdaptor)obj).factory); } else { return this.factory.equals(obj); } } @Override public int hashCode() { return this.factory.hashCode(); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient/src/main/java/org/apache/ogt/http/conn/scheme/SchemeSocketFactoryAdaptor.java
Java
gpl3
3,169
<html> <head> <!-- /* * ==================================================================== * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ --> </head> <body> {@link org.apache.ogt.http.conn.scheme.Scheme} class represents a protocol scheme such as "http" or "https" and contains a number of protocol properties such as the default port and the socket factory to be used to creating {@link java.net.Socket}s for the given protocol </body> </html>
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient/src/main/java/org/apache/ogt/http/conn/scheme/package.html
HTML
gpl3
1,510
/* * ==================================================================== * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.ogt.http.conn.scheme; import java.io.IOException; import java.net.InetAddress; import java.net.InetSocketAddress; import java.net.Socket; import java.net.UnknownHostException; import org.apache.ogt.http.conn.ConnectTimeoutException; import org.apache.ogt.http.params.BasicHttpParams; import org.apache.ogt.http.params.HttpParams; @Deprecated class SocketFactoryAdaptor implements SocketFactory { private final SchemeSocketFactory factory; SocketFactoryAdaptor(final SchemeSocketFactory factory) { super(); this.factory = factory; } public Socket createSocket() throws IOException { HttpParams params = new BasicHttpParams(); return this.factory.createSocket(params); } public Socket connectSocket( final Socket socket, final String host, int port, final InetAddress localAddress, int localPort, final HttpParams params) throws IOException, UnknownHostException, ConnectTimeoutException { InetSocketAddress local = null; if (localAddress != null || localPort > 0) { // we need to bind explicitly if (localPort < 0) { localPort = 0; // indicates "any" } local = new InetSocketAddress(localAddress, localPort); } InetAddress remoteAddress = InetAddress.getByName(host); InetSocketAddress remote = new InetSocketAddress(remoteAddress, port); return this.factory.connectSocket(socket, remote, local, params); } public boolean isSecure(final Socket socket) throws IllegalArgumentException { return this.factory.isSecure(socket); } public SchemeSocketFactory getFactory() { return this.factory; } @Override public boolean equals(final Object obj) { if (obj == null) return false; if (this == obj) return true; if (obj instanceof SocketFactoryAdaptor) { return this.factory.equals(((SocketFactoryAdaptor)obj).factory); } else { return this.factory.equals(obj); } } @Override public int hashCode() { return this.factory.hashCode(); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient/src/main/java/org/apache/ogt/http/conn/scheme/SocketFactoryAdaptor.java
Java
gpl3
3,391
/* * ==================================================================== * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.ogt.http.conn.scheme; import java.util.Locale; import org.apache.ogt.http.annotation.Immutable; import org.apache.ogt.http.util.LangUtils; /** * Encapsulates specifics of a protocol scheme such as "http" or "https". Schemes are identified * by lowercase names. Supported schemes are typically collected in a {@link SchemeRegistry * SchemeRegistry}. * <p> * For example, to configure support for "https://" URLs, you could write code like the following: * <pre> * Scheme https = new Scheme("https", 443, new MySecureSocketFactory()); * SchemeRegistry.DEFAULT.register(https); * </pre> * * @since 4.0 */ @Immutable public final class Scheme { /** The name of this scheme, in lowercase. (e.g. http, https) */ private final String name; /** The socket factory for this scheme */ private final SchemeSocketFactory socketFactory; /** The default port for this scheme */ private final int defaultPort; /** Indicates whether this scheme allows for layered connections */ private final boolean layered; /** A string representation, for {@link #toString toString}. */ private String stringRep; /* * This is used to cache the result of the toString() method * Since the method always generates the same value, there's no * need to synchronize, and it does not affect immutability. */ /** * Creates a new scheme. * Whether the created scheme allows for layered connections * depends on the class of <code>factory</code>. * * @param name the scheme name, for example "http". * The name will be converted to lowercase. * @param port the default port for this scheme * @param factory the factory for creating sockets for communication * with this scheme * * @since 4.1 */ public Scheme(final String name, final int port, final SchemeSocketFactory factory) { if (name == null) { throw new IllegalArgumentException("Scheme name may not be null"); } if ((port <= 0) || (port > 0xffff)) { throw new IllegalArgumentException("Port is invalid: " + port); } if (factory == null) { throw new IllegalArgumentException("Socket factory may not be null"); } this.name = name.toLowerCase(Locale.ENGLISH); this.socketFactory = factory; this.defaultPort = port; this.layered = factory instanceof LayeredSchemeSocketFactory; } /** * Creates a new scheme. * Whether the created scheme allows for layered connections * depends on the class of <code>factory</code>. * * @param name the scheme name, for example "http". * The name will be converted to lowercase. * @param factory the factory for creating sockets for communication * with this scheme * @param port the default port for this scheme * * @deprecated Use {@link #Scheme(String, int, SchemeSocketFactory)} */ @Deprecated public Scheme(final String name, final SocketFactory factory, final int port) { if (name == null) { throw new IllegalArgumentException ("Scheme name may not be null"); } if (factory == null) { throw new IllegalArgumentException ("Socket factory may not be null"); } if ((port <= 0) || (port > 0xffff)) { throw new IllegalArgumentException ("Port is invalid: " + port); } this.name = name.toLowerCase(Locale.ENGLISH); if (factory instanceof LayeredSocketFactory) { this.socketFactory = new LayeredSchemeSocketFactoryAdaptor( (LayeredSocketFactory) factory); this.layered = true; } else { this.socketFactory = new SchemeSocketFactoryAdaptor(factory); this.layered = false; } this.defaultPort = port; } /** * Obtains the default port. * * @return the default port for this scheme */ public final int getDefaultPort() { return defaultPort; } /** * Obtains the socket factory. * If this scheme is {@link #isLayered layered}, the factory implements * {@link LayeredSocketFactory LayeredSocketFactory}. * * @return the socket factory for this scheme * * @deprecated Use {@link #getSchemeSocketFactory()} */ @Deprecated public final SocketFactory getSocketFactory() { if (this.socketFactory instanceof SchemeSocketFactoryAdaptor) { return ((SchemeSocketFactoryAdaptor) this.socketFactory).getFactory(); } else { if (this.layered) { return new LayeredSocketFactoryAdaptor( (LayeredSchemeSocketFactory) this.socketFactory); } else { return new SocketFactoryAdaptor(this.socketFactory); } } } /** * Obtains the socket factory. * If this scheme is {@link #isLayered layered}, the factory implements * {@link LayeredSocketFactory LayeredSchemeSocketFactory}. * * @return the socket factory for this scheme * * @since 4.1 */ public final SchemeSocketFactory getSchemeSocketFactory() { return this.socketFactory; } /** * Obtains the scheme name. * * @return the name of this scheme, in lowercase */ public final String getName() { return name; } /** * Indicates whether this scheme allows for layered connections. * * @return <code>true</code> if layered connections are possible, * <code>false</code> otherwise */ public final boolean isLayered() { return layered; } /** * Resolves the correct port for this scheme. * Returns the given port if it is valid, the default port otherwise. * * @param port the port to be resolved, * a negative number to obtain the default port * * @return the given port or the defaultPort */ public final int resolvePort(int port) { return port <= 0 ? defaultPort : port; } /** * Return a string representation of this object. * * @return a human-readable string description of this scheme */ @Override public final String toString() { if (stringRep == null) { StringBuilder buffer = new StringBuilder(); buffer.append(this.name); buffer.append(':'); buffer.append(Integer.toString(this.defaultPort)); stringRep = buffer.toString(); } return stringRep; } @Override public final boolean equals(Object obj) { if (this == obj) return true; if (obj instanceof Scheme) { Scheme that = (Scheme) obj; return this.name.equals(that.name) && this.defaultPort == that.defaultPort && this.layered == that.layered; } else { return false; } } @Override public int hashCode() { int hash = LangUtils.HASH_SEED; hash = LangUtils.hashCode(hash, this.defaultPort); hash = LangUtils.hashCode(hash, this.name); hash = LangUtils.hashCode(hash, this.layered); return hash; } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient/src/main/java/org/apache/ogt/http/conn/scheme/Scheme.java
Java
gpl3
8,702
/* * ==================================================================== * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.ogt.http.conn.scheme; import java.io.IOException; import java.net.Socket; import java.net.UnknownHostException; @Deprecated class LayeredSocketFactoryAdaptor extends SocketFactoryAdaptor implements LayeredSocketFactory { private final LayeredSchemeSocketFactory factory; LayeredSocketFactoryAdaptor(final LayeredSchemeSocketFactory factory) { super(factory); this.factory = factory; } public Socket createSocket( final Socket socket, final String host, int port, boolean autoClose) throws IOException, UnknownHostException { return this.factory.createLayeredSocket(socket, host, port, autoClose); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient/src/main/java/org/apache/ogt/http/conn/scheme/LayeredSocketFactoryAdaptor.java
Java
gpl3
1,879
/* * ==================================================================== * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.ogt.http.conn.scheme; import java.io.IOException; import java.net.InetAddress; import java.net.Socket; import java.net.UnknownHostException; import org.apache.ogt.http.conn.ConnectTimeoutException; import org.apache.ogt.http.params.HttpParams; /** * A factory for creating, initializing and connecting sockets. * The factory encapsulates the logic for establishing a socket connection. * * @since 4.0 * * @deprecated use {@link SchemeSocketFactory} */ @Deprecated public interface SocketFactory { /** * Creates a new, unconnected socket. * The socket should subsequently be passed to * {@link #connectSocket connectSocket}. * * @return a new socket * * @throws IOException if an I/O error occurs while creating the socket */ Socket createSocket() throws IOException; /** * Connects a socket to the given host. * * @param sock the socket to connect, as obtained from * {@link #createSocket createSocket}. * <code>null</code> indicates that a new socket * should be created and connected. * @param host the host to connect to * @param port the port to connect to on the host * @param localAddress the local address to bind the socket to, or * <code>null</code> for any * @param localPort the port on the local machine, * 0 or a negative number for any * @param params additional {@link HttpParams parameters} for connecting * * @return the connected socket. The returned object may be different * from the <code>sock</code> argument if this factory supports * a layered protocol. * * @throws IOException if an I/O error occurs * @throws UnknownHostException if the IP address of the target host * can not be determined * @throws ConnectTimeoutException if the socket cannot be connected * within the time limit defined in the <code>params</code> */ Socket connectSocket( Socket sock, String host, int port, InetAddress localAddress, int localPort, HttpParams params ) throws IOException, UnknownHostException, ConnectTimeoutException; /** * Checks whether a socket provides a secure connection. * The socket must be {@link #connectSocket connected} * by this factory. * The factory will <i>not</i> perform I/O operations * in this method. * <br/> * As a rule of thumb, plain sockets are not secure and * TLS/SSL sockets are secure. However, there may be * application specific deviations. For example, a plain * socket to a host in the same intranet ("trusted zone") * could be considered secure. On the other hand, a * TLS/SSL socket could be considered insecure based on * the cipher suite chosen for the connection. * * @param sock the connected socket to check * * @return <code>true</code> if the connection of the socket * should be considered secure, or * <code>false</code> if it should not * * @throws IllegalArgumentException * if the argument is invalid, for example because it is * not a connected socket or was created by a different * socket factory. * Note that socket factories are <i>not</i> required to * check these conditions, they may simply return a default * value when called with an invalid socket argument. */ boolean isSecure(Socket sock) throws IllegalArgumentException; }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient/src/main/java/org/apache/ogt/http/conn/scheme/SocketFactory.java
Java
gpl3
4,880
/* * ==================================================================== * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.ogt.http.conn.scheme; import java.io.IOException; import java.net.Socket; import java.net.UnknownHostException; /** * A {@link SocketFactory SocketFactory} for layered sockets (SSL/TLS). * See there for things to consider when implementing a socket factory. * * @since 4.0 * * @deprecated use {@link SchemeSocketFactory} */ @Deprecated public interface LayeredSocketFactory extends SocketFactory { /** * Returns a socket connected to the given host that is layered over an * existing socket. Used primarily for creating secure sockets through * proxies. * * @param socket the existing socket * @param host the host name/IP * @param port the port on the host * @param autoClose a flag for closing the underling socket when the created * socket is closed * * @return Socket a new socket * * @throws IOException if an I/O error occurs while creating the socket * @throws UnknownHostException if the IP address of the host cannot be * determined */ Socket createSocket( Socket socket, String host, int port, boolean autoClose ) throws IOException, UnknownHostException; }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient/src/main/java/org/apache/ogt/http/conn/scheme/LayeredSocketFactory.java
Java
gpl3
2,408
/* * ==================================================================== * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.ogt.http.conn.scheme; import java.io.IOException; import java.net.InetAddress; import java.net.InetSocketAddress; import java.net.Socket; import java.net.SocketTimeoutException; import java.net.UnknownHostException; import org.apache.ogt.http.annotation.Immutable; import org.apache.ogt.http.conn.ConnectTimeoutException; import org.apache.ogt.http.params.HttpConnectionParams; import org.apache.ogt.http.params.HttpParams; /** * The default class for creating plain (unencrypted) sockets. * <p> * The following parameters can be used to customize the behavior of this * class: * <ul> * <li>{@link org.apache.ogt.http.params.CoreConnectionPNames#CONNECTION_TIMEOUT}</li> * <li>{@link org.apache.ogt.http.params.CoreConnectionPNames#SO_REUSEADDR}</li> * </ul> * * @since 4.0 */ @SuppressWarnings("deprecation") @Immutable public class PlainSocketFactory implements SocketFactory, SchemeSocketFactory { private final HostNameResolver nameResolver; /** * Gets the default factory. * * @return the default factory */ public static PlainSocketFactory getSocketFactory() { return new PlainSocketFactory(); } @Deprecated public PlainSocketFactory(final HostNameResolver nameResolver) { super(); this.nameResolver = nameResolver; } public PlainSocketFactory() { super(); this.nameResolver = null; } /** * @param params Optional parameters. Parameters passed to this method will have no effect. * This method will create a unconnected instance of {@link Socket} class * using default constructor. * * @since 4.1 */ public Socket createSocket(final HttpParams params) { return new Socket(); } public Socket createSocket() { return new Socket(); } /** * @since 4.1 */ public Socket connectSocket( final Socket socket, final InetSocketAddress remoteAddress, final InetSocketAddress localAddress, final HttpParams params) throws IOException, ConnectTimeoutException { if (remoteAddress == null) { throw new IllegalArgumentException("Remote address may not be null"); } if (params == null) { throw new IllegalArgumentException("HTTP parameters may not be null"); } Socket sock = socket; if (sock == null) { sock = createSocket(); } if (localAddress != null) { sock.setReuseAddress(HttpConnectionParams.getSoReuseaddr(params)); sock.bind(localAddress); } int connTimeout = HttpConnectionParams.getConnectionTimeout(params); int soTimeout = HttpConnectionParams.getSoTimeout(params); try { sock.setSoTimeout(soTimeout); sock.connect(remoteAddress, connTimeout); } catch (SocketTimeoutException ex) { throw new ConnectTimeoutException("Connect to " + remoteAddress.getHostName() + "/" + remoteAddress.getAddress() + " timed out"); } return sock; } /** * Checks whether a socket connection is secure. * This factory creates plain socket connections * which are not considered secure. * * @param sock the connected socket * * @return <code>false</code> * * @throws IllegalArgumentException if the argument is invalid */ public final boolean isSecure(Socket sock) throws IllegalArgumentException { if (sock == null) { throw new IllegalArgumentException("Socket may not be null."); } // This check is performed last since it calls a method implemented // by the argument object. getClass() is final in java.lang.Object. if (sock.isClosed()) { throw new IllegalArgumentException("Socket is closed."); } return false; } /** * @deprecated Use {@link #connectSocket(Socket, InetSocketAddress, InetSocketAddress, HttpParams)} */ @Deprecated public Socket connectSocket( final Socket socket, final String host, int port, final InetAddress localAddress, int localPort, final HttpParams params) throws IOException, UnknownHostException, ConnectTimeoutException { InetSocketAddress local = null; if (localAddress != null || localPort > 0) { // we need to bind explicitly if (localPort < 0) { localPort = 0; // indicates "any" } local = new InetSocketAddress(localAddress, localPort); } InetAddress remoteAddress; if (this.nameResolver != null) { remoteAddress = this.nameResolver.resolve(host); } else { remoteAddress = InetAddress.getByName(host); } InetSocketAddress remote = new InetSocketAddress(remoteAddress, port); return connectSocket(socket, remote, local, params); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient/src/main/java/org/apache/ogt/http/conn/scheme/PlainSocketFactory.java
Java
gpl3
6,268
/* * ==================================================================== * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.ogt.http.conn.scheme; import java.io.IOException; import java.net.InetSocketAddress; import java.net.Socket; import java.net.UnknownHostException; import org.apache.ogt.http.conn.ConnectTimeoutException; import org.apache.ogt.http.params.HttpParams; /** * A factory for creating, initializing and connecting sockets. The factory encapsulates the logic * for establishing a socket connection. * * @since 4.1 */ public interface SchemeSocketFactory { /** * Creates a new, unconnected socket. The socket should subsequently be passed to * {@link #connectSocket(Socket, InetSocketAddress, InetSocketAddress, HttpParams)}. * * @param params Optional {@link HttpParams parameters}. In most cases these parameters * will not be required and will have no effect, as usually socket * initialization should take place in the * {@link #connectSocket(Socket, InetSocketAddress, InetSocketAddress, HttpParams)} * method. However, in rare cases one may want to pass additional parameters * to this method in order to create a customized {@link Socket} instance, * for instance bound to a SOCKS proxy server. * * @return a new socket * * @throws IOException if an I/O error occurs while creating the socket */ Socket createSocket(HttpParams params) throws IOException; /** * Connects a socket to the target host with the given remote address. * * @param sock the socket to connect, as obtained from * {@link #createSocket(HttpParams) createSocket}. * <code>null</code> indicates that a new socket * should be created and connected. * @param remoteAddress the remote address to connect to * @param localAddress the local address to bind the socket to, or * <code>null</code> for any * @param params additional {@link HttpParams parameters} for connecting * * @return the connected socket. The returned object may be different * from the <code>sock</code> argument if this factory supports * a layered protocol. * * @throws IOException if an I/O error occurs * @throws UnknownHostException if the IP address of the target host * can not be determined * @throws ConnectTimeoutException if the socket cannot be connected * within the time limit defined in the <code>params</code> */ Socket connectSocket( Socket sock, InetSocketAddress remoteAddress, InetSocketAddress localAddress, HttpParams params) throws IOException, UnknownHostException, ConnectTimeoutException; /** * Checks whether a socket provides a secure connection. The socket must be * {@link #connectSocket(Socket, InetSocketAddress, InetSocketAddress, HttpParams) connected} * by this factory. The factory will <i>not</i> perform I/O operations in this method. * <p> * As a rule of thumb, plain sockets are not secure and TLS/SSL sockets are secure. However, * there may be application specific deviations. For example, a plain socket to a host in the * same intranet ("trusted zone") could be considered secure. On the other hand, a TLS/SSL * socket could be considered insecure based on the cipher suite chosen for the connection. * * @param sock the connected socket to check * * @return <code>true</code> if the connection of the socket * should be considered secure, or * <code>false</code> if it should not * * @throws IllegalArgumentException * if the argument is invalid, for example because it is * not a connected socket or was created by a different * socket factory. * Note that socket factories are <i>not</i> required to * check these conditions, they may simply return a default * value when called with an invalid socket argument. */ boolean isSecure(Socket sock) throws IllegalArgumentException; }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient/src/main/java/org/apache/ogt/http/conn/scheme/SchemeSocketFactory.java
Java
gpl3
5,378
/* * ==================================================================== * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.ogt.http.conn.scheme; import java.io.IOException; import java.net.InetAddress; /** * Hostname to IP address resolver. * * @since 4.0 * * @deprecated Do not use */ @Deprecated public interface HostNameResolver { /** * Resolves given hostname to its IP address * * @param hostname the hostname. * @return IP address. * @throws IOException */ InetAddress resolve (String hostname) throws IOException; }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient/src/main/java/org/apache/ogt/http/conn/scheme/HostNameResolver.java
Java
gpl3
1,652
/* * ==================================================================== * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.ogt.http.conn.scheme; import java.io.IOException; import java.net.Socket; import java.net.UnknownHostException; @Deprecated class LayeredSchemeSocketFactoryAdaptor extends SchemeSocketFactoryAdaptor implements LayeredSchemeSocketFactory { private final LayeredSocketFactory factory; LayeredSchemeSocketFactoryAdaptor(final LayeredSocketFactory factory) { super(factory); this.factory = factory; } public Socket createLayeredSocket( final Socket socket, final String target, int port, boolean autoClose) throws IOException, UnknownHostException { return this.factory.createSocket(socket, target, port, autoClose); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient/src/main/java/org/apache/ogt/http/conn/scheme/LayeredSchemeSocketFactoryAdaptor.java
Java
gpl3
1,911
/* * ==================================================================== * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.ogt.http.conn.scheme; import java.util.ArrayList; import java.util.List; import java.util.Map; import java.util.concurrent.ConcurrentHashMap; import org.apache.ogt.http.HttpHost; import org.apache.ogt.http.annotation.ThreadSafe; /** * A set of supported protocol {@link Scheme}s. * Schemes are identified by lowercase names. * * @since 4.0 */ @ThreadSafe public final class SchemeRegistry { /** The available schemes in this registry. */ private final ConcurrentHashMap<String,Scheme> registeredSchemes; /** * Creates a new, empty scheme registry. */ public SchemeRegistry() { super(); registeredSchemes = new ConcurrentHashMap<String,Scheme>(); } /** * Obtains a scheme by name. * * @param name the name of the scheme to look up (in lowercase) * * @return the scheme, never <code>null</code> * * @throws IllegalStateException * if the scheme with the given name is not registered */ public final Scheme getScheme(String name) { Scheme found = get(name); if (found == null) { throw new IllegalStateException ("Scheme '"+name+"' not registered."); } return found; } /** * Obtains the scheme for a host. * Convenience method for <code>getScheme(host.getSchemeName())</pre> * * @param host the host for which to obtain the scheme * * @return the scheme for the given host, never <code>null</code> * * @throws IllegalStateException * if a scheme with the respective name is not registered */ public final Scheme getScheme(HttpHost host) { if (host == null) { throw new IllegalArgumentException("Host must not be null."); } return getScheme(host.getSchemeName()); } /** * Obtains a scheme by name, if registered. * * @param name the name of the scheme to look up (in lowercase) * * @return the scheme, or * <code>null</code> if there is none by this name */ public final Scheme get(String name) { if (name == null) throw new IllegalArgumentException("Name must not be null."); // leave it to the caller to use the correct name - all lowercase //name = name.toLowerCase(); Scheme found = registeredSchemes.get(name); return found; } /** * Registers a scheme. * The scheme can later be retrieved by its name * using {@link #getScheme(String) getScheme} or {@link #get get}. * * @param sch the scheme to register * * @return the scheme previously registered with that name, or * <code>null</code> if none was registered */ public final Scheme register(Scheme sch) { if (sch == null) throw new IllegalArgumentException("Scheme must not be null."); Scheme old = registeredSchemes.put(sch.getName(), sch); return old; } /** * Unregisters a scheme. * * @param name the name of the scheme to unregister (in lowercase) * * @return the unregistered scheme, or * <code>null</code> if there was none */ public final Scheme unregister(String name) { if (name == null) throw new IllegalArgumentException("Name must not be null."); // leave it to the caller to use the correct name - all lowercase //name = name.toLowerCase(); Scheme gone = registeredSchemes.remove(name); return gone; } /** * Obtains the names of the registered schemes. * * @return List containing registered scheme names. */ public final List<String> getSchemeNames() { return new ArrayList<String>(registeredSchemes.keySet()); } /** * Populates the internal collection of registered {@link Scheme protocol schemes} * with the content of the map passed as a parameter. * * @param map protocol schemes */ public void setItems(final Map<String, Scheme> map) { if (map == null) { return; } registeredSchemes.clear(); registeredSchemes.putAll(map); } }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient/src/main/java/org/apache/ogt/http/conn/scheme/SchemeRegistry.java
Java
gpl3
5,475
/* * ==================================================================== * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT 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 software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ package org.apache.ogt.http.conn.scheme; import java.io.IOException; import java.net.Socket; import java.net.UnknownHostException; /** * A {@link SocketFactory SocketFactory} for layered sockets (SSL/TLS). * See there for things to consider when implementing a socket factory. * * @since 4.1 */ public interface LayeredSchemeSocketFactory extends SchemeSocketFactory { /** * Returns a socket connected to the given host that is layered over an * existing socket. Used primarily for creating secure sockets through * proxies. * * @param socket the existing socket * @param target the name of the target host. * @param port the port to connect to on the target host * @param autoClose a flag for closing the underling socket when the created * socket is closed * * @return Socket a new socket * * @throws IOException if an I/O error occurs while creating the socket * @throws UnknownHostException if the IP address of the host cannot be * determined */ Socket createLayeredSocket( Socket socket, String target, int port, boolean autoClose ) throws IOException, UnknownHostException; }
1053182527-johndoe-betterperformance-v8
OpenGPSTracker/external_sources/httpclient-4.1.1/httpclient/src/main/java/org/apache/ogt/http/conn/scheme/LayeredSchemeSocketFactory.java
Java
gpl3
2,410