Guide to Network Analysis (Part 4 - Find Closest Facilities)

Introduction

We have learned about Network Datasets and Network Analysis services in Part 1, how to find routes from one point to another, and among multiple points in Part 2, and how to generate service area in Part 3, let's move onto the fourth topic - how to find the closest facility. Please refer to the road map below if you want to revisit the previous topics or jump to the next topic -

  • Network Dataset and Network Analysis services (Part 1)
  • Find Routes (Part 2)
  • Generate Service Area (Part 3)
  • Find Closest Facility (You are here!)
  • Generate Origin Destination Cost Matrix (Part 5)
  • Solve Location Allocation (Part 6)
  • Vehicle Routing Problem Service (Part 7)

The API of Finding Closest Facility is useful when you need to find out individual locations near a source feature (in this guide, we call it incidents layer) in a sense that the API can calculate the actual distance between each location in the incidents layer and the closest source (in the facilities layer). For instance, if you want to know the distance of some eagle nests from a river and what's the closest point (1).

Or you can also have the API find the distance between each location (in the incidents layer) and several source features (in the facilities layer), which can be interpreted as (2):

  • If you want to see which areas are near more than one source and which areas are near only one. For instance, a fast food chain might need to see which areas have many customers near several restaurants.
  • If you need to know the second or third closest source for each location. For instance, a patient might need to know the nearest and the second nearest hospitals to his/her home address.
  • If you want to compare distance to other factors. For example, customer's distance from the store would need to be weighted against the number of store visits.

Fig 1. When a criminal incident happens, police patrol system needs to figure out which patrol vehicles are closest to the incident, in order to send the police officers over to the scene (2).

This part of guide to Networking Analysis will help you measure the cost of traveling between incidents and facilities, specify how many to find and whether the direction of travel is toward or away from them, and determine which are nearest to one another, and at the end display the best routes between incidents and facilities, report their travel costs, and return driving directions (2). In this part of guide, you'll be introduced to the workflow to find the closest hospital to an accident.

Now that we have learned why finding closest facility is needed, and the basis of measuring the nearness, it is time to make your hands dirty with some real implementations!

Problem statement

The goal of this page is to determine which facilities are closest to an incident. For this, let us assume the following scenario:

Jim is an operator working for Medical Emergency Response Office, and needs to schedule for emergency response vehicles to pick up patients from the location of incidents and transport to the nearest hospitals. Now given the three incidents reported in Redlands and Loma Linda, can Jim find the nearest hospitals for each of these incidents, and also provide them routes and directions?

Now that Jim's objectives are defined, we can go onto break down the problem:

  • Data: where to access the input datasets
  • Methods: what tools can be used to build the network model and perform closest facility analysis
  • Tables and maps: deliverables in which directions and routes are visualized.

Let's first access and/or explore the input datasets (in this case, the incidents and facilities feature class).

Data

The first step to everything is always importing all required modules and establishing a GIS connection to ArcGIS Online organization or your enterprise for ArcGIS.

If you have already set up a profile to connect to your ArcGIS Online organization, execute the cell below to load the profile and create the GIS class object. If not, use a traditional username/password log-in e.g. my_gis = GIS('https://www.arcgis.com', 'username', 'password', verify_cert=False, set_active=True)

from arcgis.gis import GIS
import arcgis.network as network
from arcgis.features import FeatureLayer, Feature, FeatureSet, use_proximity, FeatureCollection
import pandas as pd
import time
import datetime as dt
my_gis = GIS('home')

Define Incidents and Facilities Layer

