rcu宽限期_如何处理宽限期错误:静默失败不是一种选择

rcu宽限期

by Rina Artstain

通过丽娜·阿斯特斯坦

I’ve never really had much of an opinion about error handling. This may come as a shock to people who know me as quite opinionated (in a good way!), but yeah. If I was coming into an existing code base I just did whatever they did before, and if I was writing from scratch I just did whatever felt right to me at the time.

对于错误处理,我从来没有真正有过很多意见。 这可能会令那些了解我的人震惊(以一种很好的方式!),但是是的。 如果我要使用现有的代码库,那么我只是做他们以前做过的事情,如果我是从头开始写的,那么我当时所做的一切都是对的。

When I recently read the error handling section in Clean Code by Uncle Bob, that was the first time I gave the subject any thought at all. Sometime later I ran into a bug which was caused by some code failing silently, and I realized it might be time to think about it a bit more. I might not be able to change how errors are handled in the entire code base I’m working on, but at least I would be informed on what approaches exists and what the tradeoffs are, and, you know, have an opinion about the matter.

当我最近阅读Bob叔叔的“ 清理代码”中的错误处理部分时,那是我第一次对主题有任何想法。 以后的某个时候,我遇到了一个错误,该错误是由一些代码无声失败导致的,我意识到可能应该再考虑一下。 我可能无法更改正在处理的整个代码库中错误的处理方式,但是至少我会被告知存在哪些方法以及如何权衡,并且您对此事有意见。

期待西班牙宗教裁判所 (Expect the Spanish Inquisition)

The first step of handling errors is to identify when an “error” is not an “error!”. This of course depends on your application’s business logic, but in general, some errors are obvious and easy to fix.

处理错误的第一步是确定何时“错误”不是“错误!”。 当然,这取决于应用程序的业务逻辑,但是总的来说,有些错误是显而易见的,并且易于修复。

  • Got a from-to date range where the “to” is before “from”? Switch the order.

    是否有一个从“到”在“从”之前的“到”日期范围? 切换顺序。
  • Got a phone number which starts with + or contains dashes where you expect no special characters? Remove them.

    是否有一个以+开头或包含破折号的电话号码,而您不希望这些字符带有特殊字符? 删除它们。
  • Null collection a problem? Make sure you initialize it before accessing (using lazy initialization or in the constructor).

    空集合有问题吗? 确保在访问之前将其初始化(使用惰性初始化或在构造函数中)。

Don’t interrupt your code flow for errors you can fix, and certainly don’t interrupt your users. If you can understand the problem and fix it yourself — just do it.

不要因为可以解决的错误而中断代码流,当然也不要中断用户。 如果您可以理解问题并亲自解决,请执行此操作。

返回Null或其他魔术值 (Returning Null or Other Magic Values)

Null values, -1 where a positive number is expected and other “magic” return values — all these are evils which move the responsibility for error checking to the caller of the function. This is not only a problem because it causes error checking to proliferate and multiply, it is also a problem because it depends on convention and requires your user to be aware of arbitrary implementation details.

空值-1(期望为正数)和其他“魔术”返回值-所有这些都是罪恶,将错误检查的责任移交给了函数的调用者。 这不仅是一个问题,因为它会导致错误检查激增并成倍增加,它也是一个问题,因为它依赖于约定并且要求您的用户注意任意实现的细节。

Your code will be full of code blocks like these which obscure the application’s logic:

您的代码将充满像这样的代码块,这些代码块会模糊应用程序的逻辑:

return_value = possibly_return_a_magic_value()if return_value < 0:   handle_error()else:    do_something()
other_return_value = possibly_nullable_value()if other_return_value is None:   handle_null_value()else:   do_some_other_thing()

Even if your language has a built in nullable value propagation system — that’s just applying an unreadable patch to flaky code:

即使您的语言具有内置的可为空的值传播系统,也只是对易碎的代码应用了不可读的补丁:

var item = returnSomethingWhichCouldBeNull();var result = item?.Property?.MaybeExists;if (result.HasValue){    DoSomething();}
Passing null values to methods is just as problematic, and you’ll often see methods begin with a few lines of checking that the input is valid, but this is truly unnecessary. Most modern languages provide several tools which allow you to be explicit about what you expect and skip those code-cluttering checks, e.g. defining parameters as non-nullable or with an appropriate decorator.
将null值传递给方法同样存在问题,并且您经常会看到方法从检查输入是否有效的几行开始,但这确实是不必要的。 大多数现代语言提供了几种工具,使您可以清楚地了解期望的内容并跳过那些代码混乱的检查,例如,将参数定义为不可为空或使用适当的修饰符。

