在C ++中,可以删除this
并将其自己的引用设置为null。
我想将对象实例设置为null。
public class Foo
{
public void M( )
{
// this = null; // How do I do this kind of thing?
}
}
答案 0 :(得分:7)
这在.NET中是不可能的。您无法在对象本身内将当前实例设置为null。在.NET中,当前实例(this
)是只读的,您无法为其分配值。顺便说一句,这在.NET中甚至不需要。
答案 1 :(得分:7)
this
实际上只是实例方法中参数arg0
的特殊名称。将其设置为null
不允许:
this
class
个实例方法
this
上struct
的实例方法,但您无法指定null
1.的原因是无效:
arg0
是class
实例方法的by-val(不是-ref),因此方法的调用者不会注意到更改(为了完整性:arg0
是-ref struct
实例方法)null
不会将其删除; GC处理所以基本上,不允许使用该语法,因为它不能满足你的需要。对于你想要的东西,有没有 C#的比喻。
答案 2 :(得分:2)
在C ++ delete this
中释放对象的内存。没有与C#(或任何其他.NET语言)相同的东西。虽然在C ++中允许它,但我认为这不是一个好习惯。至少3个}}。
.NET使用you have to be very careful代替释放内存。一旦对象不再被引用,并且无法从代码中的任何位置访问,垃圾收集器可以garbage collection释放内存(并且垃圾收集器 小心)。所以只需向后靠,让垃圾收集器完成它的工作。
答案 3 :(得分:0)
根本没有。因为无法从null对象访问方法。在你的情况下,你想说
F f = new F() // where f = null
f.SomeMethod(); // ?????? not possible
在这种情况下,您将获得Null Reference Exception。你也可以看到Darin的评论和解释。 你怎么能从null访问任何东西,这意味着什么。我不知道遗产,但.Net并没有为你提供这样的东西。相反,当不再需要它时,你可以将它设置为null。
Ex from MSDN
public class Node<T>
{
// Private member-variables
private T data;
private NodeList<T> neighbors = null;
public Node() {}
public Node(T data) : this(data, null) {}
public Node(T data, NodeList<T> neighbors)
{
this.data = data;
this.neighbors = neighbors;
}
public T Value
{
get
{
return data;
}
set
{
data = value;
}
}
protected NodeList<T> Neighbors
{
get
{
return neighbors;
}
set
{
neighbors = value;
}
}
}
}
public class NodeList<T> : Collection<Node<T>>
{
public NodeList() : base() { }
public NodeList(int initialSize)
{
// Add the specified number of items
for (int i = 0; i < initialSize; i++)
base.Items.Add(default(Node<T>));
}
public Node<T> FindByValue(T value)
{
// search the list for the value
foreach (Node<T> node in Items)
if (node.Value.Equals(value))
return node;
// if we reached here, we didn't find a matching node
return null;
}
}
and Right—that operate on the base class's Neighbors property.
public class BinaryTreeNode<T> : Node<T>
{
public BinaryTreeNode() : base() {}
public BinaryTreeNode(T data) : base(data, null) {}
public BinaryTreeNode(T data, BinaryTreeNode<T> left, BinaryTreeNode<T> right)
{
base.Value = data;
NodeList<T> children = new NodeList<T>(2);
children[0] = left;
children[1] = right;
base.Neighbors = children;
}
public BinaryTreeNode<T> Left
{
get
{
if (base.Neighbors == null)
return null;
else
return (BinaryTreeNode<T>) base.Neighbors[0];
}
set
{
if (base.Neighbors == null)
base.Neighbors = new NodeList<T>(2);
base.Neighbors[0] = value;
}
}
public BinaryTreeNode<T> Right
{
get
{
if (base.Neighbors == null)
return null;
else
return (BinaryTreeNode<T>) base.Neighbors[1];
}
set
{
if (base.Neighbors == null)
base.Neighbors = new NodeList<T>(2);
base.Neighbors[1] = value;
}
}
}
public class BinaryTree<T>
{
private BinaryTreeNode<T> root;
public BinaryTree()
{
root = null;
}
public virtual void Clear()
{
root = null;
}
public BinaryTreeNode<T> Root
{
get
{
return root;
}
set
{
root = value;
}
}
}