-----------------------------------

Acquista i software ArcGIS tramite Studio A&T srl, rivenditore autorizzato dei prodotti Esri.

I migliori software GIS, il miglior supporto tecnico!

I migliori software GIS, il miglior supporto tecnico!
Azienda operante nel settore GIS dal 2001, specializzata nell’utilizzo della tecnologia ArcGIS e aderente ai programmi Esri Italia Business Network ed Esri Partner Network

-----------------------------------



giovedì 11 ottobre 2012

ArcGIS for Server 10.1: RESTful administrative API

ArcGIS for Server espone via Rest API per l'amministrazione. Questo significa che possiamo gestire completamente il nostro server creando tool che fanno richieste http.
Le API sono organizzate in Resources e Operations: le resource sono entità in ArcGIS for Server che hanno delle informazioni ed uno stato ben definito, mentre le operation si attuano ed aggiornano le informazioni o lo stato delle resource. Le resource e le operation sono gerarchiche ed hanno un URL univoco.
Le API per l'amministrazione supportano l'autenticazione basata su token. Per utilizzare le API occorre fornire un token che sia stato acquisito fornendo credenziali amministrative. Ovviamente, data la natura delle informazione trasmesse tra le API per l'amministrazione e l'utente delle stesse,  la comunicazione dovrebbe avvenire su una connessione SSL.
Per poter utilizzare le API per l'amministrazione occorre essere un PSA (Primary Site Administrator) o avere  privilegi amministrativi.
 