错误代码 (Error Codes)

Error codes have the same problem as null and other magic values, with the additional complication of having to, well, deal with error codes.

错误代码与null和其他魔术值具有相同的问题,另外还必须处理错误代码。

You might decide to return the error code through an “out” parameter:

您可能决定通过“ out”参数返回错误代码:

int errorCode;var result = getSomething(out errorCode);if (errorCode != 0){    doSomethingWithResult(result);}

You may choose to wrap all your results in a “Result” construct like this (I’m very guilty of this one, though it was very useful for ajax calls at the time):

您可以选择将所有结果包装在这样的“结果”构造中(我对此非常内,,尽管当时对ajax调用非常有用):

public class Result<T>{   public T Item { get; set; }   // At least "ErrorCode" is an enum   public ErrorCode ErrorCode { get; set; } = ErrorCode.None;    public IsError { get { return ErrorCode != ErrorCode.None; } } }
public class UsingResultConstruct{   ...   var result = GetResult();   if (result.IsError)   {      switch (result.ErrorCode)      {         case ErrorCode.NetworkError:             HandleNetworkError();             break;         case ErrorCode.UserError:             HandleUserError();             break;         default:             HandleUnknownError();             break;      }   }   ActuallyDoSomethingWithResult(result);   ...}

Yep. That’s really bad. The Item property could still be empty for some reason, there’s no actual guarantee (besides convention) that when the result doesn’t contain an error you can safely access the Item property.

是的 真的很糟糕 由于某些原因,Item属性仍可能为空,没有任何实际保证(约定除外),即当结果不包含错误时,您可以安全地访问Item属性。

After you’re done with all of this handling, you still have to translate your error code to an error message and do something with it. Often, at this point you’ve obscured the original problem enough that you might not have the exact details of what happened, so you can’t even report the error effectively.

完成所有这些处理后,您仍然必须将错误代码转换为错误消息并对其进行处理。 通常,在这一点上,您已经掩盖了最初的问题,以至于您可能不知道所发生的事情的确切细节,因此甚至无法有效地报告错误。

On top of this horribly unnecessarily over-complicated and unreadable code, an even worse problem exists — if you, or someone else, change your internal implementation to handle a new invalid state with a new error code, the calling code will have no way of knowing something which they need to handle has changed and will fail in unpredictable ways.

在此可怕不必要过于复杂而无法读取的代码顶部,一个更糟糕的问题存在-如果你或其他人,改变你的内部实现来处理与新的错误代码的新无效状态,调用代码将没有任何的办法知道他们需要处理的事情已经改变,并且将以无法预测的方式失败

如果一开始您没有成功,请尝试,然后再抓住 (If At First You Don’t Succeed, Try, Catch, Finally)

Before we continue, this might be a good time to mention that code failing silently is not a good thing. Failing silently means errors can go undetected for quite a while before exploding suddenly at inconvenient and unpredictable times. Usually over the weekend. The previous error handling methods allow you to fail silently, so maybe, just maybe, they’re not the best way to go.

在继续之前,这可能是一个很好的时机,指出代码无声失败不是一件好事。 静默失败意味着很长一段时间都无法发现错误,然后在不方便且不可预测的时间突然爆炸。 通常在周末。 先前的错误处理方法使您能够静默地失败,所以也许,也许不是最好的方法。

At this point, if you’ve read Clean Code you’re probably wondering why anyone would ever do any of that instead of just throwing an exception? If you haven’t, you might think exceptions are the root of all evil. I used to feel the same way, but now I’m not so sure. Bear with me, let’s see if we can agree that exceptions are not all bad, and might even be quite useful. And if you’re writing in a language without exceptions? Well, it is what it is.

在这一点上,如果您已经阅读了Clean Code,您可能想知道为什么有人会这样做而不是仅仅引发异常? 如果没有,您可能会认为例外是万恶之源。 我曾经有过同样的感觉,但是现在我不太确定。 忍受我,让我们看看我们是否可以同意例外并非全都不好,甚至可能非常有用。 而且,如果您使用的语言无一例外? 好吧,就是这样。

An interesting side note, at least to me, is that the default implementation for a new C# method is to throw a NotImplementedException, whereas the default for a new python method is “pass”.

至少对我而言,一个有趣的旁注是,新C#方法的默认实现是抛出NotImplementedException,而新python方法的默认实现是“ pass”。

I’m not sure if this is a C# convention or just how my Resharper was configured, but the result is basically setting up python to fail silently. I wonder how many developers have spent a long and sad debugging session trying to figure what was going on, only to find out they had forgotten to implement a placeholder method.

我不确定这是C#约定还是Resharper的配置方式,但结果基本上是将python设置为静默失败。 我想知道有多少开发人员花了很长时间来进行调试,以弄清楚到底发生了什么,却发现他们忘记了实现占位符方法。

But wait, you could easily create a cluttered mess of error checking and exception throwing which is quite similar to the previous error checking sections!

但是,等等,您可以轻松创建混乱的错误检查和异常抛出,这与前面的错误检查部分非常相似!

public MyDataObject UpdateSomething(MyDataObject toUpdate){    if (_dbConnection == null)    {         throw new DbConnectionError();    }    try    {        var newVersion = _dbConnection.Update(toUpdate);        if (newVersion == null)        {            return null;        }        MyDataObject result = new MyDataObject(newVersion);        return result;     }     catch (DbConnectionClosedException dbcc)     {         throw new DbConnectionError();     }     catch (MyDataObjectUnhappyException dou)     {         throw new MalformedDataException();     }     catch (Exception ex)     {         throw new UnknownErrorException();     }}

So, of course, throwing exceptions will not protect you from unreadable and unmanageable code. You need to apply exception throwing as a well thought out strategy. If your scope is too big, your application might end up in an inconsistent state. If your scope is too small, you’ll end up with a cluttered mess.

因此,当然,抛出异常不会保护您免受无法阅读和无法管理的代码的侵害。 您需要将异常抛出作为一种经过深思熟虑的策略。 如果范围太大,则应用程序可能会处于不一致状态。 如果范围太小,您将陷入混乱。

My approach to this problem is as follows:

我对这个问题的解决方法如下:

Consistency rulezzz. You must make sure that your application is always in a consistent state. Ugly code makes me sad, but not as much as actual problems which affect the users of whatever it is your code is actually doing. If that means you have to wrap every couple of lines with a try/catch block — hide them inside another function.

一致性rulezzz。 您必须确保您的应用程序始终处于一致状态。 丑陋的代码让我很伤心,但不像实际问题那样严重,这些问题会影响用户的实际行为。 如果这意味着您必须用try / catch块包装每两行,请将它们隐藏在另一个函数中。

def my_function():    try:        do_this()        do_that()    except:        something_bad_happened()    finally:        cleanup_resource()

Consolidate errors. It’s fine if you care about different kinds of errors which need to be handled differently, but do your users a favor and hide that internally. Externally, throw a single type of exception just to let your users know something went wrong. They shouldn’t really care about the details, that’s your responsibility.

合并错误。 如果关心需要以不同方式处理的不同类型的错误,但对您的用户有所帮助并在内部隐藏该错误,那是很好的。 在外部,仅引发一种异常即可让您的用户知道出了什么问题。 他们不应该真正在乎细节,这是您的责任。

public MyDataObject UpdateSomething(MyDataObject toUpdate){    try    {                var newVersion = _dbConnection.Update(toUpdate);        MyDataObject result = new MyDataObject(newVersion);        return result;     }     catch (DbConnectionClosedException dbcc)     {         HandleDbConnectionClosed();         throw new UpdateMyDataObjectException();     }     catch (MyDataObjectUnhappyException dou)     {         RollbackVersion();         throw new UpdateMyDataObjectException();     }     catch (Exception ex)     {         throw new UpdateMyDataObjectException();     }}

Catch early, catch often. Catch your exceptions as close to the source at the lowest level possible. Maintain consistency and hide the details (as explained above), then try to avoid handling errors until the very top level of your application. Hopefully there aren’t too many levels along the way. If you can pull this off, you’ll be able to clearly separate the normal flow of your application logic from the error handling flow, allowing your code to be clear and concise without mixing concerns.

早点捕获,经常捕获。 在可能的最低级别上将异常捕获到尽可能接近源的位置。 保持一致性并隐藏细节(​​如上所述),然后尝试避免错误直到应用程序的最高层。 希望在此过程中不要有太多的级别。 如果可以做到这一点,您将能够清楚地将应用程序逻辑的正常流程与错误处理流程区分开,从而使您的代码清晰明了,而无需担心。

def my_api():    try:        item = get_something_from_the_db()        new_version = do_something_to_item(item)        return new_version    except Exception as ex:        handle_high_level_exception(ex)

Thanks for reading this far, I hope it was helpful! Also, I’m only starting to form my opinions on this subject, so I’d be really happy to hear what your strategy is for handling errors. The comments section is open!

感谢您阅读本文,希望对您有所帮助! 另外,我只是开始就此问题发表意见,因此,我很高兴听到您处理错误的策略。 评论部分已打开!

翻译自: https://www.freecodecamp.org/news/how-to-handle-errors-with-grace-failing-silently-is-not-an-option-de6ce8f897d7/

rcu宽限期

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/392248.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

描述符、迭代器、生成器

描述符&#xff1a;将某种特殊类型的类的实例指派给另一个类的属性。 此处特殊类型的要求&#xff0c;至少实现”__set__(self , instance , owner)“、”__get__(self , instance , value)“、”__delete__(self , instance )“三个方法中的一个。 >>> class MyDecri…

php模拟表单提交登录,PHP模拟表单的post请求实现登录

stuid > $stuid,pwd > $pwd);$ch curl_init (); //初始化curlcurl_setopt ( $ch, CURLOPT_URL, $uri );curl_setopt ( $ch, CURLOPT_POST, 1 ); //使用post请求curl_setopt ( $ch, CURLOPT_HEADER, 0 );curl_setopt ( $ch, CURLOPT_RETURNTRANSFER, 1 );curl_setopt ( $…

