GoSuda

La interfaz Go no es herencia

By Yunjin Lee
views ...

Resumen

Las interfaces de Go permiten que varias estructuras tengan funciones con los mismos argumentos y valores de retorno, pero difieren del mecanismo de extender y sobrescribir el comportamiento de las funciones internas, como con la palabra clave extends de Java. Aunque una comprensión adecuada de la reutilización de código composicional de Go evita confusiones con la herencia, lograr una comprensión teórica perfecta desde el principio es un desafío. Examinemos esto con un escenario propenso a errores.

Errores comunes

Los principiantes pueden cometer los siguientes errores:

 1package main
 2import (
 3	"fmt"
 4	"strings"
 5)
 6
 7type Fruits interface {
 8	GetBrix() float64
 9	GetName() string
10	SetLabel()
11	GetLabel(string) string
12	PrintAll()
13}
14
15type Apple struct {
16	Label string
17	Name  string
18	Brix  float64
19}
20
21type Watermelon struct {
22	Label string
23	Name  string
24	Brix  float64
25}
26
27func (a *Apple) PrintAll() {
28	fmt.Printf("Fruit: %s, Label: %s, Brix: %v\n", a.Name, a.Label, a.Brix)
29}
30
31const (
32	NO_LABEL = "EMPTY LABEL"
33)
34
35func (a *Apple) SetLabel(lbl string) {
36	a.Brix 	= 14.5;
37	a.Name 	= "apple";
38	lbl_lower := strings.ToLower(lbl)
39	if strings.Contains(lbl_lower, a.Name) {
40		fmt.Println("Succeed: Label was ", lbl)
41		a.Label = lbl;
42	} else {
43		fmt.Println("Failed: Label was ", lbl)
44		a.Label = NO_LABEL;
45	}
46}
47
48func (w *Watermelon) SetLabel(lbl string) {
49	w.Brix = 10;
50	w.Name = "watermelon";
51	lbl_lower := strings.ToLower(lbl)
52	if strings.Contains(lbl_lower, w.Name) {
53		w.Label = lbl;
54	} else {
55		w.Label = NO_LABEL;
56	}
57}
58
59func main() {
60	fmt.Println("Inheritance test #1")
61	apple := new(Apple)
62	watermelon := apple
63	apple.SetLabel("Apple_1")
64	fmt.Println("Apple, before copied to Watermelon")
65	apple.PrintAll()
66	watermelon.SetLabel("WaterMelon_2")
67	fmt.Println("Apple, after copied to Watermelon")
68	apple.PrintAll()
69	fmt.Println("Watermelon, which inherited Apple's Method")
70	watermelon.PrintAll()
71}

Este código puede parecer exento de problemas si se asume erróneamente que Go sigue la herencia tradicional. Sin embargo, su resultado es el siguiente:

1Inheritance test #1
2Succeed: Label was  Apple_1
3Apple, before copied to Watermelon
4Fruit: apple, Label: Apple_1, Brix: 14.5
5Failed: Label was  WaterMelon_2
6Apple, after copied to Watermelon
7Fruit: apple, Label: EMPTY LABEL, Brix: 14.5
8Watermelon, which inherited Apple's Method
9Fruit: apple, Label: EMPTY LABEL, Brix: 14.5

Aquí, el comportamiento de Go se vuelve simplemente claro.

1watermelon := apple

Este código no convierte en absoluto Apple a una clase Watermelon. Más bien, watermelon es solo un puntero a apple.

Subrayamos de nuevo, Go no sigue el concepto de herencia tradicional.

Si se escribe código bajo este malentendido, pueden surgir errores críticos como la creación de punteros sin sentido o la copia inesperada de funciones para otras estructuras.

Entonces, ¿cuál sería un código ejemplar?

Ejemplo apropiado en Go

 1package main
 2import (
 3	"fmt"
 4	"strings"
 5)
 6
 7type Fruits interface {
 8	GetBrix() float64
 9	GetName() string
10	SetLabel()
11	GetLabel(string) string
12	PrintAll()
13}
14
15type BaseFruit struct {
16	Name  string
17	Brix  float64
18}
19
20type Apple struct {
21	Label string
22	Fruit BaseFruit
23}
24
25type Watermelon struct {
26	Label string
27	Fruit BaseFruit
28
29}
30
31func (b *BaseFruit) PrintAll() {
32	fmt.Printf("Fruit: %s, Brix: %v\n", b.Name, b.Brix)
33}
34
35
36const (
37	NO_LABEL = "EMPTY LABEL"
38)
39
40func (a *Apple) SetLabel(lbl string) {
41	a.Fruit.Brix 	= 14.5;
42	a.Fruit.Name 	= "apple";
43	lbl_lower := strings.ToLower(lbl)
44	if strings.Contains(lbl_lower, a.Fruit.Name) {
45		fmt.Println("Succeed: Label was ", lbl)
46		a.Label = lbl;
47	} else {
48		fmt.Println("Failed: Label was ", lbl)
49		a.Label = NO_LABEL;
50	}
51	fmt.Printf("Fruit %s label set to %s\n", a.Fruit.Name, a.Label);
52	a.Fruit.PrintAll()
53}
54
55func (w *Watermelon) SetLabel(lbl string) {
56	w.Fruit.Brix = 10;
57	w.Fruit.Name = "Watermelon";
58	lbl_lower := strings.ToLower(lbl)
59	if strings.Contains(lbl_lower, w.Fruit.Name) {
60		w.Label = lbl;
61	} else {
62		w.Label = NO_LABEL;
63	}
64	fmt.Printf("Fruit %s label set to %s\n", w.Fruit.Name, w.Label);
65	w.Fruit.PrintAll()
66}
67
68func main() {
69	apple := new(Apple)
70	watermelon := new(Watermelon)
71	apple.SetLabel("Apple_1")
72	watermelon.SetLabel("WaterMelon_2")
73}

