我被一段从Java翻译成C#的代码卡住了。
基本上,我有一个Map(Dictionary(,其中的键由Pair组成,值由我创建的类(Square(表示;在这个类中,只有一个字段是Optional(是的,我在C#中创建了Optional类(。
在开始的时候,我用对来填充这个Dictionary,以形成一个类似的网格和空的Optional,正如你在下面的代码中看到的那样。
class World
{
private Dictionary<Pair<int, int>, Square> map =
new Dictionary<Pair<int, int>, Square>();
public World(int width, int height)
{
this.size = new Pair<int, int>(width, height);
for (int w = 0; w < this.size.GetX(); w++)
{
for (int h = 0; h < this.size.GetY(); h++)
this.map.Add(new Pair<int, int>(w, h),
new Square(Optional<Entity>.Empty()));
}
}
}
这是Square级
class Square
{
private Optional<Entity> entity;
public Square (Optional<Entity> entity)
{
this.entity = entity;
}
public Optional<Entity> GetEntity()
{
return this.entity;
}
public void SetEntity(Optional<Entity> entity)
{
this.entity = entity;
}
}
问题是,当我试图从Dictionary中获取现有值时,下面的这个函数总是返回null,它抛出System。NullReferenceException:对象引用未设置为对象的实例。在这段代码中,我去掉了所有的控件,但我知道我试图获得一个已经插入的值;此外,我还试着运行Dictionary。ContainsValue,返回false!但我确实已经把字典正式化了。
public Square? GetSquare(int x, int y)
{
if (y < this.size.GetY() && y >= 0 && < x this.size.GetX() && x >= 0)
{
this.map.TryGetValue(new Pair<int, int>(x, y), out Square? square);
return square;
}
throw new InvalidOperationException("no square in this position!");
}
我也在这里留下了Optional类的代码,但我几乎100%确信这不是的问题
public class Optional<T>
{
private T value;
public bool IsPresent { get; set; } = false;
private Optional() { }
public static Optional<T> Empty()
{
return new Optional<T>();
}
public static Optional<T> Of(T value)
{
Optional<T> obj = new Optional<T>();
obj.Set(value);
return obj;
}
private void Set(T value)
{
this.value = value;
this.IsPresent = true;
}
public T Get()
{
return value;
}
}
这是对类
public class Pair<X, Y>
{
private X first;
private Y second;
public Pair(X first, Y second)
{
this.first = first;
this.second = second;
}
public X GetX()
{
return this.first;
}
public Y GetY()
{
return this.second;
}
public override string ToString()
{
return "<" + first + "," + second + ">";
}
}
好的,解决了它。正如你所说,问题在于Pair类。我用ValueTuple<>替换它上课了,现在一切都很好,还是谢谢。