去除list集合中重复项的几种方法

因为用到list&#xff0c;要去除重复数据&#xff0c;尝试了几种方法。记录于此。。。 测试数据&#xff1a; List<string> li1 new List<string> { "8", "8", "9", "9" ,"0","9"};List<string&g…

Crystal Reports第一张报表

新建一个网站项目&#xff0c;1. 设置数据库 从服务器资源管理器中&#xff0c;数据连接中添加新连接&#xff0c;用Microsoft Access数据库文件作为数据提供程序&#xff0c;连接上Crystal Reports的用例的数据库Xtreme2. 创建新Crystal Reports报表 在工程项目中添加一个…

leetcode 1128. 等价多米诺骨牌对的数量

给你一个由一些多米诺骨牌组成的列表 dominoes。 如果其中某一张多米诺骨牌可以通过旋转 0 度或 180 度得到另一张多米诺骨牌&#xff0c;我们就认为这两张牌是等价的。 形式上&#xff0c;dominoes[i] [a, b] 和 dominoes[j] [c, d] 等价的前提是 ac 且 bd&#xff0c;或是…

海量数据寻找最频繁的数据_寻找数据科学家的“原因”

海量数据寻找最频繁的数据Start with “Why” - Why do we do the work we do?从“为什么”开始-我们为什么要做我们所做的工作&#xff1f; The question of “Why” is always a big question. Plus, it always makes you look smart in a meeting!“ 为什么 ”的问题始终是…

