Skip to content

Commit eee360b

Browse files
committedNov 29, 2024
first commit
0 parents  commit eee360b

File tree

8 files changed

+427
-0
lines changed

8 files changed

+427
-0
lines changed
 

‎README.md

+37
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,37 @@
1+
## FTransferor
2+
3+
#### Build
4+
5+
```shell
6+
go mod tidy
7+
8+
go build
9+
```
10+
11+
#### Usage
12+
13+
server:
14+
15+
```shell
16+
./FTransferor server --path filepath --port 8081
17+
```
18+
```markdown
19+
- path: file save path, default tmp
20+
- port: server port, default 8088
21+
```
22+
23+
client:
24+
25+
```shell
26+
./FTransferor.exe cli --server localhost:8088 --file .\tml\f.zip
27+
```
28+
29+
```markdown
30+
- server: server addr
31+
- file: upload file name
32+
```
33+
34+
#### TODO
35+
36+
1. [x] support web
37+
2. [x] support secret

‎client.go

+78
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,78 @@
1+
package main
2+
3+
import (
4+
"fmt"
5+
"io"
6+
"net"
7+
"os"
8+
9+
"github.com/cheggaaa/pb/v3"
10+
"github.com/spf13/cobra"
11+
)
12+
13+
var (
14+
server, file, action string
15+
)
16+
17+
func ClientCmd() *cobra.Command {
18+
command := &cobra.Command{
19+
Use: "cli",
20+
Run: func(cmd *cobra.Command, args []string) {
21+
startClient(server, file)
22+
},
23+
}
24+
25+
command.Flags().StringVarP(&server, "server", "", "", "path to serve")
26+
command.Flags().StringVarP(&file, "file", "", "", "path to serve")
27+
command.Flags().StringVarP(&action, "action", "", "", "path to serve")
28+
return command
29+
}
30+
31+
// Client: 发送文件
32+
func startClient(serverAddr string, filePath string) {
33+
f, err := os.Open(filePath)
34+
if err != nil {
35+
fmt.Println("Error opening file:", err)
36+
return
37+
}
38+
defer func() {
39+
_ = f.Close()
40+
}()
41+
42+
// 获取文件信息
43+
fileInfo, err := f.Stat()
44+
if err != nil {
45+
fmt.Println("Error getting file info:", err)
46+
return
47+
}
48+
49+
conn, err := net.Dial("tcp", serverAddr)
50+
if err != nil {
51+
fmt.Println("Error connecting to server:", err)
52+
return
53+
}
54+
defer func() {
55+
_ = conn.Close()
56+
}()
57+
58+
// 发送文件元信息(文件名|文件大小)
59+
meta := fmt.Sprintf("%s|%d\n", fileInfo.Name(), fileInfo.Size())
60+
if _, err = conn.Write([]byte(meta)); err != nil {
61+
fmt.Println("Error sending metadata:", err)
62+
return
63+
}
64+
65+
// 创建进度条
66+
bar := pb.Start64(fileInfo.Size())
67+
bar.Set(pb.Bytes, true)
68+
defer bar.Finish()
69+
70+
// 发送文件数据
71+
proxyWriter := bar.NewProxyWriter(conn)
72+
if _, err = io.Copy(proxyWriter, f); err != nil {
73+
fmt.Println("Error sending file:", err)
74+
return
75+
}
76+
77+
fmt.Println("File sent successfully!")
78+
}

‎device.go

