-
Notifications
You must be signed in to change notification settings - Fork 1
/
file_linux.go
97 lines (85 loc) · 1.95 KB
/
file_linux.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
// +build linux
package ioengine
import (
"io"
"os"
"syscall"
"unsafe"
)
// WriteAtv like linux pwritev, write to the specifies offset and dose not change the file offset.
func (fi *FileIO) WriteAtv(bs [][]byte, off int64) (int, error) {
return linuxWriteAtv(fi, bs, off)
}
// Append write data to the end of file.
func (fi *FileIO) Append(bs [][]byte) (int, error) {
return genericAppend(fi, bs)
}
func linuxWriteAtv(fd File, bs [][]byte, off int64) (n int, err error) {
// read from sysconf(_SC_IOV_MAX)? The Linux default is
// 1024 and this seems conservative enough for now. Darwin's
// UIO_MAXIOV also seems to be 1024.
maxVec := 1024
var wrote uintptr
var iovecs []syscall.Iovec
for len(bs) > 0 {
iovecs = iovecs[:0]
for _, chunk := range bs {
if len(chunk) == 0 {
continue
}
iovecs = append(iovecs, syscall.Iovec{Base: &chunk[0]})
iovecs[len(iovecs)-1].SetLen(len(chunk))
if len(iovecs) == maxVec {
break
}
}
if len(iovecs) == 0 {
break
}
wrote, err = pwritev(int(fd.Fd()), iovecs, off)
n += int(wrote)
consume(&bs, int64(wrote))
if err != nil {
if err.(syscall.Errno) == syscall.EAGAIN {
continue
}
break
}
if n == 0 {
err = io.ErrUnexpectedEOF
break
}
}
return n, err
}
func pwritev(fd int, iovecs []syscall.Iovec, off int64) (uintptr, error) {
var p unsafe.Pointer
if len(iovecs) > 0 {
p = unsafe.Pointer(&iovecs[0])
} else {
p = unsafe.Pointer(&zero)
}
n, _, err := syscall.Syscall6(syscall.SYS_PWRITEV, uintptr(fd), uintptr(p), uintptr(len(iovecs)), uintptr(off), 0, 0)
if err != 0 {
return 0, os.NewSyscallError("PWRITEV", err)
}
return n, nil
}
// consume removes data from a slice of byte slices, for writev.
func consume(v *[][]byte, n int64) {
for len(*v) > 0 {
ln0 := int64(len((*v)[0]))
if ln0 > n {
(*v)[0] = (*v)[0][n:]
return
}
n -= ln0
*v = (*v)[1:]
}
}
func count(v [][]byte) (n int) {
for _, b := range v {
n += len(b)
}
return n
}