我正在尝试将一些C#
MVC遗留代码移动到共享DLL中。到目前为止一切顺利,但我被问到共享DLL无需以任何方式引用System.Web
。
System.Web中该DLL使用的唯一类型是HttpPostedFileBase
:
public string ChangeAttachment(int userId, HttpPostedFileBase file)
{
string attachmentsFolderPath = ConfigurationManager.AppSettings["AttachmentsDirectory"];
if (!Directory.Exists(attachmentsFolderPath))
{
Directory.CreateDirectory(attachmentsFolderPath);
}
string fileTarget = Path.Combine(attachmentsFolderPath, userId.ToString() + Path.GetExtension(file.FileName));
if (File.Exists(fileTarget))
{
File.Delete(fileTarget);
}
file.SaveAs(fileTarget);
return fileTarget;
}
如您所见,此处不需要HTTP或Web功能,因为只使用了FileName
和SaveAs()
成员。
我是否有替代品可以轻松地将HttpPostedFileBase
转换为来电者,以便我需要传递的所有参数都是非网络文件?
注意:HttpPostedFileBase
直接从System.Object
继承,而不是从任何文件类继承。
答案 0 :(得分:3)
HttpPostedFileBase
是一个抽象类。因此,挑战在于您实际上并未替换该类,而是要替换HttpPostedFileWrapper
,即实现。 (它不是该类继承的东西,它是从它继承的东西。)
HttpPostedFileWrapper
反过来引用其他System.Web
类,例如HttpInputStream
和' HttpPostedFile`。
所以你无法取代它。也许通过要求您不要引用System.Web,意图是您正在移动与Web功能无直接关系的遗留代码,例如业务逻辑。如果你不能完全放弃代码,也许你可以将它从你正在创建的新程序集中删除,然后让另一个程序集引用System.Web
。如果他们不需要这个特定的功能,他们只引用一个组件,但如果他们需要这个,那么他们也可以添加第二个组件,它引用System.Web
。
答案 1 :(得分:1)
如果您不想引用System.Web
并且还想使用SaveAs方法,则可以定义接口以及用于创建链接的包装器。但这不是一个非常简单的方法:
//// Second assembly (Without referencing System.Web):
// An interface to link the assemblies without referencing to System.Web
public interface IAttachmentFile {
void SaveAs(string FileName);
}
..
..
// Define ChangeAttachment method
public string ChangeAttachment(int userId, IAttachmentFile attachmentFile) {
string attachmentsFolderPath = ConfigurationManager.AppSettings["AttachmentsDirectory"];
if (!Directory.Exists(attachmentsFolderPath)) {
Directory.CreateDirectory(attachmentsFolderPath);
}
string fileTarget = Path.Combine(
attachmentsFolderPath,
userId.ToString() + Path.GetExtension(file.FileName)
);
if (File.Exists(fileTarget)) {
File.Delete(fileTarget);
}
// This call leads to calling HttpPostedFileBase.SaveAs
attachmentFile.SaveAs(fileTarget);
return fileTarget;
}
//// First assembly (Referencing System.Web):
// A wrapper class around HttpPostedFileBase to implement IAttachmentFile
class AttachmentFile : IAttachmentFile {
private readonly HttpPostedFileBase httpPostedFile;
public AttachmentFile(HttpPostedFileBase httpPostedFile) {
if (httpPostedFile == null) {
throw new ArgumentNullException("httpPostedFile");
}
this.httpPostedFile = httpPostedFile;
}
// Implement IAttachmentFile interface
public SaveAs(string fileName) {
this.httpPostedFile.SaveAs(fileName);
}
}
..
..
// Create a wrapper around the HttpPostedFileBase object
var attachmentFile = new AttachmentFile(httpPostedFile);
// Call the ChangeAttachment method
userManagerObject.ChangeAttachment(userId, attachmentFile);