Sin embargo, en Go también es posible hacer que parezca como herencia. Un ejemplo de esto es la incrustación anónima. Esto es posible declarando una estructura interna como una estructura sin nombre. En tales casos, los campos de la estructura anidada se pueden acceder directamente sin necesidad de especificarlos explícitamente. El uso de este patrón, que promueve los campos de la estructura anidada a la estructura superior, puede mejorar la legibilidad en algunos casos. Sin embargo, se recomienda no utilizarlo cuando la estructura anidada deba mostrarse explícitamente.

 1package main
 2import (
 3	"fmt"
 4	"strings"
 5)
 6
 7type Fruits interface {
 8	GetBrix() float64
 9	GetName() string
10	SetLabel()
11	GetLabel(string) string
12	PrintAll()
13}
14
15type BaseFruit struct {
16	Name  string
17	Brix  float64
18}
19
20type Apple struct {
21	Label string
22	BaseFruit
23}
24
25type Watermelon struct {
26	Label string
27	BaseFruit
28
29}
30
31func (b *BaseFruit) PrintAll() {
32	fmt.Printf("Fruit: %s, Brix: %v\n", b.Name, b.Brix)
33}
34
35
36const (
37	NO_LABEL = "EMPTY LABEL"
38)
39
40func (a *Apple) SetLabel(lbl string) {
41	a.Brix 	= 14.5;
42	a.Name 	= "apple";
43	lbl_lower := strings.ToLower(lbl)
44	if strings.Contains(lbl_lower, a.Name) {
45		fmt.Println("Succeed: Label was ", lbl)
46		a.Label = lbl;
47	} else {
48		fmt.Println("Failed: Label was ", lbl)
49		a.Label = NO_LABEL;
50	}
51	fmt.Printf("Fruit %s label set to %s\n", a.Name, a.Label);
52	a.PrintAll()
53}
54
55func (w *Watermelon) SetLabel(lbl string) {
56	w.Brix = 10;
57	w.Name = "Watermelon";
58	lbl_lower := strings.ToLower(lbl)
59	if strings.Contains(lbl_lower, w.Name) {
60		w.Label = lbl;
61	} else {
62		w.Label = NO_LABEL;
63	}
64	fmt.Printf("Fruit %s label set to %s\n", w.Name, w.Label);
65	w.PrintAll()
66}
67
68func main() {
69	apple := new(Apple)
70	watermelon := new(Watermelon)
71	apple.SetLabel("Apple_1")
72	watermelon.SetLabel("WaterMelon_2")
73}

En este ejemplo, existen estas diferencias:

 1w.PrintAll() // Llamada a la promoción automática a través de una estructura sin nombre, no w.Friut.PrintAll()
 2Ambos ejemplos destacan los siguientes puntos importantes:
 3- `main` de forma concisa, funciones por funcionalidad.
 4- Si son estructuras diferentes, objetos diferentes.
 5- Utilizar estructuras internas cuando se necesite compartir.
 6
 7¿Qué ventajas tiene esta filosofía de programación?
 8
 9## Ventajas
10
11- Clara distinción entre métodos que necesitan ser compartidos y los que no.
12- Separación de responsabilidades en estructuras y métodos individuales.
13- Código estructuralmente separado según las especificaciones de las funciones requeridas.
14
15Al principio, Go puede resultar poco familiar debido a su diferencia con la OOP tradicional, pero una vez que se acostumbra, permite una programación explícita.
16
17## Resumen
18- Aislar las responsabilidades.
19- Dividir en unidades de estructura detalladas.
20- Los métodos no deben entenderse como clases abstractas de Java.
21- Programar de forma explícita y específica.
22El lenguaje Go debe tratarse de forma más sencilla y granular que el modelo OOP tradicional. En lugar de programar de forma extensiva, hagámoslo de forma gradual y estructuralmente separada.
23