Go Interfaces: Difference between revisions

From NovaOrdis Knowledge Base
Jump to navigation Jump to search
 
(389 intermediate revisions by the same user not shown)
Line 1: Line 1:
=External=
* https://go.dev/ref/spec#Interface_types
=Internal=
=Internal=
 
* [[Go Language]]
* [[Go Concepts - The Type System#User-Defined_Types|The Type System]]
* [[Go_Language_Object_Oriented_Programming#Interfaces|Object-Oriented Programming in Go]]


=Overview=
=Overview=


Go has an unique interface system that allows modeling behavior rather than modeling types. An interface declares the behavior of a type. The availability of interfaces in the language allows for [[Programming#Polymorphism|polymorphism]].
An '''interface''' is a set of method signatures. The interface is declared with the keyword <code>[[Go_Language#type_keyword|type]]</code>, followed by the name of the interface, followed by the keyword <code>[[Go_Language#interface_keyword|interface]]</code> and by the method signatures enclosed in a curly brace block. Each signature contains the method name, optional parameter names and mandatory parameter types, and optional return variable names and mandatory return types. Providing parameter and return names is recommended, as it arguably exposes more semantics, making the code clearer. See [[#Declaration|example]], below.  


There is no need to declare that an interface is implemented, the compiler does the work of determining whether the values of a type satisfy an interface. ''Is this a good thing? As far as I can tell, I can't say whether a specific type implements an interface, short of browsing all methods in the package, looking for receivers of that specific type. This does not help code readability.'' So, if a type implements the methods of an interface, a value of the type can be stored in a value of that interface type and the compiler ensure the assignments are correct at compile-time.
The interface declaration contains no method implementations.  


If a method call is made against an interface value, the equivalent method of the stored user-defined value - whatever that happens to be at the moment - it is executed. This is an expression of the polymorphic nature of the language. The user-defined type is often called a ''concrete type''.
Interfaces are not fully-featured types, they're less than that, but they're used to express conceptual similarities between types. If several types implement the same interface, they are similar in a way that is important to the application. An interface highlights the similarities between the types implementing it and conceals the differences.


Interfaces in Go tend to be small, exposing only a few functions, or just one function.
<span id='accept_interfaces_return_structs'></span>An interface does need to be formally declared on a target type for that type to implement it. Interfaces are satisfied implicitly.  A type '''implements''' or '''satisfies''' an interface if the type defines '''all''' methods specified in the interface. Of course, the type can have other methods not specified by the interface. This is called <span id='Duck_Typing'></span>[[Programming_Languages_Concepts#Duck_Typing|duck typing]]. If a type implements an interface by the virtue of duck typing, a value of the type can be stored in a value of that interface type and the compiler ensure the assignments are correct at compile-time. A type can implement multiple interfaces.


<font color=red>
Interfaces can be thought of a kind of conceptual inheritance: types inherit behavior specified by an interface. Interfaces help supporting polymorphism in Go: different types implement different behaviors specified by the '''same''' interface. For more details see: {{Internal|Go_Inheritance_and_Polymorphism#Overview|Go Inheritance and Polymorphism}}
'''TODO'''  


* Can only structs be interfaces, or there are other things that can be interfaces? "Go in Action" mentions ''named types''.
Go interfaces allow programs to model behavior rather than model types. The behavior is "attached" to existing types, via methods, and independently, the behavior is given a name, the name of the interface that groups together the methods. Go type system is structural, not nominal. The interfaces are behavior contracts, and they belong in the consuming code, not in the producing code. '''A common pattern should be to accept interfaces and return structs'''.
* It seems that the values and pointers are interchangeable when used as interface - we can pass a value or a pointer when we invoke an interface method and the compiler will be fine.
* [[Go_Concepts_-_Functions#Receivers_and_Interfaces]]
* [[Go_Concepts_-_Functions#Receiver_Best_Practice]]
</font>


=Method Sets=
<font color=darkkhaki>A type and its associated [[Go_Concepts_-_The_Type_System#Pointer_Types|pointer type]] may or may not implement the same interface, depending on how the methods are associated with the value and pointer receivers of that type.</font>


Each type has a ''method set'' associated with it. There are [[#Interface_Method_Set|interface method sets]] and [[#User-Defined_Type_Method_Set|user-defined types method sets]].
"The bigger the interface, the weaker the abstraction." The most important thing about interfaces in Go is that the smaller the interface is, the more useful it is. This is a Go-specific idea: we want to make little interfaces, so we can build components that share them.


==Interface Method Set==
Interfaces are defined at the "fault lines" of the system's architecture. These are between the <code>main()</code> function and the rest, and along the package API boundaries.


An interface method set is the specified in the interface definition: an interface is a type [[#Declaration|declaration]] that defines a ''method set'' (defined in the specification of the language [https://golang.org/ref/spec#Method_sets here]).  The method set is a list of method signatures designating methods a type must expose in order to ''implement'' the interface. See [[#Making_a_Type_Implement_an_Interface|making a type implement an interface]]. The method set contains method signatures, so the interface type does not define ''how'' the behavior is implemented, but just the behavior's contract. The interfaces allow us to hide the incidental details of the implementation. The behavior implementation details are contained by user-defined types, via methods.
Interfaces should not be defined before a realistic example of usage exists.


==User-Defined Type Method Set==
Interfaces are rigid. For a library that exposes interfaces in the public API, any change to the interface requires releasing a new major version, since it breaks all third-party implementations.
 
The method set of a user-defined type consists of all methods declared with a receiver of that type T. The method set of the corresponding pointer type *T is the set of all methods declared with receiver *T or T (that is, it also contains the method set of T).
 
=Interface Name Convention=
 
If the interface type contains only one method, the name of the interface starts with name of the method and ends with the ''er'' suffix.
 
When multiple methods are declared within an interface type, the name of the interface should relate to its general behavior.


=Declaration=
=Declaration=


The interface declaration is introduced by the <tt>type</tt> keyword, to indicated that this is a user-defined type, followed by the interface name and the keyword <tt>interface</tt>, followed by the [[#Overview|method set]] declaration between curly braces. Unlike in the <tt>struct</tt>'s case, we don't define fields.
The following syntax declares an interface:


<pre>
<font size=-1.5>
type MyInterface interface {
<font color=green><b>type</b></font> <I><InterfaceName></I> <font color=green><b>interface</b></font> {
  <font color=teal>// Interface method set:</font>
    <function-name-1><function-signature-1>
  <I><method_signature_1></I>
    <function-name-2><function-signature-2>
  <I><method_signature_2></I>
    ...
  ...
}
</font>
Example:
<syntaxhighlight lang='go'>
type SomeInterface interface {
  MethodA(int) (int, error)                          // No parameter and return value names are specified.
  MethodB(someValue int) (someResult int, err error) // Parameter and return value names are provided.
                                                    // This is arguably clearer, as it conveys more semantics.
}
}
</pre>
</syntaxhighlight>


Example:
What results after such a declaration is an <span id='Interface_Type'></span>'''interface type'''. For a discussion of concrete type vs. interface types, see: {{Internal|Go_Language#Concrete_vs._Interface_Types|Go Language &#124; Concrete vs. Interface Types}}
==Interface Method Set==
An interface method set the list of method declaration specified in the [[#Declaration|interface type declaration]].  The interface type declaration has the only purpose of defining the method set and giving it a name, which is the interface name. Also see: {{Internal|Go_Language_Object_Oriented_Programming#Method_Sets|Method Sets}}


<pre>
=<span id='Idiomatic_Interface_Conventions'></span>Naming=
type A interface {
Single-method interfaces are named using the method name plus an "er" suffix. An interface with just one <code>Write</code> method would be called <code>Writer</code>. Sometimes, the result isn't correct English, but we do it anyway. In other cases, we use English to make the result nicer:
<syntaxhighlight lang='go'>
type ByteReader interface {
    ReadByte() (c byte, err error)
}
</syntaxhighlight>
When an interface includes multiple methods, choose a name that accurately describes its purpose.


    m1(i int) int
Also see: {{Internal|Go_Style#Naming|Go Style}}
    m2(s string) string


}
=Implementing an Interface=
</pre>
As mentioned [[#Overview|above]], interfaces are not formally declared to be satisfied with dedicated syntax, they are satisfied implicitly. The type satisfying an interface do not need to formally declare the name of the interface anywhere in its definition. Instead, it is sufficient to declare themselves as [[Go_Language_Object_Oriented_Programming#Value_Receiver_Type|value]] or [[Go_Language_Object_Oriented_Programming#Pointer_Receiver_Type|pointer receiver types]] for '''all''' the methods in the interface declaration.
<syntaxhighlight lang='go'>
type SomeImplementation { ... } // SomeInterface is specified nowhere in the SomeImplementation declaration


=Making a Type Implement an Interface=
// Declaring the type as pointer receiver for *all* methods declared in the interface makes
// the type to implement that interface . Value and pointer receivers must not be mixed by
// the method implementations of an interface.
func (s *SomeImplementation) MethodA(i int) (int, error) { ... }
func (s *SomeImplementation) MethodB(someValue int) (int, error) { ... }
</syntaxhighlight>
The method signatures from the interface method set are independent on whether the corresponding methods from the concrete types are declared with value or pointer receivers.


A type (<tt>struct</tt>, <font color=red>anything else?</font>) can be made to implement an interface by making the type to expose all methods from the interface's method set. "Exposing" a method means that a method with the same name and signature [[Go_Concepts_-_Functions#Receivers|is declared to use the type in question as value or pointer receiver]].
==When Does a Type/Pointer Type Implement an Interface?==


This is called [[Programming#Duck_Typing|duck typing]]. There is no "implements" or "extends" keyword in Go.
Note that notion of a type implementing an interface and its corresponding pointer type implementing the same interface both make sense, and they are subtly different. According to the language specification, a user-defined type <code>T</code> implements an interface if its [[Go_Language_Object_Oriented_Programming#Type_Method_Set|method set]], which are all methods declared with '''a value receiver''' of type <code>T</code>, is a superset of the interface. By extrapolation, a pointer type implements an interface when the method set associated with pointers to that type is a superset of the [[#Interface|interface]]. As explained [[Go_Language_Object_Oriented_Programming#Pointer_Type_Method_Set|here]], the method set associated with the pointer of a type includes implicitly the method set associated with the value of the type.


The example that follows shows how a type <tt>B</tt> implements interface <tt>A</tt>:
=Interface Values=
Declaring a variable of an interface type creates an '''interface value''':
<syntaxhighlight lang='go'>
var i SomeInterface // i is a pair: (dynamic_type, dynamic_value)
</syntaxhighlight>
The interface value contains a data pair, including a <span id='Dynamic_Type'></span>'''dynamic type''' and a <span id='Dynamic_Value'></span>'''dynamic value'''. The dynamic type, when set, is a [[Go_Language#Concrete_Type|concrete type]] that implements that interface. The dynamic value, when set, is an instance of the dynamic type. Internally, an interface variable is a two-word data structure. The first word contains a pointer to an internal table called <code>iTable</code>, which contains type information about the stored value: the concrete type of the value that has been stored and a list of methods associated with the value. The second word is a reference to the stored value. The combination of type information and pointer binds the relationship between the two values.


<pre>
In the case of the above declaration, both elements of the pair are <code>nil</code>:
//
<syntaxhighlight lang='go'>
// The interface A declares a method set containing a single method m()
fmt.Printf("%v\n", i) // prints <nil>
//
</syntaxhighlight>
type A interface {
Assuming the following interface and concrete type declarations:
    m()
<syntaxhighlight lang='go'>
type SomeInterface interface {
  SomeMethod()
}
}


//
type SomeImplementation struct {
// At this point, the struct B is not yet linked to the interface A in any
  data string
// way (it does not implement interface A)
//
type B struct {
    i int
}
}


//
// SomeMethod makes SomeImplementation implement SomeInterface.
// We make B implement interface A by declaring B as a value receiver for
func (s *SomeImplementation) SomeMethod() {
// m(). Pointer receiver also works. Since A only contains m(), B implements
  if s == nil {
// A by the virtue of duck typing
     fmt.Println("invocation with a nil dynamic value")
//
  } else {
func (b B) m() {
     fmt.Printf("data: %s\n", s.data)  
     // simply reports the value of i
  }
     fmt.Println(b.i)
}
}
</syntaxhighlight>
... the following variable declaration and initialization ends up in an interface variable whose both dynamic type and dynamic value are set to <code>*SomeImplementation</code> and <code>&SomeImplementation{"test"}</code>, respectively:
<syntaxhighlight lang='go'>
var i SomeInterface
i = &SomeImplementation{"test"}
</syntaxhighlight>
The interface value can be then used to invoke the <code>SomeMethod()</code> method on the dynamic value, which was assigned to the dynamic concrete type instance pointer.
<syntaxhighlight lang='go'>
i.SomeMethod() // prints "data: test"
</syntaxhighlight>


...
An interface value can have a <code>nil</code> dynamic value, and still be usable, as long it is assigned a dynamic type with this syntax:
<syntaxhighlight lang='go'>
var i SomeInterface
var t *SomeImplementation
i = t
</syntaxhighlight>
An interface value assigned with a pointer to the dynamic type, but not with a dynamic value can still be invoked into, given that the method implementation cases for the situation when the receiver type [[Go_Language_Object_Oriented_Programming#Implicit_Argument|implicit argument]] is <code>nil</code>. In the example above, we assigned <code>i</code> a dynamic type <code>*SomeImplementation</code> but not a dynamic value, as <code>t</code> has no concrete value yet. The dynamic type is enough information to go find which implementation <code>SomeMethod()</code> should use.  


//
{{Note|This is why it is a good idea to guard against <code>nil</code> implicit argument in all concrete methods provided by types that implement interfaces.}}
// B now implements A, so A methods can be invoked on B
//
b := B{1}
b.m()


...
This way we get a static method, in the Java or Python sense of the word and an instance method at the same time.
</pre>
<syntaxhighlight lang='go'>
i.SomeMethod() // prints "invocation with a nil dynamic value"
</syntaxhighlight>
An interface value that carries a dynamic type but no dynamic value is a legal state. It is a way to implement static (type) methods.
==<tt>nil</tt> Interface Value==
This describes an interface value with a <code>nil</code> dynamic type. In this situation, you cannot call the methods on that interface, because without a dynamic type you can't know which method you are referring to.
==<span id='Type_Assertions'></span>Type Assertion==
There is syntax in the language which, given an interface variable, allows us to extract the [[#Dynamic_Value|dynamic value]] with the actual [[#Dynamic_Type|dynamic type]]: {{Internal|Go_Type_Assertion#Overview|Type Assertion}}


Interface instances can be used as arguments to functions. See [[#Passing_Interfaces_to_Functions|passing interfaces to functions]].
==Type Switch==
{{Internal|Go Type Switch#Overview|Type Switch}}


=Passing Interfaces to Functions=
=<span id='Interfaces_as_Function_Parameters_and_Return_Values'></span>Interfaces as Function Parameters and Result Values=
==Interface as Function Parameter==
Interfaces can be used as arguments to functions. Passing an interface instance insures that the function body can rely on the fact the interface methods are available on the passed instance. When a function is declared with an interface type parameter, the function can be invoked with either a value or a pointer of the implementing type, as long the implementation uses a value receiver type. For the following interface and type declaration:
<syntaxhighlight lang='go'>
type SomeInterface interface {
    MethodA()
}


Interfaces can be used as arguments to functions. Passing an interface instance insures that the function body can rely on the fact the interface methods are available on the passed instance.  
type SomeImplementation struct {
    data string
}
</syntaxhighlight>
the type may chose to implement the interface by using a value receiver:
<syntaxhighlight lang='go'>
func (s SomeImplementation) MethodA() {
    fmt.Printf("data: %s\n", s.data)
}
</syntaxhighlight>


With the example above, we declare a function f() that expects an interface A and we pass a B instance when invoking the function:
In this case, if a function is declared with a parameter of <code>SomeInterface</code> interface type, the function can be invoked by passing either a value or a pointer to the type instance:


<pre>
<syntaxhighlight lang='go'>
...
func SomeFunc(i SomeInterface) {
 
     i.MethodA()
func f(a A) {
     a.m()
}
}


...
...
b := B{1}
f(b)
...
</pre>


Note that the B instance can be passed by value (as in the example above) or by reference (as in the example below). Both cases work:
t := SomeImplementation{data: "blue"}
SomeFunc(t)


<pre>
// this also works:
...
t2 := &SomeImplementation{data: "red"}
b := B{1}
SomeFunc(t2)
f(&b)
</syntaxhighlight>
...
</pre>


or (same thing)
If the implementation of the interface is done with a pointer receiver:
<syntaxhighlight lang='go'>
func (s *SomeImplementation) MethodA() {
    fmt.Printf("data: %s\n", s.data)
}
</syntaxhighlight>


<pre>
then only a pointer to the implementing type instance can be passed to the function <code>SomeFunc()</code>:
...
bPtr := new(B)
f(bPtr)
...
</pre>


<font color=red>'''TODO''' further discussion on the merits of passing the interface by value and by reference.</font>
<syntaxhighlight lang='go'>
t := &SomeImplementation{data: "green"}
SomeFunc(t)
</syntaxhighlight>


=Interfaces as Fields=
If we attempt to pass an implementing type instance value, the compiler complains:
<font size=-2>
Cannot use t (variable of type SomeImplementation) as SomeInterface value in argument to SomeFunc: SomeImplementation does not implement SomeInterface (method MethodA has pointer receiver)
</font>


Interfaces can be used as [[Go_Structs#Fields|fields]].
==Interface as Function Result==
Functions can return interfaces as results, as shown below. However, in general, functions [[#accept_interfaces_return_structs |should accept interfaces and return structs]].
<syntaxhighlight lang='go'>
type SomeInterface interface {
  ...
}


=Implementation Details=
type SomeImplementation struct {
  ...
}


An interface variable is a two-word data structure.
// the type SomeImplementation  is presumably declared as receiver type for all interface methods, thus implements it


The first word contains a pointer to an internal table called ''iTable'', which contains type information about the stored value: the type of the value that has been stored (the concrete type) and a list of methods associated with the value.
func someFunc() SomeInterface {
  return &SomeImplementation{} // this is a valid function declaration
}
</syntaxhighlight>


The second word is a reference to the stored value.
=<span id='Empty_Interface'></span><span id='any'></span>Empty Interface <tt>interface{}</tt> <tt>any</tt>=
An empty interface, declared as <code>interface{}</code> or <code>any</code> is an interface that specifies no methods. Any type can "implement" that interface. If you want to declare a parameter of any type for a function, make it an empty interface:
<syntaxhighlight lang='go'>
func SomeFunc(v interface{}) {
  ...
}
</syntaxhighlight>
<syntaxhighlight lang='go'>
func SomeFunc(v any) {
  ...
}
</syntaxhighlight>
According to the <code>builtin</code> package documentation, <code>any</code> is an alias for <code>interface{}</code> and it is equivalent to <code>interface{}</code> in all ways.


The combination of type information and pointer binds the relationship between the two values.
Rob Pike does not like empty interfaces: when you're programming and you use an empty interface, think really hard if this is actually what you want, or whether isn't just a little something you can put in, an interface with an actual method that is really necessary to capture the things you are talking about.


More details "Go in Action" page 125.
=<span id='Embedded_Type'></span><span id='Embedded_Types'></span>Interfaces as Embedded Types=
<font color=darkkhaki>Interface names can be used as [[Go_Structs#Embedded_Type|embedded types]] in structs.</font>
=Using Interfaces=
==Function with Multiple Types of Parameters==
Interface expresses similarity, so make the function take as a parameter an interface that expresses the similarity of all desired arguments.
<syntaxhighlight lang='go'>
func Area(s Shape) {
  ...
}
</syntaxhighlight>
==Mocking==
See: {{Internal|Github.com/stretchr/testify#Mocks|Testify Mocks}}

Latest revision as of 19:31, 14 September 2024

External

Internal

Overview

An interface is a set of method signatures. The interface is declared with the keyword type, followed by the name of the interface, followed by the keyword interface and by the method signatures enclosed in a curly brace block. Each signature contains the method name, optional parameter names and mandatory parameter types, and optional return variable names and mandatory return types. Providing parameter and return names is recommended, as it arguably exposes more semantics, making the code clearer. See example, below.

The interface declaration contains no method implementations.

Interfaces are not fully-featured types, they're less than that, but they're used to express conceptual similarities between types. If several types implement the same interface, they are similar in a way that is important to the application. An interface highlights the similarities between the types implementing it and conceals the differences.

An interface does need to be formally declared on a target type for that type to implement it. Interfaces are satisfied implicitly. A type implements or satisfies an interface if the type defines all methods specified in the interface. Of course, the type can have other methods not specified by the interface. This is called duck typing. If a type implements an interface by the virtue of duck typing, a value of the type can be stored in a value of that interface type and the compiler ensure the assignments are correct at compile-time. A type can implement multiple interfaces.

Interfaces can be thought of a kind of conceptual inheritance: types inherit behavior specified by an interface. Interfaces help supporting polymorphism in Go: different types implement different behaviors specified by the same interface. For more details see:

Go Inheritance and Polymorphism

Go interfaces allow programs to model behavior rather than model types. The behavior is "attached" to existing types, via methods, and independently, the behavior is given a name, the name of the interface that groups together the methods. Go type system is structural, not nominal. The interfaces are behavior contracts, and they belong in the consuming code, not in the producing code. A common pattern should be to accept interfaces and return structs.

A type and its associated pointer type may or may not implement the same interface, depending on how the methods are associated with the value and pointer receivers of that type.

"The bigger the interface, the weaker the abstraction." The most important thing about interfaces in Go is that the smaller the interface is, the more useful it is. This is a Go-specific idea: we want to make little interfaces, so we can build components that share them.

Interfaces are defined at the "fault lines" of the system's architecture. These are between the main() function and the rest, and along the package API boundaries.

Interfaces should not be defined before a realistic example of usage exists.

Interfaces are rigid. For a library that exposes interfaces in the public API, any change to the interface requires releasing a new major version, since it breaks all third-party implementations.

Declaration

The following syntax declares an interface:

type <InterfaceName> interface {
  // Interface method set:
  <method_signature_1>
  <method_signature_2>
  ...
}

Example:

type SomeInterface interface {
  MethodA(int) (int, error)                          // No parameter and return value names are specified.
  MethodB(someValue int) (someResult int, err error) // Parameter and return value names are provided.
                                                     // This is arguably clearer, as it conveys more semantics.
}

What results after such a declaration is an interface type. For a discussion of concrete type vs. interface types, see:

Go Language | Concrete vs. Interface Types

Interface Method Set

An interface method set the list of method declaration specified in the interface type declaration. The interface type declaration has the only purpose of defining the method set and giving it a name, which is the interface name. Also see:

Method Sets

Naming

Single-method interfaces are named using the method name plus an "er" suffix. An interface with just one Write method would be called Writer. Sometimes, the result isn't correct English, but we do it anyway. In other cases, we use English to make the result nicer:

type ByteReader interface {
    ReadByte() (c byte, err error)
}

When an interface includes multiple methods, choose a name that accurately describes its purpose.

Also see:

Go Style

Implementing an Interface

As mentioned above, interfaces are not formally declared to be satisfied with dedicated syntax, they are satisfied implicitly. The type satisfying an interface do not need to formally declare the name of the interface anywhere in its definition. Instead, it is sufficient to declare themselves as value or pointer receiver types for all the methods in the interface declaration.

type SomeImplementation { ... } // SomeInterface is specified nowhere in the SomeImplementation declaration

// Declaring the type as pointer receiver for *all* methods declared in the interface makes 
// the type to implement that interface . Value and pointer receivers must not be mixed by 
// the method implementations of an interface.
func (s *SomeImplementation) MethodA(i int) (int, error) { ... }
func (s *SomeImplementation) MethodB(someValue int) (int, error) { ... }

The method signatures from the interface method set are independent on whether the corresponding methods from the concrete types are declared with value or pointer receivers.

When Does a Type/Pointer Type Implement an Interface?

Note that notion of a type implementing an interface and its corresponding pointer type implementing the same interface both make sense, and they are subtly different. According to the language specification, a user-defined type T implements an interface if its method set, which are all methods declared with a value receiver of type T, is a superset of the interface. By extrapolation, a pointer type implements an interface when the method set associated with pointers to that type is a superset of the interface. As explained here, the method set associated with the pointer of a type includes implicitly the method set associated with the value of the type.

Interface Values

Declaring a variable of an interface type creates an interface value:

var i SomeInterface // i is a pair: (dynamic_type, dynamic_value)

The interface value contains a data pair, including a dynamic type and a dynamic value. The dynamic type, when set, is a concrete type that implements that interface. The dynamic value, when set, is an instance of the dynamic type. Internally, an interface variable is a two-word data structure. The first word contains a pointer to an internal table called iTable, which contains type information about the stored value: the concrete type of the value that has been stored and a list of methods associated with the value. The second word is a reference to the stored value. The combination of type information and pointer binds the relationship between the two values.

In the case of the above declaration, both elements of the pair are nil:

fmt.Printf("%v\n", i) // prints <nil>

Assuming the following interface and concrete type declarations:

type SomeInterface interface {
  SomeMethod()
}

type SomeImplementation struct {
  data string
}

// SomeMethod makes SomeImplementation implement SomeInterface.
func (s *SomeImplementation) SomeMethod() {
  if s == nil {
    fmt.Println("invocation with a nil dynamic value")
  } else {
    fmt.Printf("data: %s\n", s.data)    
  }
}

... the following variable declaration and initialization ends up in an interface variable whose both dynamic type and dynamic value are set to *SomeImplementation and &SomeImplementation{"test"}, respectively:

var i SomeInterface
i = &SomeImplementation{"test"}

The interface value can be then used to invoke the SomeMethod() method on the dynamic value, which was assigned to the dynamic concrete type instance pointer.

i.SomeMethod() // prints "data: test"

An interface value can have a nil dynamic value, and still be usable, as long it is assigned a dynamic type with this syntax:

var i SomeInterface
var t *SomeImplementation
i = t

An interface value assigned with a pointer to the dynamic type, but not with a dynamic value can still be invoked into, given that the method implementation cases for the situation when the receiver type implicit argument is nil. In the example above, we assigned i a dynamic type *SomeImplementation but not a dynamic value, as t has no concrete value yet. The dynamic type is enough information to go find which implementation SomeMethod() should use.


This is why it is a good idea to guard against nil implicit argument in all concrete methods provided by types that implement interfaces.

This way we get a static method, in the Java or Python sense of the word and an instance method at the same time.

i.SomeMethod() // prints "invocation with a nil dynamic value"

An interface value that carries a dynamic type but no dynamic value is a legal state. It is a way to implement static (type) methods.

nil Interface Value

This describes an interface value with a nil dynamic type. In this situation, you cannot call the methods on that interface, because without a dynamic type you can't know which method you are referring to.

Type Assertion

There is syntax in the language which, given an interface variable, allows us to extract the dynamic value with the actual dynamic type:

Type Assertion

Type Switch

Type Switch

Interfaces as Function Parameters and Result Values

Interface as Function Parameter

Interfaces can be used as arguments to functions. Passing an interface instance insures that the function body can rely on the fact the interface methods are available on the passed instance. When a function is declared with an interface type parameter, the function can be invoked with either a value or a pointer of the implementing type, as long the implementation uses a value receiver type. For the following interface and type declaration:

type SomeInterface interface {
    MethodA()
}

type SomeImplementation struct {
    data string
}

the type may chose to implement the interface by using a value receiver:

func (s SomeImplementation) MethodA() {
    fmt.Printf("data: %s\n", s.data)
}

In this case, if a function is declared with a parameter of SomeInterface interface type, the function can be invoked by passing either a value or a pointer to the type instance:

func SomeFunc(i SomeInterface) {
    i.MethodA()
}

...

t := SomeImplementation{data: "blue"}
SomeFunc(t)

// this also works:
t2 := &SomeImplementation{data: "red"}
SomeFunc(t2)

If the implementation of the interface is done with a pointer receiver:

func (s *SomeImplementation) MethodA() {
    fmt.Printf("data: %s\n", s.data)
}

then only a pointer to the implementing type instance can be passed to the function SomeFunc():

t := &SomeImplementation{data: "green"}
SomeFunc(t)

If we attempt to pass an implementing type instance value, the compiler complains:

Cannot use t (variable of type SomeImplementation) as SomeInterface value in argument to SomeFunc: SomeImplementation does not implement SomeInterface (method MethodA has pointer receiver)

Interface as Function Result

Functions can return interfaces as results, as shown below. However, in general, functions should accept interfaces and return structs.

type SomeInterface interface {
  ...
}

type SomeImplementation struct {
  ... 
}

 // the type SomeImplementation  is presumably declared as receiver type for all interface methods, thus implements it 

func someFunc() SomeInterface {
  return &SomeImplementation{} // this is a valid function declaration
}

Empty Interface interface{} any

An empty interface, declared as interface{} or any is an interface that specifies no methods. Any type can "implement" that interface. If you want to declare a parameter of any type for a function, make it an empty interface:

func SomeFunc(v interface{}) {
  ...
}
func SomeFunc(v any) {
  ...
}

According to the builtin package documentation, any is an alias for interface{} and it is equivalent to interface{} in all ways.

Rob Pike does not like empty interfaces: when you're programming and you use an empty interface, think really hard if this is actually what you want, or whether isn't just a little something you can put in, an interface with an actual method that is really necessary to capture the things you are talking about.

Interfaces as Embedded Types

Interface names can be used as embedded types in structs.

Using Interfaces

Function with Multiple Types of Parameters

Interface expresses similarity, so make the function take as a parameter an interface that expresses the similarity of all desired arguments.

func Area(s Shape) {
  ...
}

Mocking

See:

Testify Mocks