3 回答
TA贡献1886条经验 获得超2个赞
请查看io/ioutil您已经在使用的软件包文档。
它有一个专门用于此的功能: ReadFile()
func ReadFile(filename string) ([]byte, error)
用法示例:
func main() {
// First element in os.Args is always the program name,
// So we need at least 2 arguments to have a file name argument.
if len(os.Args) < 2 {
fmt.Println("Missing parameter, provide file name!")
return
}
data, err := ioutil.ReadFile(os.Args[1])
if err != nil {
fmt.Println("Can't read file:", os.Args[1])
panic(err)
}
// data is the file content, you can use it
fmt.Println("File content is:")
fmt.Println(string(data))
}
TA贡献1806条经验 获得超8个赞
首先检查提供的参数。如果第一个参数满足输入文件的条件,则使用该ioutil.ReadFile方法,提供参数os.Args结果。
package main
import (
"fmt"
"os"
"io/ioutil"
)
func main() {
if len(os.Args) < 1 {
fmt.Println("Usage : " + os.Args[0] + " file name")
os.Exit(1)
}
file, err := ioutil.ReadFile(os.Args[1])
if err != nil {
fmt.Println("Cannot read the file")
os.Exit(1)
}
// do something with the file
fmt.Print(string(file))
}
另一种可能性是使用:
f, err := os.Open(os.Args[0])
但为此,您需要提供要读取的字节长度:
b := make([]byte, 5) // 5 is the length
n, err := f.Read(b)
fmt.Printf("%d bytes: %s\n", n, string(b))
TA贡献1815条经验 获得超6个赞
为了通过输入参数(例如 abc.txt)从命令行运行 .go 文件。我们主要需要使用 os、io/ioutil、fmt 包。另外为了读取命令行参数,我们使用 os.Args这里是示例代码
package main
import (
"fmt"
"os"
"io/ioutil"
)
func main() {
fmt.Println(" Hi guys ('-') ")
input_files := os.Args[1:]
//input_files2 := os.Args[0];
//fmt.Println("if2 : ",input_files2)
if len(input_files) < 1{
fmt.Println("Not detected files.")
}else{
fmt.Println("File_name is : ",input_files[0])
content, err := ioutil.ReadFile(input_files[0])
if err != nil {
fmt.Println("Can't read file :", input_files[0],"Error : ",err)
}else {
fmt.Println("Output file content is(like string type) : \n",string(content))//string Output
fmt.Println("Output file content is(like byte type) : \n",content)//bytes Output
}
}
}
Args 保存命令行参数,包括作为 Args[0] 的命令。如果 Args 字段为空或为零,则 Run 使用 {Path}。在典型的使用中,Path 和 Args 都是通过调用 Command 来设置的。参数 [] 字符串函数。此函数返回字符串类型的数组https://golang.org/pkg/os/exec/ .Args 保存命令行参数,从程序名称开始。在这种情况下,从命令行获取文件名的简短方法是这个函数os.Args[1:]。这是输出
elshan_abd$ go run main.go abc.txt
Hi guys ('-')
File_name is : abc.txt
Output file content is(like string type) :
aaa
bbb
ccc
1234
Output file content is(like byte type) :
[97 97 97 10 98 98 98 10 99 99 99 10 49 50 51 52 10]
最后我们需要读取内容文件这个函数 func ReadFile(filename string) ([]byte, error) 源是 https://golang.org/pkg/io/ioutil/#ReadFile
- 3 回答
- 0 关注
- 278 浏览
添加回答
举报