Effettuare una chiamata cURL in C #


89

Voglio effettuare la seguente curlchiamata nella mia applicazione console C #:

curl -d "text=This is a block of text" \
    http://api.repustate.com/v2/demokey/score.json

Ho provato a fare come la domanda pubblicata qui , ma non riesco a riempire correttamente le proprietà.

Ho anche provato a convertirlo in una normale richiesta HTTP:

http://api.repustate.com/v2/demokey/score.json?text="This%20is%20a%20block%20of%20text"

Posso convertire una chiamata cURL in una richiesta HTTP? Se é cosi, come? In caso contrario, come posso effettuare correttamente la chiamata cURL di cui sopra dalla mia applicazione console C #?



@DanielEarwicker: Direi che non lo è, solo perché ora HttpClientè nel mix e sarà il modo per trasferire i contenuti HTTP HttpWebRequeste WebClientandare avanti.
casperOne

Risposte:


147

Bene, non chiameresti cURL direttamente, piuttosto, useresti una delle seguenti opzioni:

Consiglio vivamente di utilizzare la HttpClientclasse, poiché è progettata per essere molto migliore (dal punto di vista dell'usabilità) rispetto ai primi due.

Nel tuo caso, faresti questo:

using System.Net.Http;

var client = new HttpClient();

// Create the HttpContent for the form to be posted.
var requestContent = new FormUrlEncodedContent(new [] {
    new KeyValuePair<string, string>("text", "This is a block of text"),
});

// Get the response.
HttpResponseMessage response = await client.PostAsync(
    "http://api.repustate.com/v2/demokey/score.json",
    requestContent);

// Get the response content.
HttpContent responseContent = response.Content;

// Get the stream of the content.
using (var reader = new StreamReader(await responseContent.ReadAsStreamAsync()))
{
    // Write the output.
    Console.WriteLine(await reader.ReadToEndAsync());
}

Si noti inoltre che la HttpClientclasse ha un supporto molto migliore per la gestione di diversi tipi di risposta e un supporto migliore per le operazioni asincrone (e la loro cancellazione) rispetto alle opzioni menzionate in precedenza.


7
Ho provato a seguire il tuo codice per un problema simile ma mi vengono dati errori che attendono possono essere impostati solo su metodi asincroni?
Jay,

@ Jay Sì, async e await sono una coppia, non puoi usarne uno senza l'altro. Ciò significa che devi rendere il metodo contenitore (di cui non c'è nessuno qui) asincrono.
casperOne