+77
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,77 @@
1+
package main
2+
3+
import (
4+
"encoding/json"
5+
"log"
6+
7+
"github.com/shirou/gopsutil/disk"
8+
)
9+
10+
type PartitionStat struct {
11+
Device string `json:"device"`
12+
Mountpoint string `json:"mountpoint"`
13+
Fstype string `json:"fstype"`
14+
Opts string `json:"opts"`
15+
}
16+
17+
type UsageStat struct {
18+
Path string `json:"path"`
19+
Fstype string `json:"fstype"`
20+
Total uint64 `json:"total"`
21+
Free uint64 `json:"free"`
22+
Used uint64 `json:"used"`
23+
UsedPercent float64 `json:"usedPercent"`
24+
InodesTotal uint64 `json:"inodesTotal"`
25+
InodesUsed uint64 `json:"inodesUsed"`
26+
InodesFree uint64 `json:"inodesFree"`
27+
InodesUsedPercent float64 `json:"inodesUsedPercent"`
28+
}
29+
30+
func FetchDeviceInfo() {
31+
fn := "FetchDeviceInfo"
32+
partitionStats := make([]PartitionStat, 0)
33+
34+
infos, err := disk.Partitions(false)
35+
if err != nil {
36+
log.Printf("%s fetching partition info err: %v", fn, err)
37+
return
38+
}
39+
40+
for _, info := range infos {
41+
var stats PartitionStat
42+
data, err := json.MarshalIndent(info, "", " ")
43+
if err != nil {
44+
log.Printf("%s marshalling partition err: %v", fn, err)
45+
continue
46+
}
47+
if err := json.Unmarshal(data, &stats); err != nil {
48+
log.Printf("%s json unmarshal err: %v", fn, err)
49+
continue
50+
}
51+
partitionStats = append(partitionStats, stats)
52+
}
53+
54+
log.Printf("Device storage information:")
55+
56+
for _, stat := range partitionStats {
57+
var usageStat UsageStat
58+
info, err := disk.Usage(stat.Device)
59+
if err != nil {
60+
log.Printf("%s getting disk usage err: %v", fn, err)
61+
continue
62+
}
63+
data, err := json.MarshalIndent(info, "", " ")
64+
if err != nil {
65+
log.Printf("%s marshalling disk usage err: %v", fn, err)
66+
continue
67+
}
68+
if err := json.Unmarshal(data, &usageStat); err != nil {
69+
log.Printf("%s json unmarshal err: %v", fn, err)
70+
continue
71+
}
72+
73+
// TODO 存储换算应该是1024
74+
log.Printf("Partition:%s, Total:%dM, Used:%dM, Over:%dM, Rate:%0.2f%s",
75+
usageStat.Path, usageStat.Total/1e6, usageStat.Used/1e6, usageStat.Free/1e6, usageStat.UsedPercent, "%")
76+
}
77+
}

‎go.mod

+23
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,23 @@
1+
module FTransferor
2+
3+
go 1.23.1
4+
5+
require (
6+
github.com/cheggaaa/pb/v3 v3.1.5
7+
github.com/shirou/gopsutil v3.21.11+incompatible
8+
github.com/spf13/cobra v1.8.1
9+
)
10+
11+
require (
12+
github.com/VividCortex/ewma v1.2.0 // indirect
13+
github.com/fatih/color v1.15.0 // indirect
14+
github.com/go-ole/go-ole v1.2.6 // indirect
15+
github.com/inconshreveable/mousetrap v1.1.0 // indirect
16+
github.com/mattn/go-colorable v0.1.13 // indirect
17+
github.com/mattn/go-isatty v0.0.19 // indirect
18+
github.com/mattn/go-runewidth v0.0.15 // indirect
19+
github.com/rivo/uniseg v0.2.0 // indirect
20+
github.com/spf13/pflag v1.0.5 // indirect
21+
github.com/yusufpapurcu/wmi v1.2.4 // indirect
22+
golang.org/x/sys v0.27.0 // indirect
23+
)

‎go.sum

