Skip to content

Commit

Permalink
Merge pull request #1 from RyougiNevermore/master
Browse files Browse the repository at this point in the history
fin v1
  • Loading branch information
RyougiNevermore authored Aug 20, 2018
2 parents f98a74e + 7130da3 commit d799cfb
Show file tree
Hide file tree
Showing 12 changed files with 531 additions and 1 deletion.
3 changes: 3 additions & 0 deletions .gitignore
Original file line number Diff line number Diff line change
Expand Up @@ -10,3 +10,6 @@

# Output of the go coverage tool, specifically when used with LiteIDE
*.out

# idea
.idea
65 changes: 64 additions & 1 deletion README.md
Original file line number Diff line number Diff line change
@@ -1,2 +1,65 @@
# errors
stack errors for golang
Stack errors for golang

Package errors provides simple error handling primitives.

`go get github.com/pharosnet/errors`

The traditional error handling idiom in Go is roughly akin to
```go
if err != nil {
return err
}
```
which applied recursively up the call stack results in error reports without context or debugging information. The errors package allows programmers to add context to the failure path in their code in a way that does not destroy the original value of the error.

## Adding context to an error

The errors.Wrap function returns a new error that adds context to the original error. For example
```go
_, err := ioutil.ReadAll(r)
if err != nil {
return errors.Wrap(err)
}
```
## Retrieving the cause of an error

Using `errors.Wrap` constructs a stack of errors, adding context to the preceding error. Depending on the nature of the error it may be necessary to reverse the operation of errors.Wrap to retrieve the original error for inspection. Any error value which implements this interface can be inspected by `errors.Cause`.
```go
type Errors interface {
Error() string
Cause() error
OccurTime() time.Time
PCS() []uintptr
Contains(error) bool
Format(fmt.State, rune)
}
```
`errors.Contains` will search target in error which implements `Errors`, For example:
```go
e1 := io.EOF
e2 := errors.With(e1, "error2")
e3 := errors.WithF(e2, "%s", "error3")

if errors.Contains(e3, e2) {
// TODO ..
}

if errors.Contains(e3, e1) {
// TODO ...
}
```

