我有一个构建HttpResponse初始化程序的类。在应该返回BasicNameValuePair
的方法之一中,我必须检查列表中是否存在由字符串“ name”指定的键或名称的条目。
public List<BasicNameValuePair> getPostPairs() {
if(mPostPairs == null || mPostPairs.size() < 1) {
throw new NullPointerException(TAG + ": PostPairs is null or has no items in it!");
}
//there is no hasName() or hasKey() method :(
if(!mPostPairs.hasName("action")) {
throw new IllegalArgumentException(TAG + ": There is no 'action' defined in the collections");
}
return mPostPairs;
}
这个怎么做?如果BasicNameValuePair无法实现,那有什么选择呢?子类化并添加方法?
我需要将它用于HttpPost,它的setEntity仅接受以下类型:
public UrlEncodedFormEntity (List<? extends NameValuePair> parameters)
最佳答案
看来mPostPairs
是List<BasicNameValuePair>
,并且列表不知道存储了哪种对象,您可以对其进行迭代并检查
boolean finded = false;
for (BasicNameValuePair pair : mPostPairs) {
if (pair.getName().equals("action")) {
finded = true;
break;
}
}
if (finded)
return mPostPairs;
else
throw new IllegalArgumentException(TAG + ": There is no 'action' defined in the collections");
或更短:
for (BasicNameValuePair pair : mPostPairs)
if (pair.getName().equals("action"))
return mPostPairs;
throw new IllegalArgumentException(TAG + ": There is no 'action' defined in the collections");