blob: 34131868a4c751a70f6add6353c6753889b016b1 [file] [log] [blame]
Brent Austinba3052e2015-04-21 16:08:23 -07001<!--{
2 "Title": "Effective Go",
3 "Template": true
4}-->
5
6<h2 id="introduction">Introduction</h2>
7
8<p>
9Go is a new language. Although it borrows ideas from
10existing languages,
11it has unusual properties that make effective Go programs
12different in character from programs written in its relatives.
13A straightforward translation of a C++ or Java program into Go
14is unlikely to produce a satisfactory result&mdash;Java programs
15are written in Java, not Go.
16On the other hand, thinking about the problem from a Go
17perspective could produce a successful but quite different
18program.
19In other words,
20to write Go well, it's important to understand its properties
21and idioms.
22It's also important to know the established conventions for
23programming in Go, such as naming, formatting, program
24construction, and so on, so that programs you write
25will be easy for other Go programmers to understand.
26</p>
27
28<p>
29This document gives tips for writing clear, idiomatic Go code.
30It augments the <a href="/ref/spec">language specification</a>,
31the <a href="//tour.golang.org/">Tour of Go</a>,
32and <a href="/doc/code.html">How to Write Go Code</a>,
33all of which you
34should read first.
35</p>
36
37<h3 id="examples">Examples</h3>
38
39<p>
40The <a href="/src/">Go package sources</a>
41are intended to serve not
42only as the core library but also as examples of how to
43use the language.
44Moreover, many of the packages contain working, self-contained
45executable examples you can run directly from the
46<a href="//golang.org">golang.org</a> web site, such as
47<a href="//golang.org/pkg/strings/#example_Map">this one</a> (if
48necessary, click on the word "Example" to open it up).
49If you have a question about how to approach a problem or how something
50might be implemented, the documentation, code and examples in the
51library can provide answers, ideas and
52background.
53</p>
54
55
56<h2 id="formatting">Formatting</h2>
57
58<p>
59Formatting issues are the most contentious
60but the least consequential.
61People can adapt to different formatting styles
62but it's better if they don't have to, and
63less time is devoted to the topic
64if everyone adheres to the same style.
65The problem is how to approach this Utopia without a long
66prescriptive style guide.
67</p>
68
69<p>
70With Go we take an unusual
71approach and let the machine
72take care of most formatting issues.
73The <code>gofmt</code> program
74(also available as <code>go fmt</code>, which
75operates at the package level rather than source file level)
76reads a Go program
77and emits the source in a standard style of indentation
78and vertical alignment, retaining and if necessary
79reformatting comments.
80If you want to know how to handle some new layout
81situation, run <code>gofmt</code>; if the answer doesn't
82seem right, rearrange your program (or file a bug about <code>gofmt</code>),
83don't work around it.
84</p>
85
86<p>
87As an example, there's no need to spend time lining up
88the comments on the fields of a structure.
89<code>Gofmt</code> will do that for you. Given the
90declaration
91</p>
92
93<pre>
94type T struct {
95 name string // name of the object
96 value int // its value
97}
98</pre>
99
100<p>
101<code>gofmt</code> will line up the columns:
102</p>
103
104<pre>
105type T struct {
106 name string // name of the object
107 value int // its value
108}
109</pre>
110
111<p>
112All Go code in the standard packages has been formatted with <code>gofmt</code>.
113</p>
114
115
116<p>
117Some formatting details remain. Very briefly:
118</p>
119
120<dl>
121 <dt>Indentation</dt>
122 <dd>We use tabs for indentation and <code>gofmt</code> emits them by default.
123 Use spaces only if you must.
124 </dd>
125 <dt>Line length</dt>
126 <dd>
127 Go has no line length limit. Don't worry about overflowing a punched card.
128 If a line feels too long, wrap it and indent with an extra tab.
129 </dd>
130 <dt>Parentheses</dt>
131 <dd>
132 Go needs fewer parentheses than C and Java: control structures (<code>if</code>,
133 <code>for</code>, <code>switch</code>) do not have parentheses in
134 their syntax.
135 Also, the operator precedence hierarchy is shorter and clearer, so
136<pre>
137x&lt;&lt;8 + y&lt;&lt;16
138</pre>
139 means what the spacing implies, unlike in the other languages.
140 </dd>
141</dl>
142
143<h2 id="commentary">Commentary</h2>
144
145<p>
146Go provides C-style <code>/* */</code> block comments
147and C++-style <code>//</code> line comments.
148Line comments are the norm;
149block comments appear mostly as package comments, but
150are useful within an expression or to disable large swaths of code.
151</p>
152
153<p>
154The program—and web server—<code>godoc</code> processes
155Go source files to extract documentation about the contents of the
156package.
157Comments that appear before top-level declarations, with no intervening newlines,
158are extracted along with the declaration to serve as explanatory text for the item.
159The nature and style of these comments determines the
160quality of the documentation <code>godoc</code> produces.
161</p>
162
163<p>
164Every package should have a <i>package comment</i>, a block
165comment preceding the package clause.
166For multi-file packages, the package comment only needs to be
167present in one file, and any one will do.
168The package comment should introduce the package and
169provide information relevant to the package as a whole.
170It will appear first on the <code>godoc</code> page and
171should set up the detailed documentation that follows.
172</p>
173
174<pre>
175/*
176Package regexp implements a simple library for regular expressions.
177
178The syntax of the regular expressions accepted is:
179
180 regexp:
181 concatenation { '|' concatenation }
182 concatenation:
183 { closure }
184 closure:
185 term [ '*' | '+' | '?' ]
186 term:
187 '^'
188 '$'
189 '.'
190 character
191 '[' [ '^' ] character-ranges ']'
192 '(' regexp ')'
193*/
194package regexp
195</pre>
196
197<p>
198If the package is simple, the package comment can be brief.
199</p>
200
201<pre>
202// Package path implements utility routines for
203// manipulating slash-separated filename paths.
204</pre>
205
206<p>
207Comments do not need extra formatting such as banners of stars.
208The generated output may not even be presented in a fixed-width font, so don't depend
209on spacing for alignment&mdash;<code>godoc</code>, like <code>gofmt</code>,
210takes care of that.
211The comments are uninterpreted plain text, so HTML and other
212annotations such as <code>_this_</code> will reproduce <i>verbatim</i> and should
213not be used.
214One adjustment <code>godoc</code> does do is to display indented
215text in a fixed-width font, suitable for program snippets.
216The package comment for the
217<a href="/pkg/fmt/"><code>fmt</code> package</a> uses this to good effect.
218</p>
219
220<p>
221Depending on the context, <code>godoc</code> might not even
222reformat comments, so make sure they look good straight up:
223use correct spelling, punctuation, and sentence structure,
224fold long lines, and so on.
225</p>
226
227<p>
228Inside a package, any comment immediately preceding a top-level declaration
229serves as a <i>doc comment</i> for that declaration.
230Every exported (capitalized) name in a program should
231have a doc comment.
232</p>
233
234<p>
235Doc comments work best as complete sentences, which allow
236a wide variety of automated presentations.
237The first sentence should be a one-sentence summary that
238starts with the name being declared.
239</p>
240
241<pre>
Dan Willemsen38f2dba2016-07-08 14:54:35 -0700242// Compile parses a regular expression and returns, if successful,
243// a Regexp that can be used to match against text.
244func Compile(str string) (*Regexp, error) {
Brent Austinba3052e2015-04-21 16:08:23 -0700245</pre>
246
247<p>
Dan Willemsenebae3022017-01-13 23:01:08 -0800248If every doc comment begins with the name of the item it describes,
Colin Crossd9c6b802019-03-19 21:10:31 -0700249you can use the <a href="/cmd/go/#hdr-Show_documentation_for_package_or_symbol">doc</a>
250subcommand of the <a href="/cmd/go/">go</a> tool
251and run the output through <code>grep</code>.
Brent Austinba3052e2015-04-21 16:08:23 -0700252Imagine you couldn't remember the name "Compile" but were looking for
253the parsing function for regular expressions, so you ran
254the command,
255</p>
256
257<pre>
Colin Crossd9c6b802019-03-19 21:10:31 -0700258$ go doc -all regexp | grep -i parse
Brent Austinba3052e2015-04-21 16:08:23 -0700259</pre>
260
261<p>
262If all the doc comments in the package began, "This function...", <code>grep</code>
263wouldn't help you remember the name. But because the package starts each
264doc comment with the name, you'd see something like this,
265which recalls the word you're looking for.
266</p>
267
268<pre>
Colin Crossd9c6b802019-03-19 21:10:31 -0700269$ go doc -all regexp | grep -i parse
Brent Austinba3052e2015-04-21 16:08:23 -0700270 Compile parses a regular expression and returns, if successful, a Regexp
Colin Crossd9c6b802019-03-19 21:10:31 -0700271 MustCompile is like Compile but panics if the expression cannot be parsed.
Brent Austinba3052e2015-04-21 16:08:23 -0700272 parsed. It simplifies safe initialization of global variables holding
Brent Austinba3052e2015-04-21 16:08:23 -0700273$
274</pre>
275
276<p>
277Go's declaration syntax allows grouping of declarations.
278A single doc comment can introduce a group of related constants or variables.
279Since the whole declaration is presented, such a comment can often be perfunctory.
280</p>
281
282<pre>
283// Error codes returned by failures to parse an expression.
284var (
285 ErrInternal = errors.New("regexp: internal error")
286 ErrUnmatchedLpar = errors.New("regexp: unmatched '('")
287 ErrUnmatchedRpar = errors.New("regexp: unmatched ')'")
288 ...
289)
290</pre>
291
292<p>
293Grouping can also indicate relationships between items,
294such as the fact that a set of variables is protected by a mutex.
295</p>
296
297<pre>
298var (
299 countLock sync.Mutex
300 inputCount uint32
301 outputCount uint32
302 errorCount uint32
303)
304</pre>
305
306<h2 id="names">Names</h2>
307
308<p>
309Names are as important in Go as in any other language.
310They even have semantic effect:
311the visibility of a name outside a package is determined by whether its
312first character is upper case.
313It's therefore worth spending a little time talking about naming conventions
314in Go programs.
315</p>
316
317
318<h3 id="package-names">Package names</h3>
319
320<p>
321When a package is imported, the package name becomes an accessor for the
322contents. After
323</p>
324
325<pre>
326import "bytes"
327</pre>
328
329<p>
330the importing package can talk about <code>bytes.Buffer</code>. It's
331helpful if everyone using the package can use the same name to refer to
332its contents, which implies that the package name should be good:
333short, concise, evocative. By convention, packages are given
334lower case, single-word names; there should be no need for underscores
335or mixedCaps.
336Err on the side of brevity, since everyone using your
337package will be typing that name.
338And don't worry about collisions <i>a priori</i>.
339The package name is only the default name for imports; it need not be unique
340across all source code, and in the rare case of a collision the
341importing package can choose a different name to use locally.
342In any case, confusion is rare because the file name in the import
343determines just which package is being used.
344</p>
345
346<p>
347Another convention is that the package name is the base name of
348its source directory;
349the package in <code>src/encoding/base64</code>
350is imported as <code>"encoding/base64"</code> but has name <code>base64</code>,
351not <code>encoding_base64</code> and not <code>encodingBase64</code>.
352</p>
353
354<p>
355The importer of a package will use the name to refer to its contents,
356so exported names in the package can use that fact
357to avoid stutter.
358(Don't use the <code>import .</code> notation, which can simplify
359tests that must run outside the package they are testing, but should otherwise be avoided.)
360For instance, the buffered reader type in the <code>bufio</code> package is called <code>Reader</code>,
361not <code>BufReader</code>, because users see it as <code>bufio.Reader</code>,
362which is a clear, concise name.
363Moreover,
364because imported entities are always addressed with their package name, <code>bufio.Reader</code>
365does not conflict with <code>io.Reader</code>.
366Similarly, the function to make new instances of <code>ring.Ring</code>&mdash;which
367is the definition of a <em>constructor</em> in Go&mdash;would
368normally be called <code>NewRing</code>, but since
369<code>Ring</code> is the only type exported by the package, and since the
370package is called <code>ring</code>, it's called just <code>New</code>,
371which clients of the package see as <code>ring.New</code>.
372Use the package structure to help you choose good names.
373</p>
374
375<p>
376Another short example is <code>once.Do</code>;
377<code>once.Do(setup)</code> reads well and would not be improved by
378writing <code>once.DoOrWaitUntilDone(setup)</code>.
379Long names don't automatically make things more readable.
380A helpful doc comment can often be more valuable than an extra long name.
381</p>
382
383<h3 id="Getters">Getters</h3>
384
385<p>
386Go doesn't provide automatic support for getters and setters.
387There's nothing wrong with providing getters and setters yourself,
388and it's often appropriate to do so, but it's neither idiomatic nor necessary
389to put <code>Get</code> into the getter's name. If you have a field called
390<code>owner</code> (lower case, unexported), the getter method should be
391called <code>Owner</code> (upper case, exported), not <code>GetOwner</code>.
392The use of upper-case names for export provides the hook to discriminate
393the field from the method.
394A setter function, if needed, will likely be called <code>SetOwner</code>.
395Both names read well in practice:
396</p>
397<pre>
398owner := obj.Owner()
399if owner != user {
400 obj.SetOwner(user)
401}
402</pre>
403
404<h3 id="interface-names">Interface names</h3>
405
406<p>
407By convention, one-method interfaces are named by
408the method name plus an -er suffix or similar modification
409to construct an agent noun: <code>Reader</code>,
410<code>Writer</code>, <code>Formatter</code>,
411<code>CloseNotifier</code> etc.
412</p>
413
414<p>
415There are a number of such names and it's productive to honor them and the function
416names they capture.
417<code>Read</code>, <code>Write</code>, <code>Close</code>, <code>Flush</code>,
418<code>String</code> and so on have
419canonical signatures and meanings. To avoid confusion,
420don't give your method one of those names unless it
421has the same signature and meaning.
422Conversely, if your type implements a method with the
423same meaning as a method on a well-known type,
424give it the same name and signature;
425call your string-converter method <code>String</code> not <code>ToString</code>.
426</p>
427
428<h3 id="mixed-caps">MixedCaps</h3>
429
430<p>
431Finally, the convention in Go is to use <code>MixedCaps</code>
432or <code>mixedCaps</code> rather than underscores to write
433multiword names.
434</p>
435
436<h2 id="semicolons">Semicolons</h2>
437
438<p>
439Like C, Go's formal grammar uses semicolons to terminate statements,
440but unlike in C, those semicolons do not appear in the source.
441Instead the lexer uses a simple rule to insert semicolons automatically
442as it scans, so the input text is mostly free of them.
443</p>
444
445<p>
446The rule is this. If the last token before a newline is an identifier
447(which includes words like <code>int</code> and <code>float64</code>),
448a basic literal such as a number or string constant, or one of the
449tokens
450</p>
451<pre>
452break continue fallthrough return ++ -- ) }
453</pre>
454<p>
455the lexer always inserts a semicolon after the token.
456This could be summarized as, &ldquo;if the newline comes
457after a token that could end a statement, insert a semicolon&rdquo;.
458</p>
459
460<p>
461A semicolon can also be omitted immediately before a closing brace,
462so a statement such as
463</p>
464<pre>
465 go func() { for { dst &lt;- &lt;-src } }()
466</pre>
467<p>
468needs no semicolons.
469Idiomatic Go programs have semicolons only in places such as
470<code>for</code> loop clauses, to separate the initializer, condition, and
471continuation elements. They are also necessary to separate multiple
472statements on a line, should you write code that way.
473</p>
474
475<p>
476One consequence of the semicolon insertion rules
477is that you cannot put the opening brace of a
478control structure (<code>if</code>, <code>for</code>, <code>switch</code>,
479or <code>select</code>) on the next line. If you do, a semicolon
480will be inserted before the brace, which could cause unwanted
481effects. Write them like this
482</p>
483
484<pre>
485if i &lt; f() {
486 g()
487}
488</pre>
489<p>
490not like this
491</p>
492<pre>
493if i &lt; f() // wrong!
494{ // wrong!
495 g()
496}
497</pre>
498
499
500<h2 id="control-structures">Control structures</h2>
501
502<p>
503The control structures of Go are related to those of C but differ
504in important ways.
505There is no <code>do</code> or <code>while</code> loop, only a
506slightly generalized
507<code>for</code>;
508<code>switch</code> is more flexible;
509<code>if</code> and <code>switch</code> accept an optional
510initialization statement like that of <code>for</code>;
511<code>break</code> and <code>continue</code> statements
512take an optional label to identify what to break or continue;
513and there are new control structures including a type switch and a
514multiway communications multiplexer, <code>select</code>.
515The syntax is also slightly different:
516there are no parentheses
517and the bodies must always be brace-delimited.
518</p>
519
520<h3 id="if">If</h3>
521
522<p>
523In Go a simple <code>if</code> looks like this:
524</p>
525<pre>
526if x &gt; 0 {
527 return y
528}
529</pre>
530
531<p>
532Mandatory braces encourage writing simple <code>if</code> statements
533on multiple lines. It's good style to do so anyway,
534especially when the body contains a control statement such as a
535<code>return</code> or <code>break</code>.
536</p>
537
538<p>
539Since <code>if</code> and <code>switch</code> accept an initialization
540statement, it's common to see one used to set up a local variable.
541</p>
542
543<pre>
544if err := file.Chmod(0664); err != nil {
545 log.Print(err)
546 return err
547}
548</pre>
549
550<p id="else">
551In the Go libraries, you'll find that
552when an <code>if</code> statement doesn't flow into the next statement—that is,
553the body ends in <code>break</code>, <code>continue</code>,
554<code>goto</code>, or <code>return</code>—the unnecessary
555<code>else</code> is omitted.
556</p>
557
558<pre>
559f, err := os.Open(name)
560if err != nil {
561 return err
562}
563codeUsing(f)
564</pre>
565
566<p>
567This is an example of a common situation where code must guard against a
568sequence of error conditions. The code reads well if the
569successful flow of control runs down the page, eliminating error cases
570as they arise. Since error cases tend to end in <code>return</code>
571statements, the resulting code needs no <code>else</code> statements.
572</p>
573
574<pre>
575f, err := os.Open(name)
576if err != nil {
577 return err
578}
579d, err := f.Stat()
580if err != nil {
581 f.Close()
582 return err
583}
584codeUsing(f, d)
585</pre>
586
587
588<h3 id="redeclaration">Redeclaration and reassignment</h3>
589
590<p>
591An aside: The last example in the previous section demonstrates a detail of how the
592<code>:=</code> short declaration form works.
593The declaration that calls <code>os.Open</code> reads,
594</p>
595
596<pre>
597f, err := os.Open(name)
598</pre>
599
600<p>
601This statement declares two variables, <code>f</code> and <code>err</code>.
602A few lines later, the call to <code>f.Stat</code> reads,
603</p>
604
605<pre>
606d, err := f.Stat()
607</pre>
608
609<p>
610which looks as if it declares <code>d</code> and <code>err</code>.
611Notice, though, that <code>err</code> appears in both statements.
612This duplication is legal: <code>err</code> is declared by the first statement,
613but only <em>re-assigned</em> in the second.
614This means that the call to <code>f.Stat</code> uses the existing
615<code>err</code> variable declared above, and just gives it a new value.
616</p>
617
618<p>
619In a <code>:=</code> declaration a variable <code>v</code> may appear even
620if it has already been declared, provided:
621</p>
622
623<ul>
624<li>this declaration is in the same scope as the existing declaration of <code>v</code>
625(if <code>v</code> is already declared in an outer scope, the declaration will create a new variable §),</li>
626<li>the corresponding value in the initialization is assignable to <code>v</code>, and</li>
627<li>there is at least one other variable in the declaration that is being declared anew.</li>
628</ul>
629
630<p>
631This unusual property is pure pragmatism,
632making it easy to use a single <code>err</code> value, for example,
633in a long <code>if-else</code> chain.
634You'll see it used often.
635</p>
636
637<p>
638§ It's worth noting here that in Go the scope of function parameters and return values
639is the same as the function body, even though they appear lexically outside the braces
640that enclose the body.
641</p>
642
643<h3 id="for">For</h3>
644
645<p>
646The Go <code>for</code> loop is similar to&mdash;but not the same as&mdash;C's.
647It unifies <code>for</code>
648and <code>while</code> and there is no <code>do-while</code>.
649There are three forms, only one of which has semicolons.
650</p>
651<pre>
652// Like a C for
653for init; condition; post { }
654
655// Like a C while
656for condition { }
657
658// Like a C for(;;)
659for { }
660</pre>
661
662<p>
663Short declarations make it easy to declare the index variable right in the loop.
664</p>
665<pre>
666sum := 0
667for i := 0; i &lt; 10; i++ {
668 sum += i
669}
670</pre>
671
672<p>
673If you're looping over an array, slice, string, or map,
674or reading from a channel, a <code>range</code> clause can
675manage the loop.
676</p>
677<pre>
678for key, value := range oldMap {
679 newMap[key] = value
680}
681</pre>
682
683<p>
684If you only need the first item in the range (the key or index), drop the second:
685</p>
686<pre>
687for key := range m {
688 if key.expired() {
689 delete(m, key)
690 }
691}
692</pre>
693
694<p>
695If you only need the second item in the range (the value), use the <em>blank identifier</em>, an underscore, to discard the first:
696</p>
697<pre>
698sum := 0
699for _, value := range array {
700 sum += value
701}
702</pre>
703
704<p>
705The blank identifier has many uses, as described in <a href="#blank">a later section</a>.
706</p>
707
708<p>
709For strings, the <code>range</code> does more work for you, breaking out individual
710Unicode code points by parsing the UTF-8.
711Erroneous encodings consume one byte and produce the
712replacement rune U+FFFD.
713(The name (with associated builtin type) <code>rune</code> is Go terminology for a
714single Unicode code point.
715See <a href="/ref/spec#Rune_literals">the language specification</a>
716for details.)
717The loop
718</p>
719<pre>
720for pos, char := range "日本\x80語" { // \x80 is an illegal UTF-8 encoding
721 fmt.Printf("character %#U starts at byte position %d\n", char, pos)
722}
723</pre>
724<p>
725prints
726</p>
727<pre>
728character U+65E5 '日' starts at byte position 0
729character U+672C '本' starts at byte position 3
730character U+FFFD '�' starts at byte position 6
731character U+8A9E '語' starts at byte position 7
732</pre>
733
734<p>
735Finally, Go has no comma operator and <code>++</code> and <code>--</code>
736are statements not expressions.
737Thus if you want to run multiple variables in a <code>for</code>
738you should use parallel assignment (although that precludes <code>++</code> and <code>--</code>).
739</p>
740<pre>
741// Reverse a
742for i, j := 0, len(a)-1; i &lt; j; i, j = i+1, j-1 {
743 a[i], a[j] = a[j], a[i]
744}
745</pre>
746
747<h3 id="switch">Switch</h3>
748
749<p>
750Go's <code>switch</code> is more general than C's.
751The expressions need not be constants or even integers,
752the cases are evaluated top to bottom until a match is found,
753and if the <code>switch</code> has no expression it switches on
754<code>true</code>.
755It's therefore possible&mdash;and idiomatic&mdash;to write an
756<code>if</code>-<code>else</code>-<code>if</code>-<code>else</code>
757chain as a <code>switch</code>.
758</p>
759
760<pre>
761func unhex(c byte) byte {
762 switch {
763 case '0' &lt;= c &amp;&amp; c &lt;= '9':
764 return c - '0'
765 case 'a' &lt;= c &amp;&amp; c &lt;= 'f':
766 return c - 'a' + 10
767 case 'A' &lt;= c &amp;&amp; c &lt;= 'F':
768 return c - 'A' + 10
769 }
770 return 0
771}
772</pre>
773
774<p>
775There is no automatic fall through, but cases can be presented
776in comma-separated lists.
777</p>
778<pre>
779func shouldEscape(c byte) bool {
780 switch c {
781 case ' ', '?', '&amp;', '=', '#', '+', '%':
782 return true
783 }
784 return false
785}
786</pre>
787
788<p>
789Although they are not nearly as common in Go as some other C-like
790languages, <code>break</code> statements can be used to terminate
791a <code>switch</code> early.
792Sometimes, though, it's necessary to break out of a surrounding loop,
793not the switch, and in Go that can be accomplished by putting a label
794on the loop and "breaking" to that label.
795This example shows both uses.
796</p>
797
798<pre>
799Loop:
800 for n := 0; n &lt; len(src); n += size {
801 switch {
802 case src[n] &lt; sizeOne:
803 if validateOnly {
804 break
805 }
806 size = 1
807 update(src[n])
808
809 case src[n] &lt; sizeTwo:
810 if n+1 &gt;= len(src) {
811 err = errShortInput
812 break Loop
813 }
814 if validateOnly {
815 break
816 }
817 size = 2
818 update(src[n] + src[n+1]&lt;&lt;shift)
819 }
820 }
821</pre>
822
823<p>
824Of course, the <code>continue</code> statement also accepts an optional label
825but it applies only to loops.
826</p>
827
828<p>
829To close this section, here's a comparison routine for byte slices that uses two
830<code>switch</code> statements:
831</p>
832<pre>
833// Compare returns an integer comparing the two byte slices,
834// lexicographically.
835// The result will be 0 if a == b, -1 if a &lt; b, and +1 if a &gt; b
836func Compare(a, b []byte) int {
837 for i := 0; i &lt; len(a) &amp;&amp; i &lt; len(b); i++ {
838 switch {
839 case a[i] &gt; b[i]:
840 return 1
841 case a[i] &lt; b[i]:
842 return -1
843 }
844 }
845 switch {
846 case len(a) &gt; len(b):
847 return 1
848 case len(a) &lt; len(b):
849 return -1
850 }
851 return 0
852}
853</pre>
854
855<h3 id="type_switch">Type switch</h3>
856
857<p>
858A switch can also be used to discover the dynamic type of an interface
859variable. Such a <em>type switch</em> uses the syntax of a type
860assertion with the keyword <code>type</code> inside the parentheses.
861If the switch declares a variable in the expression, the variable will
862have the corresponding type in each clause.
863It's also idiomatic to reuse the name in such cases, in effect declaring
864a new variable with the same name but a different type in each case.
865</p>
866<pre>
867var t interface{}
868t = functionOfSomeType()
869switch t := t.(type) {
870default:
Dan Willemsen09eb3b12015-09-16 14:34:17 -0700871 fmt.Printf("unexpected type %T\n", t) // %T prints whatever type t has
Brent Austinba3052e2015-04-21 16:08:23 -0700872case bool:
873 fmt.Printf("boolean %t\n", t) // t has type bool
874case int:
875 fmt.Printf("integer %d\n", t) // t has type int
876case *bool:
877 fmt.Printf("pointer to boolean %t\n", *t) // t has type *bool
878case *int:
879 fmt.Printf("pointer to integer %d\n", *t) // t has type *int
880}
881</pre>
882
883<h2 id="functions">Functions</h2>
884
885<h3 id="multiple-returns">Multiple return values</h3>
886
887<p>
888One of Go's unusual features is that functions and methods
889can return multiple values. This form can be used to
890improve on a couple of clumsy idioms in C programs: in-band
891error returns such as <code>-1</code> for <code>EOF</code>
892and modifying an argument passed by address.
893</p>
894
895<p>
896In C, a write error is signaled by a negative count with the
897error code secreted away in a volatile location.
898In Go, <code>Write</code>
899can return a count <i>and</i> an error: &ldquo;Yes, you wrote some
900bytes but not all of them because you filled the device&rdquo;.
901The signature of the <code>Write</code> method on files from
902package <code>os</code> is:
903</p>
904
905<pre>
906func (file *File) Write(b []byte) (n int, err error)
907</pre>
908
909<p>
910and as the documentation says, it returns the number of bytes
911written and a non-nil <code>error</code> when <code>n</code>
912<code>!=</code> <code>len(b)</code>.
913This is a common style; see the section on error handling for more examples.
914</p>
915
916<p>
917A similar approach obviates the need to pass a pointer to a return
918value to simulate a reference parameter.
919Here's a simple-minded function to
920grab a number from a position in a byte slice, returning the number
921and the next position.
922</p>
923
924<pre>
925func nextInt(b []byte, i int) (int, int) {
926 for ; i &lt; len(b) &amp;&amp; !isDigit(b[i]); i++ {
927 }
928 x := 0
929 for ; i &lt; len(b) &amp;&amp; isDigit(b[i]); i++ {
930 x = x*10 + int(b[i]) - '0'
931 }
932 return x, i
933}
934</pre>
935
936<p>
937You could use it to scan the numbers in an input slice <code>b</code> like this:
938</p>
939
940<pre>
941 for i := 0; i &lt; len(b); {
942 x, i = nextInt(b, i)
943 fmt.Println(x)
944 }
945</pre>
946
947<h3 id="named-results">Named result parameters</h3>
948
949<p>
950The return or result "parameters" of a Go function can be given names and
951used as regular variables, just like the incoming parameters.
952When named, they are initialized to the zero values for their types when
953the function begins; if the function executes a <code>return</code> statement
954with no arguments, the current values of the result parameters are
955used as the returned values.
956</p>
957
958<p>
959The names are not mandatory but they can make code shorter and clearer:
960they're documentation.
961If we name the results of <code>nextInt</code> it becomes
962obvious which returned <code>int</code>
963is which.
964</p>
965
966<pre>
967func nextInt(b []byte, pos int) (value, nextPos int) {
968</pre>
969
970<p>
971Because named results are initialized and tied to an unadorned return, they can simplify
972as well as clarify. Here's a version
973of <code>io.ReadFull</code> that uses them well:
974</p>
975
976<pre>
977func ReadFull(r Reader, buf []byte) (n int, err error) {
978 for len(buf) &gt; 0 &amp;&amp; err == nil {
979 var nr int
980 nr, err = r.Read(buf)
981 n += nr
982 buf = buf[nr:]
983 }
984 return
985}
986</pre>
987
988<h3 id="defer">Defer</h3>
989
990<p>
991Go's <code>defer</code> statement schedules a function call (the
992<i>deferred</i> function) to be run immediately before the function
993executing the <code>defer</code> returns. It's an unusual but
994effective way to deal with situations such as resources that must be
995released regardless of which path a function takes to return. The
996canonical examples are unlocking a mutex or closing a file.
997</p>
998
999<pre>
1000// Contents returns the file's contents as a string.
1001func Contents(filename string) (string, error) {
1002 f, err := os.Open(filename)
1003 if err != nil {
1004 return "", err
1005 }
1006 defer f.Close() // f.Close will run when we're finished.
1007
1008 var result []byte
1009 buf := make([]byte, 100)
1010 for {
1011 n, err := f.Read(buf[0:])
1012 result = append(result, buf[0:n]...) // append is discussed later.
1013 if err != nil {
1014 if err == io.EOF {
1015 break
1016 }
1017 return "", err // f will be closed if we return here.
1018 }
1019 }
1020 return string(result), nil // f will be closed if we return here.
1021}
1022</pre>
1023
1024<p>
1025Deferring a call to a function such as <code>Close</code> has two advantages. First, it
1026guarantees that you will never forget to close the file, a mistake
1027that's easy to make if you later edit the function to add a new return
1028path. Second, it means that the close sits near the open,
1029which is much clearer than placing it at the end of the function.
1030</p>
1031
1032<p>
1033The arguments to the deferred function (which include the receiver if
1034the function is a method) are evaluated when the <i>defer</i>
1035executes, not when the <i>call</i> executes. Besides avoiding worries
1036about variables changing values as the function executes, this means
1037that a single deferred call site can defer multiple function
1038executions. Here's a silly example.
1039</p>
1040
1041<pre>
1042for i := 0; i &lt; 5; i++ {
1043 defer fmt.Printf("%d ", i)
1044}
1045</pre>
1046
1047<p>
1048Deferred functions are executed in LIFO order, so this code will cause
1049<code>4 3 2 1 0</code> to be printed when the function returns. A
1050more plausible example is a simple way to trace function execution
1051through the program. We could write a couple of simple tracing
1052routines like this:
1053</p>
1054
1055<pre>
1056func trace(s string) { fmt.Println("entering:", s) }
1057func untrace(s string) { fmt.Println("leaving:", s) }
1058
1059// Use them like this:
1060func a() {
1061 trace("a")
1062 defer untrace("a")
1063 // do something....
1064}
1065</pre>
1066
1067<p>
1068We can do better by exploiting the fact that arguments to deferred
1069functions are evaluated when the <code>defer</code> executes. The
1070tracing routine can set up the argument to the untracing routine.
1071This example:
1072</p>
1073
1074<pre>
1075func trace(s string) string {
1076 fmt.Println("entering:", s)
1077 return s
1078}
1079
1080func un(s string) {
1081 fmt.Println("leaving:", s)
1082}
1083
1084func a() {
1085 defer un(trace("a"))
1086 fmt.Println("in a")
1087}
1088
1089func b() {
1090 defer un(trace("b"))
1091 fmt.Println("in b")
1092 a()
1093}
1094
1095func main() {
1096 b()
1097}
1098</pre>
1099
1100<p>
1101prints
1102</p>
1103
1104<pre>
1105entering: b
1106in b
1107entering: a
1108in a
1109leaving: a
1110leaving: b
1111</pre>
1112
1113<p>
1114For programmers accustomed to block-level resource management from
1115other languages, <code>defer</code> may seem peculiar, but its most
1116interesting and powerful applications come precisely from the fact
1117that it's not block-based but function-based. In the section on
1118<code>panic</code> and <code>recover</code> we'll see another
1119example of its possibilities.
1120</p>
1121
1122<h2 id="data">Data</h2>
1123
1124<h3 id="allocation_new">Allocation with <code>new</code></h3>
1125
1126<p>
1127Go has two allocation primitives, the built-in functions
1128<code>new</code> and <code>make</code>.
1129They do different things and apply to different types, which can be confusing,
1130but the rules are simple.
1131Let's talk about <code>new</code> first.
1132It's a built-in function that allocates memory, but unlike its namesakes
1133in some other languages it does not <em>initialize</em> the memory,
1134it only <em>zeros</em> it.
1135That is,
1136<code>new(T)</code> allocates zeroed storage for a new item of type
1137<code>T</code> and returns its address, a value of type <code>*T</code>.
1138In Go terminology, it returns a pointer to a newly allocated zero value of type
1139<code>T</code>.
1140</p>
1141
1142<p>
1143Since the memory returned by <code>new</code> is zeroed, it's helpful to arrange
1144when designing your data structures that the
1145zero value of each type can be used without further initialization. This means a user of
1146the data structure can create one with <code>new</code> and get right to
1147work.
1148For example, the documentation for <code>bytes.Buffer</code> states that
1149"the zero value for <code>Buffer</code> is an empty buffer ready to use."
1150Similarly, <code>sync.Mutex</code> does not
1151have an explicit constructor or <code>Init</code> method.
1152Instead, the zero value for a <code>sync.Mutex</code>
1153is defined to be an unlocked mutex.
1154</p>
1155
1156<p>
1157The zero-value-is-useful property works transitively. Consider this type declaration.
1158</p>
1159
1160<pre>
1161type SyncedBuffer struct {
1162 lock sync.Mutex
1163 buffer bytes.Buffer
1164}
1165</pre>
1166
1167<p>
1168Values of type <code>SyncedBuffer</code> are also ready to use immediately upon allocation
1169or just declaration. In the next snippet, both <code>p</code> and <code>v</code> will work
1170correctly without further arrangement.
1171</p>
1172
1173<pre>
1174p := new(SyncedBuffer) // type *SyncedBuffer
1175var v SyncedBuffer // type SyncedBuffer
1176</pre>
1177
1178<h3 id="composite_literals">Constructors and composite literals</h3>
1179
1180<p>
1181Sometimes the zero value isn't good enough and an initializing
1182constructor is necessary, as in this example derived from
1183package <code>os</code>.
1184</p>
1185
1186<pre>
1187func NewFile(fd int, name string) *File {
1188 if fd &lt; 0 {
1189 return nil
1190 }
1191 f := new(File)
1192 f.fd = fd
1193 f.name = name
1194 f.dirinfo = nil
1195 f.nepipe = 0
1196 return f
1197}
1198</pre>
1199
1200<p>
1201There's a lot of boiler plate in there. We can simplify it
1202using a <i>composite literal</i>, which is
1203an expression that creates a
1204new instance each time it is evaluated.
1205</p>
1206
1207<pre>
1208func NewFile(fd int, name string) *File {
1209 if fd &lt; 0 {
1210 return nil
1211 }
1212 f := File{fd, name, nil, 0}
1213 return &amp;f
1214}
1215</pre>
1216
1217<p>
1218Note that, unlike in C, it's perfectly OK to return the address of a local variable;
1219the storage associated with the variable survives after the function
1220returns.
1221In fact, taking the address of a composite literal
1222allocates a fresh instance each time it is evaluated,
1223so we can combine these last two lines.
1224</p>
1225
1226<pre>
1227 return &amp;File{fd, name, nil, 0}
1228</pre>
1229
1230<p>
1231The fields of a composite literal are laid out in order and must all be present.
1232However, by labeling the elements explicitly as <i>field</i><code>:</code><i>value</i>
1233pairs, the initializers can appear in any
1234order, with the missing ones left as their respective zero values. Thus we could say
1235</p>
1236
1237<pre>
1238 return &amp;File{fd: fd, name: name}
1239</pre>
1240
1241<p>
1242As a limiting case, if a composite literal contains no fields at all, it creates
1243a zero value for the type. The expressions <code>new(File)</code> and <code>&amp;File{}</code> are equivalent.
1244</p>
1245
1246<p>
1247Composite literals can also be created for arrays, slices, and maps,
1248with the field labels being indices or map keys as appropriate.
1249In these examples, the initializations work regardless of the values of <code>Enone</code>,
1250<code>Eio</code>, and <code>Einval</code>, as long as they are distinct.
1251</p>
1252
1253<pre>
1254a := [...]string {Enone: "no error", Eio: "Eio", Einval: "invalid argument"}
1255s := []string {Enone: "no error", Eio: "Eio", Einval: "invalid argument"}
1256m := map[int]string{Enone: "no error", Eio: "Eio", Einval: "invalid argument"}
1257</pre>
1258
1259<h3 id="allocation_make">Allocation with <code>make</code></h3>
1260
1261<p>
1262Back to allocation.
1263The built-in function <code>make(T, </code><i>args</i><code>)</code> serves
1264a purpose different from <code>new(T)</code>.
1265It creates slices, maps, and channels only, and it returns an <em>initialized</em>
1266(not <em>zeroed</em>)
1267value of type <code>T</code> (not <code>*T</code>).
1268The reason for the distinction
1269is that these three types represent, under the covers, references to data structures that
1270must be initialized before use.
1271A slice, for example, is a three-item descriptor
1272containing a pointer to the data (inside an array), the length, and the
1273capacity, and until those items are initialized, the slice is <code>nil</code>.
1274For slices, maps, and channels,
1275<code>make</code> initializes the internal data structure and prepares
1276the value for use.
1277For instance,
1278</p>
1279
1280<pre>
1281make([]int, 10, 100)
1282</pre>
1283
1284<p>
1285allocates an array of 100 ints and then creates a slice
1286structure with length 10 and a capacity of 100 pointing at the first
128710 elements of the array.
1288(When making a slice, the capacity can be omitted; see the section on slices
1289for more information.)
1290In contrast, <code>new([]int)</code> returns a pointer to a newly allocated, zeroed slice
1291structure, that is, a pointer to a <code>nil</code> slice value.
1292</p>
1293
1294<p>
1295These examples illustrate the difference between <code>new</code> and
1296<code>make</code>.
1297</p>
1298
1299<pre>
1300var p *[]int = new([]int) // allocates slice structure; *p == nil; rarely useful
1301var v []int = make([]int, 100) // the slice v now refers to a new array of 100 ints
1302
1303// Unnecessarily complex:
1304var p *[]int = new([]int)
1305*p = make([]int, 100, 100)
1306
1307// Idiomatic:
1308v := make([]int, 100)
1309</pre>
1310
1311<p>
1312Remember that <code>make</code> applies only to maps, slices and channels
1313and does not return a pointer.
1314To obtain an explicit pointer allocate with <code>new</code> or take the address
1315of a variable explicitly.
1316</p>
1317
1318<h3 id="arrays">Arrays</h3>
1319
1320<p>
1321Arrays are useful when planning the detailed layout of memory and sometimes
1322can help avoid allocation, but primarily
1323they are a building block for slices, the subject of the next section.
1324To lay the foundation for that topic, here are a few words about arrays.
1325</p>
1326
1327<p>
1328There are major differences between the ways arrays work in Go and C.
1329In Go,
1330</p>
1331<ul>
1332<li>
1333Arrays are values. Assigning one array to another copies all the elements.
1334</li>
1335<li>
1336In particular, if you pass an array to a function, it
1337will receive a <i>copy</i> of the array, not a pointer to it.
1338<li>
1339The size of an array is part of its type. The types <code>[10]int</code>
1340and <code>[20]int</code> are distinct.
1341</li>
1342</ul>
1343
1344<p>
1345The value property can be useful but also expensive; if you want C-like behavior and efficiency,
1346you can pass a pointer to the array.
1347</p>
1348
1349<pre>
1350func Sum(a *[3]float64) (sum float64) {
1351 for _, v := range *a {
1352 sum += v
1353 }
1354 return
1355}
1356
1357array := [...]float64{7.0, 8.5, 9.1}
1358x := Sum(&amp;array) // Note the explicit address-of operator
1359</pre>
1360
1361<p>
1362But even this style isn't idiomatic Go.
1363Use slices instead.
1364</p>
1365
1366<h3 id="slices">Slices</h3>
1367
1368<p>
1369Slices wrap arrays to give a more general, powerful, and convenient
1370interface to sequences of data. Except for items with explicit
1371dimension such as transformation matrices, most array programming in
1372Go is done with slices rather than simple arrays.
1373</p>
1374<p>
1375Slices hold references to an underlying array, and if you assign one
1376slice to another, both refer to the same array.
1377If a function takes a slice argument, changes it makes to
1378the elements of the slice will be visible to the caller, analogous to
1379passing a pointer to the underlying array. A <code>Read</code>
1380function can therefore accept a slice argument rather than a pointer
1381and a count; the length within the slice sets an upper
1382limit of how much data to read. Here is the signature of the
1383<code>Read</code> method of the <code>File</code> type in package
1384<code>os</code>:
1385</p>
1386<pre>
Dan Willemsen09eb3b12015-09-16 14:34:17 -07001387func (f *File) Read(buf []byte) (n int, err error)
Brent Austinba3052e2015-04-21 16:08:23 -07001388</pre>
1389<p>
1390The method returns the number of bytes read and an error value, if
1391any.
1392To read into the first 32 bytes of a larger buffer
1393<code>buf</code>, <i>slice</i> (here used as a verb) the buffer.
1394</p>
1395<pre>
1396 n, err := f.Read(buf[0:32])
1397</pre>
1398<p>
1399Such slicing is common and efficient. In fact, leaving efficiency aside for
1400the moment, the following snippet would also read the first 32 bytes of the buffer.
1401</p>
1402<pre>
1403 var n int
1404 var err error
1405 for i := 0; i &lt; 32; i++ {
1406 nbytes, e := f.Read(buf[i:i+1]) // Read one byte.
Colin Crossd9c6b802019-03-19 21:10:31 -07001407 n += nbytes
Brent Austinba3052e2015-04-21 16:08:23 -07001408 if nbytes == 0 || e != nil {
1409 err = e
1410 break
1411 }
Brent Austinba3052e2015-04-21 16:08:23 -07001412 }
1413</pre>
1414<p>
1415The length of a slice may be changed as long as it still fits within
1416the limits of the underlying array; just assign it to a slice of
1417itself. The <i>capacity</i> of a slice, accessible by the built-in
1418function <code>cap</code>, reports the maximum length the slice may
1419assume. Here is a function to append data to a slice. If the data
1420exceeds the capacity, the slice is reallocated. The
1421resulting slice is returned. The function uses the fact that
1422<code>len</code> and <code>cap</code> are legal when applied to the
1423<code>nil</code> slice, and return 0.
1424</p>
1425<pre>
Dan Willemsen09eb3b12015-09-16 14:34:17 -07001426func Append(slice, data []byte) []byte {
Brent Austinba3052e2015-04-21 16:08:23 -07001427 l := len(slice)
1428 if l + len(data) &gt; cap(slice) { // reallocate
1429 // Allocate double what's needed, for future growth.
1430 newSlice := make([]byte, (l+len(data))*2)
1431 // The copy function is predeclared and works for any slice type.
1432 copy(newSlice, slice)
1433 slice = newSlice
1434 }
1435 slice = slice[0:l+len(data)]
Dan Willemsena3223282018-02-27 19:41:43 -08001436 copy(slice[l:], data)
Brent Austinba3052e2015-04-21 16:08:23 -07001437 return slice
1438}
1439</pre>
1440<p>
1441We must return the slice afterwards because, although <code>Append</code>
1442can modify the elements of <code>slice</code>, the slice itself (the run-time data
1443structure holding the pointer, length, and capacity) is passed by value.
1444</p>
1445
1446<p>
1447The idea of appending to a slice is so useful it's captured by the
1448<code>append</code> built-in function. To understand that function's
1449design, though, we need a little more information, so we'll return
1450to it later.
1451</p>
1452
1453<h3 id="two_dimensional_slices">Two-dimensional slices</h3>
1454
1455<p>
1456Go's arrays and slices are one-dimensional.
1457To create the equivalent of a 2D array or slice, it is necessary to define an array-of-arrays
1458or slice-of-slices, like this:
1459</p>
1460
1461<pre>
1462type Transform [3][3]float64 // A 3x3 array, really an array of arrays.
1463type LinesOfText [][]byte // A slice of byte slices.
1464</pre>
1465
1466<p>
1467Because slices are variable-length, it is possible to have each inner
1468slice be a different length.
1469That can be a common situation, as in our <code>LinesOfText</code>
1470example: each line has an independent length.
1471</p>
1472
1473<pre>
1474text := LinesOfText{
1475 []byte("Now is the time"),
1476 []byte("for all good gophers"),
1477 []byte("to bring some fun to the party."),
1478}
1479</pre>
1480
1481<p>
1482Sometimes it's necessary to allocate a 2D slice, a situation that can arise when
1483processing scan lines of pixels, for instance.
1484There are two ways to achieve this.
1485One is to allocate each slice independently; the other
1486is to allocate a single array and point the individual slices into it.
1487Which to use depends on your application.
1488If the slices might grow or shrink, they should be allocated independently
1489to avoid overwriting the next line; if not, it can be more efficient to construct
1490the object with a single allocation.
1491For reference, here are sketches of the two methods.
1492First, a line at a time:
1493</p>
1494
1495<pre>
1496// Allocate the top-level slice.
1497picture := make([][]uint8, YSize) // One row per unit of y.
1498// Loop over the rows, allocating the slice for each row.
1499for i := range picture {
1500 picture[i] = make([]uint8, XSize)
1501}
1502</pre>
1503
1504<p>
1505And now as one allocation, sliced into lines:
1506</p>
1507
1508<pre>
1509// Allocate the top-level slice, the same as before.
1510picture := make([][]uint8, YSize) // One row per unit of y.
1511// Allocate one large slice to hold all the pixels.
1512pixels := make([]uint8, XSize*YSize) // Has type []uint8 even though picture is [][]uint8.
1513// Loop over the rows, slicing each row from the front of the remaining pixels slice.
1514for i := range picture {
1515 picture[i], pixels = pixels[:XSize], pixels[XSize:]
1516}
1517</pre>
1518
1519<h3 id="maps">Maps</h3>
1520
1521<p>
1522Maps are a convenient and powerful built-in data structure that associate
1523values of one type (the <em>key</em>) with values of another type
Dan Willemsena3223282018-02-27 19:41:43 -08001524(the <em>element</em> or <em>value</em>).
Brent Austinba3052e2015-04-21 16:08:23 -07001525The key can be of any type for which the equality operator is defined,
1526such as integers,
1527floating point and complex numbers,
1528strings, pointers, interfaces (as long as the dynamic type
1529supports equality), structs and arrays.
1530Slices cannot be used as map keys,
1531because equality is not defined on them.
1532Like slices, maps hold references to an underlying data structure.
1533If you pass a map to a function
1534that changes the contents of the map, the changes will be visible
1535in the caller.
1536</p>
1537<p>
1538Maps can be constructed using the usual composite literal syntax
1539with colon-separated key-value pairs,
1540so it's easy to build them during initialization.
1541</p>
1542<pre>
1543var timeZone = map[string]int{
1544 "UTC": 0*60*60,
1545 "EST": -5*60*60,
1546 "CST": -6*60*60,
1547 "MST": -7*60*60,
1548 "PST": -8*60*60,
1549}
1550</pre>
1551<p>
1552Assigning and fetching map values looks syntactically just like
1553doing the same for arrays and slices except that the index doesn't
1554need to be an integer.
1555</p>
1556<pre>
1557offset := timeZone["EST"]
1558</pre>
1559<p>
1560An attempt to fetch a map value with a key that
1561is not present in the map will return the zero value for the type
1562of the entries
1563in the map. For instance, if the map contains integers, looking
1564up a non-existent key will return <code>0</code>.
1565A set can be implemented as a map with value type <code>bool</code>.
1566Set the map entry to <code>true</code> to put the value in the set, and then
1567test it by simple indexing.
1568</p>
1569<pre>
1570attended := map[string]bool{
1571 "Ann": true,
1572 "Joe": true,
1573 ...
1574}
1575
1576if attended[person] { // will be false if person is not in the map
1577 fmt.Println(person, "was at the meeting")
1578}
1579</pre>
1580<p>
1581Sometimes you need to distinguish a missing entry from
1582a zero value. Is there an entry for <code>"UTC"</code>
Dan Willemsend2797482017-07-26 13:13:13 -07001583or is that 0 because it's not in the map at all?
Brent Austinba3052e2015-04-21 16:08:23 -07001584You can discriminate with a form of multiple assignment.
1585</p>
1586<pre>
1587var seconds int
1588var ok bool
1589seconds, ok = timeZone[tz]
1590</pre>
1591<p>
1592For obvious reasons this is called the &ldquo;comma ok&rdquo; idiom.
1593In this example, if <code>tz</code> is present, <code>seconds</code>
1594will be set appropriately and <code>ok</code> will be true; if not,
1595<code>seconds</code> will be set to zero and <code>ok</code> will
1596be false.
1597Here's a function that puts it together with a nice error report:
1598</p>
1599<pre>
1600func offset(tz string) int {
1601 if seconds, ok := timeZone[tz]; ok {
1602 return seconds
1603 }
1604 log.Println("unknown time zone:", tz)
1605 return 0
1606}
1607</pre>
1608<p>
1609To test for presence in the map without worrying about the actual value,
1610you can use the <a href="#blank">blank identifier</a> (<code>_</code>)
1611in place of the usual variable for the value.
1612</p>
1613<pre>
1614_, present := timeZone[tz]
1615</pre>
1616<p>
1617To delete a map entry, use the <code>delete</code>
1618built-in function, whose arguments are the map and the key to be deleted.
1619It's safe to do this even if the key is already absent
1620from the map.
1621</p>
1622<pre>
1623delete(timeZone, "PDT") // Now on Standard Time
1624</pre>
1625
1626<h3 id="printing">Printing</h3>
1627
1628<p>
1629Formatted printing in Go uses a style similar to C's <code>printf</code>
1630family but is richer and more general. The functions live in the <code>fmt</code>
1631package and have capitalized names: <code>fmt.Printf</code>, <code>fmt.Fprintf</code>,
1632<code>fmt.Sprintf</code> and so on. The string functions (<code>Sprintf</code> etc.)
1633return a string rather than filling in a provided buffer.
1634</p>
1635<p>
1636You don't need to provide a format string. For each of <code>Printf</code>,
1637<code>Fprintf</code> and <code>Sprintf</code> there is another pair
1638of functions, for instance <code>Print</code> and <code>Println</code>.
1639These functions do not take a format string but instead generate a default
1640format for each argument. The <code>Println</code> versions also insert a blank
1641between arguments and append a newline to the output while
1642the <code>Print</code> versions add blanks only if the operand on neither side is a string.
1643In this example each line produces the same output.
1644</p>
1645<pre>
1646fmt.Printf("Hello %d\n", 23)
1647fmt.Fprint(os.Stdout, "Hello ", 23, "\n")
1648fmt.Println("Hello", 23)
1649fmt.Println(fmt.Sprint("Hello ", 23))
1650</pre>
1651<p>
1652The formatted print functions <code>fmt.Fprint</code>
1653and friends take as a first argument any object
1654that implements the <code>io.Writer</code> interface; the variables <code>os.Stdout</code>
1655and <code>os.Stderr</code> are familiar instances.
1656</p>
1657<p>
1658Here things start to diverge from C. First, the numeric formats such as <code>%d</code>
1659do not take flags for signedness or size; instead, the printing routines use the
1660type of the argument to decide these properties.
1661</p>
1662<pre>
1663var x uint64 = 1&lt;&lt;64 - 1
1664fmt.Printf("%d %x; %d %x\n", x, x, int64(x), int64(x))
1665</pre>
1666<p>
1667prints
1668</p>
1669<pre>
167018446744073709551615 ffffffffffffffff; -1 -1
1671</pre>
1672<p>
1673If you just want the default conversion, such as decimal for integers, you can use
1674the catchall format <code>%v</code> (for &ldquo;value&rdquo;); the result is exactly
1675what <code>Print</code> and <code>Println</code> would produce.
1676Moreover, that format can print <em>any</em> value, even arrays, slices, structs, and
1677maps. Here is a print statement for the time zone map defined in the previous section.
1678</p>
1679<pre>
1680fmt.Printf("%v\n", timeZone) // or just fmt.Println(timeZone)
1681</pre>
1682<p>
1683which gives output
1684</p>
1685<pre>
1686map[CST:-21600 PST:-28800 EST:-18000 UTC:0 MST:-25200]
1687</pre>
1688<p>
1689For maps the keys may be output in any order, of course.
1690When printing a struct, the modified format <code>%+v</code> annotates the
1691fields of the structure with their names, and for any value the alternate
1692format <code>%#v</code> prints the value in full Go syntax.
1693</p>
1694<pre>
1695type T struct {
1696 a int
1697 b float64
1698 c string
1699}
1700t := &amp;T{ 7, -2.35, "abc\tdef" }
1701fmt.Printf("%v\n", t)
1702fmt.Printf("%+v\n", t)
1703fmt.Printf("%#v\n", t)
1704fmt.Printf("%#v\n", timeZone)
1705</pre>
1706<p>
1707prints
1708</p>
1709<pre>
1710&amp;{7 -2.35 abc def}
1711&amp;{a:7 b:-2.35 c:abc def}
1712&amp;main.T{a:7, b:-2.35, c:"abc\tdef"}
Colin Crossd9c6b802019-03-19 21:10:31 -07001713map[string]int{"CST":-21600, "PST":-28800, "EST":-18000, "UTC":0, "MST":-25200}
Brent Austinba3052e2015-04-21 16:08:23 -07001714</pre>
1715<p>
1716(Note the ampersands.)
1717That quoted string format is also available through <code>%q</code> when
1718applied to a value of type <code>string</code> or <code>[]byte</code>.
1719The alternate format <code>%#q</code> will use backquotes instead if possible.
1720(The <code>%q</code> format also applies to integers and runes, producing a
1721single-quoted rune constant.)
1722Also, <code>%x</code> works on strings, byte arrays and byte slices as well as
1723on integers, generating a long hexadecimal string, and with
1724a space in the format (<code>%&nbsp;x</code>) it puts spaces between the bytes.
1725</p>
1726<p>
1727Another handy format is <code>%T</code>, which prints the <em>type</em> of a value.
1728</p>
1729<pre>
1730fmt.Printf(&quot;%T\n&quot;, timeZone)
1731</pre>
1732<p>
1733prints
1734</p>
1735<pre>
Colin Crossd9c6b802019-03-19 21:10:31 -07001736map[string]int
Brent Austinba3052e2015-04-21 16:08:23 -07001737</pre>
1738<p>
1739If you want to control the default format for a custom type, all that's required is to define
1740a method with the signature <code>String() string</code> on the type.
1741For our simple type <code>T</code>, that might look like this.
1742</p>
1743<pre>
1744func (t *T) String() string {
1745 return fmt.Sprintf("%d/%g/%q", t.a, t.b, t.c)
1746}
1747fmt.Printf("%v\n", t)
1748</pre>
1749<p>
1750to print in the format
1751</p>
1752<pre>
17537/-2.35/"abc\tdef"
1754</pre>
1755<p>
1756(If you need to print <em>values</em> of type <code>T</code> as well as pointers to <code>T</code>,
1757the receiver for <code>String</code> must be of value type; this example used a pointer because
1758that's more efficient and idiomatic for struct types.
1759See the section below on <a href="#pointers_vs_values">pointers vs. value receivers</a> for more information.)
1760</p>
1761
1762<p>
1763Our <code>String</code> method is able to call <code>Sprintf</code> because the
1764print routines are fully reentrant and can be wrapped this way.
1765There is one important detail to understand about this approach,
1766however: don't construct a <code>String</code> method by calling
1767<code>Sprintf</code> in a way that will recur into your <code>String</code>
1768method indefinitely. This can happen if the <code>Sprintf</code>
1769call attempts to print the receiver directly as a string, which in
1770turn will invoke the method again. It's a common and easy mistake
1771to make, as this example shows.
1772</p>
1773
1774<pre>
1775type MyString string
1776
1777func (m MyString) String() string {
1778 return fmt.Sprintf("MyString=%s", m) // Error: will recur forever.
1779}
1780</pre>
1781
1782<p>
1783It's also easy to fix: convert the argument to the basic string type, which does not have the
1784method.
1785</p>
1786
1787<pre>
1788type MyString string
1789func (m MyString) String() string {
1790 return fmt.Sprintf("MyString=%s", string(m)) // OK: note conversion.
1791}
1792</pre>
1793
1794<p>
1795In the <a href="#initialization">initialization section</a> we'll see another technique that avoids this recursion.
1796</p>
1797
1798<p>
1799Another printing technique is to pass a print routine's arguments directly to another such routine.
1800The signature of <code>Printf</code> uses the type <code>...interface{}</code>
1801for its final argument to specify that an arbitrary number of parameters (of arbitrary type)
1802can appear after the format.
1803</p>
1804<pre>
1805func Printf(format string, v ...interface{}) (n int, err error) {
1806</pre>
1807<p>
1808Within the function <code>Printf</code>, <code>v</code> acts like a variable of type
1809<code>[]interface{}</code> but if it is passed to another variadic function, it acts like
1810a regular list of arguments.
1811Here is the implementation of the
1812function <code>log.Println</code> we used above. It passes its arguments directly to
1813<code>fmt.Sprintln</code> for the actual formatting.
1814</p>
1815<pre>
1816// Println prints to the standard logger in the manner of fmt.Println.
1817func Println(v ...interface{}) {
1818 std.Output(2, fmt.Sprintln(v...)) // Output takes parameters (int, string)
1819}
1820</pre>
1821<p>
1822We write <code>...</code> after <code>v</code> in the nested call to <code>Sprintln</code> to tell the
1823compiler to treat <code>v</code> as a list of arguments; otherwise it would just pass
1824<code>v</code> as a single slice argument.
1825</p>
1826<p>
1827There's even more to printing than we've covered here. See the <code>godoc</code> documentation
1828for package <code>fmt</code> for the details.
1829</p>
1830<p>
1831By the way, a <code>...</code> parameter can be of a specific type, for instance <code>...int</code>
1832for a min function that chooses the least of a list of integers:
1833</p>
1834<pre>
1835func Min(a ...int) int {
Dan Willemsend2797482017-07-26 13:13:13 -07001836 min := int(^uint(0) &gt;&gt; 1) // largest int
Brent Austinba3052e2015-04-21 16:08:23 -07001837 for _, i := range a {
1838 if i &lt; min {
1839 min = i
1840 }
1841 }
1842 return min
1843}
1844</pre>
1845
1846<h3 id="append">Append</h3>
1847<p>
1848Now we have the missing piece we needed to explain the design of
1849the <code>append</code> built-in function. The signature of <code>append</code>
1850is different from our custom <code>Append</code> function above.
1851Schematically, it's like this:
1852</p>
1853<pre>
1854func append(slice []<i>T</i>, elements ...<i>T</i>) []<i>T</i>
1855</pre>
1856<p>
1857where <i>T</i> is a placeholder for any given type. You can't
1858actually write a function in Go where the type <code>T</code>
1859is determined by the caller.
1860That's why <code>append</code> is built in: it needs support from the
1861compiler.
1862</p>
1863<p>
1864What <code>append</code> does is append the elements to the end of
1865the slice and return the result. The result needs to be returned
1866because, as with our hand-written <code>Append</code>, the underlying
1867array may change. This simple example
1868</p>
1869<pre>
1870x := []int{1,2,3}
1871x = append(x, 4, 5, 6)
1872fmt.Println(x)
1873</pre>
1874<p>
1875prints <code>[1 2 3 4 5 6]</code>. So <code>append</code> works a
1876little like <code>Printf</code>, collecting an arbitrary number of
1877arguments.
1878</p>
1879<p>
1880But what if we wanted to do what our <code>Append</code> does and
1881append a slice to a slice? Easy: use <code>...</code> at the call
1882site, just as we did in the call to <code>Output</code> above. This
1883snippet produces identical output to the one above.
1884</p>
1885<pre>
1886x := []int{1,2,3}
1887y := []int{4,5,6}
1888x = append(x, y...)
1889fmt.Println(x)
1890</pre>
1891<p>
1892Without that <code>...</code>, it wouldn't compile because the types
1893would be wrong; <code>y</code> is not of type <code>int</code>.
1894</p>
1895
1896<h2 id="initialization">Initialization</h2>
1897
1898<p>
1899Although it doesn't look superficially very different from
1900initialization in C or C++, initialization in Go is more powerful.
1901Complex structures can be built during initialization and the ordering
1902issues among initialized objects, even among different packages, are handled
1903correctly.
1904</p>
1905
1906<h3 id="constants">Constants</h3>
1907
1908<p>
1909Constants in Go are just that&mdash;constant.
1910They are created at compile time, even when defined as
1911locals in functions,
1912and can only be numbers, characters (runes), strings or booleans.
1913Because of the compile-time restriction, the expressions
1914that define them must be constant expressions,
1915evaluatable by the compiler. For instance,
1916<code>1&lt;&lt;3</code> is a constant expression, while
1917<code>math.Sin(math.Pi/4)</code> is not because
1918the function call to <code>math.Sin</code> needs
1919to happen at run time.
1920</p>
1921
1922<p>
1923In Go, enumerated constants are created using the <code>iota</code>
1924enumerator. Since <code>iota</code> can be part of an expression and
1925expressions can be implicitly repeated, it is easy to build intricate
1926sets of values.
1927</p>
1928{{code "/doc/progs/eff_bytesize.go" `/^type ByteSize/` `/^\)/`}}
1929<p>
1930The ability to attach a method such as <code>String</code> to any
1931user-defined type makes it possible for arbitrary values to format themselves
1932automatically for printing.
1933Although you'll see it most often applied to structs, this technique is also useful for
1934scalar types such as floating-point types like <code>ByteSize</code>.
1935</p>
1936{{code "/doc/progs/eff_bytesize.go" `/^func.*ByteSize.*String/` `/^}/`}}
1937<p>
1938The expression <code>YB</code> prints as <code>1.00YB</code>,
1939while <code>ByteSize(1e13)</code> prints as <code>9.09TB</code>.
1940</p>
1941
1942<p>
1943The use here of <code>Sprintf</code>
1944to implement <code>ByteSize</code>'s <code>String</code> method is safe
1945(avoids recurring indefinitely) not because of a conversion but
1946because it calls <code>Sprintf</code> with <code>%f</code>,
1947which is not a string format: <code>Sprintf</code> will only call
1948the <code>String</code> method when it wants a string, and <code>%f</code>
1949wants a floating-point value.
1950</p>
1951
1952<h3 id="variables">Variables</h3>
1953
1954<p>
1955Variables can be initialized just like constants but the
1956initializer can be a general expression computed at run time.
1957</p>
1958<pre>
1959var (
1960 home = os.Getenv("HOME")
1961 user = os.Getenv("USER")
1962 gopath = os.Getenv("GOPATH")
1963)
1964</pre>
1965
1966<h3 id="init">The init function</h3>
1967
1968<p>
1969Finally, each source file can define its own niladic <code>init</code> function to
1970set up whatever state is required. (Actually each file can have multiple
1971<code>init</code> functions.)
1972And finally means finally: <code>init</code> is called after all the
1973variable declarations in the package have evaluated their initializers,
1974and those are evaluated only after all the imported packages have been
1975initialized.
1976</p>
1977<p>
1978Besides initializations that cannot be expressed as declarations,
1979a common use of <code>init</code> functions is to verify or repair
1980correctness of the program state before real execution begins.
1981</p>
1982
1983<pre>
1984func init() {
1985 if user == "" {
1986 log.Fatal("$USER not set")
1987 }
1988 if home == "" {
1989 home = "/home/" + user
1990 }
1991 if gopath == "" {
1992 gopath = home + "/go"
1993 }
1994 // gopath may be overridden by --gopath flag on command line.
1995 flag.StringVar(&amp;gopath, "gopath", gopath, "override default GOPATH")
1996}
1997</pre>
1998
1999<h2 id="methods">Methods</h2>
2000
2001<h3 id="pointers_vs_values">Pointers vs. Values</h3>
2002<p>
2003As we saw with <code>ByteSize</code>,
2004methods can be defined for any named type (except a pointer or an interface);
2005the receiver does not have to be a struct.
2006</p>
2007<p>
2008In the discussion of slices above, we wrote an <code>Append</code>
2009function. We can define it as a method on slices instead. To do
2010this, we first declare a named type to which we can bind the method, and
2011then make the receiver for the method a value of that type.
2012</p>
2013<pre>
2014type ByteSlice []byte
2015
2016func (slice ByteSlice) Append(data []byte) []byte {
Dan Willemsen38f2dba2016-07-08 14:54:35 -07002017 // Body exactly the same as the Append function defined above.
Brent Austinba3052e2015-04-21 16:08:23 -07002018}
2019</pre>
2020<p>
2021This still requires the method to return the updated slice. We can
2022eliminate that clumsiness by redefining the method to take a
2023<i>pointer</i> to a <code>ByteSlice</code> as its receiver, so the
2024method can overwrite the caller's slice.
2025</p>
2026<pre>
2027func (p *ByteSlice) Append(data []byte) {
2028 slice := *p
2029 // Body as above, without the return.
2030 *p = slice
2031}
2032</pre>
2033<p>
2034In fact, we can do even better. If we modify our function so it looks
2035like a standard <code>Write</code> method, like this,
2036</p>
2037<pre>
2038func (p *ByteSlice) Write(data []byte) (n int, err error) {
2039 slice := *p
2040 // Again as above.
2041 *p = slice
2042 return len(data), nil
2043}
2044</pre>
2045<p>
2046then the type <code>*ByteSlice</code> satisfies the standard interface
2047<code>io.Writer</code>, which is handy. For instance, we can
2048print into one.
2049</p>
2050<pre>
2051 var b ByteSlice
2052 fmt.Fprintf(&amp;b, "This hour has %d days\n", 7)
2053</pre>
2054<p>
2055We pass the address of a <code>ByteSlice</code>
2056because only <code>*ByteSlice</code> satisfies <code>io.Writer</code>.
2057The rule about pointers vs. values for receivers is that value methods
2058can be invoked on pointers and values, but pointer methods can only be
2059invoked on pointers.
2060</p>
2061
2062<p>
2063This rule arises because pointer methods can modify the receiver; invoking
2064them on a value would cause the method to receive a copy of the value, so
2065any modifications would be discarded.
2066The language therefore disallows this mistake.
2067There is a handy exception, though. When the value is addressable, the
2068language takes care of the common case of invoking a pointer method on a
2069value by inserting the address operator automatically.
2070In our example, the variable <code>b</code> is addressable, so we can call
2071its <code>Write</code> method with just <code>b.Write</code>. The compiler
2072will rewrite that to <code>(&amp;b).Write</code> for us.
2073</p>
2074
2075<p>
2076By the way, the idea of using <code>Write</code> on a slice of bytes
2077is central to the implementation of <code>bytes.Buffer</code>.
2078</p>
2079
2080<h2 id="interfaces_and_types">Interfaces and other types</h2>
2081
2082<h3 id="interfaces">Interfaces</h3>
2083<p>
2084Interfaces in Go provide a way to specify the behavior of an
2085object: if something can do <em>this</em>, then it can be used
2086<em>here</em>. We've seen a couple of simple examples already;
2087custom printers can be implemented by a <code>String</code> method
2088while <code>Fprintf</code> can generate output to anything
2089with a <code>Write</code> method.
2090Interfaces with only one or two methods are common in Go code, and are
2091usually given a name derived from the method, such as <code>io.Writer</code>
2092for something that implements <code>Write</code>.
2093</p>
2094<p>
2095A type can implement multiple interfaces.
2096For instance, a collection can be sorted
2097by the routines in package <code>sort</code> if it implements
2098<code>sort.Interface</code>, which contains <code>Len()</code>,
2099<code>Less(i, j int) bool</code>, and <code>Swap(i, j int)</code>,
2100and it could also have a custom formatter.
2101In this contrived example <code>Sequence</code> satisfies both.
2102</p>
2103{{code "/doc/progs/eff_sequence.go" `/^type/` "$"}}
2104
2105<h3 id="conversions">Conversions</h3>
2106
2107<p>
2108The <code>String</code> method of <code>Sequence</code> is recreating the
Colin Crossd9c6b802019-03-19 21:10:31 -07002109work that <code>Sprint</code> already does for slices.
2110(It also has complexity O(N²), which is poor.) We can share the
2111effort (and also speed it up) if we convert the <code>Sequence</code> to a plain
Brent Austinba3052e2015-04-21 16:08:23 -07002112<code>[]int</code> before calling <code>Sprint</code>.
2113</p>
2114<pre>
2115func (s Sequence) String() string {
Colin Crossd9c6b802019-03-19 21:10:31 -07002116 s = s.Copy()
Brent Austinba3052e2015-04-21 16:08:23 -07002117 sort.Sort(s)
2118 return fmt.Sprint([]int(s))
2119}
2120</pre>
2121<p>
2122This method is another example of the conversion technique for calling
2123<code>Sprintf</code> safely from a <code>String</code> method.
2124Because the two types (<code>Sequence</code> and <code>[]int</code>)
2125are the same if we ignore the type name, it's legal to convert between them.
2126The conversion doesn't create a new value, it just temporarily acts
2127as though the existing value has a new type.
2128(There are other legal conversions, such as from integer to floating point, that
2129do create a new value.)
2130</p>
2131<p>
2132It's an idiom in Go programs to convert the
2133type of an expression to access a different
2134set of methods. As an example, we could use the existing
2135type <code>sort.IntSlice</code> to reduce the entire example
2136to this:
2137</p>
2138<pre>
2139type Sequence []int
2140
2141// Method for printing - sorts the elements before printing
2142func (s Sequence) String() string {
Colin Crossd9c6b802019-03-19 21:10:31 -07002143 s = s.Copy()
Brent Austinba3052e2015-04-21 16:08:23 -07002144 sort.IntSlice(s).Sort()
2145 return fmt.Sprint([]int(s))
2146}
2147</pre>
2148<p>
2149Now, instead of having <code>Sequence</code> implement multiple
2150interfaces (sorting and printing), we're using the ability of a data item to be
2151converted to multiple types (<code>Sequence</code>, <code>sort.IntSlice</code>
2152and <code>[]int</code>), each of which does some part of the job.
2153That's more unusual in practice but can be effective.
2154</p>
2155
2156<h3 id="interface_conversions">Interface conversions and type assertions</h3>
2157
2158<p>
2159<a href="#type_switch">Type switches</a> are a form of conversion: they take an interface and, for
2160each case in the switch, in a sense convert it to the type of that case.
2161Here's a simplified version of how the code under <code>fmt.Printf</code> turns a value into
2162a string using a type switch.
2163If it's already a string, we want the actual string value held by the interface, while if it has a
2164<code>String</code> method we want the result of calling the method.
2165</p>
2166
2167<pre>
2168type Stringer interface {
2169 String() string
2170}
2171
2172var value interface{} // Value provided by caller.
2173switch str := value.(type) {
2174case string:
2175 return str
2176case Stringer:
2177 return str.String()
2178}
2179</pre>
2180
2181<p>
2182The first case finds a concrete value; the second converts the interface into another interface.
2183It's perfectly fine to mix types this way.
2184</p>
2185
2186<p>
2187What if there's only one type we care about? If we know the value holds a <code>string</code>
2188and we just want to extract it?
2189A one-case type switch would do, but so would a <em>type assertion</em>.
2190A type assertion takes an interface value and extracts from it a value of the specified explicit type.
2191The syntax borrows from the clause opening a type switch, but with an explicit
2192type rather than the <code>type</code> keyword:
2193</p>
2194
2195<pre>
2196value.(typeName)
2197</pre>
2198
2199<p>
2200and the result is a new value with the static type <code>typeName</code>.
2201That type must either be the concrete type held by the interface, or a second interface
2202type that the value can be converted to.
2203To extract the string we know is in the value, we could write:
2204</p>
2205
2206<pre>
2207str := value.(string)
2208</pre>
2209
2210<p>
2211But if it turns out that the value does not contain a string, the program will crash with a run-time error.
2212To guard against that, use the "comma, ok" idiom to test, safely, whether the value is a string:
2213</p>
2214
2215<pre>
2216str, ok := value.(string)
2217if ok {
2218 fmt.Printf("string value is: %q\n", str)
2219} else {
2220 fmt.Printf("value is not a string\n")
2221}
2222</pre>
2223
2224<p>
2225If the type assertion fails, <code>str</code> will still exist and be of type string, but it will have
2226the zero value, an empty string.
2227</p>
2228
2229<p>
2230As an illustration of the capability, here's an <code>if</code>-<code>else</code>
2231statement that's equivalent to the type switch that opened this section.
2232</p>
2233
2234<pre>
2235if str, ok := value.(string); ok {
2236 return str
2237} else if str, ok := value.(Stringer); ok {
2238 return str.String()
2239}
2240</pre>
2241
2242<h3 id="generality">Generality</h3>
2243<p>
Dan Willemsend4b81d32016-08-16 14:40:48 -07002244If a type exists only to implement an interface and will
2245never have exported methods beyond that interface, there is
2246no need to export the type itself.
2247Exporting just the interface makes it clear the value has no
2248interesting behavior beyond what is described in the
2249interface.
Brent Austinba3052e2015-04-21 16:08:23 -07002250It also avoids the need to repeat the documentation
2251on every instance of a common method.
2252</p>
2253<p>
2254In such cases, the constructor should return an interface value
2255rather than the implementing type.
2256As an example, in the hash libraries
2257both <code>crc32.NewIEEE</code> and <code>adler32.New</code>
2258return the interface type <code>hash.Hash32</code>.
2259Substituting the CRC-32 algorithm for Adler-32 in a Go program
2260requires only changing the constructor call;
2261the rest of the code is unaffected by the change of algorithm.
2262</p>
2263<p>
2264A similar approach allows the streaming cipher algorithms
2265in the various <code>crypto</code> packages to be
2266separated from the block ciphers they chain together.
2267The <code>Block</code> interface
2268in the <code>crypto/cipher</code> package specifies the
2269behavior of a block cipher, which provides encryption
2270of a single block of data.
2271Then, by analogy with the <code>bufio</code> package,
2272cipher packages that implement this interface
2273can be used to construct streaming ciphers, represented
2274by the <code>Stream</code> interface, without
2275knowing the details of the block encryption.
2276</p>
2277<p>
2278The <code>crypto/cipher</code> interfaces look like this:
2279</p>
2280<pre>
2281type Block interface {
2282 BlockSize() int
2283 Encrypt(src, dst []byte)
2284 Decrypt(src, dst []byte)
2285}
2286
2287type Stream interface {
2288 XORKeyStream(dst, src []byte)
2289}
2290</pre>
2291
2292<p>
2293Here's the definition of the counter mode (CTR) stream,
2294which turns a block cipher into a streaming cipher; notice
2295that the block cipher's details are abstracted away:
2296</p>
2297
2298<pre>
2299// NewCTR returns a Stream that encrypts/decrypts using the given Block in
2300// counter mode. The length of iv must be the same as the Block's block size.
2301func NewCTR(block Block, iv []byte) Stream
2302</pre>
2303<p>
2304<code>NewCTR</code> applies not
2305just to one specific encryption algorithm and data source but to any
2306implementation of the <code>Block</code> interface and any
2307<code>Stream</code>. Because they return
2308interface values, replacing CTR
2309encryption with other encryption modes is a localized change. The constructor
2310calls must be edited, but because the surrounding code must treat the result only
2311as a <code>Stream</code>, it won't notice the difference.
2312</p>
2313
2314<h3 id="interface_methods">Interfaces and methods</h3>
2315<p>
2316Since almost anything can have methods attached, almost anything can
2317satisfy an interface. One illustrative example is in the <code>http</code>
2318package, which defines the <code>Handler</code> interface. Any object
2319that implements <code>Handler</code> can serve HTTP requests.
2320</p>
2321<pre>
2322type Handler interface {
2323 ServeHTTP(ResponseWriter, *Request)
2324}
2325</pre>
2326<p>
2327<code>ResponseWriter</code> is itself an interface that provides access
2328to the methods needed to return the response to the client.
2329Those methods include the standard <code>Write</code> method, so an
2330<code>http.ResponseWriter</code> can be used wherever an <code>io.Writer</code>
2331can be used.
2332<code>Request</code> is a struct containing a parsed representation
2333of the request from the client.
2334</p>
2335<p>
2336For brevity, let's ignore POSTs and assume HTTP requests are always
2337GETs; that simplification does not affect the way the handlers are
2338set up. Here's a trivial but complete implementation of a handler to
2339count the number of times the
2340page is visited.
2341</p>
2342<pre>
2343// Simple counter server.
2344type Counter struct {
2345 n int
2346}
2347
2348func (ctr *Counter) ServeHTTP(w http.ResponseWriter, req *http.Request) {
2349 ctr.n++
2350 fmt.Fprintf(w, "counter = %d\n", ctr.n)
2351}
2352</pre>
2353<p>
2354(Keeping with our theme, note how <code>Fprintf</code> can print to an
2355<code>http.ResponseWriter</code>.)
2356For reference, here's how to attach such a server to a node on the URL tree.
2357</p>
2358<pre>
2359import "net/http"
2360...
2361ctr := new(Counter)
2362http.Handle("/counter", ctr)
2363</pre>
2364<p>
2365But why make <code>Counter</code> a struct? An integer is all that's needed.
2366(The receiver needs to be a pointer so the increment is visible to the caller.)
2367</p>
2368<pre>
2369// Simpler counter server.
2370type Counter int
2371
2372func (ctr *Counter) ServeHTTP(w http.ResponseWriter, req *http.Request) {
2373 *ctr++
2374 fmt.Fprintf(w, "counter = %d\n", *ctr)
2375}
2376</pre>
2377<p>
2378What if your program has some internal state that needs to be notified that a page
2379has been visited? Tie a channel to the web page.
2380</p>
2381<pre>
2382// A channel that sends a notification on each visit.
2383// (Probably want the channel to be buffered.)
2384type Chan chan *http.Request
2385
2386func (ch Chan) ServeHTTP(w http.ResponseWriter, req *http.Request) {
2387 ch &lt;- req
2388 fmt.Fprint(w, "notification sent")
2389}
2390</pre>
2391<p>
2392Finally, let's say we wanted to present on <code>/args</code> the arguments
2393used when invoking the server binary.
2394It's easy to write a function to print the arguments.
2395</p>
2396<pre>
2397func ArgServer() {
2398 fmt.Println(os.Args)
2399}
2400</pre>
2401<p>
2402How do we turn that into an HTTP server? We could make <code>ArgServer</code>
2403a method of some type whose value we ignore, but there's a cleaner way.
2404Since we can define a method for any type except pointers and interfaces,
2405we can write a method for a function.
2406The <code>http</code> package contains this code:
2407</p>
2408<pre>
2409// The HandlerFunc type is an adapter to allow the use of
2410// ordinary functions as HTTP handlers. If f is a function
2411// with the appropriate signature, HandlerFunc(f) is a
2412// Handler object that calls f.
2413type HandlerFunc func(ResponseWriter, *Request)
2414
Dan Willemsenebae3022017-01-13 23:01:08 -08002415// ServeHTTP calls f(w, req).
Brent Austinba3052e2015-04-21 16:08:23 -07002416func (f HandlerFunc) ServeHTTP(w ResponseWriter, req *Request) {
2417 f(w, req)
2418}
2419</pre>
2420<p>
2421<code>HandlerFunc</code> is a type with a method, <code>ServeHTTP</code>,
2422so values of that type can serve HTTP requests. Look at the implementation
2423of the method: the receiver is a function, <code>f</code>, and the method
2424calls <code>f</code>. That may seem odd but it's not that different from, say,
2425the receiver being a channel and the method sending on the channel.
2426</p>
2427<p>
2428To make <code>ArgServer</code> into an HTTP server, we first modify it
2429to have the right signature.
2430</p>
2431<pre>
2432// Argument server.
2433func ArgServer(w http.ResponseWriter, req *http.Request) {
2434 fmt.Fprintln(w, os.Args)
2435}
2436</pre>
2437<p>
2438<code>ArgServer</code> now has same signature as <code>HandlerFunc</code>,
2439so it can be converted to that type to access its methods,
2440just as we converted <code>Sequence</code> to <code>IntSlice</code>
2441to access <code>IntSlice.Sort</code>.
2442The code to set it up is concise:
2443</p>
2444<pre>
2445http.Handle("/args", http.HandlerFunc(ArgServer))
2446</pre>
2447<p>
2448When someone visits the page <code>/args</code>,
2449the handler installed at that page has value <code>ArgServer</code>
2450and type <code>HandlerFunc</code>.
2451The HTTP server will invoke the method <code>ServeHTTP</code>
2452of that type, with <code>ArgServer</code> as the receiver, which will in turn call
Dan Willemsenebae3022017-01-13 23:01:08 -08002453<code>ArgServer</code> (via the invocation <code>f(w, req)</code>
Brent Austinba3052e2015-04-21 16:08:23 -07002454inside <code>HandlerFunc.ServeHTTP</code>).
2455The arguments will then be displayed.
2456</p>
2457<p>
2458In this section we have made an HTTP server from a struct, an integer,
2459a channel, and a function, all because interfaces are just sets of
2460methods, which can be defined for (almost) any type.
2461</p>
2462
2463<h2 id="blank">The blank identifier</h2>
2464
2465<p>
2466We've mentioned the blank identifier a couple of times now, in the context of
2467<a href="#for"><code>for</code> <code>range</code> loops</a>
2468and <a href="#maps">maps</a>.
2469The blank identifier can be assigned or declared with any value of any type, with the
2470value discarded harmlessly.
2471It's a bit like writing to the Unix <code>/dev/null</code> file:
2472it represents a write-only value
2473to be used as a place-holder
2474where a variable is needed but the actual value is irrelevant.
2475It has uses beyond those we've seen already.
2476</p>
2477
2478<h3 id="blank_assign">The blank identifier in multiple assignment</h3>
2479
2480<p>
2481The use of a blank identifier in a <code>for</code> <code>range</code> loop is a
2482special case of a general situation: multiple assignment.
2483</p>
2484
2485<p>
2486If an assignment requires multiple values on the left side,
2487but one of the values will not be used by the program,
2488a blank identifier on the left-hand-side of
2489the assignment avoids the need
2490to create a dummy variable and makes it clear that the
2491value is to be discarded.
2492For instance, when calling a function that returns
2493a value and an error, but only the error is important,
2494use the blank identifier to discard the irrelevant value.
2495</p>
2496
2497<pre>
2498if _, err := os.Stat(path); os.IsNotExist(err) {
2499 fmt.Printf("%s does not exist\n", path)
2500}
2501</pre>
2502
2503<p>
2504Occasionally you'll see code that discards the error value in order
2505to ignore the error; this is terrible practice. Always check error returns;
2506they're provided for a reason.
2507</p>
2508
2509<pre>
2510// Bad! This code will crash if path does not exist.
2511fi, _ := os.Stat(path)
2512if fi.IsDir() {
2513 fmt.Printf("%s is a directory\n", path)
2514}
2515</pre>
2516
2517<h3 id="blank_unused">Unused imports and variables</h3>
2518
2519<p>
2520It is an error to import a package or to declare a variable without using it.
2521Unused imports bloat the program and slow compilation,
2522while a variable that is initialized but not used is at least
2523a wasted computation and perhaps indicative of a
2524larger bug.
2525When a program is under active development, however,
2526unused imports and variables often arise and it can
2527be annoying to delete them just to have the compilation proceed,
2528only to have them be needed again later.
2529The blank identifier provides a workaround.
2530</p>
2531<p>
2532This half-written program has two unused imports
2533(<code>fmt</code> and <code>io</code>)
2534and an unused variable (<code>fd</code>),
2535so it will not compile, but it would be nice to see if the
2536code so far is correct.
2537</p>
2538{{code "/doc/progs/eff_unused1.go" `/package/` `$`}}
2539<p>
2540To silence complaints about the unused imports, use a
2541blank identifier to refer to a symbol from the imported package.
2542Similarly, assigning the unused variable <code>fd</code>
2543to the blank identifier will silence the unused variable error.
2544This version of the program does compile.
2545</p>
2546{{code "/doc/progs/eff_unused2.go" `/package/` `$`}}
2547
2548<p>
2549By convention, the global declarations to silence import errors
2550should come right after the imports and be commented,
2551both to make them easy to find and as a reminder to clean things up later.
2552</p>
2553
2554<h3 id="blank_import">Import for side effect</h3>
2555
2556<p>
2557An unused import like <code>fmt</code> or <code>io</code> in the
2558previous example should eventually be used or removed:
2559blank assignments identify code as a work in progress.
2560But sometimes it is useful to import a package only for its
2561side effects, without any explicit use.
2562For example, during its <code>init</code> function,
2563the <code><a href="/pkg/net/http/pprof/">net/http/pprof</a></code>
2564package registers HTTP handlers that provide
2565debugging information. It has an exported API, but
2566most clients need only the handler registration and
2567access the data through a web page.
2568To import the package only for its side effects, rename the package
2569to the blank identifier:
2570</p>
2571<pre>
2572import _ "net/http/pprof"
2573</pre>
2574<p>
2575This form of import makes clear that the package is being
2576imported for its side effects, because there is no other possible
2577use of the package: in this file, it doesn't have a name.
2578(If it did, and we didn't use that name, the compiler would reject the program.)
2579</p>
2580
2581<h3 id="blank_implements">Interface checks</h3>
2582
2583<p>
2584As we saw in the discussion of <a href="#interfaces_and_types">interfaces</a> above,
2585a type need not declare explicitly that it implements an interface.
2586Instead, a type implements the interface just by implementing the interface's methods.
2587In practice, most interface conversions are static and therefore checked at compile time.
2588For example, passing an <code>*os.File</code> to a function
2589expecting an <code>io.Reader</code> will not compile unless
2590<code>*os.File</code> implements the <code>io.Reader</code> interface.
2591</p>
2592
2593<p>
2594Some interface checks do happen at run-time, though.
2595One instance is in the <code><a href="/pkg/encoding/json/">encoding/json</a></code>
2596package, which defines a <code><a href="/pkg/encoding/json/#Marshaler">Marshaler</a></code>
2597interface. When the JSON encoder receives a value that implements that interface,
2598the encoder invokes the value's marshaling method to convert it to JSON
2599instead of doing the standard conversion.
2600The encoder checks this property at run time with a <a href="#interface_conversions">type assertion</a> like:
2601</p>
2602
2603<pre>
2604m, ok := val.(json.Marshaler)
2605</pre>
2606
2607<p>
2608If it's necessary only to ask whether a type implements an interface, without
2609actually using the interface itself, perhaps as part of an error check, use the blank
2610identifier to ignore the type-asserted value:
2611</p>
2612
2613<pre>
2614if _, ok := val.(json.Marshaler); ok {
2615 fmt.Printf("value %v of type %T implements json.Marshaler\n", val, val)
2616}
2617</pre>
2618
2619<p>
2620One place this situation arises is when it is necessary to guarantee within the package implementing the type that
2621it actually satisfies the interface.
2622If a type—for example,
2623<code><a href="/pkg/encoding/json/#RawMessage">json.RawMessage</a></code>—needs
2624a custom JSON representation, it should implement
2625<code>json.Marshaler</code>, but there are no static conversions that would
2626cause the compiler to verify this automatically.
2627If the type inadvertently fails to satisfy the interface, the JSON encoder will still work,
2628but will not use the custom implementation.
2629To guarantee that the implementation is correct,
2630a global declaration using the blank identifier can be used in the package:
2631</p>
2632<pre>
2633var _ json.Marshaler = (*RawMessage)(nil)
2634</pre>
2635<p>
2636In this declaration, the assignment involving a conversion of a
2637<code>*RawMessage</code> to a <code>Marshaler</code>
2638requires that <code>*RawMessage</code> implements <code>Marshaler</code>,
2639and that property will be checked at compile time.
2640Should the <code>json.Marshaler</code> interface change, this package
2641will no longer compile and we will be on notice that it needs to be updated.
2642</p>
2643
2644<p>
2645The appearance of the blank identifier in this construct indicates that
2646the declaration exists only for the type checking,
2647not to create a variable.
2648Don't do this for every type that satisfies an interface, though.
2649By convention, such declarations are only used
2650when there are no static conversions already present in the code,
2651which is a rare event.
2652</p>
2653
2654
2655<h2 id="embedding">Embedding</h2>
2656
2657<p>
2658Go does not provide the typical, type-driven notion of subclassing,
2659but it does have the ability to &ldquo;borrow&rdquo; pieces of an
2660implementation by <em>embedding</em> types within a struct or
2661interface.
2662</p>
2663<p>
2664Interface embedding is very simple.
2665We've mentioned the <code>io.Reader</code> and <code>io.Writer</code> interfaces before;
2666here are their definitions.
2667</p>
2668<pre>
2669type Reader interface {
2670 Read(p []byte) (n int, err error)
2671}
2672
2673type Writer interface {
2674 Write(p []byte) (n int, err error)
2675}
2676</pre>
2677<p>
2678The <code>io</code> package also exports several other interfaces
2679that specify objects that can implement several such methods.
2680For instance, there is <code>io.ReadWriter</code>, an interface
2681containing both <code>Read</code> and <code>Write</code>.
2682We could specify <code>io.ReadWriter</code> by listing the
2683two methods explicitly, but it's easier and more evocative
2684to embed the two interfaces to form the new one, like this:
2685</p>
2686<pre>
2687// ReadWriter is the interface that combines the Reader and Writer interfaces.
2688type ReadWriter interface {
2689 Reader
2690 Writer
2691}
2692</pre>
2693<p>
2694This says just what it looks like: A <code>ReadWriter</code> can do
2695what a <code>Reader</code> does <em>and</em> what a <code>Writer</code>
2696does; it is a union of the embedded interfaces (which must be disjoint
2697sets of methods).
2698Only interfaces can be embedded within interfaces.
2699</p>
2700<p>
2701The same basic idea applies to structs, but with more far-reaching
2702implications. The <code>bufio</code> package has two struct types,
2703<code>bufio.Reader</code> and <code>bufio.Writer</code>, each of
2704which of course implements the analogous interfaces from package
2705<code>io</code>.
2706And <code>bufio</code> also implements a buffered reader/writer,
2707which it does by combining a reader and a writer into one struct
2708using embedding: it lists the types within the struct
2709but does not give them field names.
2710</p>
2711<pre>
2712// ReadWriter stores pointers to a Reader and a Writer.
2713// It implements io.ReadWriter.
2714type ReadWriter struct {
2715 *Reader // *bufio.Reader
2716 *Writer // *bufio.Writer
2717}
2718</pre>
2719<p>
2720The embedded elements are pointers to structs and of course
2721must be initialized to point to valid structs before they
2722can be used.
2723The <code>ReadWriter</code> struct could be written as
2724</p>
2725<pre>
2726type ReadWriter struct {
2727 reader *Reader
2728 writer *Writer
2729}
2730</pre>
2731<p>
2732but then to promote the methods of the fields and to
2733satisfy the <code>io</code> interfaces, we would also need
2734to provide forwarding methods, like this:
2735</p>
2736<pre>
2737func (rw *ReadWriter) Read(p []byte) (n int, err error) {
2738 return rw.reader.Read(p)
2739}
2740</pre>
2741<p>
2742By embedding the structs directly, we avoid this bookkeeping.
2743The methods of embedded types come along for free, which means that <code>bufio.ReadWriter</code>
2744not only has the methods of <code>bufio.Reader</code> and <code>bufio.Writer</code>,
2745it also satisfies all three interfaces:
2746<code>io.Reader</code>,
2747<code>io.Writer</code>, and
2748<code>io.ReadWriter</code>.
2749</p>
2750<p>
2751There's an important way in which embedding differs from subclassing. When we embed a type,
2752the methods of that type become methods of the outer type,
2753but when they are invoked the receiver of the method is the inner type, not the outer one.
2754In our example, when the <code>Read</code> method of a <code>bufio.ReadWriter</code> is
2755invoked, it has exactly the same effect as the forwarding method written out above;
2756the receiver is the <code>reader</code> field of the <code>ReadWriter</code>, not the
2757<code>ReadWriter</code> itself.
2758</p>
2759<p>
2760Embedding can also be a simple convenience.
2761This example shows an embedded field alongside a regular, named field.
2762</p>
2763<pre>
2764type Job struct {
2765 Command string
2766 *log.Logger
2767}
2768</pre>
2769<p>
Colin Crossd9c6b802019-03-19 21:10:31 -07002770The <code>Job</code> type now has the <code>Print</code>, <code>Printf</code>, <code>Println</code>
Brent Austinba3052e2015-04-21 16:08:23 -07002771and other
2772methods of <code>*log.Logger</code>. We could have given the <code>Logger</code>
2773a field name, of course, but it's not necessary to do so. And now, once
2774initialized, we can
2775log to the <code>Job</code>:
2776</p>
2777<pre>
Colin Crossd9c6b802019-03-19 21:10:31 -07002778job.Println("starting now...")
Brent Austinba3052e2015-04-21 16:08:23 -07002779</pre>
2780<p>
2781The <code>Logger</code> is a regular field of the <code>Job</code> struct,
2782so we can initialize it in the usual way inside the constructor for <code>Job</code>, like this,
2783</p>
2784<pre>
2785func NewJob(command string, logger *log.Logger) *Job {
2786 return &amp;Job{command, logger}
2787}
2788</pre>
2789<p>
2790or with a composite literal,
2791</p>
2792<pre>
2793job := &amp;Job{command, log.New(os.Stderr, "Job: ", log.Ldate)}
2794</pre>
2795<p>
2796If we need to refer to an embedded field directly, the type name of the field,
2797ignoring the package qualifier, serves as a field name, as it did
Dan Willemsena3223282018-02-27 19:41:43 -08002798in the <code>Read</code> method of our <code>ReadWriter</code> struct.
Brent Austinba3052e2015-04-21 16:08:23 -07002799Here, if we needed to access the
2800<code>*log.Logger</code> of a <code>Job</code> variable <code>job</code>,
2801we would write <code>job.Logger</code>,
2802which would be useful if we wanted to refine the methods of <code>Logger</code>.
2803</p>
2804<pre>
Colin Crossd9c6b802019-03-19 21:10:31 -07002805func (job *Job) Printf(format string, args ...interface{}) {
2806 job.Logger.Printf("%q: %s", job.Command, fmt.Sprintf(format, args...))
Brent Austinba3052e2015-04-21 16:08:23 -07002807}
2808</pre>
2809<p>
2810Embedding types introduces the problem of name conflicts but the rules to resolve
2811them are simple.
2812First, a field or method <code>X</code> hides any other item <code>X</code> in a more deeply
2813nested part of the type.
2814If <code>log.Logger</code> contained a field or method called <code>Command</code>, the <code>Command</code> field
2815of <code>Job</code> would dominate it.
2816</p>
2817<p>
2818Second, if the same name appears at the same nesting level, it is usually an error;
2819it would be erroneous to embed <code>log.Logger</code> if the <code>Job</code> struct
2820contained another field or method called <code>Logger</code>.
2821However, if the duplicate name is never mentioned in the program outside the type definition, it is OK.
2822This qualification provides some protection against changes made to types embedded from outside; there
2823is no problem if a field is added that conflicts with another field in another subtype if neither field
2824is ever used.
2825</p>
2826
2827
2828<h2 id="concurrency">Concurrency</h2>
2829
2830<h3 id="sharing">Share by communicating</h3>
2831
2832<p>
2833Concurrent programming is a large topic and there is space only for some
2834Go-specific highlights here.
2835</p>
2836<p>
2837Concurrent programming in many environments is made difficult by the
2838subtleties required to implement correct access to shared variables. Go encourages
2839a different approach in which shared values are passed around on channels
2840and, in fact, never actively shared by separate threads of execution.
2841Only one goroutine has access to the value at any given time.
2842Data races cannot occur, by design.
2843To encourage this way of thinking we have reduced it to a slogan:
2844</p>
2845<blockquote>
2846Do not communicate by sharing memory;
2847instead, share memory by communicating.
2848</blockquote>
2849<p>
2850This approach can be taken too far. Reference counts may be best done
2851by putting a mutex around an integer variable, for instance. But as a
2852high-level approach, using channels to control access makes it easier
2853to write clear, correct programs.
2854</p>
2855<p>
2856One way to think about this model is to consider a typical single-threaded
2857program running on one CPU. It has no need for synchronization primitives.
2858Now run another such instance; it too needs no synchronization. Now let those
2859two communicate; if the communication is the synchronizer, there's still no need
2860for other synchronization. Unix pipelines, for example, fit this model
2861perfectly. Although Go's approach to concurrency originates in Hoare's
2862Communicating Sequential Processes (CSP),
2863it can also be seen as a type-safe generalization of Unix pipes.
2864</p>
2865
2866<h3 id="goroutines">Goroutines</h3>
2867
2868<p>
2869They're called <em>goroutines</em> because the existing
2870terms&mdash;threads, coroutines, processes, and so on&mdash;convey
2871inaccurate connotations. A goroutine has a simple model: it is a
2872function executing concurrently with other goroutines in the same
2873address space. It is lightweight, costing little more than the
2874allocation of stack space.
2875And the stacks start small, so they are cheap, and grow
2876by allocating (and freeing) heap storage as required.
2877</p>
2878<p>
2879Goroutines are multiplexed onto multiple OS threads so if one should
2880block, such as while waiting for I/O, others continue to run. Their
2881design hides many of the complexities of thread creation and
2882management.
2883</p>
2884<p>
2885Prefix a function or method call with the <code>go</code>
2886keyword to run the call in a new goroutine.
2887When the call completes, the goroutine
2888exits, silently. (The effect is similar to the Unix shell's
2889<code>&amp;</code> notation for running a command in the
2890background.)
2891</p>
2892<pre>
2893go list.Sort() // run list.Sort concurrently; don't wait for it.
2894</pre>
2895<p>
2896A function literal can be handy in a goroutine invocation.
2897</p>
2898<pre>
2899func Announce(message string, delay time.Duration) {
2900 go func() {
2901 time.Sleep(delay)
2902 fmt.Println(message)
2903 }() // Note the parentheses - must call the function.
2904}
2905</pre>
2906<p>
2907In Go, function literals are closures: the implementation makes
2908sure the variables referred to by the function survive as long as they are active.
2909</p>
2910<p>
2911These examples aren't too practical because the functions have no way of signaling
2912completion. For that, we need channels.
2913</p>
2914
2915<h3 id="channels">Channels</h3>
2916
2917<p>
2918Like maps, channels are allocated with <code>make</code>, and
2919the resulting value acts as a reference to an underlying data structure.
2920If an optional integer parameter is provided, it sets the buffer size for the channel.
2921The default is zero, for an unbuffered or synchronous channel.
2922</p>
2923<pre>
2924ci := make(chan int) // unbuffered channel of integers
2925cj := make(chan int, 0) // unbuffered channel of integers
2926cs := make(chan *os.File, 100) // buffered channel of pointers to Files
2927</pre>
2928<p>
2929Unbuffered channels combine communication&mdash;the exchange of a value&mdash;with
2930synchronization&mdash;guaranteeing that two calculations (goroutines) are in
2931a known state.
2932</p>
2933<p>
2934There are lots of nice idioms using channels. Here's one to get us started.
2935In the previous section we launched a sort in the background. A channel
2936can allow the launching goroutine to wait for the sort to complete.
2937</p>
2938<pre>
2939c := make(chan int) // Allocate a channel.
2940// Start the sort in a goroutine; when it completes, signal on the channel.
2941go func() {
2942 list.Sort()
2943 c &lt;- 1 // Send a signal; value does not matter.
2944}()
2945doSomethingForAWhile()
2946&lt;-c // Wait for sort to finish; discard sent value.
2947</pre>
2948<p>
2949Receivers always block until there is data to receive.
2950If the channel is unbuffered, the sender blocks until the receiver has
2951received the value.
2952If the channel has a buffer, the sender blocks only until the
2953value has been copied to the buffer; if the buffer is full, this
2954means waiting until some receiver has retrieved a value.
2955</p>
2956<p>
2957A buffered channel can be used like a semaphore, for instance to
2958limit throughput. In this example, incoming requests are passed
2959to <code>handle</code>, which sends a value into the channel, processes
2960the request, and then receives a value from the channel
2961to ready the &ldquo;semaphore&rdquo; for the next consumer.
2962The capacity of the channel buffer limits the number of
2963simultaneous calls to <code>process</code>.
2964</p>
2965<pre>
2966var sem = make(chan int, MaxOutstanding)
2967
2968func handle(r *Request) {
2969 sem &lt;- 1 // Wait for active queue to drain.
2970 process(r) // May take a long time.
2971 &lt;-sem // Done; enable next request to run.
2972}
2973
2974func Serve(queue chan *Request) {
2975 for {
2976 req := &lt;-queue
2977 go handle(req) // Don't wait for handle to finish.
2978 }
2979}
2980</pre>
2981
2982<p>
2983Once <code>MaxOutstanding</code> handlers are executing <code>process</code>,
2984any more will block trying to send into the filled channel buffer,
2985until one of the existing handlers finishes and receives from the buffer.
2986</p>
2987
2988<p>
2989This design has a problem, though: <code>Serve</code>
2990creates a new goroutine for
2991every incoming request, even though only <code>MaxOutstanding</code>
2992of them can run at any moment.
2993As a result, the program can consume unlimited resources if the requests come in too fast.
2994We can address that deficiency by changing <code>Serve</code> to
2995gate the creation of the goroutines.
2996Here's an obvious solution, but beware it has a bug we'll fix subsequently:
2997</p>
2998
2999<pre>
3000func Serve(queue chan *Request) {
3001 for req := range queue {
3002 sem &lt;- 1
3003 go func() {
3004 process(req) // Buggy; see explanation below.
3005 &lt;-sem
3006 }()
3007 }
3008}</pre>
3009
3010<p>
3011The bug is that in a Go <code>for</code> loop, the loop variable
3012is reused for each iteration, so the <code>req</code>
3013variable is shared across all goroutines.
3014That's not what we want.
3015We need to make sure that <code>req</code> is unique for each goroutine.
3016Here's one way to do that, passing the value of <code>req</code> as an argument
3017to the closure in the goroutine:
3018</p>
3019
3020<pre>
3021func Serve(queue chan *Request) {
3022 for req := range queue {
3023 sem &lt;- 1
3024 go func(req *Request) {
3025 process(req)
3026 &lt;-sem
3027 }(req)
3028 }
3029}</pre>
3030
3031<p>
3032Compare this version with the previous to see the difference in how
3033the closure is declared and run.
3034Another solution is just to create a new variable with the same
3035name, as in this example:
3036</p>
3037
3038<pre>
3039func Serve(queue chan *Request) {
3040 for req := range queue {
3041 req := req // Create new instance of req for the goroutine.
3042 sem &lt;- 1
3043 go func() {
3044 process(req)
3045 &lt;-sem
3046 }()
3047 }
3048}</pre>
3049
3050<p>
3051It may seem odd to write
3052</p>
3053
3054<pre>
3055req := req
3056</pre>
3057
3058<p>
Dan Willemsen09eb3b12015-09-16 14:34:17 -07003059but it's legal and idiomatic in Go to do this.
Brent Austinba3052e2015-04-21 16:08:23 -07003060You get a fresh version of the variable with the same name, deliberately
3061shadowing the loop variable locally but unique to each goroutine.
3062</p>
3063
3064<p>
3065Going back to the general problem of writing the server,
3066another approach that manages resources well is to start a fixed
3067number of <code>handle</code> goroutines all reading from the request
3068channel.
3069The number of goroutines limits the number of simultaneous
3070calls to <code>process</code>.
3071This <code>Serve</code> function also accepts a channel on which
3072it will be told to exit; after launching the goroutines it blocks
3073receiving from that channel.
3074</p>
3075
3076<pre>
3077func handle(queue chan *Request) {
3078 for r := range queue {
3079 process(r)
3080 }
3081}
3082
3083func Serve(clientRequests chan *Request, quit chan bool) {
3084 // Start handlers
3085 for i := 0; i &lt; MaxOutstanding; i++ {
3086 go handle(clientRequests)
3087 }
3088 &lt;-quit // Wait to be told to exit.
3089}
3090</pre>
3091
3092<h3 id="chan_of_chan">Channels of channels</h3>
3093<p>
3094One of the most important properties of Go is that
3095a channel is a first-class value that can be allocated and passed
3096around like any other. A common use of this property is
3097to implement safe, parallel demultiplexing.
3098</p>
3099<p>
3100In the example in the previous section, <code>handle</code> was
3101an idealized handler for a request but we didn't define the
3102type it was handling. If that type includes a channel on which
3103to reply, each client can provide its own path for the answer.
3104Here's a schematic definition of type <code>Request</code>.
3105</p>
3106<pre>
3107type Request struct {
3108 args []int
3109 f func([]int) int
3110 resultChan chan int
3111}
3112</pre>
3113<p>
3114The client provides a function and its arguments, as well as
3115a channel inside the request object on which to receive the answer.
3116</p>
3117<pre>
3118func sum(a []int) (s int) {
3119 for _, v := range a {
3120 s += v
3121 }
3122 return
3123}
3124
3125request := &amp;Request{[]int{3, 4, 5}, sum, make(chan int)}
3126// Send request
3127clientRequests &lt;- request
3128// Wait for response.
3129fmt.Printf("answer: %d\n", &lt;-request.resultChan)
3130</pre>
3131<p>
3132On the server side, the handler function is the only thing that changes.
3133</p>
3134<pre>
3135func handle(queue chan *Request) {
3136 for req := range queue {
3137 req.resultChan &lt;- req.f(req.args)
3138 }
3139}
3140</pre>
3141<p>
3142There's clearly a lot more to do to make it realistic, but this
3143code is a framework for a rate-limited, parallel, non-blocking RPC
3144system, and there's not a mutex in sight.
3145</p>
3146
3147<h3 id="parallel">Parallelization</h3>
3148<p>
3149Another application of these ideas is to parallelize a calculation
3150across multiple CPU cores. If the calculation can be broken into
3151separate pieces that can execute independently, it can be parallelized,
3152with a channel to signal when each piece completes.
3153</p>
3154<p>
3155Let's say we have an expensive operation to perform on a vector of items,
3156and that the value of the operation on each item is independent,
3157as in this idealized example.
3158</p>
3159<pre>
3160type Vector []float64
3161
3162// Apply the operation to v[i], v[i+1] ... up to v[n-1].
3163func (v Vector) DoSome(i, n int, u Vector, c chan int) {
3164 for ; i &lt; n; i++ {
3165 v[i] += u.Op(v[i])
3166 }
3167 c &lt;- 1 // signal that this piece is done
3168}
3169</pre>
3170<p>
3171We launch the pieces independently in a loop, one per CPU.
3172They can complete in any order but it doesn't matter; we just
3173count the completion signals by draining the channel after
3174launching all the goroutines.
3175</p>
3176<pre>
Dan Willemsen09eb3b12015-09-16 14:34:17 -07003177const numCPU = 4 // number of CPU cores
Brent Austinba3052e2015-04-21 16:08:23 -07003178
3179func (v Vector) DoAll(u Vector) {
Dan Willemsen09eb3b12015-09-16 14:34:17 -07003180 c := make(chan int, numCPU) // Buffering optional but sensible.
3181 for i := 0; i &lt; numCPU; i++ {
3182 go v.DoSome(i*len(v)/numCPU, (i+1)*len(v)/numCPU, u, c)
Brent Austinba3052e2015-04-21 16:08:23 -07003183 }
3184 // Drain the channel.
Dan Willemsen09eb3b12015-09-16 14:34:17 -07003185 for i := 0; i &lt; numCPU; i++ {
Brent Austinba3052e2015-04-21 16:08:23 -07003186 &lt;-c // wait for one task to complete
3187 }
3188 // All done.
3189}
Brent Austinba3052e2015-04-21 16:08:23 -07003190</pre>
Brent Austinba3052e2015-04-21 16:08:23 -07003191<p>
Dan Willemsen09eb3b12015-09-16 14:34:17 -07003192Rather than create a constant value for numCPU, we can ask the runtime what
3193value is appropriate.
3194The function <code><a href="/pkg/runtime#NumCPU">runtime.NumCPU</a></code>
3195returns the number of hardware CPU cores in the machine, so we could write
Brent Austinba3052e2015-04-21 16:08:23 -07003196</p>
Dan Willemsen09eb3b12015-09-16 14:34:17 -07003197<pre>
3198var numCPU = runtime.NumCPU()
3199</pre>
3200<p>
3201There is also a function
3202<code><a href="/pkg/runtime#GOMAXPROCS">runtime.GOMAXPROCS</a></code>,
3203which reports (or sets)
3204the user-specified number of cores that a Go program can have running
3205simultaneously.
3206It defaults to the value of <code>runtime.NumCPU</code> but can be
3207overridden by setting the similarly named shell environment variable
3208or by calling the function with a positive number. Calling it with
3209zero just queries the value.
3210Therefore if we want to honor the user's resource request, we should write
3211</p>
3212<pre>
3213var numCPU = runtime.GOMAXPROCS(0)
3214</pre>
Brent Austinba3052e2015-04-21 16:08:23 -07003215<p>
3216Be sure not to confuse the ideas of concurrency—structuring a program
3217as independently executing components—and parallelism—executing
3218calculations in parallel for efficiency on multiple CPUs.
3219Although the concurrency features of Go can make some problems easy
3220to structure as parallel computations, Go is a concurrent language,
3221not a parallel one, and not all parallelization problems fit Go's model.
3222For a discussion of the distinction, see the talk cited in
3223<a href="//blog.golang.org/2013/01/concurrency-is-not-parallelism.html">this
3224blog post</a>.
3225
3226<h3 id="leaky_buffer">A leaky buffer</h3>
3227
3228<p>
3229The tools of concurrent programming can even make non-concurrent
3230ideas easier to express. Here's an example abstracted from an RPC
3231package. The client goroutine loops receiving data from some source,
3232perhaps a network. To avoid allocating and freeing buffers, it keeps
3233a free list, and uses a buffered channel to represent it. If the
3234channel is empty, a new buffer gets allocated.
3235Once the message buffer is ready, it's sent to the server on
3236<code>serverChan</code>.
3237</p>
3238<pre>
3239var freeList = make(chan *Buffer, 100)
3240var serverChan = make(chan *Buffer)
3241
3242func client() {
3243 for {
3244 var b *Buffer
3245 // Grab a buffer if available; allocate if not.
3246 select {
3247 case b = &lt;-freeList:
3248 // Got one; nothing more to do.
3249 default:
3250 // None free, so allocate a new one.
3251 b = new(Buffer)
3252 }
3253 load(b) // Read next message from the net.
3254 serverChan &lt;- b // Send to server.
3255 }
3256}
3257</pre>
3258<p>
3259The server loop receives each message from the client, processes it,
3260and returns the buffer to the free list.
3261</p>
3262<pre>
3263func server() {
3264 for {
3265 b := &lt;-serverChan // Wait for work.
3266 process(b)
3267 // Reuse buffer if there's room.
3268 select {
3269 case freeList &lt;- b:
3270 // Buffer on free list; nothing more to do.
3271 default:
3272 // Free list full, just carry on.
3273 }
3274 }
3275}
3276</pre>
3277<p>
3278The client attempts to retrieve a buffer from <code>freeList</code>;
3279if none is available, it allocates a fresh one.
3280The server's send to <code>freeList</code> puts <code>b</code> back
3281on the free list unless the list is full, in which case the
3282buffer is dropped on the floor to be reclaimed by
3283the garbage collector.
3284(The <code>default</code> clauses in the <code>select</code>
3285statements execute when no other case is ready,
3286meaning that the <code>selects</code> never block.)
3287This implementation builds a leaky bucket free list
3288in just a few lines, relying on the buffered channel and
3289the garbage collector for bookkeeping.
3290</p>
3291
3292<h2 id="errors">Errors</h2>
3293
3294<p>
3295Library routines must often return some sort of error indication to
3296the caller.
3297As mentioned earlier, Go's multivalue return makes it
3298easy to return a detailed error description alongside the normal
3299return value.
3300It is good style to use this feature to provide detailed error information.
3301For example, as we'll see, <code>os.Open</code> doesn't
3302just return a <code>nil</code> pointer on failure, it also returns an
3303error value that describes what went wrong.
3304</p>
3305
3306<p>
3307By convention, errors have type <code>error</code>,
3308a simple built-in interface.
3309</p>
3310<pre>
3311type error interface {
3312 Error() string
3313}
3314</pre>
3315<p>
3316A library writer is free to implement this interface with a
3317richer model under the covers, making it possible not only
3318to see the error but also to provide some context.
3319As mentioned, alongside the usual <code>*os.File</code>
3320return value, <code>os.Open</code> also returns an
3321error value.
3322If the file is opened successfully, the error will be <code>nil</code>,
3323but when there is a problem, it will hold an
3324<code>os.PathError</code>:
3325</p>
3326<pre>
3327// PathError records an error and the operation and
3328// file path that caused it.
3329type PathError struct {
3330 Op string // "open", "unlink", etc.
3331 Path string // The associated file.
3332 Err error // Returned by the system call.
3333}
3334
3335func (e *PathError) Error() string {
3336 return e.Op + " " + e.Path + ": " + e.Err.Error()
3337}
3338</pre>
3339<p>
3340<code>PathError</code>'s <code>Error</code> generates
3341a string like this:
3342</p>
3343<pre>
3344open /etc/passwx: no such file or directory
3345</pre>
3346<p>
3347Such an error, which includes the problematic file name, the
3348operation, and the operating system error it triggered, is useful even
3349if printed far from the call that caused it;
3350it is much more informative than the plain
3351"no such file or directory".
3352</p>
3353
3354<p>
3355When feasible, error strings should identify their origin, such as by having
3356a prefix naming the operation or package that generated the error. For example, in package
3357<code>image</code>, the string representation for a decoding error due to an
3358unknown format is "image: unknown format".
3359</p>
3360
3361<p>
3362Callers that care about the precise error details can
3363use a type switch or a type assertion to look for specific
3364errors and extract details. For <code>PathErrors</code>
3365this might include examining the internal <code>Err</code>
3366field for recoverable failures.
3367</p>
3368
3369<pre>
3370for try := 0; try &lt; 2; try++ {
3371 file, err = os.Create(filename)
3372 if err == nil {
3373 return
3374 }
3375 if e, ok := err.(*os.PathError); ok &amp;&amp; e.Err == syscall.ENOSPC {
3376 deleteTempFiles() // Recover some space.
3377 continue
3378 }
3379 return
3380}
3381</pre>
3382
3383<p>
3384The second <code>if</code> statement here is another <a href="#interface_conversions">type assertion</a>.
3385If it fails, <code>ok</code> will be false, and <code>e</code>
3386will be <code>nil</code>.
3387If it succeeds, <code>ok</code> will be true, which means the
3388error was of type <code>*os.PathError</code>, and then so is <code>e</code>,
3389which we can examine for more information about the error.
3390</p>
3391
3392<h3 id="panic">Panic</h3>
3393
3394<p>
3395The usual way to report an error to a caller is to return an
3396<code>error</code> as an extra return value. The canonical
3397<code>Read</code> method is a well-known instance; it returns a byte
3398count and an <code>error</code>. But what if the error is
3399unrecoverable? Sometimes the program simply cannot continue.
3400</p>
3401
3402<p>
3403For this purpose, there is a built-in function <code>panic</code>
3404that in effect creates a run-time error that will stop the program
3405(but see the next section). The function takes a single argument
3406of arbitrary type&mdash;often a string&mdash;to be printed as the
3407program dies. It's also a way to indicate that something impossible has
3408happened, such as exiting an infinite loop.
3409</p>
3410
3411
3412<pre>
3413// A toy implementation of cube root using Newton's method.
3414func CubeRoot(x float64) float64 {
3415 z := x/3 // Arbitrary initial value
3416 for i := 0; i &lt; 1e6; i++ {
3417 prevz := z
3418 z -= (z*z*z-x) / (3*z*z)
3419 if veryClose(z, prevz) {
3420 return z
3421 }
3422 }
3423 // A million iterations has not converged; something is wrong.
3424 panic(fmt.Sprintf("CubeRoot(%g) did not converge", x))
3425}
3426</pre>
3427
3428<p>
3429This is only an example but real library functions should
3430avoid <code>panic</code>. If the problem can be masked or worked
3431around, it's always better to let things continue to run rather
3432than taking down the whole program. One possible counterexample
3433is during initialization: if the library truly cannot set itself up,
3434it might be reasonable to panic, so to speak.
3435</p>
3436
3437<pre>
3438var user = os.Getenv("USER")
3439
3440func init() {
3441 if user == "" {
3442 panic("no value for $USER")
3443 }
3444}
3445</pre>
3446
3447<h3 id="recover">Recover</h3>
3448
3449<p>
3450When <code>panic</code> is called, including implicitly for run-time
3451errors such as indexing a slice out of bounds or failing a type
3452assertion, it immediately stops execution of the current function
3453and begins unwinding the stack of the goroutine, running any deferred
3454functions along the way. If that unwinding reaches the top of the
3455goroutine's stack, the program dies. However, it is possible to
3456use the built-in function <code>recover</code> to regain control
3457of the goroutine and resume normal execution.
3458</p>
3459
3460<p>
3461A call to <code>recover</code> stops the unwinding and returns the
3462argument passed to <code>panic</code>. Because the only code that
3463runs while unwinding is inside deferred functions, <code>recover</code>
3464is only useful inside deferred functions.
3465</p>
3466
3467<p>
3468One application of <code>recover</code> is to shut down a failing goroutine
3469inside a server without killing the other executing goroutines.
3470</p>
3471
3472<pre>
3473func server(workChan &lt;-chan *Work) {
3474 for work := range workChan {
3475 go safelyDo(work)
3476 }
3477}
3478
3479func safelyDo(work *Work) {
3480 defer func() {
3481 if err := recover(); err != nil {
3482 log.Println("work failed:", err)
3483 }
3484 }()
3485 do(work)
3486}
3487</pre>
3488
3489<p>
3490In this example, if <code>do(work)</code> panics, the result will be
3491logged and the goroutine will exit cleanly without disturbing the
3492others. There's no need to do anything else in the deferred closure;
3493calling <code>recover</code> handles the condition completely.
3494</p>
3495
3496<p>
3497Because <code>recover</code> always returns <code>nil</code> unless called directly
3498from a deferred function, deferred code can call library routines that themselves
3499use <code>panic</code> and <code>recover</code> without failing. As an example,
3500the deferred function in <code>safelyDo</code> might call a logging function before
3501calling <code>recover</code>, and that logging code would run unaffected
3502by the panicking state.
3503</p>
3504
3505<p>
3506With our recovery pattern in place, the <code>do</code>
3507function (and anything it calls) can get out of any bad situation
3508cleanly by calling <code>panic</code>. We can use that idea to
3509simplify error handling in complex software. Let's look at an
3510idealized version of a <code>regexp</code> package, which reports
3511parsing errors by calling <code>panic</code> with a local
3512error type. Here's the definition of <code>Error</code>,
3513an <code>error</code> method, and the <code>Compile</code> function.
3514</p>
3515
3516<pre>
3517// Error is the type of a parse error; it satisfies the error interface.
3518type Error string
3519func (e Error) Error() string {
3520 return string(e)
3521}
3522
3523// error is a method of *Regexp that reports parsing errors by
3524// panicking with an Error.
3525func (regexp *Regexp) error(err string) {
3526 panic(Error(err))
3527}
3528
3529// Compile returns a parsed representation of the regular expression.
3530func Compile(str string) (regexp *Regexp, err error) {
3531 regexp = new(Regexp)
3532 // doParse will panic if there is a parse error.
3533 defer func() {
3534 if e := recover(); e != nil {
3535 regexp = nil // Clear return value.
3536 err = e.(Error) // Will re-panic if not a parse error.
3537 }
3538 }()
3539 return regexp.doParse(str), nil
3540}
3541</pre>
3542
3543<p>
3544If <code>doParse</code> panics, the recovery block will set the
3545return value to <code>nil</code>&mdash;deferred functions can modify
3546named return values. It will then check, in the assignment
3547to <code>err</code>, that the problem was a parse error by asserting
3548that it has the local type <code>Error</code>.
3549If it does not, the type assertion will fail, causing a run-time error
3550that continues the stack unwinding as though nothing had interrupted
3551it.
3552This check means that if something unexpected happens, such
3553as an index out of bounds, the code will fail even though we
3554are using <code>panic</code> and <code>recover</code> to handle
3555parse errors.
3556</p>
3557
3558<p>
3559With error handling in place, the <code>error</code> method (because it's a
3560method bound to a type, it's fine, even natural, for it to have the same name
3561as the builtin <code>error</code> type)
3562makes it easy to report parse errors without worrying about unwinding
3563the parse stack by hand:
3564</p>
3565
3566<pre>
3567if pos == 0 {
3568 re.error("'*' illegal at start of expression")
3569}
3570</pre>
3571
3572<p>
3573Useful though this pattern is, it should be used only within a package.
3574<code>Parse</code> turns its internal <code>panic</code> calls into
3575<code>error</code> values; it does not expose <code>panics</code>
3576to its client. That is a good rule to follow.
3577</p>
3578
3579<p>
3580By the way, this re-panic idiom changes the panic value if an actual
3581error occurs. However, both the original and new failures will be
3582presented in the crash report, so the root cause of the problem will
3583still be visible. Thus this simple re-panic approach is usually
3584sufficient&mdash;it's a crash after all&mdash;but if you want to
3585display only the original value, you can write a little more code to
3586filter unexpected problems and re-panic with the original error.
3587That's left as an exercise for the reader.
3588</p>
3589
3590
3591<h2 id="web_server">A web server</h2>
3592
3593<p>
3594Let's finish with a complete Go program, a web server.
3595This one is actually a kind of web re-server.
Dan Willemsenc7413322018-08-27 23:21:26 -07003596Google provides a service at <code>chart.apis.google.com</code>
Brent Austinba3052e2015-04-21 16:08:23 -07003597that does automatic formatting of data into charts and graphs.
3598It's hard to use interactively, though,
3599because you need to put the data into the URL as a query.
3600The program here provides a nicer interface to one form of data: given a short piece of text,
3601it calls on the chart server to produce a QR code, a matrix of boxes that encode the
3602text.
3603That image can be grabbed with your cell phone's camera and interpreted as,
3604for instance, a URL, saving you typing the URL into the phone's tiny keyboard.
3605</p>
3606<p>
3607Here's the complete program.
3608An explanation follows.
3609</p>
3610{{code "/doc/progs/eff_qr.go" `/package/` `$`}}
3611<p>
3612The pieces up to <code>main</code> should be easy to follow.
3613The one flag sets a default HTTP port for our server. The template
3614variable <code>templ</code> is where the fun happens. It builds an HTML template
3615that will be executed by the server to display the page; more about
3616that in a moment.
3617</p>
3618<p>
3619The <code>main</code> function parses the flags and, using the mechanism
3620we talked about above, binds the function <code>QR</code> to the root path
3621for the server. Then <code>http.ListenAndServe</code> is called to start the
3622server; it blocks while the server runs.
3623</p>
3624<p>
3625<code>QR</code> just receives the request, which contains form data, and
3626executes the template on the data in the form value named <code>s</code>.
3627</p>
3628<p>
3629The template package <code>html/template</code> is powerful;
3630this program just touches on its capabilities.
3631In essence, it rewrites a piece of HTML text on the fly by substituting elements derived
3632from data items passed to <code>templ.Execute</code>, in this case the
3633form value.
3634Within the template text (<code>templateStr</code>),
3635double-brace-delimited pieces denote template actions.
3636The piece from <code>{{html "{{if .}}"}}</code>
3637to <code>{{html "{{end}}"}}</code> executes only if the value of the current data item, called <code>.</code> (dot),
3638is non-empty.
3639That is, when the string is empty, this piece of the template is suppressed.
3640</p>
3641<p>
3642The two snippets <code>{{html "{{.}}"}}</code> say to show the data presented to
3643the template—the query string—on the web page.
3644The HTML template package automatically provides appropriate escaping so the
3645text is safe to display.
3646</p>
3647<p>
3648The rest of the template string is just the HTML to show when the page loads.
3649If this is too quick an explanation, see the <a href="/pkg/html/template/">documentation</a>
3650for the template package for a more thorough discussion.
3651</p>
3652<p>
3653And there you have it: a useful web server in a few lines of code plus some
3654data-driven HTML text.
3655Go is powerful enough to make a lot happen in a few lines.
3656</p>
3657
3658<!--
3659TODO
3660<pre>
3661verifying implementation
3662type Color uint32
3663
3664// Check that Color implements image.Color and image.Image
3665var _ image.Color = Black
3666var _ image.Image = Black
3667</pre>
3668-->