私の計画は、ユーザーに私のプログラムで映画のタイトルを書き留めてもらうことです。私のプログラムは、UIがフリーズしないように、適切な情報を非同期でプルします。
コードは次のとおりです。
public class IMDB
{
WebClient WebClientX = new WebClient();
byte[] Buffer = null;
public string[] SearchForMovie(string SearchParameter)
{
//Format the search parameter so it forms a valid IMDB *SEARCH* url.
//From within the search website we're going to pull the actual movie
//link.
string sitesearchURL = FindURL(SearchParameter);
//Have a method download asynchronously the ENTIRE source code of the
//IMDB *search* website.
Buffer = WebClientX.DownloadDataAsync(sitesearchURL);
//Pass the IMDB source code to method findInformation().
//string [] lol = findInformation();
//????
//Profit.
string[] lol = null;
return lol;
}
私の実際の問題は、WebClientX.DownloadDataAsync()メソッドにあります。文字列URLは使用できません。 GUIをフリーズせずに、その組み込み関数を使用してサイトのバイトをダウンロードするにはどうすればよいですか(後で使用するために、これを文字列に変換します。これを行う方法を知っています)。
おそらく、DownloadDataAsyncの明確な例なので、使用方法を学ぶことができますか?
SOに感謝します、あなたはいつもとても素晴らしいリソースです。
結果を待つことができる新しいDownloadDataTaskAsyncメソッドがあります。読みやすく、配線もはるかに簡単です。私はそれを使います...
var client = new WebClient();
var data = await client.DownloadDataTaskAsync(new Uri(imageUrl));
await outstream.WriteAsync(data, 0, data.Length);
DownloadDataCompleted
イベントを処理する必要があります。
static void Main()
{
string url = "http://google.com";
WebClient client = new WebClient();
client.DownloadDataCompleted += DownloadDataCompleted;
client.DownloadDataAsync(new Uri(url));
Console.ReadLine();
}
static void DownloadDataCompleted(object sender,
DownloadDataCompletedEventArgs e)
{
byte[] raw = e.Result;
Console.WriteLine(raw.Length + " bytes received");
}
Argsには、エラー状態などに関連する他の情報が含まれています。それらも確認してください。
また、別のスレッドでDownloadDataCompleted
に入ることにも注意してください。 UI(winform、wpfなど)を使用している場合は、UIを更新する前にUIスレッドにアクセスする必要があります。 winformsから、this.Invoke
を使用します。 WPFについては、Dispatcher
を確認してください。
static void Main(string[] args)
{
byte[] data = null;
WebClient client = new WebClient();
client.DownloadDataCompleted +=
delegate(object sender, DownloadDataCompletedEventArgs e)
{
data = e.Result;
};
Console.WriteLine("starting...");
client.DownloadDataAsync(new Uri("http://stackoverflow.com/questions/"));
while (client.IsBusy)
{
Console.WriteLine("\twaiting...");
Thread.Sleep(100);
}
Console.WriteLine("done. {0} bytes received;", data.Length);
}
WebアプリケーションまたはWebサイトで上記を使用している場合は、aspxファイルのページディレクティブ宣言でAsync = "true"を設定してください。
ThreadPool.QueueUserWorkItem(state => WebClientX.DownloadDataAsync(sitesearchURL));
// ManualResetEventクラスを使用
static ManualResetEvent evnts = new ManualResetEvent(false);
static void Main(string[] args)
{
byte[] data = null;
WebClient client = new WebClient();
client.DownloadDataCompleted +=
delegate(object sender, DownloadDataCompletedEventArgs e)
{
data = e.Result;
evnts.Set();
};
Console.WriteLine("starting...");
evnts.Reset();
client.DownloadDataAsync(new Uri("http://stackoverflow.com/questions/"));
evnts.WaitOne(); // wait to download complete
Console.WriteLine("done. {0} bytes received;", data.Length);
}