|
我是 Go 新手。这个问题让我疯了。你怎么在 Go 中初始化结构数组?6 i' u+ Y9 \+ `: R& s0 i
[code]type opt struct shortnm char longnm,help string needArg bool}const basename_opts []opt opt shortnm: 'a longnm: "multiple", needArg: false, help: "Usage for a"} opt shortnm: 'b longnm: "b-option", needArg: false, help: "Usage for b"} code]编译器说它有预期;后[]opt。- v' u" p( t& s2 o# N% Z
我应该把大括号放在哪里{来初始化我的结构数组?
4 d2 }6 L# K# h( |3 L 1 O, U2 K- R$ B' ?2 O0 [' S
解决方案:
4 }4 T! R8 u8 Z 看来你在这里试着直接用(几乎) C 代码。Go 有一些区别。) z5 `% F4 v& M; O% D; U. L: g
首先,你不能初始化数组和切片const. 该术语const在 Go 有不同的含义,就像 C 中等。列表应定义为var。3 X- A! W; U% `+ c
其次,作为一种风格规则,Go 更喜欢basenameOpts而不是basename_opts.1 C6 m5 ~/ E) X, p# L" S* Y. R
charGo 没有类型。你可能想要byte(或者rune假如你打算允许 unicode 代码点)。# R( h9 ]- [' s1 j. S# z( r
在这种情况下,列表的声明必须具有赋值操作符。var x = foo。) s7 D: G; l! `! y7 G/ h/ h" c
Go 分析器要求列表声明中的每个元素都以逗号结束。这包括最后一个元素。这是因为 Go 需要的地方会自动插入分号。工作需要更严格的语法。例如:, U0 I3 E2 w" j3 \9 p* \
[code]type opt struct shortnm byte longnm,help string needArg bool}var basenameOpts = []opt opt shortnm: 'a longnm: "multiple", needArg: false, help: "Usage for a", }, opt shortnm: 'b longnm: "b-option", needArg: false, help: "Usage for b",}code]另一种方法是用它的类型声明列表,然后使用一个init填充函数。如果您计划在数据结构中使用函数返回值,则非常有用。init函数在程序初始化时运行,并保证main执行前完成。你可以。init包中有多个函数,甚至可以在同一源文件中。8 S; ]' S, T1 Q1 d' c7 B5 N/ s z
[code] type opt struct shortnm byte longnm,help string needArg bool } var basenameOpts []opt func init() basenameOpts = []opt opt shortnm: 'a longnm: "multiple", needArg: false, help: "Usage for a", opt shortnm: 'b', longnm: "b-option", needArg: false, help: "Usage for b", code]由于您是 Go 新手,我强烈建议你通读语言规范。它很短,写得很清楚。它将为你消除许多这些小特征。 |
|