web-dev-qa-db-ja.com

Golangプログラムで、呼び出したばかりのエラーの行番号を表示するにはどうすればよいですか?

Golangプログラムでlog.Fatalを使用してエラーをスローしようとしましたが、log.Fatallog.Fatalが実行された行も出力しません。 log.Fatalを呼び出した行番号にアクセスする方法はありませんか?つまり、エラーをスローするときに行番号を取得する方法はありますか?

私はこれをグーグルで検索しようとしていましたが、どうすればよいかわかりませんでした。私が得られた最高のものは スタックトレースの出力 でした。これは良いと思いますが、多すぎるかもしれません。また、行番号が必要になるたびにdebug.PrintStack()を書きたくないのですが、log.FatalStackTrace()や衣装ではないもののような組み込み関数がないことに驚いています。 。

また、自分でデバッグ/エラー処理を行いたくないのは、特別な衣装処理コードの使用方法を人々に学ばせたくないからです。私はただ、人々が私のコードを後で読んで、

「ああ、それでエラーを投げてXを実行する...」

私のコードについて学ぶ必要がある人が少ないほど良いです:)

73
Pinocchio

カスタムロガー、またはデフォルトで LlongfileまたはLshortfile を含めるようにフラグを設定できます。

// to change the flags on the default logger
log.SetFlags(log.LstdFlags | log.Lshortfile)
99
JimB

短縮版、 直接組み込まれているものはありません、ただし、 runtime.Caller を使用して最小限の学習曲線で実装できます

func HandleError(err error) (b bool) {
    if err != nil {
        // notice that we're using 1, so it will actually log where
        // the error happened, 0 = this function, we don't want that.
        _, fn, line, _ := runtime.Caller(1)
        log.Printf("[error] %s:%d %v", fn, line, err)
        b = true
    }
    return
}

//this logs the function name as well.
func FancyHandleError(err error) (b bool) {
    if err != nil {
        // notice that we're using 1, so it will actually log the where
        // the error happened, 0 = this function, we don't want that.
        pc, fn, line, _ := runtime.Caller(1)

        log.Printf("[error] in %s[%s:%d] %v", runtime.FuncForPC(pc).Name(), fn, line, err)
        b = true
    }
    return
}

func main() {
    if FancyHandleError(fmt.Errorf("it's the end of the world")) {
        log.Print("stuff")
    }
}

playground

70
OneOfOne

正確にスタックトレースが必要な場合は、 https://github.com/ztrue/tracerr をご覧ください。

スタックトレースとソースフラグメントの両方を使用してデバッグを高速化し、エラーをより詳細に記録できるようにするために、このパッケージを作成しました。

コード例を次に示します。

package main

import (
    "io/ioutil"
    "github.com/ztrue/tracerr"
)

func main() {
    if err := read(); err != nil {
        tracerr.PrintSourceColor(err)
    }
}

func read() error {
    return readNonExistent()
}

func readNonExistent() error {
    _, err := ioutil.ReadFile("/tmp/non_existent_file")
    // Add stack trace to existing error, no matter if it's nil.
    return tracerr.Wrap(err)
}

出力は次のとおりです。 golang error stack trace

1
Johan