我想在input.txt
上运行我的go文件,当我输入go run命令时,我的go程序将读取input.txt
文件,即:
go run goFile.go input.txt
我不想将input.txt
放在我的goFile.go
代码中,因为我的go文件应该运行在任何输入名称而不只是input.txt
。
我尝试ioutil.ReadAll(os.Stdin)
,但我需要将命令更改为
go run goFile.go < input.txt
我只使用包fmt
,os
,bufio
和io/ioutil
。没有任何其他包装可以做到吗?
答案 0 :(得分:5)
请查看您已使用的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))
}
答案 1 :(得分:0)
首先检查提供的参数。如果第一个参数满足输入文件的条件,则使用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))
答案 2 :(得分:0)
用于通过输入参数(如文件)(例如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字段为空或为零,则运行使用{Path}。 在典型的使用中,Path和Args都是通过调用Command来设置的。 Args []字符串 功能。此函数返回字符串类型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