From cd7f35452e10f3e3e483c8ecb44ab364575bffc3 Mon Sep 17 00:00:00 2001 From: Xinwei Xiong <3293172751NSS@gmail.com> Date: Mon, 11 Mar 2024 15:54:33 +0800 Subject: [PATCH] fix: fix docker file images proxy (#2071) * fix: fix docker file images proxy * fix: fix docker file images proxy * docs: optimize openim go code and logging docs --- docs/contrib/bash-log.md | 2 + docs/contrib/go-code.md | 286 +++++++++++++++++++++++++++- docs/contrib/logging.md | 402 +++++++++++++++++++++++++++++++++++++-- scripts/cherry-pick.sh | 4 - 4 files changed, 662 insertions(+), 32 deletions(-) diff --git a/docs/contrib/bash-log.md b/docs/contrib/bash-log.md index 7725d5589..f8b319f6c 100644 --- a/docs/contrib/bash-log.md +++ b/docs/contrib/bash-log.md @@ -2,6 +2,8 @@ **PATH:** `scripts/lib/logging.sh` + + ### Introduction OpenIM, an intricate project, requires a robust logging mechanism to diagnose issues, maintain system health, and provide insights. A custom-built logging system embedded within OpenIM ensures consistent and structured logs. Let's delve into the design of this logging system and understand its various functions and their usage scenarios. diff --git a/docs/contrib/go-code.md b/docs/contrib/go-code.md index b122917ca..5c0212725 100644 --- a/docs/contrib/go-code.md +++ b/docs/contrib/go-code.md @@ -266,13 +266,61 @@ errors.New("redis connection failed") - When specifying ranges of numbers, use inclusive ranges whenever possible. - Go 1.13 or above is recommended, and the error generation method is `fmt.Errorf("module xxx: %w", err)`. -### 1.4 panic processing +### 1.4 Panic Processing + +The use of `panic` should be carefully controlled in Go applications to ensure program stability and predictable error handling. Following are revised guidelines emphasizing the restriction on using `panic` and promoting alternative strategies for error handling and program termination. + +- **Prohibited in Business Logic:** Using `panic` within business logic processing is strictly prohibited. Business logic should handle errors gracefully and use error returns to propagate issues up the call stack. + +- **Restricted Use in Main Package:** In the main package, the use of `panic` should be reserved for situations where the program is entirely inoperable, such as failure to open essential files, inability to connect to the database, or other critical startup issues. Even in these scenarios, prefer using structured error handling to terminate the program. + +- **Use `log.Fatal` for Critical Errors:** Instead of panicking, use `log.Fatal` to log critical errors that prevent the program from operating normally. This approach allows the program to terminate while ensuring the error is properly logged for troubleshooting. + +- **Prohibition on Exportable Interfaces:** Exportable interfaces must not invoke `panic`. They should handle errors gracefully and return errors as part of their contract. + +- **Prefer Errors Over Panic:** It is recommended to use error returns instead of panic to convey errors within a package. This approach promotes error handling that integrates smoothly with Go's error handling idioms. + +#### Alternative to Panic: Structured Program Termination + +To enforce these guidelines, consider implementing structured functions to terminate the program gracefully in the face of unrecoverable errors, while providing clear error messages. Here are two recommended functions: + +```go +// ExitWithError logs an error message and exits the program with a non-zero status. +func ExitWithError(err error) { + progName := filepath.Base(os.Args[0]) + fmt.Fprintf(os.Stderr, "%s exit -1: %+v\n", progName, err) + os.Exit(-1) +} + +// SIGTERMExit logs a warning message when the program receives a SIGTERM signal and exits with status 0. +func SIGTERMExit() { + progName := filepath.Base(os.Args[0]) + fmt.Fprintf(os.Stderr, "Warning %s receive process terminal SIGTERM exit 0\n", progName) +} +``` + +#### Example Usage: + +```go +import ( + _ "net/http/pprof" + + "github.com/openimsdk/open-im-server/v3/pkg/common/cmd" + util "github.com/openimsdk/open-im-server/v3/pkg/util/genutil" +) + +func main() { + apiCmd := cmd.NewApiCmd() + apiCmd.AddPortFlag() + apiCmd.AddPrometheusPortFlag() + if err := apiCmd.Execute(); err != nil { + util.ExitWithError(err) + } +} +``` + +In this example, `ExitWithError` is used to terminate the program when an unrecoverable error occurs, providing a clear error message to stderr and exiting with a non-zero status. This approach ensures that critical errors are logged and the program exits in a controlled manner, facilitating troubleshooting and maintaining the stability of the application. -- Panic is prohibited in business logic processing. -- In the main package, panic is only used when the program is completely inoperable, for example, the file cannot be opened, the database cannot be connected, and the program cannot run normally. -- In the main package, use `log.Fatal` to record errors, so that the program can be terminated by the log, or the exception thrown by the panic can be recorded in the log file, which is convenient for troubleshooting. -- An exportable interface must not panic. -- It is recommended to use error instead of panic to convey errors in the package. ### 1.5 Unit Tests @@ -439,10 +487,15 @@ var allowGitHook bool - Local variables should be as short as possible, for example, use buf to refer to buffer, and use i to refer to index. - The code automatically generated by the code generation tool can exclude this rule (such as the Id in `xxx.pb.go`) -### 2.7 Constant naming +### 2.7 Constant Naming -- The constant name must follow the camel case, and the initial letter is uppercase or lowercase according to the access control decision. -- If it is a constant of enumeration type, you need to create the corresponding type first: +In Go, constants play a critical role in defining values that do not change throughout the execution of a program. Adhering to best practices in naming constants can significantly improve the readability and maintainability of your code. Here are some guidelines for constant naming: + +- **Camel Case Naming:** The name of a constant must follow the camel case notation. The initial letter should be uppercase or lowercase based on the access control requirements. Uppercase indicates that the constant is exported (visible outside the package), while lowercase indicates package-private visibility (visible only within its own package). + +- **Enumeration Type Constants:** For constants that represent a set of enumerated values, it's recommended to define a corresponding type first. This approach not only enhances type safety but also improves code readability by clearly indicating the purpose of the enumeration. + +**Example:** ```go // Code defines an error code type. @@ -452,11 +505,40 @@ type Code int const ( // ErrUnknown - 0: An unknown error occurred. ErrUnknown Code = iota - // ErrFatal - 1: An fatal error occurred. + // ErrFatal - 1: A fatal error occurred. ErrFatal ) ``` +In the example above, `Code` is defined as a new type based on `int`. The enumerated constants `ErrUnknown` and `ErrFatal` are then defined with explicit comments to indicate their purpose and values. This pattern is particularly useful for grouping related constants and providing additional context. + +### Global Variables and Constants Across Packages + +- **Use Constants for Global Variables:** When defining variables that are intended to be accessed across packages, prefer using constants to ensure immutability. This practice avoids unintended modifications to the value, which can lead to unpredictable behavior or hard-to-track bugs. + +- **Lowercase for Package-Private Usage:** If a global variable or constant is intended for use only within its own package, it should start with a lowercase letter. This clearly signals its limited scope of visibility, adhering to Go's access control mechanism based on naming conventions. + +**Guideline:** + +- For global constants that need to be accessed across packages, declare them with an uppercase initial letter. This makes them exported, adhering to Go's visibility rules. +- For constants used within the same package, start their names with a lowercase letter to limit their scope to the package. + +**Example:** + +```go +package config + +// MaxConnections - the maximum number of allowed connections. Visible across packages. +const MaxConnections int = 100 + +// minIdleTime - the minimum idle time before a connection is considered stale. Only visible within the config package. +const minIdleTime int = 30 +``` + +In this example, `MaxConnections` is a global constant meant to be accessed across packages, hence it starts with an uppercase letter. On the other hand, `minIdleTime` is intended for use only within the `config` package, so it starts with a lowercase letter. + +Following these guidelines ensures that your Go code is more readable, maintainable, and consistent with Go's design philosophy and access control mechanisms. + ### 2.8 Error naming - The Error type should be written in the form of FooError. @@ -473,6 +555,190 @@ type ExitError struct { var ErrFormat = errors. New("unknown format") ``` +For non-standard Err naming, CICD will report an error + + +### 2.9 Handling Errors Properly + +In Go, proper error handling is crucial for creating reliable and maintainable applications. It's important to ensure that errors are not ignored or discarded, as this can lead to unpredictable behavior and difficult-to-debug issues. Here are the guidelines and examples regarding the proper handling of errors. + +#### Guideline: Do Not Discard Errors + +- **Mandatory Error Propagation:** When calling a function that returns an error, the calling function must handle or propagate the error, instead of ignoring it. This approach ensures that errors are not silently ignored, allowing higher-level logic to make informed decisions about error handling. + +#### Incorrect Example: Discarding an Error + +```go +package main + +import ( + "io/ioutil" + "log" +) + +func ReadFileContent(filename string) string { + content, _ := ioutil.ReadFile(filename) // Incorrect: Error is ignored + return string(content) +} + +func main() { + content := ReadFileContent("example.txt") + log.Println(content) +} +``` + +In this incorrect example, the error returned by `ioutil.ReadFile` is ignored. This can lead to situations where the program continues execution even if the file doesn't exist or cannot be accessed, potentially causing more cryptic errors downstream. + +#### Correct Example: Propagating an Error + +```go +package main + +import ( + "io/ioutil" + "log" +) + +// ReadFileContent attempts to read and return the content of the specified file. +// It returns an error if reading fails. +func ReadFileContent(filename string) (string, error) { + content, err := ioutil.ReadFile(filename) + if err != nil { + // Correct: Propagate the error + return "", err + } + return string(content), nil +} + +func main() { + content, err := ReadFileContent("example.txt") + if err != nil { + log.Fatalf("Failed to read file: %v", err) + } + log.Println(content) +} +``` + +In the correct example, the error returned by `ioutil.ReadFile` is propagated back to the caller. The `main` function then checks the error and terminates the program with an appropriate error message if an error occurred. This approach ensures that errors are handled appropriately, and the program does not proceed with invalid state. + +### Best Practices for Error Handling + +1. **Always check the error returned by a function.** Do not ignore it. +2. **Propagate errors up the call stack unless they can be handled gracefully at the current level.** +3. **Provide context for errors when propagating them, making it easier to trace the source of the error.** This can be achieved using `fmt.Errorf` with the `%w` verb or dedicated wrapping functions provided by some error handling packages. +4. **Log the error at the point where it is handled or makes the program to terminate, to provide insight into the failure.** + +By following these guidelines, you ensure that your Go applications handle errors in a consistent and effective manner, improving their reliability and maintainability. + + +### 2.10 Using Context with IO or Inter-Process Communication (IPC) + +In Go, `context.Context` is a powerful construct for managing deadlines, cancellation signals, and other request-scoped values across API boundaries and between processes. It is particularly important in I/O operations or inter-process communication (IPC), where operations might need to be cancelled or timed out. + +#### Guideline: Use Context for IO and IPC + +- **Mandatory Use of Context:** When performing I/O operations or inter-process communication, it's crucial to use `context.Context` to manage the lifecycle of these operations. This includes setting deadlines, handling cancellation signals, and passing request-scoped values. + +#### Incorrect Example: Ignoring Context in an HTTP Call + +```go +package main + +import ( + "io/ioutil" + "net/http" + "log" +) + +// FetchData makes an HTTP GET request to the specified URL and returns the response body. +// This function does not use context, making it impossible to cancel the request or set a deadline. +func FetchData(url string) (string, error) { + resp, err := http.Get(url) // Incorrect: Ignoring context + if err != nil { + return "", err + } + defer resp.Body.Close() + + body, err := ioutil.ReadAll(resp.Body) + if err != nil { + return "", err + } + + return string(body), nil +} + +func main() { + data, err := FetchData("http://example.com") + if err != nil { + log.Fatalf("Failed to fetch data: %v", err) + } + log.Println(data) +} +``` + +In this incorrect example, the `FetchData` function makes an HTTP GET request without using a `context`. This approach does not allow the request to be cancelled or a timeout to be set, potentially leading to resources being wasted if the server takes too long to respond or if the operation needs to be aborted for any reason. + +#### Correct Example: Using Context in an HTTP Call + +```go +package main + +import ( + "context" + "io/ioutil" + "net/http" + "log" + "time" +) + +// FetchDataWithContext makes an HTTP GET request to the specified URL using the provided context. +// This allows the request to be cancelled or timed out according to the context's deadline. +func FetchDataWithContext(ctx context.Context, url string) (string, error) { + req, err := http.NewRequestWithContext(ctx, "GET", url, nil) + if err != nil { + return "", err + } + + resp, err := http.DefaultClient.Do(req) + if err != nil { + return "", err + } + defer resp.Body.Close() + + body, err := ioutil.ReadAll(resp.Body) + if err != nil { + return "", err + } + + return string(body), nil +} + +func main() { + // Create a context with a 5-second timeout + ctx, cancel := context.WithTimeout(context.Background(), 5*time.Second) + defer cancel() + + data, err := FetchDataWithContext(ctx, "http://example.com") + if err != nil { + log.Fatalf("Failed to fetch data: %v", err) + } + log.Println(data) +} +``` + +In the correct example, `FetchDataWithContext` uses a context to make the HTTP GET request. This allows the operation to be cancelled or subjected to a timeout, as dictated by the context passed to it. The `context.WithTimeout` function is used in `main` to create a context that cancels the request if it takes longer than 5 seconds, demonstrating a practical use of context to manage operation lifecycle. + +### Best Practices for Using Context + +1. **Pass context as the first parameter of a function**, following the convention `func(ctx context.Context, ...)`. +2. **Never ignore the context** provided to you in functions that support it. Always use it in your I/O or IPC operations. +3. **Avoid storing context in a struct**. Contexts are meant to be passed around within the call stack, not stored. +4. **Use context's cancellation and deadline features** to control the lifecycle of blocking operations, especially in network I/O and IPC scenarios. +5. **Propagate context down the call stack** to any function that supports it, ensuring that your application can respond to cancellation signals and deadlines effectively. + +By adhering to these guidelines and examples, you can ensure that your Go applications handle I/O and IPC operations more reliably and efficiently, with proper support for cancellation, timeouts, and request-scoped values. + + ## 3. Comment specification - Each exportable name must have a comment, which briefly introduces the exported variables, functions, structures, interfaces, etc. diff --git a/docs/contrib/logging.md b/docs/contrib/logging.md index fd9e883ef..e4774929c 100644 --- a/docs/contrib/logging.md +++ b/docs/contrib/logging.md @@ -1,20 +1,386 @@ -## Log Standards +# OpenIM Logging and Error Handling Documentation -### Log Standards +## Script Logging Documentation Link -- The unified log package `github.com/openimsdk/open-im-server/internal/pkg/log` should be used for all logging; -- Use structured logging formats: `log.Infow`, `log.Warnw`, `log.Errorw`, etc. For example: `log.Infow("Update post function called")`; -- All logs should start with an uppercase letter and should not end with a `.`. For example: `log.Infow("Update post function called")`; -- Use past tense. For example, use `Could not delete B` instead of `Cannot delete B`; -- Adhere to log level standards: - - Debug level logs use `log.Debugw`; - - Info level logs use `log.Infow`; - - Warning level logs use `log.Warnw`; - - Error level logs use `log.Errorw`; - - Panic level logs use `log.Panicw`; - - Fatal level logs use `log.Fatalw`. -- Log settings: - - Development and test environments: The log level is set to `debug`, the log format can be set to `console` / `json` as needed, and caller is enabled; - - Production environment: The log level is set to `info`, the log format is set to `json`, and caller is enabled. (**Note**: In the early stages of going online, to facilitate troubleshooting, the log level can be set to `debug`) -- When logging, avoid outputting sensitive information, such as passwords, keys, etc. -- If you are calling a logging function in a function/method with a `context.Context` parameter, it is recommended to use `log.L(ctx).Infow()` for logging. \ No newline at end of file +If you wish to view the script's logging documentation, you can click on this link: [Logging Documentation](https://github.com/OpenIMSDK/Open-IM-Server/blob/main/docs/contrib/bash-log.md). + +Below is the documentation for logging and error handling in the OpenIM Go project. + +To create a standard set of documentation that is quick to read and easy to understand, we will highlight key information about the `Logger` interface and the `CodeError` interface. This includes the purpose of each interface, key methods, and their use cases. This will help developers quickly grasp how to effectively use logging and error handling within the project. + +## Logging (`Logger` Interface) + +### Purpose +The `Logger` interface aims to provide the OpenIM project with a unified and flexible logging mechanism, supporting structured logging formats for efficient log management and analysis. + +### Key Methods + +- **Debug, Info, Warn, Error** + Log messages of different levels to suit various logging needs and scenarios. These methods accept a context (`context.Context`), a message (`string`), and key-value pairs (`...interface{}`), allowing the log to carry rich context information. + +- **WithValues** + Append key-value pair information to log messages, returning a new `Logger` instance. This helps in adding consistent context information. + +- **WithName** + Set the name of the logger, which helps in identifying the source of the logs. + +- **WithCallDepth** + Adjust the call stack depth to accurately identify the source of the log message. + +### Use Cases + +- Developers should choose the appropriate logging level (such as `Debug`, `Info`, `Warn`, `Error`) based on the importance of the information when logging. +- Use `WithValues` and `WithName` to add richer context information to logs, facilitating subsequent tracking and analysis. + +## Error Handling (`CodeError` Interface) + +### Purpose +The `CodeError` interface is designed to provide a unified mechanism for error handling and wrapping, making error information more detailed and manageable. + +### Key Methods + +- **Code** + Return the error code to distinguish between different types of errors. + +- **Msg** + Return the error message description to display to the user. + +- **Detail** + Return detailed information about the error for further debugging by developers. + +- **WithDetail** + Add detailed information to the error, returning a new `CodeError` instance. + +- **Is** + Determine whether the current error matches a specified error, supporting a flexible error comparison mechanism. + +- **Wrap** + Wrap another error with additional message description, facilitating the tracing of the error's cause. + +### Use Cases + +- When defining errors with specific codes and messages, use error types that implement the `CodeError` interface. +- Use `WithDetail` to add additional context information to errors for more accurate problem localization. +- Use the `Is` method to judge the type of error for conditional branching. +- Use the `Wrap` method to wrap underlying errors while adding more contextual descriptions. + +## Logging Standards and Code Examples + +In the OpenIM project, we use the unified logging package `github.com/OpenIMSDK/tools/log` for logging to achieve efficient log management and analysis. This logging package supports structured logging formats, making it easier for developers to handle log information. + +### Logger Interface and Implementation + +The logger interface is defined as follows: + +```go +type Logger interface { + Debug(ctx context.Context, msg string, keysAndValues ...interface{}) + Info(ctx context.Context, msg string, keysAndValues ...interface{}) + Warn(ctx context.Context, msg string, err error, keysAndValues ...interface{}) + Error(ctx context.Context, msg string, err error, keysAndValues ...interface{}) + WithValues(keysAndValues ...interface{}) Logger + WithName(name string) Logger + WithCallDepth(depth int) Logger +} +``` + +Example code: Using the `Logger` interface to log at the info level. + +```go +func main() { + logger := log.NewLogger().WithName("MyService") + ctx := context.Background() + logger.Info(ctx, "Service started", "port", "8080") +} +``` + +## Error Handling and Code Examples + +We use the `github.com/OpenIMSDK/tools/errs` package for unified error handling and wrapping. + +### CodeError Interface and Implementation + +The error interface is defined as follows: + +```go +type CodeError interface { + Code() int + Msg() string + Detail() string + WithDetail(detail string) CodeError + Is(err error, loose ...bool) bool + Wrap(msg ...string) error + error +} +``` + +Example code: Creating and using the `CodeError` interface to handle errors. + +```go +package main + +import ( + "fmt" + "github.com/OpenIMSDK/tools/errs" +) + +func main() { + err := errs.New(404, "Resource not found") + err = err.WithDetail(" + +More details") + if e, ok := err.(errs.CodeError); ok { + fmt.Println(e.Code(), e.Msg(), e.Detail()) + } +} +``` + +### Detailed Logging Standards and Code Examples + +1. **Print key information at startup** + It is crucial to print entry parameters and key process information at program startup. This helps understand the startup state and configuration of the program. + + **Code Example**: + ```go + package main + + import ( + "fmt" + "os" + ) + + func main() { + fmt.Println("Program startup, version: 1.0.0") + fmt.Printf("Connecting to database: %s\n", os.Getenv("DATABASE_URL")) + } + ``` + +2. **Use `tools/log` and `fmt` for logging** + Logging should be done using a specialized logging library for unified management and formatted log output. + + **Code Example**: Logging an info level message with `tools/log`. + ```go + package main + + import ( + "context" + "github.com/OpenIMSDK/tools/log" + ) + + func main() { + ctx := context.Background() + log.Info(ctx, "Application started successfully") + } + ``` + +3. **Use standard error output for startup failures or critical information** + Critical error messages or program startup failures should be indicated to the user through standard error output. + + **Code Example**: + ```go + package main + + import ( + "fmt" + "os" + ) + + func checkEnvironment() bool { + return os.Getenv("REQUIRED_ENV") != "" + } + + func main() { + if !checkEnvironment() { + fmt.Fprintln(os.Stderr, "Missing required environment variable") + os.Exit(1) + } + } + ``` + + We encapsulate it into separate tools, which can output error information through the `tools/log` package. + + ```go + package main + + import ( + util "github.com/openimsdk/open-im-server/v3/pkg/util/genutil" + ) + + func main() { + if err := apiCmd.Execute(); err != nil { + util.ExitWithError(err) + } + } + ``` + +4. **Use `tools/log` package for runtime logging** + This ensures consistency and control over logging. + + **Code Example**: Same as the above example using `tools/log`. When `tools/log` is not initialized, consider using `fmt` for standard output. + +5. **Error logs should be printed by the top-level caller** + This is to avoid duplicate logging of errors, typically errors are caught and logged at the application's outermost level. + + **Code Example**: + ```go + package main + + import ( + "github.com/OpenIMSDK/tools/log" + "context" + ) + + func doSomething() error { + // An error occurs here + return errs.Wrap(errors.New("An error occurred")) + } + + func controller() error { + err := doSomething() + if err != nil { + return err + } + return nil + } + + func main() { + err := controller() + if err != nil { + log.Error(context.Background(), "Operation failed", err) + } + } + ``` + +6. **Handling logs for API RPC calls and non-RPC applications** + + For API RPC calls using gRPC, logs at the information level are printed by middleware on the gRPC server side, reducing the need to manually log in each RPC method. For non-RPC applications, it's recommended to manually log key execution paths to track the application's execution flow. + + **gRPC Server-Side Logging Middleware:** + + In gRPC, `UnaryInterceptor` and `StreamInterceptor` can intercept Unary and Stream type RPC calls, respectively. Here's an example of how to implement a simple Unary RPC logging middleware: + + ```go + package main + + import ( + "context" + "google.golang.org/grpc" + "google.golang.org/grpc/codes" + "google.golang.org/grpc/status" + "log" + "time" + ) + + // unaryServerInterceptor returns a new unary server interceptor that logs each request. + func unaryServerInterceptor() grpc.UnaryServerInterceptor { + return func(ctx context.Context, req interface{}, info *grpc.UnaryServerInfo, handler grpc.UnaryHandler) (resp interface{}, err error) { + // Record the start time of the request + start := time.Now() + // Call the actual RPC method + resp, err = handler(ctx, req) + // After the request ends, log the duration and other information + log.Printf("Request method: %s, duration: %s, error status: %v", info.FullMethod, time.Since(start), status.Code(err)) + return resp, err + } + } + + func main() { + // Create a gRPC server and add the middleware + s := grpc.NewServer + +(grpc.UnaryInterceptor(unaryServerInterceptor())) + // Register your service + + // Start the gRPC server + log.Println("Starting gRPC server...") + // ... + } + ``` + + **Logging for Non-RPC Applications:** + + For non-RPC applications, the key is to log at appropriate places in the code to maintain an execution trace. Here's a simple example showing how to log when handling a task: + + ```go + package main + + import ( + "log" + ) + + func processTask(taskID string) { + // Log the start of task processing + log.Printf("Starting task processing: %s", taskID) + // Suppose this is where the task is processed + + // Log after the task is completed + log.Printf("Task processing completed: %s", taskID) + } + + func main() { + // Example task ID + taskID := "task123" + processTask(taskID) + } + ``` + + In both scenarios, appropriate logging can help developers and operators monitor the health of the system, trace the source of issues, and quickly locate and resolve problems. For gRPC logging, using middleware can effectively centralize log management and control. For non-RPC applications, ensuring logs are placed at critical execution points can help understand the program's operational flow and state changes. + +### When to Wrap Errors? + +1. **Wrap errors generated within the function** + When an error occurs within a function, use `errs.Wrap` to add context information to the original error. + + **Code Example**: + ```go + func doSomething() error { + // Suppose an error occurs here + err, _ := someFunc() + if err != nil { + return errs.Wrap(err, "doSomething failed") + } + } + ``` + +2. **Wrap errors from system calls or other packages** + When calling external libraries or system functions that return errors, also add context information to wrap the error. + + **Code Example**: + ```go + func readConfig(file string) error { + _, err := os.ReadFile(file) + if err != nil { + return errs.Wrap(err, "Failed to read config file") + } + return nil + } + ``` + +3. **No need to re-wrap errors for internal module calls** + + If an error has been appropriately wrapped with sufficient context information in an internal module call, there's no need to wrap it again. + + **Code Example**: + ```go + func doSomething() error { + err := doAnotherThing() + if err != nil { + return err + } + return nil + } + ``` + +4. **Ensure comprehensive wrapping of errors with detailed messages** + When wrapping errors, ensure to provide ample context information to make the error more understandable and easier to debug. + + **Code Example**: + ```go + func connectDatabase() error { + err := db.Connect(config.DatabaseURL) + if err != nil { + return errs.Wrap(err, fmt.Sprintf("Failed to connect to database, URL: %s", config.DatabaseURL)) + } + return nil + } + ``` \ No newline at end of file diff --git a/scripts/cherry-pick.sh b/scripts/cherry-pick.sh index f8d7912f8..ff303269d 100755 --- a/scripts/cherry-pick.sh +++ b/scripts/cherry-pick.sh @@ -21,10 +21,6 @@ # checks them out to a branch named: # automated-cherry-pick-of--- - - - - OPENIM_ROOT=$(dirname "${BASH_SOURCE[0]}")/.. source "${OPENIM_ROOT}/scripts/lib/init.sh"