2016-02-27 60 views
0

如何解决? https://play.golang.org/p/aOrqmDM91Jgo - golang编译错误:类型没有方法

:28: Cache.Segment undefined (type Cache has no method Segment)

:29: Cache.Segment undefined (type Cache has no method Segment)

package main 
import "fmt" 

type Slot struct { 
    Key []string 
    Val []string 
} 

type Cache struct{ 
    Segment [3615]Slot 
} 

func NewCache(s int) *Cache{ 
    num:=3615 
    Cacheobj:=new(Cache) 

    for i := 0; i < num; i++ { 
     Cacheobj.Segment[i].Key = make([]string, s) 
     Cacheobj.Segment[i].Val = make([]string, s) 
    } 

    return Cacheobj 
} 

func (*Cache)Set(k string, v string) { 
     for mi, mk := range Cache.Segment[0].Key { 
     fmt.Println(Cache.Segment[0].Val[mi]) 
    } 
} 
func main() { 
    Cache1:=NewCache(100) 
    Cache1.Set("a01", "111111") 
} 
+1

由于链接可以去随着时间的推移陈旧/变化,所以最好直接包含你的代码到您的帖子。 – Castaglia

+0

感谢您的建议 – noname

回答

1

Cache是一种类型。要调用Cache对象的方法,您必须执行此操作。

func (c *Cache) Set(k string, v string) { 
    for mi, _ := range c.Segment[0].Key { 
     fmt.Println(c.Segment[0].Val[mi]) 
    } 
} 

注意其c.Segment[0].Keyc.Segment[0].Val[mi]代替Cache.Segment[0].KeyCache.Segment[0].Val[mi]

Go Playground

无关建议:运行gofmt您的代码。它指向违反定期遵循的代码风格指南。我注意到你的代码中有一些。

0

你需要给一个变量*高速缓存来使用它,像:

package main 
import "fmt" 

type Slot struct { 
    Key []string 
    Val []string 
} 

type Cache struct{ 
    Segment [3615]Slot 
} 

func NewCache(s int) *Cache{ 
    num:=3615 
    Cacheobj:=new(Cache) 

    for i := 0; i < num; i++ { 
     Cacheobj.Segment[i].Key = make([]string, s) 
     Cacheobj.Segment[i].Val = make([]string, s) 
    } 

    return Cacheobj 
} 

func (c *Cache)Set(k string, v string) { 
     for mi, _:= range c.Segment[0].Key { // Had to change mk to _ because go will not compile when variables are declared and unused 
     fmt.Println(c.Segment[0].Val[mi]) 
    } 
} 
func main() { 
    Cache1:=NewCache(100) 
    Cache1.Set("a01", "111111") 
} 

http://play.golang.org/p/1vLwVZrX20

相关问题