我有一个问题,我不知道如何攻击。希望有人可以踢我正确的方向。 =)
我创建了一些类,即Word,Excel,Microstation。 在这些类中,我使用相同的函数执行相同的操作(但当然使用不同的代码)。
程序的输入(Excel加载项)是一个可以是Word,Excel或Microstation的文件。 根据文件类型,我创建一个正确类的实例(Word,Excel或Microstation)。
当我创建实例时,我想调用一个函数来调用实例化的类函数。
我想这样做:
public function RunTheFunctions(??? o)
{
o.OpenFile();
o.DoStuff();
o.SaveFile();
}
而不是:
oWord.OpenFile();
oWord.DoStuff();
oWord.SaveFile();
oExcel.OpenFile();
oExcel.DoStuff();
oExcel.SaveFile();
oMicrostation.OpenFile();
oMicrostation.DoStuff();
oMicrostation.SaveFile();
我试过了:
object o;
Word oWord = new Word();
o = oWord;
o.OpenFile();
但它不起作用。
我希望我的问题比较清楚。 =)
此致 小号
答案 0 :(得分:4)
使用所需方法创建一个接口,并在具体类中实现它:
public interface IDocument
{
void OpenFile();
void DoStuff();
void SaveFile();
}
public class Word : IDocument { .... }
public function RunTheFunctions(IDocument o)
{
o.OpenFile();
o.DoStuff();
o.SaveFile();
}
答案 1 :(得分:2)
除了接口解决方案,这是正确的方法,如果.NET Framework> = 4.0,您还可以使用dynamic
作为参数类型。如果Word,Excel和Microstation是第三方类并且不共享公共接口或基类,则此解决方案是有意义的。 (实际上你可以在这种情况下使用Adapter Pattern并返回界面解决方案)
public void RunTheFunctions(dynamic o)
{
o.OpenFile();
o.DoStuff();
o.SaveFile();
}
如果提供的对象没有相应的方法,则会在运行时抛出异常。
答案 2 :(得分:1)
您可以创建界面,该界面将由您的Word,Excel,Microstation类实现:
// interface for your document classes
interface IDocument
{
void OpenFile();
void DoStuff();
void SaveFile();
}
// Word implements IDocument
class Word : IDocument
{
public void OpenFile() { /* ... */ }
public void DoStuff() { /* ... */ }
public void SaveFile() { /* ... */ }
}
// later
public function RunTheFunctions(IDocument o)
{
o.OpenFile();
o.DoStuff();
o.SaveFile();
}
// usage
IDocument doc = new Word();
RunTheFunctions(doc);
答案 3 :(得分:0)
制作界面:
public interface ICommonMethods
{
void OpenFile();
void DoStuff();
void SaveFile();
}
让你的类实现它,然后执行:
ICommonMethods o = new Word();
o.OpenFile();
答案 4 :(得分:0)
假设OpenFile()
和SaveFile()
对所有课程都是相同的操作,您需要的是Template Method Pattern
public abstract class Document
{
/*Assuming OpenFile and SaveFile are the same for Word, Excel and Microstation */
public void DoStuff()
{
OpenFile();
DoSpecificStuff();
SaveFile();
}
private void OpenFile()
{
//Open the file here.
}
protected abstract void DoSpecificStuff()
{
//Word, Excel and Microstation override this method.
}
private void SaveFile()
{
//Save file
}
}
public class Excel : Document
{
protected override void DoSpecificStuff()
{
//Excel does what it needs to do.
}
}
public class Word : Document
{
protected override void DoSpecificStuff()
{
//Word does what it needs to do.
}
}
然后用法:
public void SomeFunction()
{
Document document = SelectDocument("xlsx");
document.DoStuff(); //Open file, excel operation then save file.
document = SelectDocument("docx");
document.DoStuff(); //Open file, word operation then save file.
}
public Document SelectDocument(string fileExtension)
{
switch (fileExtension)
{
case "docx": return new Word();
case "xlsx": return new Excel();
default: return null;
}
}