我希望能够为用户提供一个选择 - 是使用16位索引(在OpenGL中)还是32位索引。在C ++中,我可能只是为int或short创建一个别名,但我似乎没有C#中的选项。基本上我想要的东西可以在下面的课程中总结出来:
using System;
namespace Something
{
public class Conditional
{
public Conditional(Boolean is16Bit)
{
if (is16Bit)
{
SOMETYPE is Int16
}
else
{
SOMETYPE is Int32
}
}
private List<SOMETYPE> _something;
}
}
别名(如果可以的话)会好得多 - 我只是不想强迫任何人使用这些代码编写#define语句,这可能吗?
由于
答案 0 :(得分:3)
好像你可以使用通用的:
namespace Something
{
public class Conditional<T>
{
private List<T> _something = new List<T>();
private Conditional()
{
// prevents instantiation except through Create method
}
public Conditional<T> Create()
{
// here check if T is int or short
// if it's not, then throw an exception
return new Conditional<T>();
}
}
}
创建一个:
if (is16Bit)
return Conditional<short>.Create();
else
return Conditional<int>.Create();
答案 1 :(得分:1)
您可以使用界面和工厂,如下所示:
public interface IConditional
{
void AddIndex(int i);
}
private class Conditional16 : IConditional
{
List<Int16> _list = new List<Int16>();
public void AddIndex(int i)
{
_list.Add((short)i);
}
}
private class Conditional32 : IConditional
{
List<Int32> _list = new List<Int32>();
public void AddIndex(int i)
{
_list.Add(i);
}
}
public static class ConditionalFactory
{
public static IConditional Create(bool is16Bit)
{
if (is16Bit)
{
return new Conditional16();
}
else
{
return new Conditional32();
}
}
}
您的代码(以及它的调用者)可以针对IConditional
执行所有操作,而无需关心它的具体表示。