我目前正在学习Golang(到目前为止,我很喜欢)。但不幸的是,我已经被困了几个小时,而且在Google上似乎找不到解决我问题的任何解决方案。
所以这是我的问题。我有这段代码(来自教程):
func main() {
var s SitemapIndex
resp, _ := http.Get("https://www.washingtonpost.com/news-sitemaps/index.xml")
bytes, _ := ioutil.ReadAll(resp.Body)
resp.Body.Close()
xml.Unmarshal(bytes, &s)
for _, Location := range s.Locations {
resp, _ := http.Get(Location)
ioutil.ReadAll(resp.Body)
}
}
我知道,我的代码不完整,但这是因为我删除了不会引起问题的部分,以使其在Stackoverflow上更具可读性。
因此,当我获取
Location
的内容并尝试使用ioutil.ReadAll()
处理数据时,出现此错误并提到了一个指针:panic: runtime error: invalid memory address or nil pointer dereference
[signal SIGSEGV: segmentation violation code=0x1 addr=0x40 pc=0x1210a69]
goroutine 1 [running]:
main.main()
/Users/tom/Developer/Go/src/news/index.go:23 +0x159
exit status 2
我真的不明白这个错误,无论我怎么看。我试图通过执行
ioutil.ReadAll(resp.Body)
然后打印_, e := ioutil.ReadAll(resp.Body)
从e
中提取错误,但是这样做会引发另一个错误...我在某处读到它可能是因为返回给我的 body 有错误,但是在本教程中它工作正常。
希望你们对我有解决方案。谢谢。
编辑:这是我定义的结构:
type SitemapIndex struct {
Locations []string `xml:"sitemap>loc"`
}
type News struct {
Titles []string `xml:"url>news>title"`
Keywords []string `xml:"url>news>keywords"`
Locations []string `xml:"url>loc"`
}
type NewsMap struct {
Keyword string
Location string
}
最佳答案
首要规则:检查错误。
例如,
if err != nil {
fmt.Printf("%q\n", Location) // debug error
fmt.Println(resp) // debug error
fmt.Println(err)
return
}
输出:
"\nhttps://www.washingtonpost.com/news-sitemaps/politics.xml\n"
<nil>
parse
https://www.washingtonpost.com/news-sitemaps/politics.xml
: first path segment in URL cannot contain colon
如果您没有发现此错误,请继续使用
resp == nil
,然后bytes, err := ioutil.ReadAll(resp.Body)
输出:
panic: runtime error: invalid memory address or nil pointer dereference
package main
import (
"encoding/xml"
"fmt"
"io/ioutil"
"net/http"
"strings"
)
type SitemapIndex struct {
Locations []string `xml:"sitemap>loc"`
}
func main() {
var s SitemapIndex
resp, err := http.Get("https://www.washingtonpost.com/news-sitemaps/index.xml")
if err != nil {
fmt.Println(err)
return
}
bytes, err := ioutil.ReadAll(resp.Body)
if err != nil {
fmt.Println(err)
return
}
err = resp.Body.Close()
if err != nil {
fmt.Println(err)
return
}
err = xml.Unmarshal(bytes, &s)
if err != nil {
fmt.Println(err)
return
}
for _, Location := range s.Locations {
resp, err := http.Get(Location)
if err != nil {
fmt.Printf("%q\n", Location) // debug error
fmt.Println(resp) // debug error
fmt.Println(err)
return
}
bytes, err := ioutil.ReadAll(resp.Body)
if err != nil {
fmt.Println(err)
return
}
fmt.Println(len(bytes))
err = resp.Body.Close()
if err != nil {
fmt.Println(err)
return
}
}
}
关于http - 使用ioutil.ReadAll()在Golang中进行“Invalid memory address”,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/53926818/