+36
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,36 @@
1+
github.com/VividCortex/ewma v1.2.0 h1:f58SaIzcDXrSy3kWaHNvuJgJ3Nmz59Zji6XoJR/q1ow=
2+
github.com/VividCortex/ewma v1.2.0/go.mod h1:nz4BbCtbLyFDeC9SUHbtcT5644juEuWfUAUnGx7j5l4=
3+
github.com/cheggaaa/pb/v3 v3.1.5 h1:QuuUzeM2WsAqG2gMqtzaWithDJv0i+i6UlnwSCI4QLk=
4+
github.com/cheggaaa/pb/v3 v3.1.5/go.mod h1:CrxkeghYTXi1lQBEI7jSn+3svI3cuc19haAj6jM60XI=
5+
github.com/cpuguy83/go-md2man/v2 v2.0.4/go.mod h1:tgQtvFlXSQOSOSIRvRPT7W67SCa46tRHOmNcaadrF8o=
6+
github.com/fatih/color v1.15.0 h1:kOqh6YHBtK8aywxGerMG2Eq3H6Qgoqeo13Bk2Mv/nBs=
7+
github.com/fatih/color v1.15.0/go.mod h1:0h5ZqXfHYED7Bhv2ZJamyIOUej9KtShiJESRwBDUSsw=
8+
github.com/go-ole/go-ole v1.2.6 h1:/Fpf6oFPoeFik9ty7siob0G6Ke8QvQEuVcuChpwXzpY=
9+
github.com/go-ole/go-ole v1.2.6/go.mod h1:pprOEPIfldk/42T2oK7lQ4v4JSDwmV0As9GaiUsvbm0=
10+
github.com/inconshreveable/mousetrap v1.1.0 h1:wN+x4NVGpMsO7ErUn/mUI3vEoE6Jt13X2s0bqwp9tc8=
11+
github.com/inconshreveable/mousetrap v1.1.0/go.mod h1:vpF70FUmC8bwa3OWnCshd2FqLfsEA9PFc4w1p2J65bw=
12+
github.com/mattn/go-colorable v0.1.13 h1:fFA4WZxdEF4tXPZVKMLwD8oUnCTTo08duU7wxecdEvA=
13+
github.com/mattn/go-colorable v0.1.13/go.mod h1:7S9/ev0klgBDR4GtXTXX8a3vIGJpMovkB8vQcUbaXHg=
14+
github.com/mattn/go-isatty v0.0.16/go.mod h1:kYGgaQfpe5nmfYZH+SKPsOc2e4SrIfOl2e/yFXSvRLM=
15+
github.com/mattn/go-isatty v0.0.19 h1:JITubQf0MOLdlGRuRq+jtsDlekdYPia9ZFsB8h/APPA=
16+
github.com/mattn/go-isatty v0.0.19/go.mod h1:W+V8PltTTMOvKvAeJH7IuucS94S2C6jfK/D7dTCTo3Y=
17+
github.com/mattn/go-runewidth v0.0.15 h1:UNAjwbU9l54TA3KzvqLGxwWjHmMgBUVhBiTjelZgg3U=
18+
github.com/mattn/go-runewidth v0.0.15/go.mod h1:Jdepj2loyihRzMpdS35Xk/zdY8IAYHsh153qUoGf23w=
19+
github.com/rivo/uniseg v0.2.0 h1:S1pD9weZBuJdFmowNwbpi7BJ8TNftyUImj/0WQi72jY=
20+
github.com/rivo/uniseg v0.2.0/go.mod h1:J6wj4VEh+S6ZtnVlnTBMWIodfgj8LQOQFoIToxlJtxc=
21+
github.com/russross/blackfriday/v2 v2.1.0/go.mod h1:+Rmxgy9KzJVeS9/2gXHxylqXiyQDYRxCVz55jmeOWTM=
22+
github.com/shirou/gopsutil v3.21.11+incompatible h1:+1+c1VGhc88SSonWP6foOcLhvnKlUeu/erjjvaPEYiI=
23+
github.com/shirou/gopsutil v3.21.11+incompatible/go.mod h1:5b4v6he4MtMOwMlS0TUMTu2PcXUg8+E1lC7eC3UO/RA=
24+
github.com/spf13/cobra v1.8.1 h1:e5/vxKd/rZsfSJMUX1agtjeTDf+qv1/JdBF8gg5k9ZM=
25+
github.com/spf13/cobra v1.8.1/go.mod h1:wHxEcudfqmLYa8iTfL+OuZPbBZkmvliBWKIezN3kD9Y=
26+
github.com/spf13/pflag v1.0.5 h1:iy+VFUOCP1a+8yFto/drg2CJ5u0yRoB7fZw3DKv/JXA=
27+
github.com/spf13/pflag v1.0.5/go.mod h1:McXfInJRrz4CZXVZOBLb0bTZqETkiAhM9Iw0y3An2Bg=
28+
github.com/yusufpapurcu/wmi v1.2.4 h1:zFUKzehAFReQwLys1b/iSMl+JQGSCSjtVqQn9bBrPo0=
29+
github.com/yusufpapurcu/wmi v1.2.4/go.mod h1:SBZ9tNy3G9/m5Oi98Zks0QjeHVDvuK0qfxQmPyzfmi0=
30+
golang.org/x/sys v0.0.0-20190916202348-b4ddaad3f8a3/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs=
31+
golang.org/x/sys v0.0.0-20220811171246-fbc7d0a398ab/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg=
32+
golang.org/x/sys v0.6.0/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg=
33+
golang.org/x/sys v0.27.0 h1:wBqf8DvsY9Y/2P8gAfPDEYNuS30J4lPHJxXSb/nJZ+s=
34+
golang.org/x/sys v0.27.0/go.mod h1:/VUhepiaJMQUp4+oa/7Zr1D23ma6VTLIYjOOTFZPUcA=
35+
gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0=
36+
gopkg.in/yaml.v3 v3.0.1/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM=

‎http.go

+5
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,5 @@
1+
package main
2+
3+
func runHttpServer() {
4+
//TODO
5+
}

‎main.go

+22
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,22 @@
1+
package main
2+
3+
import (
4+
"fmt"
5+
6+
"github.com/spf13/cobra"
7+
)
8+
9+
var rootCmd = &cobra.Command{
10+
Use: "",
11+
Run: func(cmd *cobra.Command, args []string) {
12+
fmt.Println("Running myapp...")
13+
},
14+
}
15+
16+
func main() {
17+
rootCmd.AddCommand(ClientCmd())
18+
rootCmd.AddCommand(ServerCmd())
19+
if err := rootCmd.Execute(); err != nil {
20+
panic(err)
21+
}
22+
}

