मैं आपको सही आर्किटेक्चर के बारे में आपकी राय पर पूछना चाहता हूं कि कब उपयोग करना है Task.Run
। मैं अपने WPF .NET 4.5 एप्लीकेशन (कैलिबर्न माइक्रो फ्रेमवर्क के साथ) में laggy UI का अनुभव कर रहा हूं।
मूल रूप से मैं (बहुत सरलीकृत कोड स्निपेट) कर रहा हूं:
public class PageViewModel : IHandle<SomeMessage>
{
...
public async void Handle(SomeMessage message)
{
ShowLoadingAnimation();
// Makes UI very laggy, but still not dead
await this.contentLoader.LoadContentAsync();
HideLoadingAnimation();
}
}
public class ContentLoader
{
public async Task LoadContentAsync()
{
await DoCpuBoundWorkAsync();
await DoIoBoundWorkAsync();
await DoCpuBoundWorkAsync();
// I am not really sure what all I can consider as CPU bound as slowing down the UI
await DoSomeOtherWorkAsync();
}
}
मेरे द्वारा पढ़े / देखे गए लेखों / वीडियो से, मुझे पता है कि await
async
जरूरी नहीं कि एक पृष्ठभूमि पर चल रहा हो और पृष्ठभूमि में काम शुरू करने के लिए आपको इसे प्रतीक्षा के साथ लपेटने की आवश्यकता हो Task.Run(async () => ... )
। का उपयोग करते हुए async
await
यूआई ब्लॉक नहीं करता है, लेकिन अभी भी यह यूआई धागा पर चल रहा है, तो यह यह laggy कर रही है।
टास्क लगाने के लिए सबसे अच्छी जगह कहाँ है।
क्या मुझे बस चाहिए?
बाहरी कॉल को लपेटें क्योंकि यह .NET के लिए थ्रेडिंग का कम काम है
, या मुझे केवल सीपीयू-बाउंड विधियों को आंतरिक
Task.Run
रूप से चालू करना चाहिए क्योंकि यह अन्य स्थानों के लिए पुन: प्रयोज्य बनाता है? मुझे यकीन नहीं है कि अगर कोर में गहरी पृष्ठभूमि के धागे पर काम शुरू करना एक अच्छा विचार है।
विज्ञापन (1), पहला समाधान इस तरह होगा:
public async void Handle(SomeMessage message)
{
ShowLoadingAnimation();
await Task.Run(async () => await this.contentLoader.LoadContentAsync());
HideLoadingAnimation();
}
// Other methods do not use Task.Run as everything regardless
// if I/O or CPU bound would now run in the background.
विज्ञापन (2), दूसरा समाधान इस तरह होगा:
public async Task DoCpuBoundWorkAsync()
{
await Task.Run(() => {
// Do lot of work here
});
}
public async Task DoSomeOtherWorkAsync(
{
// I am not sure how to handle this methods -
// probably need to test one by one, if it is slowing down UI
}
await Task.Run(async () => await this.contentLoader.LoadContentAsync());
बस होना चाहिएawait Task.Run( () => this.contentLoader.LoadContentAsync() );
। AFAIK आप एक दूसरेawait
औरasync
अंदर जोड़कर कुछ हासिल नहीं करतेTask.Run
। और जब से आप पैरामीटर पारित नहीं कर रहे हैं, यह थोड़ा और अधिक सरल करता हैawait Task.Run( this.contentLoader.LoadContentAsync );
।