按id的接口实例

时间:2018-03-06 10:03:01

标签: c# enums interface solid-principles open-closed-principle

我们有不同类型的图像,我们相应地将图像存储在子文件夹中的磁盘上,以及数据库中的元数据,包括fileTypeId。 目前我们有这个:

public enum FileTypes
{
    Document=1,
    ProfileProto
    ...
}

switch (fileType)
   case 1:
        subdir = "documants"
   case 2:
        subdir = "profilephotos
   default: ...error...

类似这样的事情

这违反了SOLID的开放/关闭原则

所以我尝试创建它:

public class DocumentFileType : IFileType
{
    public int Id => 1;
    public string Subfolder => "documents";
}

但问题是,当我们将图像的元数据存储到数据库中时,我们将该类型的id存储到数据库字段中。在这种情况下为1或2。 所以,当我后退时,我应该做点什么 IFileType fileType = IFileType.instnceWithId(1) 但这当然是不可能的。

我能做些什么呢?

2 个答案:

答案 0 :(得分:0)

我会坚持使用Enum的简单解决方案并使用Attribute来使用子目录字符串来装饰它,以便将所有需要的数据放在一个地方:

public enum FileTypes
{
    [SubDirectory("documents")]
    Document = 1,

    [SubDirectory("profilefotos")]
    ProfileFoto = 2 
}

答案 1 :(得分:0)

为了使您的代码更具可扩展性,我认为您需要某种存储所有已知文件类型的注册表。注册表可以是库的一部分并公开,以便外部代码可以注册自己的文件类型。

public class DocumentFileTypeRegistry 
{
    IDictionary<int, IFileType> _registeredFileTypes = new Dictionary<int, IFileType>();

    public void RegisterType(IFileType type)
    {
        _registeredFileTypes[type.Id] = type;
    }

    public IFileType GetTypeById(int id)
    {
        return _registeredFileTypes[id];
    }
}

public class DocumentFileType : IFileType
{
    public int Id => 1;
    public string Subfolder => "documents";
}

public class PhotoFileType : IFileType
{
    public int Id => 2;
    public string Subfolder => "photos";
}

然后你必须在注册表中注册文件类型:

_fileTypeRegistry = new DocumentFileTypeRegistry();
_fileTypeRegistry.RegisterType(new DocumentFileType());
_fileTypeRegistry.RegisterType(new PhotoFileType());

//retrieve the type by id
var fileType = _fileTypeRegistry.GetTypeById(1);