C语言中局部变量和全局变量 变量的存储类别

C语言中局部变量和全局变量 变量的存储类别(static,extern,auto,register) 局部变量和全局变量在讨论函数的形参变量时曾经提到&#xff0c;形参变量只在被调用期间才分配内存单元&#xff0c;调用结束立即释放。这一点表明形参变量只有在函数内才是有效的&#xff0c;离开该函…

营销 客户旅程模板_我如何在国外找到开发人员的工作:我从营销到技术的旅程...

营销 客户旅程模板by Dimitri Ivashchuk由Dimitri Ivashchuk 我如何在国外找到开发人员的工作&#xff1a;我从营销到技术的旅程 (How I got a developer job abroad: my journey from marketing to tech) In this post, I’ll go into the details of how I, a Ukrainian mar…

keepalive的作用

keepalive的作用是实现高可用,通过VIP虚拟IP的漂移实现高可用.在相同集群内发送组播包,master主通过VRRP协议发送组播包,告诉从主的状态. 一旦主挂了从就选举新的主,实现高可用 LVS专属技能,通过配置文件控制lvs集群节点.对后端真实服务器进行健康检查. 转载于:https://www.cnb…

scrapy.Spider的属性和方法

scrapy.Spider的属性和方法 属性: name:spider的名称,要求唯一 allowed_domains:允许的域名,限制爬虫的范围 start_urls:初始urls custom_settings:个性化设置,会覆盖全局的设置 crawler:抓取器,spider将绑定到它上面 custom_settings:配置实例,包含工程中所有的配置变量 logge…

