php小编草莓给大家介绍一款非常实用的通用函数,它能够用于将不同结构的字段设置为映射值。这个函数可以帮助我们在处理数据时更加灵活和方便,不再受限于字段的结构。无论是数组、对象还是其他数据类型,都可以通过这个函数来实现字段的映射操作,提高我们的开发效率和代码的可维护性。如果你经常需要处理不同结构的字段,不妨尝试一下这个通用函数,相信它会给你带来不少帮助!
问题内容
拥有具有共同字段的结构...
type definition struct {
id string
...
}
type requirement struct {
id string
...
}
type campaign struct {
id string
...
}
...我有多个这样的函数:
func filldefinitionids(values *map[string]definition) {
for key, value:=range *values { // repeated code
value.id=key // repeated code
(*values)[key]=value // repeated code
} // repeated code
}
func fillrequirementids(values *map[string]requirement) {
for key, value:=range *values { // repeated code
value.id=key // repeated code
(*values)[key]=value // repeated code
} // repeated code
}
func fillcampaignids(values *map[string]campaign) {
for key, value:=range *values { // repeated code
value.id=key // repeated code
(*values)[key]=value // repeated code
} // repeated code
}
我想要一个单一的函数,用泛型(或接口,等等)来概括访问,有点......
func fillIds[T Definition|Requirement|Campaign](values *map[string]T) {
for key, value:=range *values {
value.Id=key
(*values)[key]=value
}
}
当然,这会导致 value.id 未定义(类型 t 没有字段或方法 id)
。我已经多次能够克服类似的问题,但这次我找不到解决方案。
如何将这组函数抽象为一个函数?
解决方法
type definition struct {
id string
}
type requirement struct {
id string
}
type campaign struct {
id string
}
func (v definition) withid(id string) definition { v.id = id; return v }
func (v requirement) withid(id string) requirement { v.id = id; return v }
func (v campaign) withid(id string) campaign { v.id = id; return v }
type withid[t any] interface {
withid(id string) t
}
func fillids[t withid[t]](values map[string]t) {
for key, value := range values {
values[key] = value.withid(key)
}
}
func main() {
m1 := map[string]definition{"foo": {}, "bar": {}}
fillids(m1)
fmt.println(m1)
m2 := map[string]campaign{"abc": {}, "def": {}}
fillids(m2)
fmt.println(m2)
}
https://www.php.cn/link/0db32de7aed05af092becfc3789e7700
如果需要使用值映射,则可以替代@blackgreen的答案。
type common struct {
id string
}
func (v *common) setid(id string) { v.id = id }
type definition struct {
common
}
type requirement struct {
common
}
type campaign struct {
common
}
type idsetter[t any] interface {
*t
setid(id string)
}
func fillids[t any, u idsetter[t]](values map[string]t) {
for key, value := range values {
u(&value).setid(key)
values[key] = value
}
}
func main() {
m1 := map[string]definition{"foo": {}, "bar": {}}
fillids(m1)
fmt.println(m1)
m2 := map[string]campaign{"abc": {}, "def": {}}
fillids(m2)
fmt.println(m2)
}
https://www.php.cn/link/fec3392b0dc073244d38eba1feb8e6b7
以上就是设置用作映射值的不同结构的字段的通用函数的详细内容,更多请关注编程网其它相关文章!