ESRI ha già pubblicato dei tool utlizzando Python, ma nulla vieta di utilizzare il linguaggio a noi più familiare (Java, JavaScript, PowerShell, C#, Ruby, Scala, Perl, ecc.).
 
Qui potete trovare la guida in linea che descrive tramite esempi le varie funzionalità delle API.
 
Interessante notare come sia possibile registrare macchine e aggiungere, unire ed eliminare site; ciò permette, schedulando task, di distribuire un numero maggiore di istanze su più macchine se le richieste ai servizi dovessero aumentare. Ma possiamo anche semplicemente schedulare lo stato di salute dei nostri servizi ed inviare un'email se ci sono dei problemi od esaminare le statistiche per un determinato servizio.
 
Alcune delle operazioni di amministrazione possono richiedere un po' di tempo. Per prevenire il blocco del client mentre l'operazione è in esecuzione, è possibile eseguire queste operazioni in modalità asincrona passando come parametro alla richiesta runAsync  uguale a true. A questo punto, il sistema risponderà con un jobID e il client dovrà seguire l'esecuzione dalla resource jobs ed attendere che lo status sia  COMPLETED per avere la response dell'operazione.
 
Qui vediamo un esempio utilizzando c#:
 
namespace Studioat.ArcGIS.Server.Administrator
{
    using System;
    using Studioat.ArcGIS.Rest;
 
    class Program
    {
        static void Main(string[] args)
        {
            AGSAdmin agsAdmin = new AGSAdmin("myserver", 6080, "admin""secret");
            
            string serviceName = "SampleWorldCities";
            bool result = agsAdmin.StopService(serviceName, ServiceType.MapServer);
            Console.WriteLine("stop service {0}, result: {1}", serviceName, result);
 
            //string serviceName = "SampleWorldCities";
            result = agsAdmin.StartService(serviceName, ServiceType.MapServer);
            Console.WriteLine("stop service {0}, result: {1}", serviceName, result);
 
            string folder = "Demo1";
            result = agsAdmin.CreateServerFolder(folder, "Prova 1");
            Console.WriteLine("create folder {0}, result: {1}", folder, result);
 
            string physicalPath;
            string virtualPath;
            result = agsAdmin.GetServerDirectory("arcgisoutput"out physicalPath, out virtualPath);
            Console.WriteLine("physicalPath {0}, virtualPath {1}, result: {2}", physicalPath, virtualPath, result);
 
            agsAdmin.ListServices();
            Console.Read();
            
 
            agsAdmin.CreateService();
        }
    }
}
 
namespace Studioat.ArcGIS.Rest
{
    using System;
    using System.Collections;
    using System.Collections.Generic;
    using System.IO;
    using System.Linq;
    using System.Net;
    using System.Text;
    using System.Web;
    using ESRI.ArcGIS.SOESupport;
 
    /// <summary>
    /// tipi di servizio arcgis server (mappa la tabella servizio tipo)
    /// </summary>
    public enum ServiceType
    {
        MapServer,
        GeocodeServer,
        SearchServer,
        IndexingLauncher,
        IndexGenerator,
        GeometryServer,
        GeoDataServer,
        GPServer,
        GlobeServer,
        ImageServer
    }
 
    /// <summary>
    /// Load Balancing
    /// </summary>
    public enum LoadBalancing
    { 
       ROUND_ROBIN,
       FAIL_OVER 
    }
 
    /// <summary>
    /// isolation level
    /// </summary>
    public enum IsolationLevel
    {
        LOW,
        HIGH
    }
 
    /// <summary>
    /// administrative API Rest
    /// </summary>
    public class AGSAdmin
    {
        private string username;
        private string password;
        private string urlRestAdmin;
        private string urlRestServer;
 
        /// <summary>
        /// Initializes a new instance of the <see cref="AGSAdmin"/> class.
        /// </summary>
        /// <param name="serverName">server name</param>
        /// <param name="port">port of server</param>
        /// <param name="username">username administrator</param>
        /// <param name="password">password administrator</param>
        public AGSAdmin(string serverName, int port, string username, string password)
        {
            this.username = username;
            this.password = password;
            string url = string.Format("http://{0}:{1}/arcgis", serverName, port.ToString());
            this.urlRestAdmin = url + "/admin";
            this.urlRestServer = url + "/server";
        }
 
        /// <summary>
        /// Prevents a default instance of the <see cref="AGSAdmin"/> class from being created.
        /// </summary>
        private AGSAdmin()
        { 
        }
 
        /// <summary>
        /// Create arcgis server folder
        /// </summary>
        /// <param name="folderName">Folder name</param>
        /// <param name="description">Description of the folder</param>
        /// <returns>True if successfully created</returns>
        public bool CreateServerFolder(string folderName, string description)
        {
            try
            {
                string token = this.GenerateAGSToken();
                string folderUrl = this.urlRestAdmin + "/services/" + folderName + "?f=json&token=" + token;
                string resultExistsFolder = this.GetResult(folderUrl);
                if (!this.HasError(resultExistsFolder))
                {
                    return true// exists
                }
                else
                {
                    string createFolderUrl = this.urlRestAdmin + "/services/createFolder";
                    string postContent = string.Format("folderName={0}&description={1}&f=json&token={2}", folderName, description, token);
                    string result = this.GetResult(createFolderUrl, postContent);
                    return this.HasSuccess(result);
                }
            }
            catch
            {
                return false;
            }
        }
 
        /// <summary>
        /// Get physical Path and virtual Path from directory ags
        /// </summary>
        /// <param name="directory">directory ags</param>
        /// <param name="physicalPath">physical Path</param>
        /// <param name="virtualPath">virtual Path</param>
        /// <returns>True if successfully return path</returns>
        public bool GetServerDirectory(string directory, out string physicalPath, out string virtualPath)
        {
            physicalPath = null;
            virtualPath = null;
            try
            {
                string token = this.GenerateAGSToken();
                string directoryUrl = this.urlRestAdmin + "/system/directories/" + directory + "?f=json&token=" + token;
 
                string result = this.GetResult(directoryUrl);
 
                JsonObject jsonObject = new JsonObject(result);
                if (!jsonObject.Exists("physicalPath") || !jsonObject.TryGetString("physicalPath"out physicalPath))
                {
                    throw new Exception();
                }
 
                jsonObject = new JsonObject(result);
                if (!jsonObject.Exists("virtualPath") || !jsonObject.TryGetString("virtualPath"out virtualPath))
                {
                    throw new Exception();
                }
 
                return true;
            }
            catch
            {
                return false;
            }
        }
 
        /// <summary>
        /// Delete Service
        /// </summary>
        /// <param name="serviceName">Service Name</param>
        /// <param name="serviceType">Server Type</param>
        /// <returns>True if successfully deleted</returns>
        public bool DeleteService(string serviceName, ServiceType serviceType)
        {
            try
            {
                string token = this.GenerateAGSToken();
                string serviceUrl = this.urlRestAdmin + "/services/" + serviceName + "." + Enum.GetName(typeof(ServiceType), serviceType) + "/delete";
                string result = this.GetResult(serviceUrl, "f=json&token=" + token);
                return this.HasSuccess(result);
            }
            catch
            {
                return false;
            }
        }
 
        /// <summary>
        /// Start Service
        /// </summary>
        /// <param name="serviceName">Service Name</param>
        /// <param name="serviceType">Server Type</param>
        /// <returns>True if successfully started</returns>
        public bool StartService(string serviceName, ServiceType serviceType)
        {
            try
            {
                string token = this.GenerateAGSToken();
                string serviceUrl = this.urlRestAdmin + "/services/" + serviceName + "." + Enum.GetName(typeof(ServiceType), serviceType) + "/start";
                string result = this.GetResult(serviceUrl, "f=json&token=" + token);
                return this.HasSuccess(result);
            }
            catch
            {
                return false;
            }
        }
 
        /// <summary>
        /// Stop Service
        /// </summary>
        /// <param name="serviceName">Service Name</param>
        /// <param name="serviceType">Server Type</param>
        /// <returns>True if successfully stopped</returns>
        public bool StopService(string serviceName, ServiceType serviceType)
        {
            try
            {
                string token = this.GenerateAGSToken();
                string serviceUrl = this.urlRestAdmin + "/services/" + serviceName + "." + Enum.GetName(typeof(ServiceType), serviceType) + "/stop";
                string result = this.GetResult(serviceUrl, "f=json&token=" + token);
                return this.HasSuccess(result);
            }
            catch
            {
                return false;
            }
        }
 
        /// <summary>
        /// list of services
        /// </summary>
        public void ListServices()
        {
            this.ListServices(null);
        }
 
        /// <summary>
        /// list of services in folder
        /// </summary>
        /// <param name="folder">name of folder</param>
        public void ListServices(string folder)
        {
            try
            {
                string token = this.GenerateAGSToken();
                string serviceUrl = this.urlRestAdmin + "/services/" + folder;
                string postcontent = "f=json&token=" + token;
                string result = this.GetResult(serviceUrl, postcontent);
 
                JsonObject jsonObject = new JsonObject(result);
                object[] folders = null;
                if (jsonObject.Exists("folders") && jsonObject.TryGetArray("folders"out folders))
                {
                    foreach (string subfolder in folders)
                    {
                        this.ListServices(subfolder);
                    }
                }
 
                object[] services = null;
                if (jsonObject.Exists("services") && jsonObject.TryGetArray("services"out services))
                {
                    IEnumerable<JsonObject> jsonObjectService = services.Cast<JsonObject>();
                    jsonObjectService.ToList().ForEach(jo =>
                        {
                            string serviceName;
                            jo.TryGetString("serviceName"out serviceName);
                            string folderName;
                            jo.TryGetString("folderName"out folderName);
                            Console.WriteLine(folderName + "/" + serviceName);
                        });
                }
            }
            catch
            {
                throw;
            }
        }
 
        /// <summary>
        /// create service type MapServer
        /// </summary>
        /// <returns>>True if successfully created</returns>
        public bool CreateService()
        {
            try
            {
                string token = this.GenerateAGSToken();
                string serviceUrl = this.urlRestAdmin + "/services/createService";
 
                JsonObject jsonObject = new JsonObject();
                jsonObject.AddString("serviceName""Test");
                jsonObject.AddString("type"Enum.GetName(typeof(ServiceType), ServiceType.MapServer));
                jsonObject.AddString("description""This is an example");
                jsonObject.AddString("capabilities""Map,Query,Data");
                jsonObject.AddString("clusterName""default");
                jsonObject.AddLong("minInstancesPerNode", 1);
                jsonObject.AddLong("maxInstancesPerNode", 2);
                jsonObject.AddLong("maxWaitTime", 60); 
                jsonObject.AddLong("maxStartupTime", 300); 
                jsonObject.AddLong("maxIdleTime", 1800);
                jsonObject.AddLong("maxUsageTime", 600);
                jsonObject.AddLong("recycleInterval", 24);
                jsonObject.AddString("loadBalancing"Enum.GetName(typeof(LoadBalancing), LoadBalancing.ROUND_ROBIN));
                jsonObject.AddString("isolationLevel"Enum.GetName(typeof(IsolationLevel), IsolationLevel.HIGH));
 
                JsonObject jsonObjectProperties = new JsonObject();
 
                // see for a list complete http://resources.arcgis.com/en/help/server-admin-api/serviceTypes.html
                jsonObjectProperties.AddLong("maxBufferCount", 100); // optional 100
                jsonObjectProperties.AddString("virtualCacheDir"this.urlRestServer + "/arcgiscache"); // optional
                jsonObjectProperties.AddLong("maxImageHeight", 2048); // optional 2048
                jsonObjectProperties.AddLong("maxRecordCount", 1000); // optional 500
 
                // Starting at ArcGIS 10.1, Map Server Definition ( .msd ) files have been
                // replaced with Service Definition Draft ( .sddraft ) and Service Definition ( .sd ) files. 
                // In the case of a map service, you must specify a map service definition (MSD) file in your JSON. 
                // This file synthesizes information from your ArcMap document (MXD) in a format that can be understood and 
                // drawn by ArcGIS Server. You must use the arcpy.mapping module to analyze your map and create the MSD before 
                // you can go ahead with creating the service. This part requires a machine licensed for ArcGIS for Desktop. 
                // Other service types do not require you to use arcpy.mapping or create an MSD.
                jsonObjectProperties.AddString("filePath"@"C:\AvGis\Test\mappa\UTM_ReteFognaria.msd"); // required
                
                jsonObjectProperties.AddLong("maxImageWidth", 2048); // optional 2048
                jsonObjectProperties.AddBoolean("cacheOnDemand"false); // optional false
                jsonObjectProperties.AddString("virtualOutputDir"this.urlRestServer + "/arcgisoutput");
                jsonObjectProperties.AddString("outputDir"@"C:\arcgisserver\directories\arcgisoutput"); // required
                jsonObjectProperties.AddString("supportedImageReturnTypes""MIME+URL"); // optional MIME+URL
                jsonObjectProperties.AddBoolean("isCached"false); // optional false
                jsonObjectProperties.AddBoolean("ignoreCache"false); // optional false 
                jsonObjectProperties.AddBoolean("clientCachingAllowed"false); // optional true 
                jsonObjectProperties.AddString("cacheDir"@"C:\arcgisserver\directories\arcgiscache"); // optional
 
                jsonObject.AddJsonObject("properties", jsonObjectProperties);
 
                string result = this.GetResult(serviceUrl, "service=" + HttpUtility.UrlEncode(jsonObject.ToJson()) + "&f=json&token=" + token);
                return this.HasSuccess(result);
            }
            catch
            {
                return false;
            }
        }
 
        /// <summary>
        /// check is status is equal success
        /// </summary>
        /// <param name="result">result of request</param>
        /// <returns>True if status is equal success</returns>
        private bool HasSuccess(string result)
        {
            JsonObject jsonObject = new JsonObject(result);
            string status = null;
            if (!jsonObject.Exists("status") || !jsonObject.TryGetString("status"out status))
            {
                return false;
            }
 
            return status == "success";
        }
 
        /// <summary>
        /// check is status is equal error
        /// </summary>
        /// <param name="result">result of request</param>
        /// <returns>True if status is equal error</returns>
        private bool HasError(string result)
        {
            JsonObject jsonObject = new JsonObject(result);
            string status = null;
            if (!jsonObject.Exists("status") || !jsonObject.TryGetString("status"out status))
            {
                return false;
            }
 
            return status == "error";
        }
 
        /// <summary>
        /// Get request rest
        /// </summary>
        /// <param name="url">url of request</param>
        /// <returns>return response</returns>
        private string GetResult(string url)
        {
            try
            {
                WebRequest request = WebRequest.Create(url);
                WebResponse response = request.GetResponse();
                using (Stream responseStream = response.GetResponseStream())
                {
                    using (StreamReader reader = new StreamReader(responseStream))
                    {
                        return reader.ReadToEnd();
                    }
                }
            }
            catch
            {
                throw;
            }
        }
 
        /// <summary>
        /// Post request rest
        /// </summary>
        /// <param name="url">url of request</param>
        /// <param name="postContent">content of post</param>
        /// <returns>return response</returns>
        private string GetResult(string url, string postContent)
        {
            try
            {
                WebRequest request = WebRequest.Create(url);
                byte[] content = Encoding.UTF8.GetBytes(postContent);
                request.ContentLength = content.Length;
                request.ContentType = "application/x-www-form-urlencoded";
                request.Method = WebRequestMethods.Http.Post;
                using (Stream requestStream = request.GetRequestStream())
                {
                    requestStream.Write(content, 0, content.Length);
                    requestStream.Close();
                    WebResponse response = request.GetResponse();
                    using (Stream responseStream = response.GetResponseStream())
                    {
                        using (StreamReader reader = new StreamReader(responseStream))
                        {
                            return reader.ReadToEnd();
                        }
                    }
                }
            }
            catch
            {
                throw;
            }
        }
 
        /// <summary>
        /// Generate a token
        /// </summary>
        /// <returns>A token that has default expiration time</returns>
        private string GenerateAGSToken()
        {
            try
            {
                string urlGenerateToken = string.Format("{0}/generateToken"this.urlRestAdmin);
                string credential = string.Format("username={0}&password={1}&client=requestip&expiration=&f=json"this.username, this.password);
                string result = this.GetResult(urlGenerateToken, credential);
 
                JsonObject jsonObject = new JsonObject(result);
                string token = null;
                if (!jsonObject.Exists("token") || !jsonObject.TryGetString("token"out token))
                {
                    throw new Exception("Token not found!");
                }
 
                return token;
            }
            catch
            {
                return string.Empty;
            }
        }
    }
}