php时间操作函数总结,基于php常用函数总结(数组,字符串,时间,文件操作)

数组:【重点1】implode(分隔,arr) 把数组值数据按指定字符连接起来例如&#xff1a;$arrarray(1,2,3,4);$strimplode(-,$arr);explode([分隔],arr)按指定规则对一个字符串进行分割&#xff0c;返回值为数组 别名joinarray_merge()合并一个或多个数组array_combine(array keys, …

kaggle比赛数据_表格数据二进制分类:来自5个Kaggle比赛的所有技巧和窍门

kaggle比赛数据This article was originally written by Shahul ES and posted on the Neptune blog.本文最初由 Shahul ES 撰写&#xff0c; 并发布在 Neptune博客上。 In this article, I will discuss some great tips and tricks to improve the performance of your stru…

leetcode 1579. 保证图可完全遍历(并查集)

Alice 和 Bob 共有一个无向图&#xff0c;其中包含 n 个节点和 3 种类型的边&#xff1a; 类型 1&#xff1a;只能由 Alice 遍历。 类型 2&#xff1a;只能由 Bob 遍历。 类型 3&#xff1a;Alice 和 Bob 都可以遍历。 给你一个数组 edges &#xff0c;其中 edges[i] [typei,…

别把“运气”当“实力”

成功是两分靠努力&#xff0c;八分靠天命–何英圻何英圻先生&#xff0c;大家口中的Steven&#xff0c;是台湾网路创业圈的传奇人物。他先后创办力传(Ubid)与兴奇(Monday)两家公司&#xff0c;最后都以高价出售给北美网路巨人—Ubid在2002年以美金950万卖给eBay&#xff0c;而M…

品牌推广前期要进行哪些针对性的步骤?

企业在品牌推广前需要制订一系列有针对性和连续性的步骤&#xff0c;这些步骤定睛于长期策略&#xff0c;而且要适应目标客户的使用方式和习惯。在企业内部导入品牌VI是前提&#xff0c;外部的宣传则是强调品牌所宣扬的内涵和精神实质&#xff0c;总体来说&#xff0c;这只是一…

php的set 容器,关于STL中set容器的一些总结

1.关于setC STL 之所以得到广泛的赞誉&#xff0c;也被很多人使用&#xff0c;不只是提供了像vector, string, list等方便的容器&#xff0c;更重要的是STL封装了许多复杂的数据结构算法和大量常用数据结构操作。vector封装数组&#xff0c;list封装了链表&#xff0c;map和set…

强化学习应用于组合优化问题_如何将强化学习应用于现实生活中的计划问题

强化学习应用于组合优化问题by Sterling Osborne, PhD Researcher作者&#xff1a;斯特林奥斯本(Sterling Osborne)&#xff0c;博士研究员 如何将强化学习应用于现实生活中的计划问题 (How to apply Reinforcement Learning to real life planning problems) Recently, I hav…

导入导出报错

导入导出报错&#xff1a;另&#xff1a;右键--共享&#xff1a;停止共享&#xff1b;可能无效。此时&#xff0c;可以通过修改文件夹的权限&#xff0c;来达到停止共享的目的&#xff1b;转载于:https://www.cnblogs.com/chenjx/p/7107336.html

leetcode 724. 寻找数组的中心索引

给定一个整数类型的数组 nums&#xff0c;请编写一个能够返回数组 “中心索引” 的方法。 我们是这样定义数组 中心索引 的&#xff1a;数组中心索引的左侧所有元素相加的和等于右侧所有元素相加的和。 如果数组不存在中心索引&#xff0c;那么我们应该返回 -1。如果数组有多…

基于mosquitto的MQTT服务器---SSL/TLS 单向认证+双向认证

配置单/双向认证 1.生成证书 使用如下shell 来生成证书&#xff1a; # * Redistributions in binary form must reproduce the above copyright# notice, this list of conditions and the following disclaimer in the# documentation and/or other materials provided wi…