google-places-api-java


Source link: https://github.com/windy1/google-places-api-java

google-places-api-java

Notice: Before using this library, you must register an API key for Google Places API.

Notice 2: The release of v2 brings many breaking changes. You will almost certainly need to make adjustments and recompile after upgrading to the latest version. This is because many deprecations from previous iterations of this library and the Google Places API specification have been removed for conciseness including the removal of Events. Previous iterations of this library will stop working once the deprecations in the API specification are removed and it is imperative that you update ASAP to ensure your applications continue to work.

Walker Crouse is an aspiring software developer, open source contributor, and starving college student. If you like my projects, please consider donating a small amount so that I may continue to devote time to them. Thank you.

Contents

Quickstart

With Maven (make sure you are using the latest version):

<dependencies>
  <dependency>

<groupId>se.walkercrou</groupId>

<artifactId>google-places-api-java</artifactId>

<version>2.1.2</version>
  </dependency> </dependencies>

With Gradle (make sure you are using the latest version):

repositories {

  mavenCentral() 
}
  dependencies {

  compile 'se.walkercrou:google-places-api-java:2.1.2'
  compile 'org.apache.httpcomponents:httpclient-android:4.3.5.1' 
}

Or just download the JAR with all dependencies included from the releases. Do not use the JAR if you are using Android, it will cause an error.

Creating the client

GooglePlaces client = new GooglePlaces("yourApiKey");

You may optionally provide your own RequestHandler to delegate HTTP traffic

GooglePlaces client = new GooglePlaces("yourApiKey", new MyRequestHandler());

Place Searches

Nearby Search Requests

You can search for places near specific latitude-longitude coordinates with a radius (in meters):

List<Place> places = client.getNearbyPlaces(lat, lng, radius, GooglePlaces.MAXIMUM_RESULTS);

You can retrieve at most 60 results. Every 20 results a new HTTP GET request will have to be made and also has a delay of 3 seconds because of API restrictions. You can omit the 'limit' parameter and it will default to 20 which will only ever require one HTTP GET request.

Text Search Requests

You can also search for locations by search query. This is the same backend system that Google Maps uses.

List<Place> places = client.getPlacesByQuery("Empire State Building", GooglePlaces.MAXIMUM_RESULTS);

Radar Search Requests

You can also use the "radar" method of finding locations.

List<Place> places = client.getPlacesByRadar(lat, lng, radius, GooglePlaces.MAXIMUM_RESULTS);

Additional Url Parameters

If you need to add additional URL parameters to the request URL you can append as many Param objects as you want to any request method.

List<Place> places = client.getPlacesByQuery("Empire State Building", GooglePlaces.MAXIMUM_RESULTS, Param.name("language").value("en"), Param.name("opennow").value(true));

Place Details

Any of the above getters will only get you limited information about the returned Place. You can get a much more in-depth Place object with Place#getDetails(Param...):

Here's one way I can get detailed information about the Empire State Building.

List<Place> places = client.getPlacesByQuery("Empire State Building", GooglePlaces.MAXIMUM_RESULTS);
 Place empireStateBuilding = null; for (Place place : places) {

  if (place.getName().equals("Empire State Building")) {

empireStateBuilding = place;

break;
  
}
 
}
  if (empireStateBuilding != null) {

  Place detailedEmpireStateBuilding = empireStateBuilding.getDetails();
 // sends a GET request for more details
  // Just an example of the amount of information at your disposal:
  System.out.println("ID: " + detailedEmpireStateBuilding.getId());

  System.out.println("Name: " + detailedEmpireStateBuilding.getName());

  System.out.println("Phone: " + detailedEmpireStateBuilding.getPhoneNumber());

  System.out.println("International Phone: " + empireStateBuilding.getInternationalPhoneNumber());

  System.out.println("Website: " + detailedEmpireStateBuilding.getWebsite());

  System.out.println("Always Opened: " + detailedEmpireStateBuilding.isAlwaysOpened());

  System.out.println("Status: " + detailedEmpireStateBuilding.getStatus());

  System.out.println("Google Place URL: " + detailedEmpireStateBuilding.getGoogleUrl());

  System.out.println("Price: " + detailedEmpireStateBuilding.getPrice());

  System.out.println("Address: " + detailedEmpireStateBuilding.getAddress());

  System.out.println("Vicinity: " + detailedEmpireStateBuilding.getVicinity());

  System.out.println("Reviews: " + detailedEmpireStateBuilding.getReviews().size());

  System.out.println("Hours:\n " + detailedEmpireStateBuilding.getHours());
 
}

