Delve into a community where programmers unite to discover code snippets, exchange skills, and enhance their programming proficiency. With abundant resources and a supportive community, you'll find everything essential for your growth and success.
package main
import("fmt""os""path/filepath")funccheckErr(err error){if err !=nil{panic(err)}}funcmain(){// The simplest way to create a temporary file is to call os.CreateTemp.// It will create and open the file for reading and writing.// We used "" as the first argument, so os.CreateTemp will create a file in the default directory. tmpFile, err := os.CreateTemp("","tmpfile")checkErr(err)defer os.Remove(tmpFile.Name()) fmt.Println("Temp file name:", tmpFile.Name())// Write some data to the temporary file_, err = tmpFile.Write([]byte{1,2,3,4,5})checkErr(err)// If we intend to write a lot of temporary files, we may prefer to create a temporary directory.// The arguments to os.MkdirTemp are the same as for os.CreateTemp, but it returns the directory name rather than the opened file. dName, err := os.MkdirTemp("","tmpdir")checkErr(err)defer os.RemoveAll(dName) fmt.Println("Temp directory name:", dName) fName := filepath.Join(dName,"testFile") err = os.WriteFile(fName,[]byte{1,2,3,4,5},0666)checkErr(err)defer os.Remove(fName)}// Output:// Temp file name: /tmp/tmpfile3400905374// Temp directory name: /tmp/tmpdir2812568099
During program execution, we often want to create data that is not needed after the program exits. Temporary files and directories are useful for this purpose because they do not pollute the file system over time.