‎server.go

+149
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,149 @@
1+
package main
2+
3+
import (
4+
"bufio"
5+
"fmt"
6+
"io"
7+
"net"
8+
"os"
9+
"os/signal"
10+
"path/filepath"
11+
"strings"
12+
"syscall"
13+
14+
"github.com/cheggaaa/pb/v3"
15+
"github.com/spf13/cobra"
16+
)
17+
18+
const (
19+
DefaultPathDir = "tmp"
20+
DefaultServerPort = 8088
21+
DefaultWebPort = 8089
22+
)
23+
24+
var (
25+
port, webport int
26+
path, secret string
27+
)
28+
29+
func ServerCmd() *cobra.Command {
30+
command := &cobra.Command{
31+
Use: "server",
32+
Run: func(cmd *cobra.Command, args []string) {
33+
quit := make(chan os.Signal, 1)
34+
signal.Notify(quit, os.Interrupt, syscall.SIGTERM)
35+
36+
initCommand()
37+
38+
go func() {
39+
runHttpServer()
40+
runServer(port, path)
41+
}()
42+
43+
<-quit
44+
},
45+
}
46+
47+
command.Flags().StringVarP(&path, "path", "", "", "path to serve")
48+
command.Flags().StringVarP(&secret, "secret", "", "", "path to serve")
49+
command.Flags().IntVarP(&port, "port", "", 0, "path to serve")
50+
command.Flags().IntVarP(&webport, "webport", "", 0, "path to serve")
51+
return command
52+
}
53+
54+
func initCommand() {
55+
FetchDeviceInfo()
56+
if path == "" {
57+
path = DefaultPathDir
58+
}
59+
if port == 0 {
60+
port = DefaultServerPort
61+
}
62+
if webport == 0 {
63+
webport = DefaultWebPort
64+
}
65+
_ = os.Mkdir(fmt.Sprintf("%s/", path), os.ModePerm)
66+
}
67+
68+
func runServer(port int, savePath string) {
69+
listener, err := net.Listen("tcp", fmt.Sprintf(":%d", port))
70+
if err != nil {
71+
fmt.Println("Error starting server:", err)
72+
return
73+
}
74+
75+
defer func() {
76+
_ = listener.Close()
77+
}()
78+
79+
fmt.Println("Server is listening on port", port)
80+
81+
for {
82+
conn, err := listener.Accept()
83+
if err != nil {
84+
fmt.Println("Connection error:", err)
85+
continue
86+
}
87+
go handleConnection(conn, savePath)
88+
}
89+
}
90+
91+
func handleConnection(conn net.Conn, savePath string) {
92+
defer func() {
93+
_ = conn.Close()
94+
}()
95+
96+
reader := bufio.NewReader(conn)
97+
98+
// 读取文件元信息:文件名和文件大小
99+
meta, err := reader.ReadString('\n')
100+
if err != nil {
101+
fmt.Println("Error reading file metadata:", err)
102+
return
103+
}
104+
meta = strings.TrimSpace(meta) // 清除换行符
105+
parts := strings.Split(meta, "|")
106+
if len(parts) != 2 {
107+
fmt.Println("Invalid metadata received")
108+
return
109+
}
110+
fileName := parts[0]
111+
fileSize := 0
112+
_, err = fmt.Sscanf(parts[1], "%d", &fileSize)
113+
if err != nil {
114+
fmt.Println("Error parsing file size:", err)
115+
return
116+
}
117+
118+
// 确保保存路径存在
119+
fullPath := filepath.Join(savePath, fileName)
120+
121+
if err = os.MkdirAll(filepath.Dir(fullPath), 0755); err != nil {
122+
fmt.Println("Error creating directories:", err)
123+
return
124+
}
125+
126+
// 创建文件
127+
f, err := os.Create(fullPath)
128+
if err != nil {
129+
fmt.Println("Error creating file:", err)
130+
return
131+
}
132+
defer func() {
133+
_ = f.Close()
134+
}()
135+
136+
// 创建进度条
137+
bar := pb.Start64(int64(fileSize))
138+
bar.Set(pb.Bytes, true)
139+
140+
defer bar.Finish()
141+
142+
// 读取数据并写入文件
143+
proxyReader := bar.NewProxyReader(reader)
144+
if _, err = io.Copy(f, proxyReader); err != nil {
145+
fmt.Println("Error saving file:", err)
146+
return
147+
}
148+
fmt.Println("File received:", fullPath)
149+
}

0 commit comments

Comments
 (0)
Please sign in to comment.