我有以下方法,我需要检查参数是空还是null。
public DB Where(string field, string operat, string value, string andOr, string field2, string operat2, string value2)
{
_Where = " WHERE " + field + " " + operat + " @" + field + "1 " + andOr + " " + field2 + " " + operat2 + " @" + field2 + "2 ";
_Params.Add(field + "1", value);
_Params.Add(field2 + "2", value2);
return this;
}
我找到了string.IsNullOrWhiteSpace方法但是这需要这么多代码:
if (string.IsNullOrWhiteSpace(field))
throw new ArgumentException("field Cannot be null or be empty");
if (string.IsNullOrWhiteSpace(operat))
throw new ArgumentException("operat Cannot be null or be empty");
if (string.IsNullOrWhiteSpace(value))
throw new ArgumentException("value Cannot be null or be empty");
if (string.IsNullOrWhiteSpace(andOr))
throw new ArgumentException("andOr Cannot be null or be empty");
if (string.IsNullOrWhiteSpace(field2))
throw new ArgumentException("field2 Cannot be null or be empty");
if (string.IsNullOrWhiteSpace(operat2))
throw new ArgumentException("operat2 Cannot be null or be empty");
if (string.IsNullOrWhiteSpace(value2))
throw new ArgumentException("value2 Cannot be null or be empty");
有没有办法缩短这个?
此外,我尝试为此任务创建自定义方法,但是它会在自定义方法中抛出异常而不是Where()方法,这使调试变得棘手。
答案 0 :(得分:2)
您可以逐个检查值或创建中间函数来执行此操作。
或者,我的建议是:您可以将所有输入放在一个数组中,并使用LINQ Any立即检查所有输入:
public DB Where(string field, string operat, string value, string andOr, string field2, string operat2, string value2)
{
string[] inputs = {field, operat, value, andOr, field2, operat2, value2}
if (inputs.Any(x => string.IsNullOrWhiteSpace(x))){
//throw exception
}
//continue with your method, all inputs are OK
}
答案 1 :(得分:1)
我可以建议的是:
private string _nullChecker(string _value){
if (string.IsNullOrWhiteSpace(_value))
throw new ArgumentException(_value + "Cannot be null or be empty");
return _value;
}
然后,在Where字符串语句中
_Where = " WHERE " + _nullChecker(field) + " " + __nullChecker(operat) + " @" + _nullChecker(field) + "1 " + _nullChecker(andOr) + " " + _nullChecker(field2) + " " + _nullChecker(operat2) + " @" + _nullChecker(field2) + "2 ";
虽然不确定。没有用实际代码检查它。 :)希望这有帮助
答案 2 :(得分:0)
你可以这样做:
int? GetLength(string s) {
return s == "" ? -1 : s?.Length;
}
// s1, s2 and so on are your parameters
int? lengthSum = GetLength(s1) + GetLength(s2); // and so on
int wholeLength = (s1 + s2).Length; // and so on
if(lengthSum == wholeLength) {
// No parameter is null or empty
}
答案 3 :(得分:0)
首先,您可以使用简单的库来进行参数验证。看一下名为Argument Validator的这个,它有一些方便的功能,可以将你的整体代码减少一半。
以下是如何使用参数验证器库执行此操作的示例:
public DB Where(string field, string operat, string value, string andOr, string field2, string operat2, string value2)
{
var inputs = new string[] {field, operat, value, andOr, field2, operat2, value2};
foreach(var input in inputs)
{
Throw.IfNullOrEmpty(input, nameof(input)));
}
}