2

在我的应用程序中,我目前正在从每个视图控制器发送 http 请求。但是,目前我正在实现一个类,它应该具有发送请求的方法。

我的请求在参数数量上有所不同。例如,要获取 tableview 的列表,我需要将类别、子类别、过滤器和另外 5 个参数放入请求中。

这就是我的请求现在的样子:

    NSMutableURLRequest *request = [[NSMutableURLRequest alloc]init];
         [request setValue:verifString forHTTPHeaderField:@"Authorization"]; 
         [request setURL:[NSURL URLWithString:@"http://myweb.com/api/things/list"]];
         [request setHTTPMethod:@"POST"];
         [request setValue:@"application/x-www-form-urlencoded" forHTTPHeaderField:@"Content-Type"];

         NSMutableString *bodyparams = [NSMutableString stringWithFormat:@"sort=popularity"];
         [bodyparams appendFormat:@"&filter=%@",active];
         [bodyparams appendFormat:@"&category=%@",useful];
         NSData *myRequestData = [NSData dataWithBytes:[bodyparams UTF8String] length:[bodyparams length]];
[request setHTTPBody:myRequestData]

我的第一个想法是创建一个方法,它接受所有这些参数,那些不需要的参数是 nil,然后我会测试哪些是 nil,哪些不是 nil 将附加到参数字符串(ms)。

然而,这是非常低效的。后来我在考虑传递一些带有参数存储值的字典。类似于 android 的 java 中使用的带有 nameValuePair 的数组列表。

我不确定,如何从字典中获取键和对象

    -(NSDictionary *)sendRequest:(NSString *)funcName paramList:(NSDictionary *)params 
{
  // now I need to add parameters from NSDict params somehow
  // ?? confused here :)   
}
4

1 回答 1

7

你可以从字典中构造你的 params 字符串,如下所示:

/* Suppose that we got a dictionary with 
   param/value pairs */
NSDictionary *params = @{
    @"sort":@"something",
    @"filter":@"aFilter",
    @"category":@"aCategory"
};

/* We iterate the dictionary now
   and append each pair to an array
   formatted like <KEY>=<VALUE> */      
NSMutableArray *pairs = [[NSMutableArray alloc] initWithCapacity:0];
for (NSString *key in params) {
    [pairs addObject:[NSString stringWithFormat:@"%@=%@", key, params[key]]];
}
/* We finally join the pairs of our array
   using the '&' */
NSString *requestParams = [pairs componentsJoinedByString:@"&"];

如果您记录requestParams字符串,您将获得:

filter=aFilter&category=aCategory&sort=某事

PS 我完全同意@rckoenes,这AFNetworking是此类操作的最佳解决方案。

于 2012-12-19T16:04:27.313 回答