[Read the examples for more usages.](https://github.com/pharosnet/errors/tree/master/example)

[Read the package documentation for more information](https://godoc.org/github.com/pharosnet/errors).

## Contributing

We welcome pull requests, bug fixes and issue reports. With that said, the bar for adding new symbols to this package is intentionally set high.

Before proposing a change, please discuss your change by raising an issue.

## License

GNU GENERAL PUBLIC LICENSE(v3)
52 changes: 52 additions & 0 deletions config.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,52 @@
package errors

import (
"fmt"
"sync"
"time"
)

var _cfg *config
var _once = new(sync.Once)

func init() {
_once.Do(func() {
_cfg = &config{loc: time.Local, depth: 1, skip: 3, formatFn: DefaultFormatFn}
})
}

type config struct {
loc *time.Location
depth int
skip int
formatFn Format
}

func (c *config) SetTimeLocation(loc *time.Location) {
if loc == nil {
panic("errors set time location failed, loc is nil")
}
c.loc = loc
}

func (c *config) SetStack(depth int, skip int) {
if depth < 1 {
panic(fmt.Errorf("errors set stack failed, depth valued %d is invalid", depth))
}
if skip < 1 {
panic(fmt.Errorf("errors set stack failed, skip valued %d is invalid", skip))
}
c.depth = depth
c.skip = skip
}

func (c *config) SetFormatFunc(fn Format) {
if fn == nil {
panic("errors set format func failed")
}
c.formatFn = fn
}

func Configure() *config {
return _cfg
}
43 changes: 43 additions & 0 deletions env.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,43 @@
package errors

import (
"os"
"strings"
)

func goEnv() []string {
env := make([]string, 0, 2)
// goroot
goroot := os.Getenv("GOROOT")
if len(goroot) > 0 {
if strings.Contains(goroot, `\`) && strings.Contains(goroot, ":") { // win
goroot = strings.Replace(goroot, `\`, "/", -1)
}
env = append(env, goroot)
}
gopath := os.Getenv("GOPATH")
if len(gopath) == 0 {
return env
}
if strings.Contains(gopath, `\`) && strings.Contains(gopath, ":") { // win
gopath = strings.Replace(gopath, `\`, "/", -1)
if strings.Contains(gopath, ";") {
gopaths := strings.Split(gopath, ";")
for _, item := range gopaths {
env = append(env, strings.TrimSpace(item))
}
} else {
env = append(env, strings.TrimSpace(gopath))
}
} else { // unix
if strings.Contains(gopath, ":") {
gopaths := strings.Split(gopath, ":")
for _, item := range gopaths {
env = append(env, strings.TrimSpace(item))
}
} else {
env = append(env, strings.TrimSpace(gopath))
}
}
return env
}
134 changes: 134 additions & 0 deletions errors.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,134 @@
package errors

import (
"fmt"
"time"
)

func New(message string) error {
return &errorUp{
msg: message,
cause: nil,
pcs: callers(),
occurred: timeNow(),
}
}

func ErrorF(format string, args ...interface{}) error {
return &errorUp{
msg: fmt.Sprintf(format, args...),
cause: nil,
pcs: callers(),
occurred: timeNow(),
}
}

func With(cause error, message string) error {
if cause == nil {
return nil
}
return &errorUp{
msg: message,
cause: cause,
pcs: callers(),
occurred: timeNow(),
}
}

func WithF(cause error, format string, args ...interface{}) error {
if cause == nil {
return nil
}
return &errorUp{
msg: fmt.Sprintf(format, args...),
cause: cause,
pcs: callers(),
occurred: timeNow(),
}
}

func Wrap(e error) error {
return &errorUp{
msg: e.Error(),
cause: nil,
pcs: callers(),
occurred: timeNow(),
}
}

func NewByAssigned(depth int, skip int, message string) error {
return &errorUp{
msg: message,
cause: nil,
pcs: callersByAssigned(depth, skip),
occurred: timeNow(),
}
}

type errorUp struct {
msg string
cause error
pcs []uintptr
occurred time.Time
}

func (e *errorUp) Error() string {
return e.msg
}

func (e *errorUp) OccurTime() time.Time {
return e.occurred
}

func (e *errorUp) PCS() []uintptr {
return e.pcs
}

func (e *errorUp) Format(s fmt.State, verb rune) {
Configure().formatFn(s, verb, e)
}

func (e *errorUp) Cause() error {
if e.cause != nil {
return e.cause
}
return nil
}

func (e *errorUp) Contains(cause error) bool {
if e.cause == nil {
return false
}
err := e.cause
if err != nil {
if err == cause {
return true
}
hasCause, ok := err.(Errors)
if !ok {
return false
}
return hasCause.Contains(cause)
}
return false
}

func Contains(a error, b error) bool {
if a == nil || b == nil {
return false
}
e, ok := a.(Errors)
if !ok {
return false
}
return e.Contains(b)
}

type Errors interface {
Error() string
Cause() error
OccurTime() time.Time
PCS() []uintptr
Contains(error) bool
Format(fmt.State, rune)
}
25 changes: 25 additions & 0 deletions example/contains.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,25 @@
package main

import (
"fmt"
"github.com/pharosnet/errors"
"io"
)

func main() {
e1 := io.EOF
e2 := errors.With(e1, "error2")
e3 := errors.WithF(e2, "%s", "error3")

if errors.Contains(e3, e2) {
// TODO ..
}

if errors.Contains(e3, e1) {
// TODO ...
}

fmt.Println(errors.Contains(e3, e2))
fmt.Println(errors.Contains(e3, e1))

}
32 changes: 32 additions & 0 deletions example/json.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,32 @@
package main

import (
"fmt"
"github.com/pharosnet/errors"
"io"
)

func main() {
errors.Configure().SetFormatFunc(errors.JsonFormatFn)
e1 := io.EOF
e2 := errors.With(e1, "error 2")
fmt.Printf("%+v", e2)

// output:
//
// {
// "msg": "error 2",
// "occurTime": "2018-08-20 08:23:01.3592428 +0800 CST",
// "stack": [
// {
// "fn": "main.main",
// "home": "E:/golang/workspace",
// "file": "github.com/pharosnet/errors/example/json.go",
// "line": 12
// }
// ],
// "cause": {
// "msg": "EOF"
// }
// }
}
15 changes: 15 additions & 0 deletions example/new.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,15 @@
package main

import (
"fmt"
"github.com/pharosnet/errors"
)

func main() {
e := errors.New("some error")
fmt.Println(e)
e = errors.ErrorF("%s", "2")
fmt.Println(e)
e = errors.NewByAssigned(32, 3, "new by assigned")
fmt.Printf("%+v\n", e)
}
Loading

0 comments on commit d799cfb

Please sign in to comment.