Business Data with Python and JSON

For this guide, we're going to assume you're interested in using Datafiniti's business data to do some marketing analysis on hotels. Let's say you're a data scientist that's been tasked with the following:

  1. Collect data on hotels.
  2. Sort the data by state.
  3. Find which states have the most hotels.

Your environment and data needs:

  1. You're working with Python.
  2. You want to work with JSON data.

Here are the steps we'll take:

🚧

Note that we are using Python 3 for the examples below.

1. Install the requests module for Python

In your terminal, run the following to install the requests module for Python:

pip3 install requests

2. Get your API token

The next thing you'll need is your API token. The API token lets you authenticate with Datafiniti API and tells it who you are, what you have access to, and so on. Without it, you can't use the API.

To get your API token, go the Datafiniti Web Portal (https://portal.datafiniti.co), login, and click on your account name and the top-right. From there, you'll see a link to the "My Account" page, which will take you to a page showing your token. Your API token will be a long string of letters and numbers. Copy the API token or store it somewhere you can easily reference.

📘

For the rest of this document, we'll use AAAXXXXXXXXXXXX as a substitute example for your actual API token when showing example API calls.

.

3. Run your first search

The first thing we'll do is do write some code that will run a test search. This test search will give us a sense for what sort of data might be available. Eventually we'll refine our search so that we get back the most relevant data.

Since we want hotels, let's try a simple search that will just give us online listings for hotels.

Write the following code in your code editor (replace the dummy API token with your real API token):

# Illustrates an API call to Datafiniti's Business Database for hotels.
import requests
import urllib.parse
import json

# Set your API parameters here.
APIToken = 'AAAXXXXXXXXXXXX'
view = 'businesses_all'
format = 'JSON'
query = urllib.parse.quote_plus('categories:hotels')
records = '1'
download = 'false'

# Construct the API call.
APICall = 'https://' + APIToken + ':@api.datafiniti.co/v3/data/businesses?' \
			+ 'view=' + view \
			+ '&format=' + format \
			+ '&q=' + query \
			+ '&records=' + records \
			+ '&download=' + download

# Make the API call.
r = requests.get(APICall);

# Do something with the response.
if r.status_code == 200:
	print(json.loads(r.content))
else:
	print('Request failed')

You should get a response similar to this:

{
  "estimated total": 139666,
  "records": [
    {
      "address": "7030 Amin Dr",
      "categories": [
        "Hotels"
      ],
      "city": "Chattanooga",
      "country": "US",
      "dateAdded": "2016-11-04T23:50:14Z",
      "dateUpdated": "2016-11-04T23:50:14Z",
      "descriptions": [
        {
          "dateSeen": [
            "2016-11-09T19:26:53Z"
          ],
          "sourceURLs": [
            "http://www.hotels.com/ho141351/?locale=en_US&pos=HCOM_US"
          ],
          "value": "No-frills hotel in Hamilton Place with health club"
        }
      ],
      "features": [
        {
          "key": "Services",
          "value": [
            "24-hour front desk, Dry cleaning/laundry service, Laundry facilities, Free newspapers in lobby"
          ]
        },
        {
          "key": "Nearby Attractions",
          "value": [
            "[In Hamilton Place, Hamilton Place Mall (1.1 mi / 1.7 km), Dragon Dreams Museum (2.7 mi / 4.4 km), Tennessee Valley Railroad Museum (3.6 mi / 5.8 km), Concord Golf Club (3.8 mi / 6 km), Brown Acres Golf Course (4 mi / 6.5 km)]"
          ]
        }
      ],
      "imageURLs": [
        "https://exp.cdn-hotels.com/hotels/1000000/120000/117400/117332/117332_95_n.jpg",
        "https://exp.cdn-hotels.com/hotels/1000000/120000/117400/117332/117332_107_n.jpg"
      ],
      "keys": [
        "us/tn/chattanooga/7030amindr/1104338646"
      ],
      "latitude": "35.04281",
      "longitude": "-85.158",
      "name": "Mainstay Suites Chattanooga",
      "numRoom": 77,
      "phones": [
        "8004916126"
      ],
      "postalCode": "37421",
      "province": "TN",
      "reviews": [
        {
          "date": "2013-11-11T00:00:00Z",
          "dateAdded": "2016-11-04T23:50:14Z",
          "dateSeen": [
            "2016-11-06T00:00:00Z",
            "2016-08-12T00:00:00Z"
          ],
          "rating": 2,
          "sourceURLs": [
            "https://www.hotels.com/hotel/141351/reviews%20/"
          ],
          "text": "Hotel was ok. Room not as up to date as I expected.",
          "title": "Was ok",
          "username": "A Traveler"
        },
        {
          "date": "2014-11-03T00:00:00Z",
          "dateAdded": "2016-11-04T23:50:14Z",
          "dateSeen": [
            "2016-08-09T00:00:00Z",
            "2016-08-27T00:00:00Z",
            "2016-07-18T00:00:00Z"
          ],
          "rating": 3,
          "sourceURLs": [
            "https://www.hotels.com/hotel/141351/reviews%20/"
          ],
          "text": "It was adequate for our one night stay there. Staff was very friendly and the room was clean but not very big. I would recommend to someone for a very short stay.",
          "username": "scott"
        }
      ],
      "sourceURLs": [
        "http://www.hotels.com/ho141351/?locale=en_US&pos=HCOM_US",
        "https://www.hotels.com/hotel/141351/reviews%20/"
      ],
      "id": "AVwcsllU_7pvs4fzx-yW"
    }
  ]

Let's break down what the API call is all about:

API Call ComponentDescription
https://This is the communication protocol used by the API. It's the same one used when you visit a secure website.
AAAXXXXXXXXXXXX:@Your API token. You're telling the API who you are so it can respond to your request.
api.datafiniti.coThe location of the API.
/v3You're telling the API which version to use. v3 is our most recent and current API version.
/dataYou're telling the API you're interested in querying data.
/businessesSpecifically, you're interested in business data.
view=businesses_allThe view tells the API in which fields you want your response. businesses_all will show all available fields in a record.
format=JSONThe format tells the API which data format you want to see. You can set it to JSON or CSV.
q=categories:hotelsThe q tells the API what query you want to use. In this case, you're telling the API you want to search by categories. Any business that has hotels listed in its categories field will be returned.
records=1The records tells the API how many records to return in the its response. In this case, you just want to see 1 matching record.
download=falseThe download tells the API if you want to initiate a download request or not. Setting it to false means you don't, so it will show the matching records immediately in the response.

Now let's dive through the response the API returned:

Response FieldDescription
"estimated_total"The total number of available records in the database that match your query. If you end up downloading the entire data set, this is how many records you'll use.
"records"The first available matches to your query. For most queries, you'll see 1 to 10 example records. If there are no matches, this field will be empty.

Within each record returned, you'll see multiple fields shown. This is the data for each record.

Within the records field, you'll see a single business returned with multiple fields and their values associated with that business. The JSON response will show all fields that have a value. It won't show any fields that don't have a value.

Each business record will have multiple fields associated with it. You can see a full list of available fields in our Business Data Schema.

4. Refine your search

If you think about the original query we made, you'll realize we didn't really specify which geography we're interested in. Since we only want US hotels, we should narrow our search appropriately.

We'll need to refine our search to make sure we're only getting hotels. To do that, we can add additional filters to the q parameter to narrow down the results. For example:

# Illustrates an API call to Datafiniti's Business Database for hotels.
import requests
import urllib.parse
import json

# Set your API parameters here.
APIToken = 'AAAXXXXXXXXXXXX'
view = 'businesses_all'
format = 'JSON'
query = urllib.parse.quote_plus('categories:hotels AND country:US')
records = '1'
download = 'false'

# Construct the API call.
APICall = 'https://' + APIToken + ':@api.datafiniti.co/v3/data/businesses?' \
			+ 'view=' + view \
			+ '&format=' + format \
			+ '&q=' + query \
			+ '&records=' + records \
			+ '&download=' + download

# Make the API call.
r = requests.get(APICall);

# Do something with the response.
if r.status_code == 200:
	print(json.loads(r.content))
else:
	print('Request failed')

This query is different in a couple ways:

  1. It adds AND country:US to narrow down results to just US hotels.
  2. It changes records=1 to records=10 so we can look at more sample matches.

Datafiniti lets you construct very refined boolean queries. If you wanted to do more complicated searches, you could OR operations, negation, and more.

You can run the Python code above to see the difference in the results.

5. Initiate a full download of the data

Once we like what we see from the sample matches, it's time to download the entire data set! To do this, we're going to update our code a fair bit (an explanation follows):

# Illustrates an API call to Datafiniti's Business Database for hotels.
import requests
import json
import urllib.parse
import time

# Set your API parameters here.
APIToken = 'AAAXXXXXXXXXXXX'
view = 'businesses_all'
format = 'json'
query = urllib.parse.quote_plus('categories:hotels AND country:US')
records = '1'
download = 'true'

# Construct the API call.
APICall = 'https://' + APIToken + ':@api.datafiniti.co/v3/data/businesses?' \
			+ 'view=' + view \
			+ '&format=' + format \
			+ '&q=' + query \
			+ '&download=' + download

# Make the initial API call.
r = requests.get(APICall);
if r.status_code == 200:
	# Get the request ID for the download
	requestAPICall = r.url

	# Keep checking the request status until the download has completed
	requestID = '';
	requestResponseCode = 200
	requestResponseStatus = 'STARTED';
	while (requestResponseCode == 200 and requestResponseStatus != 'COMPLETED'):
		time.sleep(5)
		print('Checking on status: ' + requestAPICall)
		request = requests.get(requestAPICall)
		requestResponse = json.loads(request.text)
		requestID = requestResponse[0]['id']
		requestResponseStatus = requestResponse[0]['status']
		print('Records downloaded: ' + str(requestResponse[0]['numDownloaded']))

	# Once the download has completed, get the list of links to the result files and download each file
	if requestResponseStatus == 'COMPLETED':
		result = requests.get('https://' + APIToken + ':@api.datafiniti.co/v3/results/' + str(requestID))
		resultResponse = json.loads(result.text)
		i = 1;
		for resultObj in resultResponse:
			filename = str(requestID) + '_' + str(i) + '.' + format
			urllib.request.urlretrieve(resultObj['url'],filename)
			print('Downloaded file: ' + filename)
			i += 1

else:
	print('Request failed')

A few things to pay attention to in the above code:

  1. We removed &records=10.
  2. We changed download=false to download=true.

Since we've handled multiple steps of the download process in this code, we won't go into the details here, but we do recommend you familiarize yourself with those steps. Checking them out in our Business Data with Web Browser and JSON Guide will be helpful.

6. Parse the JSON data

The download code will save one or more result files to your project folder.

📘

The JSON data will actually be a text file, instead of a single JSON object. Each line in the text file is a JSON object. We format the data this way because most programming languages won't handle parsing the entire data set as a JSON object with their standard system calls very well.

We'll need to parse the file into an array of JSON objects. We can use code similar to this to handle the parsing:

import json

# Set the location of your file here
filename = 'xxxx_x.txt'

records = []

with open(filename) as myFile:
	for line in myFile:
		records.append(json.loads(line))

for record in records:
	# Edit these lines to do more with the data
	print json.dumps(record, indent=4, sort_keys=True)

You can edit the code in the for loop above to do whatever you'd like with the data, such as store the data in a database, write it out to your console, etc.