Учусь запускать методы в потоке. Подскажите как запустить метод в потоке, если в методе есть входные параметры?
Поток запускаю так:
Thread thread = new Thread(new ThreadStart(DirectoryCopy));
thread.Start();
Пример метода DirectoryCopy:
private static void DirectoryCopy(string sourceDirName, string destDirName, bool copySubDirs)
{
// Get the subdirectories for the specified directory.
DirectoryInfo dir = new DirectoryInfo(sourceDirName);
if (!dir.Exists)
{
throw new DirectoryNotFoundException(
"Source directory does not exist or could not be found: "
+ sourceDirName);
}
DirectoryInfo[] dirs = dir.GetDirectories();
// If the destination directory doesn't exist, create it.
if (!Directory.Exists(destDirName))
{
Directory.CreateDirectory(destDirName);
}
// Get the files in the directory and copy them to the new location.
FileInfo[] files = dir.GetFiles();
foreach (FileInfo file in files)
{
string temppath = Path.Combine(destDirName, file.Name);
file.CopyTo(temppath, false);
}
// If copying subdirectories, copy them and their contents to new location.
if (copySubDirs)
{
foreach (DirectoryInfo subdir in dirs)
{
string temppath = Path.Combine(destDirName, subdir.Name);
DirectoryCopy(subdir.FullName, temppath, copySubDirs);
}
}
}
Вам не надо думать о создании потоков вручную в таких случаях. Если действие поанируется как небольшое, то можно создать таск, который отправит работу в пул потоков
public async void Button_Click(object sender, EventArgs e)
{
MessageBox.Show("Start");
await Task.Run((()=> DirectoryCopy("foo", "bar", true));
MessageBox.Show("Stop");
}
Если действие долгое, то можно также создать таск, но при этом указать, что действие долгое, и пусть шедулер разбирается, как его лучше запустить (он скорее всего создаст поток сам)
public async void Button_Click(object sender, EventArgs e)
{
MessageBox.Show("Start");
await Task.Factory.StartNew(() => DirectoryCopy("foo", "bar", true),
TaskCreationOptions.LongRunning);
MessageBox.Show("Stop");
}
Вызвать метод в лямбда-выражении без параметров, например:
Thread thread = new Thread(new ThreadStart(() => DirectoryCopy("foo", "bar", true)));
thread.Start();
Айфон мало держит заряд, разбираемся с проблемой вместе с AppLab
Перевод документов на английский язык: Важность и ключевые аспекты
Нужно ли использовать оператор return в функции, тип возвращаемого значения которой указан как void, или же его просто опускать? В чем разница...
Как правильно перевести в массив байт COM-объект и/или объекты, к классам которым нельзя получить доступ и поставить им атрибут Serializable (например,...