我正在尝试使用sarama(管理员模式)创建主题。 如果没有ConfigEntries,则可以正常运行。但是我需要定义一些配置。
我设置了主题配置(这里发生了错误):
tConfigs := map[string]*string{
"cleanup.policy": "delete",
"delete.retention.ms": "36000000",
}
但是我得到一个错误:
./main.go:99:28: cannot use "delete" (type string) as type *string in map value
./main.go:100:28: cannot use "36000000" (type string) as type *string in map value
我正在尝试使用以下管理模式:
err = admin.CreateTopic(t.Name, &sarama.TopicDetail{
NumPartitions: 1,
ReplicationFactor: 3,
ConfigEntries: tConfigs,
}, false)
这是sarama模块中定义CreateTopic()的行 https://github.com/Shopify/sarama/blob/master/admin.go#L18
基本上,我不了解指针字符串映射的工作原理:)
答案 0 :(得分:5)
要使用composite literal初始化具有string
指针值类型的映射,必须使用string
指针值。 string
文字不是指针,而只是string
值。
获取指向string
值的指针的一种简单方法是获取string
类型的变量的地址,例如:
s1 := "delete"
s2 := "36000000"
tConfigs := map[string]*string{
"cleanup.policy": &s1,
"delete.retention.ms": &s2,
}
为了方便使用多次,请创建一个辅助函数:
func strptr(s string) *string { return &s }
并使用它:
tConfigs := map[string]*string{
"cleanup.policy": strptr("delete"),
"delete.retention.ms": strptr("36000000"),
}
在Go Playground上尝试示例。
在此处查看背景和其他选项:How do I do a literal *int64 in Go?