Пример. Создание сайта
В этом примере создается сайт ArcGIS for Server на основе предоставленных пользователем значений для учетной записи основного администратора сайта, расположения хранилища конфигурации и корневого расположения каталогов сервера. Это те же значения, которые должен ввести пользователь при создании сайта в ArcGIS Server Manager вручную.
Процедуру createNewSite в ArcGIS REST API можно вызвать, просто передав нужные имя пользователя и пароль для основного администратора сайта, а также имя сервера и номер порта. В примере ниже добавляется возможность определить нужное расположение хранилища конфигурации и корневой каталог сервера. Большая часть кода относится к созданию каталогов.
При определении серверных каталогов программным способом в процедуру createNewSite необходимо передать большое количество данных JSON с описанием свойств каталогов. В примере ниже свойства каталогов настраиваются с использованием словарей Python. Затем эти словари сериализуются в данные JSON с помощью функции json.dumps() в Python. Это позволяет упростить понимание примера.
Использованные ниже свойства каталогов соответствуют свойствам по умолчанию, которые применяются Manager при создании сайта. Их можно изменять по своему усмотрению.
# Demonstrates how to create a new site
# For Http calls
import httplib, urllib, json
# For system tools
import sys, os
# For reading passwords without echoing
import getpass
# Defines the entry point into the script
def main(argv=None):
# Ask for admin/publisher user name and password
username = raw_input("Enter desired primary site administrator name: ")
password = getpass.getpass("Enter desired primary site administrator password: ")
# Ask for server name
serverName = raw_input("Enter server name: ")
serverPort = 6080
# Ask for config store and root server directory paths
configStorePath = raw_input("Enter config store path: ")
rootDirPath = raw_input("Enter root server directory path: ")
# Set up required properties for config store
configStoreConnection={"connectionString": configStorePath, "type": "FILESYSTEM"}
# Set up paths for server directories
cacheDirPath = os.path.join(rootDirPath, "arcgiscache")
jobsDirPath = os.path.join(rootDirPath, "arcgisjobs")
outputDirPath = os.path.join(rootDirPath, "arcgisoutput")
systemDirPath = os.path.join(rootDirPath, "arcgissystem")
# Create Python dictionaries representing server directories
cacheDir = dict(name = "arcgiscache",physicalPath = cacheDirPath,directoryType = "CACHE",cleanupMode = "NONE",maxFileAge = 0,description = "Stores tile caches used by map, globe, and image services for rapid performance.", virtualPath = "")
jobsDir = dict(name = "arcgisjobs",physicalPath = jobsDirPath, directoryType = "JOBS",cleanupMode = "TIME_ELAPSED_SINCE_LAST_MODIFIED",maxFileAge = 360,description = "Stores results and other information from geoprocessing services.", virtualPath = "")
outputDir = dict(name = "arcgisoutput",physicalPath = outputDirPath,directoryType = "OUTPUT",cleanupMode = "TIME_ELAPSED_SINCE_LAST_MODIFIED",maxFileAge = 10,description = "Stores various information generated by services, such as map images.", virtualPath = "")
systemDir = dict(name = "arcgissystem",physicalPath = systemDirPath,directoryType = "SYSTEM",cleanupMode = "NONE",maxFileAge = 0,description = "Stores files that are used internally by the GIS server.", virtualPath = "")
# Serialize directory information to JSON
directoriesJSON = json.dumps(dict(directories = [cacheDir, jobsDir, outputDir, systemDir]))
# Construct URL to create a new site
createNewSiteURL = "/arcgis/admin/createNewSite"
# Set up parameters for the request
params = urllib.urlencode({'username': username, 'password': password, 'configStoreConnection':
configStoreConnection, 'directories':directoriesJSON, 'f': 'json'})
headers = {"Content-type": "application/x-www-form-urlencoded", "Accept": "text/plain"}
# Connect to URL and post parameters
httpConn = httplib.HTTPConnection(serverName, serverPort)
httpConn.request("POST", createNewSiteURL, params, headers)
# Read response
response = httpConn.getresponse()
if (response.status != 200):
httpConn.close()
print "Error while creating the site."
return
else:
data = response.read()
httpConn.close()
# Check that data returned is not an error object
if not assertJsonSuccess(data):
print "Error returned by operation. " + str(data)
else:
print "Site created successfully"
return
# A function that checks that the input JSON object
# is not an error object.
def assertJsonSuccess(data):
obj = json.loads(data)
if 'status' in obj and obj['status'] == "error":
print "Error: JSON object returns an error. " + str(obj)
return False
else:
return True
# Script start
if __name__ == "__main__":
sys.exit(main(sys.argv[1:]))