我有一个基类,可以对图像大小进行计算。我正在从中派生一个类,并具有将在我的代码中使用的预定义图像大小。虽然我的工作有用,但我有一种强烈的感觉,我没有做好。
理想情况下,我想将DerviedClass.PreviewSize作为参数传递给GetWidth,而不必创建它的实例。
class Program
{
static void Main(string[] args)
{
ProfilePics d = new ProfilePics();
Guid UserId = Guid.NewGuid();
ProfilePics.Preview PreviewSize = new ProfilePics.Preview();
d.Save(UserId, PreviewSize);
}
}
class ProfilePicsBase
{
public interface ISize
{
int Width { get; }
int Height { get; }
}
public void Save(Guid UserId, ISize Size)
{
string PicPath = GetTempPath(UserId);
Media.ResizeImage(PicPath, Size.Width, Size.Height);
}
}
class ProfilePics : ProfilePicsBase
{
public class Preview : ISize
{
public int Width { get { return 200; } }
public int Height { get { return 160; } }
}
}
答案 0 :(得分:7)
在我看来,您希望更灵活地实现ISize
- 具有始终返回相同值的实现似乎毫无意义。另一方面,我可以看到你想要一个简单的方法来获得你用来预览的大小。我会这样做:
// Immutable implementation of ISize
public class FixedSize : ISize
{
public static readonly FixedSize Preview = new FixedSize(200, 160);
private readonly int width;
private readonly int height;
public int Width { get { return width; } }
public int Height { get { return height; } }
public FixedSize(int width, int height)
{
this.width = width;
this.height = height;
}
}
然后你可以写:
ProfilePics d = new ProfilePics();
Guid userId = Guid.NewGuid();
d.Save(userId, FixedSize.Preview);
每次调用它时都会重用FixedSize
的相同实例。
答案 1 :(得分:3)
根据您的需要,有几种方法可以做到这一点。我会看一下不同的界面,设置。这样的事情。
public interface ISizedPics
{
int Width {get; }
int Height {get; }
void Save(Guid userId)
}
public class ProfilePics, iSizedPics
{
public int Width { get { return 200; } }
public int Height { get { return 160; } }
public void Save(Guid UserId)
{
//Do your save here
}
}
然后,完成后,您可以像这样使用它。
ISizedPics picInstance = new ProfilePics;
Guid myId = Guid.NewGuid();
picInstance.Save(myId);
这只是一种方法,我喜欢这种方式,因为您可以轻松地创建一个工厂类,帮助您根据需要声明实例。