如果你希望在遇到错误时返回空值,而不是包含错误信息,可以对 UpdateResult
进行调整,使得在出现错误时直接返回一个空结果。下面是更新后的实现。
修改后的结构体定义
我们可以保持 UpdateResult
的定义简单,只包含数据部分。如果发生错误,调用者将通过检查是否为 nil
来判断。
type UpdateResult struct {
Result *models.NrfSubscriptionData // 这里的 Result 是指向 NrfSubscriptionData 的指针
}
更新函数实现
在 UpdateSubscriptionProcedure
函数中,如果发生错误,我们将直接返回一个空的 Result
:
func UpdateSubscriptionProcedure(subscriptionID string, patchJSON []byte) UpdateResult {
redisDb := db.GetRedisDb()
// 从 Redis 获取原始数据
originalJSON, err := redisDb.HGet("Subscriptions", subscriptionID).Result()
if err != nil {
log.Printf("Error getting original data from Redis: %v", err)
return UpdateResult{Result: nil} // 返回空结果
}
var original []byte = []byte(originalJSON)
patch, err := jsonpatch.DecodePatch(patchJSON)
if err != nil {
log.Printf("Error decoding JSON patch: %v", err)
return UpdateResult{Result: nil} // 返回空结果
}
modified, err := patch.Apply(original)
if err != nil {
log.Printf("Error applying JSON patch: %v", err)
return UpdateResult{Result: nil} // 返回空结果
}
modifiedData := models.NrfSubscriptionData{}
if err := json.Unmarshal(modified, &modifiedData); err != nil {
log.Printf("Error unmarshaling modified data: %v", err)
return UpdateResult{Result: nil} // 返回空结果
}
result := redisDb.HSet("Subscriptions", subscriptionID, modifiedData)
if result.Err() != nil {
log.Printf("Error saving updated data to Redis: %v", result.Err())
return UpdateResult{Result: nil} // 返回空结果
}
return UpdateResult{Result: &modifiedData} // 返回更新后的数据指针
}
调用部分
调用这个函数后,判断 UpdateResult.Result
是否为 nil
来决定是否有更新的数据:
response := UpdateSubscriptionProcedure(subscriptionID, patchJSON)
// 检查返回的 Result 是否为 nil,若是则表示发生了错误
if response.Result == nil {
return http_wrapper.NewResponse(http.StatusNoContent, nil, "update failed") // 或根据需要自定义消息
}
// 如果 Result 非空,使用类型断言来访问更新的数据
return http_wrapper.NewResponse(http.StatusOK, nil, response.Result)
总结
通过这种方式,你就能确保在遇到任何错误时都返回一个空的结果,而不是附带错误信息。这种设计使得调用者只需关注是否获取到了有效的数据,从而简化了处理逻辑。
内容由零声教学AI助手提供,问题来源于学员提问