This will print something like:

ID: bc232d2422e7068b2a2ffb314f02e3733dd47796 Name: Empire State Building Phone: (212) 736-3100 International Phone: null Website: http://www.esbnyc.com/ Always Opened: false Status: OPENED Google Place URL: https://plus.google.com/110101791098901696787/about?hl=en-US Price: NONE Address: 350 5th Ave, New York, NY, United States Vicinity: 350 5th Ave, New York Reviews: 5 Hours: SUNDAY 08:00 -- MONDAY 02:00 MONDAY 08:00 -- TUESDAY 02:00 TUESDAY 08:00 -- WEDNESDAY 02:00 WEDNESDAY 08:00 -- THURSDAY 02:00 THURSDAY 08:00 -- FRIDAY 02:00 FRIDAY 08:00 -- SATURDAY 02:00 SATURDAY 08:00 -- SUNDAY 02:00 

Icons

Once you have a detailed Place object, you can download it's "Icon" with the following.

BufferedImage image = place.downloadIcon().getIconImage();

If you are working on Android, javax.imageio is not implemented. You can create a Bitmap from the icon with:

InputStream stream = place.downloadIcon().getIconInputStream();
 Bitmap bitmap = BitmapFactory.decodeStream(stream);

Place Actions

Add Place

Places can be added to Google Places API through this library. Added Places are only visible to your application until they are approved by Google's moderation process. This can be checked with Place.getScope().

You must begin by building the Place input via the PlaceBuilder class.

PlaceBuilder builder = new PlaceBuilder(locationName, latitude, longitude, "type1", "type2"...)

The constructor arguments are the only required arguments to add a place to Google Places but filling out the building more completely will help your Place get approved by the moderation process faster.

builder.accuracy(50)

  .phoneNumber("(000) 000-0000")

  .address("4 John St")

  .website("http://walkercrou.se")

  .locale(Locale.ENGLISH);

You must then pass the builder as an argument of GooglePlaces.addPlace().

Place place = client.addPlace(builder, true);

Delete Place

You can delete places with:

client.deletePlace(place);

Place Photos

You can retrieve photos of places from Google as well. For example, here's how I can choose a random photo from a place and save it to disk.

List<Photo> photos = place.getPhotos();
 Photo photo = photos.get(new Random().nextInt(photos.size()));
 BufferedImage image = photo.download().getImage();
  File file = new File("test.jpg");
 file.createNewFile();
 ImageIO.write(image, "jpg", file);

You can also specify a max width and max height for the image. The aspect ratio of the image will always be maintained.

BufferedImage image = photo.download(100, 100).getImage();

To specify one and not the other, just set one of them to -1. If you do not specify them, the max size (1600) will be passed. NOTE: You must pass at least one of the size parameters.

If you are working on Android, javax.imageio is not implemented, so you can create a bitmap from a photo with.

InputStream stream = photo.download().getInputStream();
 Bitmap bitmap = BitmapFactory.decodeStream(stream);

Remember not to execute this code on the main thread.

Autocomplete

Place prediction

You can receive auto-complete predictions for Places with:

List<Prediction> predictions = client.getPlacePredictions("Empire");

As you might expect, The Empire State Building is the first result returned here. The prediction object contains a human-readable description and a Place accessor so you can easily build a UI around it. (Particularly useful for Android development)

Query prediction

You can also receive auto-complete predictions for Places with general queries such as "pizza in New York".

List<Prediction> predictions = client.getQueryPredictions("pizza in New York");

Android integration

