我如何在控制流图中表达 Try/Catch?
How do i express Try/Catch in a control flow graph?
我正在尝试计算一些 圈复杂度,因此尝试绘制控制流图。首先,我试图用一种相当简单的方法来实现它。
首先,我尝试将其绘制为这样的尝试部分:
方法如下:
[HttpPost]
public ActionResult GraphMethod([FromForm]string str)
{
try
{
int affectedRows = this._copyManager.CreateCopy(str);
if (affectedRows < 1) return BadRequest("Error!");
return Ok();
}
catch (Exception ex)
{
return BadRequest(ex.Message);
}
}
我如何扩展它以包含整个方法和 try 部分?
这是我的第一个控制流程图,所以如果我搞砸了我也想知道。
就我而言,我建议您使用此代码,越简单,越高效
[HttpPost]
public ActionResult GraphMethod([FromForm]string str)
{
if (this._copyManager.CreateCopy(str) < 1)
return BadRequest("Error!");
return Ok();
}
我会创建一个 TryCreateCopy
方法并做一些与@saya imad 的回答非常相似的事情
像这样:
[HttpPost]
public ActionResult GraphMethod([FromForm]string str)
{
// These two if statements can be concatenated into one,
// but that would be a bit hard to read
if (this._copyManager.TryCreateCopy(str, out var affectedRows))
if (affectedRows > 1)
return Ok();
return BadRequest("Error!");
}
// _copyManager Method, there's probably a better way for you
public bool TryCreateCopy(string str, out int affectedRows)
{
try
{
affectedRows = CreateCopy(str);
}
// Please also don't do `catch (Exception)`,
// if you know which exception gets thrown always catch that
catch (Exception e)
{
affectedRows = -1;
return false;
}
return true;
}
其中 TryCreateCopy 方法 returns 在创建副本且未抛出异常时为真,如果抛出异常则为假* 并且输出变量包含受影响的行数
* 可能有比我向您展示的更好的方法(例如验证方法?),因为 try/catch 非常耗费资源
我正在尝试计算一些 圈复杂度,因此尝试绘制控制流图。首先,我试图用一种相当简单的方法来实现它。
首先,我尝试将其绘制为这样的尝试部分:
方法如下:
[HttpPost]
public ActionResult GraphMethod([FromForm]string str)
{
try
{
int affectedRows = this._copyManager.CreateCopy(str);
if (affectedRows < 1) return BadRequest("Error!");
return Ok();
}
catch (Exception ex)
{
return BadRequest(ex.Message);
}
}
我如何扩展它以包含整个方法和 try 部分?
这是我的第一个控制流程图,所以如果我搞砸了我也想知道。
就我而言,我建议您使用此代码,越简单,越高效
[HttpPost]
public ActionResult GraphMethod([FromForm]string str)
{
if (this._copyManager.CreateCopy(str) < 1)
return BadRequest("Error!");
return Ok();
}
我会创建一个 TryCreateCopy
方法并做一些与@saya imad 的回答非常相似的事情
像这样:
[HttpPost]
public ActionResult GraphMethod([FromForm]string str)
{
// These two if statements can be concatenated into one,
// but that would be a bit hard to read
if (this._copyManager.TryCreateCopy(str, out var affectedRows))
if (affectedRows > 1)
return Ok();
return BadRequest("Error!");
}
// _copyManager Method, there's probably a better way for you
public bool TryCreateCopy(string str, out int affectedRows)
{
try
{
affectedRows = CreateCopy(str);
}
// Please also don't do `catch (Exception)`,
// if you know which exception gets thrown always catch that
catch (Exception e)
{
affectedRows = -1;
return false;
}
return true;
}
其中 TryCreateCopy 方法 returns 在创建副本且未抛出异常时为真,如果抛出异常则为假* 并且输出变量包含受影响的行数
* 可能有比我向您展示的更好的方法(例如验证方法?),因为 try/catch 非常耗费资源