1
@ Jay La maggior parte di questi metodi restituisce Task<T>, semplicemente non puoi usare asynce quindi gestire i tipi restituiti normalmente (dovresti chiamare Task<T>.Result. Nota, è meglio usarli asyncperché stai sprecando il thread in attesa del risultato.
casper Il

1
@Maxsteel Sì, è un array di KeyValuePair<string, string>quindi dovresti semplicemente usarenew [] { new KeyValuePair<string, string>("text", "this is a block of text"), new KeyValuePair<string, string>("activity[verb]", "testVerb") }
casperOne

1
Può funzionare per effettuare una chiamata come questa? curl -k -i -H "Accept: application/json" -H "X-Application: <AppKey>" -X POST -d 'username=<username>&password=<password>' https://identitysso.betfair.com/api/login
Murray Hart

24

O in restSharp :

var client = new RestClient("https://example.com/?urlparam=true");
var request = new RestRequest(Method.POST);
request.AddHeader("content-type", "application/x-www-form-urlencoded");
request.AddHeader("cache-control", "no-cache");
request.AddHeader("header1", "headerval");
request.AddParameter("application/x-www-form-urlencoded", "bodykey=bodyval", ParameterType.RequestBody);
IRestResponse response = client.Execute(request);

1
L'esempio di utilizzo di base non funziona fuori dagli schemi. restSharp è spazzatura.
Alex G

1
@AlexG Allora stai sbagliando. Per me va bene.
user2924019

13

Di seguito è riportato un codice di esempio funzionante.

Tieni presente che devi aggiungere un riferimento a Newtonsoft.Json.Linq

string url = "https://yourAPIurl";
WebRequest myReq = WebRequest.Create(url);
string credentials = "xxxxxxxxxxxxxxxxxxxxxxxx:yyyyyyyyyyyyyyyyyyyyyyyyyyyyyy";
CredentialCache mycache = new CredentialCache();
myReq.Headers["Authorization"] = "Basic " + Convert.ToBase64String(Encoding.ASCII.GetBytes(credentials));
WebResponse wr = myReq.GetResponse();
Stream receiveStream = wr.GetResponseStream();
StreamReader reader = new StreamReader(receiveStream, Encoding.UTF8);
string content = reader.ReadToEnd();
Console.WriteLine(content);
var json = "[" + content + "]"; // change this to array
var objects = JArray.Parse(json); // parse as array  
foreach (JObject o in objects.Children<JObject>())
{
    foreach (JProperty p in o.Properties())
    {
        string name = p.Name;
        string value = p.Value.ToString();
        Console.Write(name + ": " + value);
    }
}
Console.ReadLine();

Riferimento: TheDeveloperBlog.com


3

So che questa è una domanda molto vecchia, ma inserisco questa soluzione nel caso in cui aiuti qualcuno. Di recente ho riscontrato questo problema e Google mi ha portato qui. La risposta qui mi aiuta a capire il problema, ma ci sono ancora problemi dovuti alla mia combinazione di parametri. Ciò che alla fine risolve il mio problema è il convertitore da curl a C # . È uno strumento molto potente e supporta la maggior parte dei parametri per Curl. Il codice che genera è quasi immediatamente eseguibile.


3
Farei molto attenzione a non incollare dati sensibili (come i cookie di autenticazione) lì ...
Adi H

2

Risposta tardiva, ma questo è quello che ho finito per fare. Se vuoi eseguire i tuoi comandi curl in modo molto simile a come li esegui su Linux e hai Windows 10 o quest'ultimo, fai questo:

    public static string ExecuteCurl(string curlCommand, int timeoutInSeconds=60)
    {
        if (string.IsNullOrEmpty(curlCommand))
            return "";

        curlCommand = curlCommand.Trim();

        // remove the curl keworkd
        if (curlCommand.StartsWith("curl"))
        {
            curlCommand = curlCommand.Substring("curl".Length).Trim();
        }

        // this code only works on windows 10 or higher
        {

            curlCommand = curlCommand.Replace("--compressed", "");

            // windows 10 should contain this file
            var fullPath = System.IO.Path.Combine(Environment.SystemDirectory, "curl.exe");

            if (System.IO.File.Exists(fullPath) == false)
            {
                if (Debugger.IsAttached) { Debugger.Break(); }
                throw new Exception("Windows 10 or higher is required to run this application");
            }

            // on windows ' are not supported. For example: curl 'http://ublux.com' does not work and it needs to be replaced to curl "http://ublux.com"
            List<string> parameters = new List<string>();


            // separate parameters to escape quotes
            try
            {
                Queue<char> q = new Queue<char>();

                foreach (var c in curlCommand.ToCharArray())
                {
                    q.Enqueue(c);
                }

                StringBuilder currentParameter = new StringBuilder();

                void insertParameter()
                {
                    var temp = currentParameter.ToString().Trim();
                    if (string.IsNullOrEmpty(temp) == false)
                    {
                        parameters.Add(temp);
                    }

                    currentParameter.Clear();
                }

                while (true)
                {
                    if (q.Count == 0)
                    {
                        insertParameter();
                        break;
                    }

                    char x = q.Dequeue();

                    if (x == '\'')
                    {
                        insertParameter();

                        // add until we find last '
                        while (true)
                        {
                            x = q.Dequeue();

                            // if next 2 characetrs are \' 
                            if (x == '\\' && q.Count > 0 && q.Peek() == '\'')
                            {
                                currentParameter.Append('\'');
                                q.Dequeue();
                                continue;
                            }

                            if (x == '\'')
                            {
                                insertParameter();
                                break;
                            }

                            currentParameter.Append(x);
                        }
                    }
                    else if (x == '"')
                    {
                        insertParameter();

                        // add until we find last "
                        while (true)
                        {
                            x = q.Dequeue();

                            // if next 2 characetrs are \"
                            if (x == '\\' && q.Count > 0 && q.Peek() == '"')
                            {
                                currentParameter.Append('"');
                                q.Dequeue();
                                continue;
                            }

                            if (x == '"')
                            {
                                insertParameter();
                                break;
                            }

                            currentParameter.Append(x);
                        }
                    }
                    else
                    {
                        currentParameter.Append(x);
                    }
                }
            }
            catch
            {
                if (Debugger.IsAttached) { Debugger.Break(); }
                throw new Exception("Invalid curl command");
            }

            StringBuilder finalCommand = new StringBuilder();

            foreach (var p in parameters)
            {
                if (p.StartsWith("-"))
                {
                    finalCommand.Append(p);
                    finalCommand.Append(" ");
                    continue;
                }

                var temp = p;

                if (temp.Contains("\""))
                {
                    temp = temp.Replace("\"", "\\\"");
                }
                if (temp.Contains("'"))
                {
                    temp = temp.Replace("'", "\\'");
                }

                finalCommand.Append($"\"{temp}\"");
                finalCommand.Append(" ");
            }


            using (var proc = new Process
            {
                StartInfo = new ProcessStartInfo
                {
                    FileName = "curl.exe",
                    Arguments = finalCommand.ToString(),
                    UseShellExecute = false,
                    RedirectStandardOutput = true,
                    RedirectStandardError = true,
                    CreateNoWindow = true,
                    WorkingDirectory = Environment.SystemDirectory
                }
            })
            {
                proc.Start();

                proc.WaitForExit(timeoutInSeconds*1000);

                return proc.StandardOutput.ReadToEnd();
            }
        }
    }

Il motivo per cui il codice è un po 'lungo è perché Windows ti darà un errore se esegui una singola citazione. In altre parole, il comando curl 'https://google.com'funzionerà su Linux e non su Windows. Grazie a quel metodo che ho creato puoi usare virgolette singole ed eseguire i tuoi comandi curl esattamente come li esegui su Linux. Questo codice controlla anche la presenza di caratteri di escape come \'e \".

Ad esempio, usa questo codice come

var output = ExecuteCurl(@"curl 'https://google.com' -H 'Accept: application/json, text/javascript, */*; q=0.01'");

Se devi eseguire C:\Windows\System32\curl.exenuovamente la stessa stringa , non funzionerà perché per qualche motivo a Windows non piacciono le virgolette singole.


0

Chiamare cURL dalla tua app console non è una buona idea.

Ma puoi usare TinyRestClient che semplifica la compilazione delle richieste:

var client = new TinyRestClient(new HttpClient(),"https://api.repustate.com/");

client.PostRequest("v2/demokey/score.json").
AddQueryParameter("text", "").
ExecuteAsync<MyResponse>();

0

Bene, se sei nuovo in C # con cmd-line exp. puoi usare siti online come " https://curl.olsh.me/ " o cercare curl to C # converter restituirà un sito che potrebbe farlo per te.

o se stai usando Postman puoi usare Genera frammento di codice L'unico problema con il generatore di codice Postman è la dipendenza dalla libreria RestSharp.

Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.