我在 asp .net 中有 Web 应用程序。我想每天扫描一次文件夹,以查找是否导入了新文件并进行一些处理。你建议我把这段代码放在哪里?我必须提供服务吗?
4 回答
你拥有服务器吗?然后您可以制作一个 C# 控制台应用程序,只需将 exe 添加到您的计划任务列表中即可。
如果您不拥有服务器并且无法安排任务,那么只需制作一个 aspx 文件来完成这项工作......您每天调用一次您的 aspx 文件 URL。
使用一些在线调度系统,比如这个http://http.sh/,这样他们就会每天调用一次你的 aspx 批处理页面。
您可以使用FileSystemWatcher类
此类侦听文件系统更改通知,并在目录或目录中的文件更改时引发事件。
using System;
using System.IO;
using System.Security.Permissions;
public class Watcher
{
public static void Main()
{
Run();
}
[PermissionSet(SecurityAction.Demand, Name="FullTrust")]
public static void Run()
{
string[] args = System.Environment.GetCommandLineArgs();
// If a directory is not specified, exit program.
if(args.Length != 2)
{
// Display the proper way to call the program.
Console.WriteLine("Usage: Watcher.exe (directory)");
return;
}
// Create a new FileSystemWatcher and set its properties.
FileSystemWatcher watcher = new FileSystemWatcher();
watcher.Path = args[1];
/* Watch for changes in LastAccess and LastWrite times, and
the renaming of files or directories. */
watcher.NotifyFilter = NotifyFilters.LastAccess | NotifyFilters.LastWrite
| NotifyFilters.FileName | NotifyFilters.DirectoryName;
// Only watch text files.
watcher.Filter = "*.txt";
// Add event handlers.
watcher.Changed += new FileSystemEventHandler(OnChanged);
watcher.Created += new FileSystemEventHandler(OnChanged);
watcher.Deleted += new FileSystemEventHandler(OnChanged);
watcher.Renamed += new RenamedEventHandler(OnRenamed);
// Begin watching.
watcher.EnableRaisingEvents = true;
// Wait for the user to quit the program.
Console.WriteLine("Press \'q\' to quit the sample.");
while(Console.Read()!='q');
}
// Define the event handlers.
private static void OnChanged(object source, FileSystemEventArgs e)
{
// Specify what is done when a file is changed, created, or deleted.
Console.WriteLine("File: " + e.FullPath + " " + e.ChangeType);
}
private static void OnRenamed(object source, RenamedEventArgs e)
{
// Specify what is done when a file is renamed.
Console.WriteLine("File: {0} renamed to {1}", e.OldFullPath, e.FullPath);
}
}
如果您需要从服务外部调用此代码将有意义,否则您可以在您的应用程序中使用它。对我来说这听起来像是计算机之间的同步问题,如果是这种情况,您可以找到很多解决方案,其中一些还不错,看看这里。
另一个想法是对您要检查的文件使用版本控制 (svn),这将使您能够从命令行发现更改的文件,不确定这是否有帮助,但值得一提。
我经常偶然发现这个问题。如果你问我,我会说一个“可怜的人”的解决方案是在应用程序启动时创建一些计时器并通过计时器事件进行工作。我只是不喜欢 Global 有这种状态的想法。
但是,如果您在旁边创建一个服务或控制台应用程序,您可能会在该服务中产生依赖关系,甚至可能是关键的业务逻辑。而且,如果您发现需要访问 Web 应用程序中的单例或其他数据,那么您将陷入困境。
所以我要做的是创建一个通用处理程序(.ashx),它像往常一样调用我的服务。它是网络项目的一部分。然后调用这个处理程序的调度完全不同的任务。创建一个只需在我的处理程序上执行一个简单的 http get 的 Windows 服务是微不足道的,而且不太可能改变。