php小編草莓在這篇文章中將為大家介紹io.Reader與fmt.Fscan無限循環的問題。使用fmt.Fscan函數讀取輸入時,如果讀取的內容與輸入的格式不匹配,會導致無限循環的情況發生。這個問題可能會給我們帶來很大的困擾,但是透過一些技巧和注意事項,我們可以輕鬆解決這個問題。接下來,我們將詳細講解如何避免io.Reader與fmt.Fscan無限循環的情況,以幫助大家更好地使用這兩個函數。
不知道為什麼,但我的 io.reader
實作似乎有某種缺陷?
io.reader
的文件指出傳回非零位元組計數和非零錯誤應該沒問題:
it may return the (non-nil) error from the same call or return the error (and n == 0) from a subsequent call. an instance of this general case is that a reader returning a non-zero number of bytes at the end of the input stream may return either err == eof or err == nil. the next read should return 0, eof. callers should always process the n > 0 bytes returned before considering the error err. doing so correctly handles i/o errors that happen after reading some bytes and also both of the allowed eof behaviors.
但這對 fmt.fscan
不起作用,而是掛起程式:
package main import ( "fmt" "io" ) type byte byte func (b byte) read(p []byte) (n int, err error) { if len(p) == 0 { return 0, io.errshortbuffer } p[0] = byte(b) return 1, io.eof } func main() { var n int b := byte('9') z, err := fmt.fscan(b, &n) fmt.println(n, z, err) }
當然,如果我單獨使用 io.eof
返回零位元組計數,它會起作用:
type Byte struct { v byte eof bool } func (b *Byte) Read(p []byte) (n int, err error) { if len(p) == 0 { return 0, io.ErrShortBuffer } if b.eof { return 0, io.EOF } p[0] = b.v b.eof = true return 1, nil } func main() { var n int b := Byte{v: '9'} z, err := fmt.Fscan(&b, &n) fmt.Println(n, z, err) }
我原來的實作中是否有缺陷,或者我不應該依賴io.reader
的這一特定記錄行為,並且在沒有更多資料可供讀取時始終單獨返回0, io.eof
?
fmt.scanf
確實正確處理返回計數和io.eof
,但即使在io.eof
之後,您的閱讀器仍繼續傳回值。
由於掃描器實作依賴於使用 io.readfull
,而後者使用 io.readatleast
,因此您將需要一個更完整的實作來處理重複讀取。您可以透過使用追蹤eof 的擴充版本來測試這一點,並在第一個read
上返回io.eof
,它仍然可以按預期與fmt.fscan
一起使用。
文檔的主要摘錄:
io.readfull
:
...它不會將 read 中的 eof 視為要報告的錯誤
io.readatleast
:
只有當未讀取任何位元組時,錯誤才會為 eof。
因為這些io
幫助程式需要自己解釋io.eof
,所以它們的呼叫者只能尋找返回的實際數據,並且由於您的閱讀器繼續返回數據,它們將無限期地重複調用。透過在閱讀器上重複呼叫 io.readall
可以輕鬆示範這一點,每次都會傳回另一個值。
b := Byte('9') fmt.Println(io.ReadAll(b)) fmt.Println(io.ReadAll(b)) fmt.Println(io.ReadAll(b)) // [57] <nil> // [57] <nil> // [57] <nil>
https://www.php.cn/link/ad6fff7b7be06acff1c63ced9f0da4ea
以上是io.Reader 與 fmt.Fscan 無限循環的詳細內容。更多資訊請關注PHP中文網其他相關文章!