在vb.net中是否有可能有一个方法在bass类中构造任何派生类的对象? 在此代码中,x.Clone应返回一个Bar对象。 是两种类中使用不同对象类型的代码的唯一方法。
Module Module1
Sub Main()
Dim x As New Bar
Dim y As Bar = x.Clone
End Sub
End Module
Public Class Foo
Implements ICloneable
Public Function Clone() As Object Implements System.ICloneable.Clone
Clone = Me.new() 'fails to compile as not in a constructor
Clone = new Foo 'constructs a new foo in the derived class
End Function
End Class
Public Class Bar
Inherits Foo
'additional implementation
'but no addition fields
End Class
答案 0 :(得分:3)
答案具体取决于您在克隆方法中要完成的任务。
如果你想创建一个当前类的新实例而不实际复制任何属性(听起来你可能有兴趣根据示例代码和描述),那么简单的解决方案是:
Public Class Foo
Implements ICloneable
Public Function Clone() As Object Implements System.ICloneable.Clone
Return Activator.CreateInstance(Me.GetType)
End Function
End Class
您可以通过在Bar中添加消息(或某种调试或输出)来测试这是否被调用:
Public Class Bar
Inherits Foo
Public Sub New()
MsgBox("Test")
End Sub
End Class
如果你有Option Strict On
,我强烈推荐,主要的代码是:
Sub Main()
Dim x As New Bar
Dim y As Bar = DirectCast(x.Clone, Bar)
End Sub
但是,如果您有兴趣从当前班级复制成员值,可以使用MemberwiseClone:
Public Class Foo
Implements ICloneable
Public Function Clone() As Object Implements System.ICloneable.Clone
Return Me.MemberwiseClone
End Function
End Class
但是,这只会创建一个浅拷贝,会复制引用,并且不会在Bar上调用构造函数。当我们以这种方式使用MemberwiseClone时,我们总是添加一个可以被继承者用来执行克隆后清理的可覆盖方法:
Public Class Foo
Implements ICloneable
Public Function Clone() As Object Implements System.ICloneable.Clone
Dim oObject As Foo
oObject = DirectCast(Me.MemberwiseClone, Foo)
oObject.PostCloneCleanup()
Return oObject
End Function
Protected Overridable Sub PostCloneCleanup()
End Sub
End Class
Public Class Bar
Inherits Foo
Public Sub New()
MsgBox("Test")
End Sub
Protected Overrides Sub PostCloneCleanup()
MsgBox("PostCloneCleanup")
End Sub
End Class
最后,如果您不喜欢浅层复制或处理复制的引用,则可以使用廉价但非常有效的技巧执行深层复制:使用BinaryFormmater进行序列化和反序列化:
Public Function CreateDeepCopy(Of T)(ByVal oRecord As T) As T
If oRecord Is Nothing Then
Return Nothing
End If
If Not oRecord.GetType.IsSerializable Then
Throw New ArgumentException(oRecord.GetType.ToString & " is not serializable")
End If
Dim oFormatter As New System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
Using oStream As IO.MemoryStream = New IO.MemoryStream
oFormatter.Serialize(oStream, oRecord)
oStream.Position = 0
Return DirectCast(oFormatter.Deserialize(oStream), T)
End Using
End Function
这要求类可序列化,但这很容易做到。