我有一个实体,其中包含这样的值对象列表:
(我正在使用Go,但我希望它通常有意义)
// this is my Crop entity
type Crop struct {
UID uuid.UUID
Name string
Type string
Notes []CropNote // This is a list of value object.
}
// This is my CropNote value object
type CropNote struct {
Content string
CreatedDate time.Time
}
我有AddNewNote(content string)
的作物行为。但是业务流程也需要删除注释行为。我在想类似RemoveNote(content string)
行为。所以我将迭代我的Crop.Notes
,找到具有相同content
的行,然后从Crop.Notes
列表中删除该行。但我认为通过笔记的内容找到价值是容易出错的。从 API 的角度来看,这也很奇怪,因为我需要将内容发送到参数。
我的问题是,如何实现上述删除注释行为?
编辑: 对不起,我想我没有清楚地解释自己。
我知道如何从切片中删除值。
我的问题是关于 DDD。关于如何从Crop.Notes
列表中删除仅具有上述字段的值对象。因为我们知道值对象不能有标识符。
如果我真的只能使用我的价值对象中的Content
和CreatedDate
字段,那么当我执行 REST API 请求时,我应该将该Content
或CreatedDate
值发送到端点,这很奇怪。
只需使用 CropNote 本身的实例:
/* sorry for sudo code, not up with GO */
func (c Crop) removeNote(noteToRemove CropNote) {
c.Notes= c.Notes.RemoveItem(noteToRemove); /* RemoveItem() is your own array manipulation code */
}
现在由您的应用程序层来识别和调用注释的删除。
要考虑的其他事项:
为什么裁剪音符是裁剪聚合根的一部分? 作物的行为是否受音符影响,还是裁剪行为会影响音符?不要尝试在您的域内重建数据模型,这没有意义。如果您的系统需要独立添加/删除/更新作物注释,它们可能更适合作为自己的聚合根,间接依赖于现有的作物实体,例如:
/*again, not proficiant with GO - treat as sudo code */
private type CropNote struct {
UID uuid.UUID
CropUID uuid.UUID
Content string
CreatedDate time.Time
}
function NewCropNote(crop Crop, content string) *CropNote{
cn := new(CropNote)
cn.UUID = uuid.new()
cn.CropUID = crop.UUID
cn.CreatedDate = now()
cn.Content = content
return cn
}
除了@WeiHuang的回答: 如果您的笔记是无序列表,则可以使用 swap 代替append
或copy
。
func (c Crop) removeNote(content string) {
j:=len(c.Notes)
for i:=0;i<j;i++ {
if c.Notes[i]==content {
j--
c.Notes[j],c.Notes[i]=c.Notes[j],c.Notes[i]
}
}
c.Notes=c.Notes[:j]
}