Finding a closest facility can be associated with a local network dataset or a network service hosted in ArcGIS Online or ArcGIS Enterprise. Here, we will be using an existing feature layer that contains hospitals derived from various sources (refer SOURCE field) from the Homeland Infrastructure Foundation-Level Data (HIFLD) database (https://gii.dhs.gov/HIFLD), which can be accessed from esri_livingatlas.

If you do not have access to the hospital layer provided by Esri_livingatlas as referenced in the cell below, an alternative approach is for you to download the hospital listing of San Bernadino County from this source and publish the csv to the organization before proceeding forward.

""" This try-except block will help you download the CSV and publish to current GIS object, if 
    "You do not have permissions to access this resource or perform this operation."
"""
try:
    hospital_item = my_gis.content.get("a2817bf9632a43f5ad1c6b0c153b0fab")
except RuntimeError as ne:
    try:
        print("Trying from an alternative source...")
        hospital_item = my_gis.content.get("50fb63f303304835a048d16bd86c3024")
    except RuntimeError as ne:
        print("Trying to publish from csv...")
        import requests
        import csv
        import os

        out_file_name = 'hospitals_SB_county.csv'
        url = "https://data.chhs.ca.gov/datastore/dump/641c5557-7d65-4379-8fea-6b7dedbda40b?q=&sort=_id+asc&fields=OSHPD_ID%2CFACILITY_NAME%2CLICENSE_NUM%2CFACILITY_LEVEL_DESC%2CDBA_ADDRESS1%2CDBA_CITY%2CDBA_ZIP_CODE%2CCOUNTY_CODE%2CCOUNTY_NAME%2CER_SERVICE_LEVEL_DESC%2CTOTAL_NUMBER_BEDS%2CFACILITY_STATUS_DESC%2CFACILITY_STATUS_DATE%2CLICENSE_TYPE_DESC%2CLICENSE_CATEGORY_DESC%2CLATITUDE%2CLONGITUDE&filters=%7B%22COUNTY_CODE%22%3A+%5B%2236%22%5D%7D&format=csv"
        download = requests.get(url)

        with open(out_file_name, 'w') as out_file:
            out_file.writelines(download.text)
            print(out_file_name)
        csv_item = my_gis.content.add({}, out_file_name)
        hospital_item = csv_item.publish()
display(hospital_item)
You do not have permissions to access this resource or perform this operation.
Trying from an alternative source...
hospitals_SB_county
Feature Layer Collection by arcgis_python
Last Modified: September 27, 2019
0 comments, 10 views

From the Feature Layer item, we will get the first Feature Layer which we will use for the rest of this notebook.

hospital_fl = hospital_item.layers[0]
hospital_fl
<FeatureLayer url:"https://services7.arcgis.com/JEwYeAy2cc8qOe3o/arcgis/rest/services/hospitals_SB_county/FeatureServer/0">
""" If you are using the exisiting layer from Esri_LivngAtlas, there is a "County" column in the dataset;
    or else, the feature layer collection published from the downloaded CSV file is already targetted at SB County.
"""
try:
    facilities = hospital_fl.query(where="County='SAN BERNARDINO' AND State='CA'", as_df=False)
except RuntimeError as re:
    """ when seeing 'Invalid field: County' parameter is invalid
    """
    print("Trying from an alternative approach...")
    facilities = hospital_fl.query(where="Dba_city='REDLANDS' or Dba_city='LOMA LINDA'", as_df=False)
display(facilities)
'Invalid field: County' parameter is invalid
Trying from an alternative approach...
<FeatureSet> 33 features

Now we have the facilities layer ready. It has 33 hospitals as features. We can go onto define the incidents layer. Here, we randomly picked three locations in Redlands, CA.

incidents_json = {
                    "features": [{"attributes": {"CurbApproach": 0,
                                                 "ID": "C100045",
                                                 "Name": "Incident at Esri"},
                                  "geometry": {"x": -117.19569523299998, "y": 34.05608640000003}},
                                 {"attributes": {"CurbApproach": 0,
                                                 "ID": "F100086",
                                                 "Name": "Incident at APT"},
                                  "geometry": {"x": -117.20520037855628, "y": 34.04472649163186}},
                                 {"attributes": {"CurbApproach": 0,
                                                 "ID": "C100097",
                                                 "Name": "Incident at Walmart"},
                                  "geometry": {"x": -117.222253, "y": 34.065378}}],
                    "spatialReference": {"wkid": 4326, "latestWkid": 4326},
                    "geometryType": "esriGeometryPoint",
                    "fields" : [
                        {"name" : "ID", "type" : "esriFieldTypeString", "alias" : "ID", "length" : "50"},
                        {"name" : "Name", "type" : "esriFieldTypeString", "alias" : "Name", "length" : "50"},
                        {"name" : "CurbApproach", "type" : "esriFieldTypeInteger", "alias" : "CurbApproach"}
                    ]
                }
incidents = FeatureSet.from_dict(incidents_json)

Let's have the two layers visualized in the map view.

map1 = my_gis.map('Redlands, CA', zoomlevel=12)
map1
hospital_symbol = {"type":"esriPMS",
                   "url":"http://static.arcgis.com/images/Symbols/SafetyHealth/Hospital.png",
                   "contentType": "image/png", "width":20, "height":20}

map1.draw(facilities, symbol=hospital_symbol)
traffic_accident_symbol = {"type":"esriPMS",
                           "url":"http://static.arcgis.com/images/Symbols/Transportation/TrafficAccident.png",
                           "contentType": "image/png", "width":20, "height":20}

map1.draw(incidents, symbol=traffic_accident_symbol)

Methods

The ArcGIS API for Python provides three ways to find closest facilities, which are namely, ClosestFacilityLayer.solve, find_closest_facilities, and find_nearest.

Operationnetwork.analysisfeatures.use_proximity
Routefind_routesplan_routes
ServiceAreagenerate_service_areascreate_drive_time_areas
ClosestFacilityfind_closest_facilitiesfind_nearest

These three methods are defined in different modules of the arcgis package, and will make distinct REST calls in the back end. A key distinction between ClosestFacilityLayer.solve and network.analysis.find_closest_facilities, features.use_proximity.find_nearest is, the former is meant for custom or advanced closest facilities finding workflows where you need to publish your own Network Analysis layers. The latter tools work against closest facilities finding services hosted on ArcGIS Online or available on your Enterprise via proxy services and will cost you credits.

In this part of guide, we will walk through the workflows of using network.analysis.find_closest_facilities() and features.use_proximity.find_nearest() in solving the same problem - finding the closest facilities (defined as hospitals here) to the incidents, and further explore the differences in the process.

Method 1 - using arcgis.network.analysis.find_closest_facilities

Finds one or more facilities that are closest from an incident based on travel time or travel distance and outputs the best routes, driving directions between the incidents and the chosen facilities, and a copy of the chosen facilities. You can use the tool, for example, to find the closest hospital to an accident, the closest police cars to a crime scene, or the closest store to a customer’s address. When finding closest facilities, you can specify how many to find and whether the direction of travel is toward or away from them. You can also specify the time of day to account for travel times based on live or predictive traffic conditions for that time and date. For instance, you can use the tool to search for hospitals within a 15-minute drive time of the site of an accident at a given time of day. Any hospitals that take longer than 15 minutes to reach based on the traffic conditions will not be included in the results. Parameters for the solver include:

  • incidents: Incidents (FeatureSet). Required parameter. Specify one or more incidents (up to 1,000). These are the locations from which the tool searches for the nearby locations.
  • facilities: Facilities (FeatureSet). Required parameter. Specify one or more facilities (up to 1,000). These are the locations that are searched for when finding the closest location.
  • number_of_facilities_to_find: Number of Facilities to Find (int). Optional parameter. Specify the number of closest facilities to find per incident
  • cutoff: Cutoff (float). Optional parameter. Specify the travel time or travel distance value at which to stop searching for facilities for a given incident.
  • Set save_output_network_analysis_layer to True if you want to output the resulting NA layer as Layer file.

Please refer to the API ref doc for more information.

%%time
current_time = dt.datetime.now()  
result1 = network.analysis.find_closest_facilities(incidents=incidents, facilities=facilities, 
                                                   cutoff=10, time_of_day=current_time, 
                                                   number_of_facilities_to_find=4,
                                                   save_output_network_analysis_layer=True,
                                                   gis=my_gis)
Network elements with avoid-restrictions are traversed in the output (restriction attribute names: "Through Traffic Prohibited").
Wall time: 11.3 s

Now, check if the tool is run successfully, and what are types of the elements in the returned result set, and also get the output network analysis layer's url.

print("Is the tool executed successfully?", result1.solve_succeeded)
Is the tool executed successfully? True
result1
ToolOutput(output_routes=<FeatureSet> 12 features, output_directions=<FeatureSet> 0 features, solve_succeeded=True, output_closest_facilities=<FeatureSet> 11 features, output_network_analysis_layer={"url": "https://logistics.arcgis.com/arcgis/rest/directories/arcgisjobs/world/closestfacility_gpserver/j38b103b375534c4395e658e6a7aa4f47/scratch/_ags_gpna33351376bcbd449db338247fb6730729.lyr"}, output_route_data=None, output_incidents=<FeatureSet> 3 features, output_facilities=<FeatureSet> 33 features, output_result_file=None)

The output result1 is of type arcgis.geoprocessing._support.ToolOutput and the containing FeatureSets can be parsed individually for tabularizing and mapping the results. Also, the network analysis layer is present in the output_network_analysis_layer component.

result1.output_network_analysis_layer.url
'https://logistics.arcgis.com/arcgis/rest/directories/arcgisjobs/world/closestfacility_gpserver/j38b103b375534c4395e658e6a7aa4f47/scratch/_ags_gpna33351376bcbd449db338247fb6730729.lyr'

Tabularizing the response from find_closest_facilities

We can read the output_routes component of the returned object as DataFrame, and the 4 closest facilities (from a list of 33 possible facilities) to each of the 3 incidents. With StartTime and EndTime converted to DateTime type, and specific columns selected, the table now lists only valid information:

""" to create tables with valid information
"""
df4 = result1.output_routes.sdf
start_times = pd.to_datetime(df4["StartTime"], unit="ms")
end_times = pd.to_datetime(df4["EndTime"], unit="ms")
df4["StartTime"] = start_times.apply(lambda x: x.strftime("%H:%M:%S"))
df4["EndTime"] = end_times.apply(lambda x: x.strftime("%H:%M:%S"))
df4[["Name", "StartTime", "EndTime", "IncidentID", "Total_Kilometers", "Total_Minutes"]]
NameStartTimeEndTimeIncidentIDTotal_KilometersTotal_Minutes
0Incident at Esri - Location 2718:17:3818:20:19C1000451.1035172.671637
1Incident at Esri - Location 2818:17:3818:20:19C1000451.1035172.671637
2Incident at Esri - Location 3118:17:3818:20:54C1000451.2290313.254473
3Incident at Esri - Location 418:17:3818:21:29C1000451.7108353.841322
4Incident at APT - Location 518:17:3818:19:09F1000860.7720531.508993
5Incident at APT - Location 1218:17:3818:19:14F1000860.6923991.583468
6Incident at APT - Location 1618:17:3818:19:36F1000861.0935731.953791
7Incident at APT - Location 3018:17:3818:19:50F1000861.2880732.189129
8Incident at Walmart - Location 2318:17:3818:21:01C1000971.2696953.374696
9Incident at Walmart - Location 2618:17:3818:21:12C1000971.4139503.559580
10Incident at Walmart - Location 618:17:3818:22:32C1000971.9785854.894868
11Incident at Walmart - Location 3118:17:3818:22:37C1000972.0992914.970657

The table above shows the routes from each incident location to 4 of the facilities closest to it. It also prints the time and distance to each of these facilities.

Visualizing the routes to the closest facilities

map2 = my_gis.map('Redlands, CA', zoomlevel=12)
map2
# draw the facilities and incidents on this map
map2.draw(facilities, symbol=hospital_symbol, attributes={"title":"Hospital Facility"})
map2.draw(incidents, symbol=traffic_accident_symbol, attributes={"title":"Incident Location"})
# draw the routes on the map
map2.add_layer(result1.output_routes)

Let us extract the closest facility to each of the incident from the routing result.

# sort by total minutes. Then grouop by Incident location. Finally pick the first
# route for each incident, which gives you the shortest route.
df4_shortest = df4.sort_values("Total_Minutes").groupby("IncidentID", as_index=False).first()
df4_shortest[["Name", "StartTime", "EndTime", "IncidentID", "Total_Kilometers", "Total_Minutes"]]
NameStartTimeEndTimeIncidentIDTotal_KilometersTotal_Minutes
0Incident at Esri - Location 2718:17:3818:20:19C1000451.1035172.671637
1Incident at Walmart - Location 2318:17:3818:21:01C1000971.2696953.374696
2Incident at APT - Location 518:17:3818:19:09F1000860.7720531.508993

Now let us highlight the shortest routes. We can do that by redrawing the shortest route with a thicker and translucent symbol on the original map with all routes.

red_highlight_symbol = {'type': 'esriSLS', 'style': 'esriSLSSolid',
                            'color': [237, 0, 0, 100], 'width': 6}

# draw on map
map2.draw(df4_shortest.spatial.to_featureset(), 
          symbol=red_highlight_symbol)
map2.zoom=14

Next, we can save the map as a Web Map item for use later.

item_properties = {
    "title": "Closest Facility of hospitals in San Bernadino County from incidents (2)",
    "tags" : "NA Layer Solver, Closest Facility",
    "snippet": " Closest Facility of hospitals in San Bernadino County from incidents",
    "description": "a web map of Closest Facility of hospitals in San Bernadino County from incidents"
}

item = map2.save(item_properties)
item
Closest Facility of hospitals in San Bernadino County from incidents (2)
Closest Facility of hospitals in San Bernadino County from incidentsWeb Map by portaladmin
Last Modified: September 19, 2019
0 comments, 0 views

We have been using the find_closest_facilities tool in the network.analysis module up to this point. From now on, let's use a different method - find_nearest - defined in the features.use_proximity module, to achieve a workflow driven, Feature Service to Feature Service user experience.

Method 2 - using arcgis.features.use_proximity.find_nearest

The find_nearest method measures the straight-line distance, driving distance, or driving time from features in the analysis layer to features in the near layer, and copies the nearest features in the near layer to a new layer. Connecting lines showing the measured path are returned as well. find_nearest also reports the measurement and relative rank of each nearest feature. There are options to limit the number of nearest features to find or the search range in which to find them. The results from this method can help you answer the following kinds of questions:

  • What is the nearest park from here?
  • Which hospital can I reach in the shortest drive time? And how long would the trip take on a Tuesday at 5:30 p.m. during rush hour?
  • What are the road distances between major European cities?
  • Which of these patients reside within two miles of these chemical plants?

Getting incidents and facilities FeatureCollection ready

analysis_url = my_gis.properties.helperServices.closestFacility.url
cf_layer = network.ClosestFacilityLayer(analysis_url, gis=my_gis)

Let us inspect the ClosestFacilityLater to get supported travel modes.

[i['name'] for i in cf_layer.retrieve_travel_modes()['supportedTravelModes']]
['Driving Time',
 'Driving Distance',
 'Trucking Time',
 'Trucking Distance',
 'Walking Time',
 'Walking Distance',
 'Rural Driving Time',
 'Rural Driving Distance']

Let us get the Driving Time, which we will call as the car_mode.

car_mode = [i for i in cf_layer.retrieve_travel_modes()['supportedTravelModes'] 
            if i['name'] == 'Driving Time'][0]
incidents_fc = FeatureCollection.from_featureset(incidents)
facilities_fc = FeatureCollection.from_featureset(facilities)
incidents_fc, facilities_fc
(<FeatureCollection>, <FeatureCollection>)

With output_name specified

When output_name is specified, Find Nearest returns a layer containing the nearest features and a line layer that links the start locations to their nearest locations. The connecting line layer contains information about the start and nearest locations and the distances between.

hospital_layer = {'url': hospital_fl.url, 
                  'filter': "Dba_city='REDLANDS' or Dba_city='Loma Linda'"}
%%time
result2 = use_proximity.find_nearest(incidents_fc, hospital_layer, measurement_type=car_mode,
                                     time_of_day=current_time, max_count=4,
                                     context={'outSR': {"wkid": 4326}},
                                     search_cutoff=10,
                                     output_name="Find nearest hospital(s) 2d",
                                     gis=my_gis)
Network elements with avoid-restrictions are traversed in the output (restriction attribute names: "Through Traffic Prohibited").
Wall time: 36.5 s
result2
Find nearest hospital(s) 2d
Feature Layer Collection by arcgis_python
Last Modified: November 05, 2019
0 comments, 1 views

The first sublayer of result2 is the nearest facilities, and the second sublayer is the route.

result2.layers
[<FeatureLayer url:"https://services7.arcgis.com/JEwYeAy2cc8qOe3o/arcgis/rest/services/Find nearest hospital(s) 2d/FeatureServer/0">,
 <FeatureLayer url:"https://services7.arcgis.com/JEwYeAy2cc8qOe3o/arcgis/rest/services/Find nearest hospital(s) 2d/FeatureServer/1">]
closest_facility_sublayer = FeatureLayer.fromitem(result2, layer_id=0)
cf_df = closest_facility_sublayer.query(where='1=1', as_df=True)
cf_df.tail()
COUNTY_CODECOUNTY_NAMEDBA_ADDRESS1DBA_CITYDBA_ZIP_CODEER_SERVICE_LEVEL_DESCFACILITY_LEVEL_DESCFACILITY_NAMEFACILITY_STATUS_DATEFACILITY_STATUS_DESCLATITUDELICENSE_CATEGORY_DESCLICENSE_NUMLICENSE_TYPE_DESCLONGITUDEOBJECTIDORIG_FIDOSHPD_IDSHAPETOTAL_NUMBER_BEDS
636SAN BERNARDINO1180 NEVADA STREDLANDS92374Not ApplicableParent FacilityREDLANDS DENTAL SURGERY CENTER1993-07-26Open34.06801Surgical Clinic240000513Clinic-117.217427121306364122{'x': -13048583.5065, 'y': 4037937.7673999965,...NaN
736SAN BERNARDINO1916 ORANGE TREE LNREDLANDS92374Not ApplicableParent FacilityINLAND REGIONAL HOSPICE2018-09-26Open34.06788Hospice550002475Home Health Agency/Hospice-117.219348207406361358{'x': -13048797.2399, 'y': 4037920.2974999994,...NaN
836SAN BERNARDINO414 TENNESSEE STREDLANDS92373Not ApplicableParent FacilityBRIGHT SKY HOSPICE CARE, INC.2013-05-29Open34.05792Hospice550002302Home Health Agency/Hospice-117.200049245406364508{'x': -13046648.7738, 'y': 4036581.9209999964,...NaN
936SAN BERNARDINO414 TENNESSEE STREDLANDS92373Not ApplicableParent FacilityBRIGHT SKY HOME HEALTH CARE, INC.2015-06-04Open34.05792Home Health Agency550003097Home Health Agency/Hospice-117.2000410256406364523{'x': -13046648.7738, 'y': 4036581.9209999964,...NaN
1036SAN BERNARDINO1323 W COLTON AVEREDLANDS92374Not ApplicableParent FacilityAMERIHEALTH HOSPICE PROVIDER, INC.2015-03-02Open34.06285Hospice550000494Home Health Agency/Hospice-117.2026411357406364342{'x': -13046938.2044, 'y': 4037244.3708999977,...NaN
connected_line_sublayer = FeatureLayer.fromitem(result2, layer_id=1)
cf_df1 = connected_line_sublayer.query(where='1=1', as_df=True)
cf_df1.tail()
EndTimeEndTimeUTCFrom_CurbApproachFrom_IDFrom_ID_OrigFrom_NameNearRankOBJECTIDRouteLayerItemIDRouteLayerItemURL...To_IDTo_LATITUDETo_LICENSE_CATEGORY_DESCTo_LICENSE_NUMTo_LICENSE_TYPE_DESCTo_LONGITUDETo_OSHPD_IDTo_TOTAL_NUMBER_BEDSTotal_MilesTotal_Minutes
72019-10-24 03:58:352019-10-24 10:58:3502F100086Incident at APT48NoneNone...9034.037440Skilled Nursing Facility240000211Long Term Care Facility-117.20257020636135178.00.6794781.602120
82019-10-24 03:59:312019-10-24 10:59:3103C100097Incident at Walmart19NoneNone...12134.068010Surgical Clinic240000513Clinic-117.217420306364122NaN0.7954962.534579
92019-10-24 03:59:432019-10-24 10:59:4303C100097Incident at Walmart210NoneNone...20734.067880Hospice550002475Home Health Agency/Hospice-117.219340406361358NaN0.8851312.734999
102019-10-24 04:00:382019-10-24 11:00:3803C100097Incident at Walmart311NoneNone...35734.062850Hospice550000494Home Health Agency/Hospice-117.202640406364342NaN1.3109823.658257
112019-10-24 04:00:432019-10-24 11:00:4303C100097Incident at Walmart412NoneNone...4834.048272General Acute Care Hospital240000169Hospital-117.22117410636426828.01.2359793.727673

5 rows × 34 columns

As seen above, 12 routes are listed as routing options to closest facilities from these three incidents.

Not only can we tabularize the result, but we can also render the output Feature Service on to the map widget (as below).

map4a = my_gis.map('Redlands, CA', zoomlevel=12)
map4a
map4a.add_layer(result2)

Now we have seen how a Feature Service (input) to Feature service (output) works, let's explore a more traditional way of solving/parsing/tabularizing/drawing user experience.

Without output_name specified

When you have not specified the output_name in the input parameters, the returned value from find_nearest is a dict of two FeatureCollection objects, and detailed parsing needs to be done in order to get the information on demand.

result2b = use_proximity.find_nearest(incidents_fc, hospital_layer, measurement_type=car_mode,
                                      time_of_day=current_time, max_count=4,
                                      context={'outSR': {"wkid": 4326}},
                                      search_cutoff=10)
Network elements with avoid-restrictions are traversed in the output (restriction attribute names: "Through Traffic Prohibited").
result2b
{'nearest_layer': <FeatureCollection>,
 'connecting_lines_layer': <FeatureCollection>}

Tabularizing the response from find_nearest

We can create a DataFrame out of the features contained in the returned FeatureCollection object as in connecting_lines_layer component.

df5 = result2b['connecting_lines_layer'].query().sdf
df5[['RouteName', 'Total_Miles', 'Total_Minutes']]
RouteNameTotal_MilesTotal_Minutes
0Incident at Esri - Location 270.6856922.162341
1Incident at Esri - Location 280.6856922.162341
2Incident at Esri - Location 310.7636832.665145
3Incident at Esri - Location 41.0630623.180694
4Incident at APT - Location 50.2682861.237879
5Incident at APT - Location 120.4302001.267052
6Incident at APT - Location 160.6794781.887898
7Incident at APT - Location 300.8003352.130537
8Incident at Walmart - Location 230.7954963.198604
9Incident at Walmart - Location 260.8851313.387160
10Incident at Walmart - Location 61.2359794.689103
11Incident at Walmart - Location 311.3109824.787276

Visualizing the response from find_nearest

First create the map view, then customize the symbology for the incidents and the facilities, and finally render the routes and stops.

map4 = my_gis.map('Redlands, CA', zoomlevel=12)
map4
map4.draw(facilities, symbol=hospital_symbol, attributes={"title":"Hospital Facility"})
map4.draw(incidents, symbol=traffic_accident_symbol, attributes={"title":"Incident location"})
# draw the routes from each incident location in a different color
df5.spatial.plot(map4, renderer_type='u',col='From_Name')
True
map4.take_screenshot(set_as_preview=True, output_in_cell=False)
item_properties["title"] = "Closest Facility of hospitals in San Bernadino County from incidents (3) "

item = map4.save(item_properties)
item
Closest Facility of hospitals in San Bernadino County from incidents (3)
Closest Facility of hospitals in San Bernadino County from incidentsWeb Map by portaladmin
Last Modified: September 19, 2019
0 comments, 0 views

In the last section of this guide, we have adopted a different method - arcgis.features.use_proximity.find_nearest - in finding closest facilities from incidents. In doing so, we also explored the two scenarios with output_name specified (which forms a Feature Service to Feature Service user experience), and a more traditional compute/parse/draw approach when output_name is not present.

What's next?

Part 4 has introduced arcgis.network.analysis.find_closest_facilities and arcgis.features.use_proximity.find_nearest as solvers to the closest facility problem, how to prepare for data required as input arguments by these solvers, and ways to tabularize, map, and the save the output from solvers.

Now that we have mastered techniques in finding closest facilities, let's proceed to the next topic - generating OD (origin-destination) Matrix with network.analysis and features.use_proximity modules in Part 5

References

[1] Andy Mitchell, "The ESRI Guide to GIS Analysis, Volume 1: Geographic patterns & relationships", Esri Press, August 1999

[2] "Closest Facility Analysis", https://desktop.arcgis.com/en/arcmap/latest/extensions/network-analyst/closest-facility.htm, accessed on 09/16/2019

[3] "Find hospitals closest to an incident", https://developers.arcgis.com/python/sample-notebooks/finding-hospitals-closest-to-an-incident/, accessed on 09/16/2019

Your browser is no longer supported. Please upgrade your browser for the best experience. See our browser deprecation post for more details.