背景:我正在使用govmomi进行vmware的配置收集。我目前正在获取所需的数据存储区信息。我需要的字段之一是磁盘Naa。可以在Vmfs字段下的VmfsDatastoreInfo结构中找到。
问题:我正在遍历一个范围,并且我相信Ds.Info属于VmfsDatastoreInfo类型,因此从理论上讲,我可以通过Ds.Info.Vmfs获得所需的信息。当我引用这个时,我得到了错误:
ds.Info.Vmfs undefined (type types.BaseDatastoreInfo has no field or method Vmfs)
出于好奇,我使用反射进行了探索,并进行了以下操作:
fmt.Println(reflect.TypeOf(ds.Info))
输出为
*types.VmfsDatastoreInfo
我试图理解为什么同一对象显示为两种不同类型吗?
编辑: 前往ds:
c, err := govmomi.NewClient(ctx, u, true)
//Check if the connection was successful
if err != nil {
fmt.Println(err)
}
// Create view of Datastore objects
m := view.NewManager(c.Client)
d, _ := m.CreateContainerView(ctx, c.ServiceContent.RootFolder, []string{"Datastore"}, true)
if err != nil {
log.Fatal(err)
}
defer d.Destroy(ctx)
//Retrieve a list of all Virtual Machines including their summary and runtime
var dss []mo.Datastore
err = d.Retrieve(ctx, []string{"Datastore"}, []string{"info", "host"}, &dss)
if err != nil {
log.Fatal(err)
}
for _, ds := range dss {
fmt.Println(reflect.TypeOf(ds.Info))
s := reflect.ValueOf(ds.Info).Elem()
typeOfT := s.Type()
for i := 0; i < s.NumField(); i++ {
f := s.Field(i)
fmt.Println(i, typeOfT.Field(i).Name, f.Type(), f.Interface())
}
}
ds是数据存储类型:
type Datastore struct {
ManagedEntity
Info types.BaseDatastoreInfo `mo:"info"`
Summary types.DatastoreSummary `mo:"summary"`
Host []types.DatastoreHostMount `mo:"host"`
Vm []types.ManagedObjectReference `mo:"vm"`
Browser types.ManagedObjectReference `mo:"browser"`
Capability types.DatastoreCapability `mo:"capability"`
IormConfiguration *types.StorageIORMInfo `mo:"iormConfiguration"`
}
在Govmomi软件包信息中,我发现了以下内容
type BaseDatastoreInfo interface {
GetDatastoreInfo() *DatastoreInfo
}
func (b *DatastoreInfo) GetDatastoreInfo() *DatastoreInfo
type DatastoreInfo struct {
DynamicData
Name string `xml:"name"`
Url string `xml:"url"`
FreeSpace int64 `xml:"freeSpace"`
MaxFileSize int64 `xml:"maxFileSize"`
MaxVirtualDiskCapacity int64 `xml:"maxVirtualDiskCapacity,omitempty"`
MaxMemoryFileSize int64 `xml:"maxMemoryFileSize,omitempty"`
Timestamp *time.Time `xml:"timestamp"`
ContainerId string `xml:"containerId,omitempty"`
}
答案 0 :(得分:0)
我试图理解为什么同一对象显示为两种不同类型吗?
不是。
我相信Ds.Info属于VmfsDatastoreInfo类型
不。如果ds
是Datastore
,而ds.Info
的类型是BaseDatastoreInfo
,则它是一个接口,因此只有一个方法GetDatastoreInfo()
。这就是为什么您看到错误
ds.Info.Vmfs undefined (type types.BaseDatastoreInfo has no field or method Vmfs)
现在阅读包reflect的整个包文档和reflect.TypoOf的文档。现在阅读https://blog.golang.org/laws-of-reflection。
您的reflect.TypeOf(ds.Info)
解析ds.Info的动态类型(其静态类型为BaseDatastoreInfo)。有关简单的示例,请参见https://play.golang.org/p/kgDYXv4i63T。
reflect.TypeOf
在其参数的内部中看起来(interface {}
);如果不是,而是始终报告静态类型,则reflect.TypeOf将始终报告interface{}
)。
可能您应该只使用没有反射的界面:
ds.Info.GetDatastoreInfo()
并使用该信息。无需在这里反映。