標籤:最好 緩衝區 bre 檔案的 int 調用 寫檔案 讀檔案 amp
package mainimport ("bufio""fmt""io""io/ioutil""os")//使用ioutil讀寫檔案func ioutil_method(path string){//寫檔案//只能寫入位元組,所以需要轉化一下content := []byte("人生の半分は仕方がないでできてる、殘りの半分は、帰りたい")ioutil.WriteFile("a.txt", content, 0644)//讀檔案file, err := ioutil.ReadFile(path)if err!=nil{fmt.Println(err)return}//這裡的file一定要加上string,否則會列印一個int數組fmt.Println(string(file)) //人生の半分は仕方がないでできてる、殘りの半分は、帰りたい}//使用os來讀取檔案func os_method(path string){//寫檔案f, err:=os.Create("b.txt")defer f.Close()if err!=nil{fmt.Println(err)return}//可以使用f.WriteString寫入字串,也可以使用f.Write寫入位元組f.WriteString("人生の半分は仕方がないでできてる、殘りの半分は、帰りたい")f.Write([]byte("人生の半分は仕方がないでできてる、殘りの半分は、帰りたい"))//讀檔案f, err=os.Open("b.txt")if err!=nil{fmt.Println(err)return}chunks := make([]byte, 1024)buf := make([]byte, 1024)for {//讀取檔案必須建立一個緩衝區,表示把f裡的內容讀到buf裡面去,會返回一個n表示讀取的長度,和err錯誤資訊n, err := f.Read(buf)if err!=nil && err!=io.EOF{fmt.Println(err)return}if 0 == n{break}//把讀取的位元組添加到chunks裡面去chunks = append(chunks, buf[: n]...)}//讀取到的chunks轉成stringfmt.Println(string(chunks)) //人生の半分は仕方がないでできてる、殘りの半分は、帰りたい人生の半分は仕方がないでできてる、殘りの半分は、帰りたい}//使用bufio讀取檔案func bufio_method(){f,_:=os.Open("a.txt")defer f.Close()chunks := make([]byte, 1024)buf := make([]byte, 1024)r := bufio.NewReader(f)for {//經過bufio.NewReader處理過的f,也就是r,同樣可以調用Readn, err := r.Read(buf)if err!=nil && err!=io.EOF{fmt.Println(err)}if 0 == n{break}chunks = append(chunks, buf[: n]...)}fmt.Println(string(chunks)) //人生の半分は仕方がないでできてる、殘りの半分は、帰りたい}//使用ioutil.ReadAll讀取檔案func readall_method(){f, _:=os.Open("a.txt")defer f.Close()file, _ := ioutil.ReadAll(f)fmt.Println(string(file)) //人生の半分は仕方がないでできてる、殘りの半分は、帰りたい}func main() {ioutil_method("a.txt")os_method("b.txt")bufio_method()readall_method()}//使用ioutil.ReadAll函數讀取檔案最好
go語言讀寫檔案的幾種方式