33

我有这个网址:来自 Google 的网址

在新标签中打开链接时,浏览器会强制我下载它。下载后,我得到一个名为“s”的文本文件。但我想使用 C# 访问这个 URL 并获取它的文本,不要将它作为文件保存到计算机。有什么办法吗?

4

4 回答 4

56
var webRequest = WebRequest.Create(@"http://yourUrl");

using (var response = webRequest.GetResponse())
using(var content = response.GetResponseStream())
using(var reader = new StreamReader(content)){
    var strContent = reader.ReadToEnd();
}

这会将请求的内容放入 strContent。

或者像下面提到的adrianbanks那样简单地使用WebClient.DownloadString()

于 2012-09-03T00:52:38.033 回答
46

尝试这个:

var url = "https://www.google.com.vn/s?hl=vi&gs_nf=1&tok=i-GIkt7KnVMbpwUBAkCCdA&cp=5&gs_id=n&xhr=t&q=thanh&pf=p&safe=off&output=search&sclient=psy-ab&oq=&gs_l=&pbx=1&bav=on.2,or.r_gc.r_pw.r_cp.r_qf.&fp=be3c25b6da637b79&biw=1366&bih=362&tch=1&ech=5&psi=8_pDUNWHFsbYrQeF5IDIDg.1346632409892.1";

var textFromFile = (new WebClient()).DownloadString(url);
于 2012-09-03T01:04:46.160 回答
10

由于这个问题和我之前的答案现在已经相当老了,一个更现代的答案是使用HttpClientfromSystem.Net.Http

using System.Net.Http;

namespace ConsoleApp2
{
    class Program
    {
        async static void Main(string[] args)
        {
            HttpClient client = new HttpClient();
            string result = await client.GetStringAsync("https://example.com/test.txt");
        }
    }
}

如果不在异步函数中,则:

string result = client.GetStringAsync("https://example.com/test.txt").Result;
于 2018-12-04T22:22:49.890 回答
2

对于 asp.net core / .Net 5+,您应该在您的服务中注入 HttpClient。您不应手动创建新实例。

public class MySerivice {
   private readonly HttpClient _httpClient;
   public MyService(HttpClient httpClient) {
       _httpClient = httpClient;
   }
   
   public async Task Foo() {
       var myString = await _httpClient.GetStringAsync("https://my-url/file.txt");
   }
}

注入 HttpClient 将在幕后使用 IHttpClientFactory。文档:https ://docs.microsoft.com/en-us/dotnet/architecture/microservices/implement-resilient-applications/use-httpclientfactory-to-implement-resilient-http-requests

于 2020-10-09T11:26:22.777 回答