[C#] C #에서 WebClient를 사용하여 특정 URL에 데이터를 게시하는 방법

WebClient에서 “HTTP Post”를 사용하여 일부 데이터를 특정 URL에 게시해야합니다.

이제 WebRequest 로이 작업을 수행 할 수 있다는 것을 알고 있지만 어떤 이유로 WebClient를 대신 사용하고 싶습니다. 가능합니까? 그렇다면 누군가가 나에게 몇 가지 예를 보여 주거나 올바른 방향으로 나를 가리킬 수 있습니까?



답변

방금 해결책을 찾았고 생각보다 쉽습니다. 🙂

솔루션은 다음과 같습니다.

string URI = "http://www.myurl.com/post.php";
string myParameters = "param1=value1&param2=value2&param3=value3";

using (WebClient wc = new WebClient())
{
    wc.Headers[HttpRequestHeader.ContentType] = "application/x-www-form-urlencoded";
    string HtmlResult = wc.UploadString(URI, myParameters);
}

그것은 매력처럼 작동합니다 🙂


답변

HTTP POST (또는 모든 종류의 HTTP 메소드)를 보낼 수 있고 올바른 형식의 데이터 형식으로 요청 본문 ( “&”으로 매개 변수 연결 및 URL 인코딩으로 이스케이프 처리)을 처리 할 수있는 UploadValues 라는 내장 메소드 가 있습니다.

using(WebClient client = new WebClient())
{
    var reqparm = new System.Collections.Specialized.NameValueCollection();
    reqparm.Add("param1", "<any> kinds & of = ? strings");
    reqparm.Add("param2", "escaping is already handled");
    byte[] responsebytes = client.UploadValues("http://localhost", "POST", reqparm);
    string responsebody = Encoding.UTF8.GetString(responsebytes);
}


답변

사용 WebClient.UploadString하거나 WebClient.UploadData서버에 데이터를 쉽게 게시 할 수 있습니다. UploadString은 DownloadString과 같은 방식으로 사용되므로 UploadData를 사용하는 예제를 보여 드리겠습니다.

byte[] bret = client.UploadData("http://www.website.com/post.php", "POST",
                System.Text.Encoding.ASCII.GetBytes("field1=value1&amp;field2=value2") );

            string sret = System.Text.Encoding.ASCII.GetString(bret);

더 : http://www.daveamenta.com/2008-05/c-webclient-usage/


답변

string URI = "site.com/mail.php";
using (WebClient client = new WebClient())
{
    System.Collections.Specialized.NameValueCollection postData =
        new System.Collections.Specialized.NameValueCollection()
       {
              { "to", emailTo },
              { "subject", currentSubject },
              { "body", currentBody }
       };
    string pagesource = Encoding.UTF8.GetString(client.UploadValues(URI, postData));
}


답변

//Making a POST request using WebClient.
Function()
{
  WebClient wc = new WebClient();

  var URI = new Uri("http://your_uri_goes_here");

  //If any encoding is needed.
  wc.Headers["Content-Type"] = "application/x-www-form-urlencoded";
  //Or any other encoding type.

  //If any key needed

  wc.Headers["KEY"] = "Your_Key_Goes_Here";

  wc.UploadStringCompleted +=
      new UploadStringCompletedEventHandler(wc_UploadStringCompleted);

  wc.UploadStringAsync(URI,"POST","Data_To_Be_sent");
}

void wc__UploadStringCompleted(object sender, UploadStringCompletedEventArgs e)
{
  try
  {
     MessageBox.Show(e.Result);
     //e.result fetches you the response against your POST request.         
  }
  catch(Exception exc)
  {
     MessageBox.Show(exc.ToString());
  }
}


답변

간단한 사용은 client.UploadString(adress, content);정상적으로 작동하지만 WebExceptionHTTP 성공 상태 코드가 반환되지 않으면 a가 발생 한다는 것을 기억해야한다고 생각합니다 . 나는 보통 원격 서버가 반환하는 예외 메시지를 인쇄하기 위해 다음과 같이 처리합니다.

try
{
    postResult = client.UploadString(address, content);
}
catch (WebException ex)
{
    String responseFromServer = ex.Message.ToString() + " ";
    if (ex.Response != null)
    {
        using (WebResponse response = ex.Response)
        {
            Stream dataRs = response.GetResponseStream();
            using (StreamReader reader = new StreamReader(dataRs))
            {
                responseFromServer += reader.ReadToEnd();
                _log.Error("Server Response: " + responseFromServer);
            }
        }
    }
    throw;
}


답변

모델 보내기 webapiclient를 사용하여 json 매개 변수 요청을 직렬화하십시오.

PostModel.cs

    public string Id { get; set; }
    public string Name { get; set; }
    public string Surname { get; set; }
    public int Age { get; set; }

WebApiClient.cs

internal class WebApiClient  : IDisposable
  {

    private bool _isDispose;

    public void Dispose()
    {
        Dispose(true);
        GC.SuppressFinalize(this);
    }

    public void Dispose(bool disposing)
    {
        if (!_isDispose)
        {

            if (disposing)
            {

            }
        }

        _isDispose = true;
    }

    private void SetHeaderParameters(WebClient client)
    {
        client.Headers.Clear();
        client.Headers.Add("Content-Type", "application/json");
        client.Encoding = Encoding.UTF8;
    }

    public async Task<T> PostJsonWithModelAsync<T>(string address, string data,)
    {
        using (var client = new WebClient())
        {
            SetHeaderParameters(client);
            string result = await client.UploadStringTaskAsync(address, data); //  method:
    //The HTTP method used to send the file to the resource. If null, the default is  POST 
            return JsonConvert.DeserializeObject<T>(result);
        }
    }
}

비즈니스 발신자 방법

    public async Task<ResultDTO> GetResultAsync(PostModel model)
    {
        try
        {
            using (var client = new WebApiClient())
            {
                var serializeModel= JsonConvert.SerializeObject(model);// using Newtonsoft.Json;
                var response = await client.PostJsonWithModelAsync<ResultDTO>("http://www.website.com/api/create", serializeModel);
                return response;
            }
        }
        catch (Exception ex)
        {
            throw new Exception(ex.Message);
        }

    }