根据特定变量或定义特征确定要调用的抽象类的哪个实现的最佳方法是什么?
代码示例:
public abstract class FileProcesser
{
private string _filePath;
protected FileProcessor(string filePath)
{
if (filePath == null)
{
throw new ArgumentNullException("filePath");
}
// etc etc
_filePath = filePath;
}
// some example methods for this file
public abstract int GetFileDataCount();
public abstract IEnumerable<FileItem> GetFileDataItems();
}
// specific implementation for say, a PDF type of file
public class PdfFileProcesser : FileProcessor
{
public PdfFileProcessor(string filePath) : base(filePath) {}
// implemented methods
}
// specific implementation for a type HTML file
public class HtmlFileProcessor : FileProcessor
{
public HtmlFileProcessor(string filePath) : base(filePath) {}
// implemented methods
}
public class ProcessMyStuff()
{
public void RunMe()
{
// the code retrieves the file (example dummy code for concept)
List<string> myFiles = GetFilePaths();
foreach (var file in myFiles)
{
if (Path.GetExtension(file) == ".pdf")
{
FileProcessor proc = new PdfFileProcessor(file);
// do stuff
}
else if (Path.GetExtension(file) == ".html")
{
FileProcessor proc = new HtmlFileProcessor(file);
// do stuff
}
// and so on for any types of files I may have
else
{
// error
}
}
}
}
我觉得有一种“更聪明”的方式可以通过使用更好的OO概念来实现这一点。我编写的代码是一个示例,用于演示我想要理解的内容,抱歉,如果有简单的错误,但基本的想法就在那里。我知道这是一个具体的例子,但我认为这也适用于许多其他类型的问题。
答案 0 :(得分:0)
我建议使用工厂来检索处理器:
foreach (var file in myFiles)
{
string extension = Path.GetExtension(file);
IFileProcessor proc = FileProcessorFactory.Create(extension);
// do stuff
}
然后你的工厂就像:
public static class FileProcessorFactory
{
public static IFileProcessor Create(string extension) {
switch (extension) {
case "pdf":
return new PdfFileProcessor();
case "html":
return new HtmlFileProcessor();
// etc...
}
}
}
请注意,我们使用的是一个接口,您的抽象类将继承该接口。这允许返回任何继承类型。