Just remember that if you are using this library with Android you should never execute network code on the main thread. Either run it in another thread...

new Thread(new Runnable() {

  public void run() {

// do something
  
}
 
}
).start();

...or run it in an AsyncTask.

Documentation

Documentation for this project can be found at this location.

Build

This project uses Apache Maven. Create a file called src/main/resources/places_api.key with your Google Places API key before running tests and building with mvn.

Resources

A simple radar chart.

This project aims to provide an ultimate and flexible video trimmer experience.

Simple Android Equalizer View.

Library to validate username, email and passwords.

A GitHub third party client, show the rank of users and repositories, trending.

The android library that provides a simple and customizable NumberPicker.

Topics


2D Engines   3D Engines   9-Patch   Action Bars   Activities   ADB   Advertisements   Analytics   Animations   ANR   AOP   API   APK   APT   Architecture   Audio   Autocomplete   Background Processing   Backward Compatibility   Badges   Bar Codes   Benchmarking   Bitmaps   Bluetooth   Blur Effects   Bread Crumbs   BRMS   Browser Extensions   Build Systems   Bundles   Buttons   Caching   Camera   Canvas   Cards   Carousels   Changelog   Checkboxes   Cloud Storages   Color Analysis   Color Pickers   Colors   Comet/Push   Compass Sensors   Conferences   Content Providers   Continuous Integration   Crash Reports   Credit Cards   Credits   CSV   Curl/Flip   Data Binding   Data Generators   Data Structures   Database   Database Browsers   Date &   Debugging   Decompilers   Deep Links   Dependency Injections   Design   Design Patterns   Dex   Dialogs   Distributed Computing   Distribution Platforms   Download Managers   Drawables   Emoji   Emulators   EPUB   Equalizers &   Event Buses   Exception Handling   Face Recognition   Feedback &   File System   File/Directory   Fingerprint   Floating Action   Fonts   Forms   Fragments   FRP   FSM   Functional Programming   Gamepads   Games   Geocaching   Gestures   GIF   Glow Pad   Gradle Plugins   Graphics   Grid Views   Highlighting   HTML   HTTP Mocking   Icons   IDE   IDE Plugins   Image Croppers   Image Loaders   Image Pickers   Image Processing   Image Views   Instrumentation   Intents   Job Schedulers   JSON   Keyboard   Kotlin   Layouts   Library Demos   List View   List Views   Localization   Location   Lock Patterns   Logcat   Logging   Mails   Maps   Markdown   Mathematics   Maven Plugins   MBaaS   Media   Menus   Messaging   MIME   Mobile Web   Native Image   Navigation   NDK   Networking   NFC   NoSQL   Number Pickers   OAuth   Object Mocking   OCR Engines   OpenGL   ORM   Other Pickers   Parallax List   Parcelables   Particle Systems   Password Inputs   PDF   Permissions   Physics Engines   Platforms   Plugin Frameworks   Preferences   Progress Indicators   ProGuard   Properties   Protocol Buffer   Pull To   Purchases   Push/Pull   QR Codes   Quick Return   Radio Buttons   Range Bars   Ratings   Recycler Views   Resources   REST   Ripple Effects   RSS   Screenshots   Scripting   Scroll Views   SDK   Search Inputs   Security   Sensors   Services   Showcase Views   Signatures   Sliding Panels   Snackbars   SOAP   Social Networks   Spannable   Spinners   Splash Screens   SSH   Static Analysis   Status Bars   Styling   SVG   System   Tags   Task Managers   TDD &   Template Engines   Testing   Testing Tools   Text Formatting   Text Views   Text Watchers   Text-to   Toasts   Toolkits For   Tools   Tooltips   Trainings   TV   Twitter   Updaters   USB   User Stories   Utils   Validation   Video   View Adapters   View Pagers   Views   Watch Face   Wearable Data   Wearables   Weather   Web Tools   Web Views   WebRTC   WebSockets   Wheel Widgets   Wi-Fi   Widgets   Windows   Wizards   XML   XMPP   YAML   ZIP Codes