mirror of
https://github.com/golang/go
synced 2024-11-18 12:44:49 -07:00
40d5435278
add a section on printing add a section on allocation R=rsc DELTA=500 (278 added, 15 deleted, 207 changed) OCL=22381 CL=22456
63 lines
1.3 KiB
Go
63 lines
1.3 KiB
Go
// Copyright 2009 The Go Authors. All rights reserved.
|
|
// Use of this source code is governed by a BSD-style
|
|
// license that can be found in the LICENSE file.
|
|
|
|
package fd
|
|
|
|
import (
|
|
"os";
|
|
"syscall";
|
|
)
|
|
|
|
export type FD struct {
|
|
fildes int64; // file descriptor number
|
|
name string; // file name at Open time
|
|
}
|
|
|
|
func NewFD(fd int64, name string) *FD {
|
|
if fd < 0 {
|
|
return nil
|
|
}
|
|
return &FD{fd, name}
|
|
}
|
|
|
|
export var (
|
|
Stdin = NewFD(0, "/dev/stdin");
|
|
Stdout = NewFD(1, "/dev/stdout");
|
|
Stderr = NewFD(2, "/dev/stderr");
|
|
)
|
|
|
|
export func Open(name string, mode int64, perm int64) (fd *FD, err *os.Error) {
|
|
r, e := syscall.open(name, mode, perm);
|
|
return NewFD(r, name), os.ErrnoToError(e)
|
|
}
|
|
|
|
func (fd *FD) Close() *os.Error {
|
|
if fd == nil {
|
|
return os.EINVAL
|
|
}
|
|
r, e := syscall.close(fd.fildes);
|
|
fd.fildes = -1; // so it can't be closed again
|
|
return nil
|
|
}
|
|
|
|
func (fd *FD) Read(b []byte) (ret int, err *os.Error) {
|
|
if fd == nil {
|
|
return -1, os.EINVAL
|
|
}
|
|
r, e := syscall.read(fd.fildes, &b[0], int64(len(b)));
|
|
return int(r), os.ErrnoToError(e)
|
|
}
|
|
|
|
func (fd *FD) Write(b []byte) (ret int, err *os.Error) {
|
|
if fd == nil {
|
|
return -1, os.EINVAL
|
|
}
|
|
r, e := syscall.write(fd.fildes, &b[0], int64(len(b)));
|
|
return int(r), os.ErrnoToError(e)
|
|
}
|
|
|
|
func (fd *FD) String() string {
|
|
return fd.name
|
|
}
|