0

我有一个UITableView填充了来自 Internet 的已解析 XML 元素。

一切正常,但我想将解析 XLM 元素的代码与UIViewController负责填充 this的代码分开UITableView

我试过 sublassing UIViewController,但它似乎会导致许多耦合问题。

分离此 XML 异步解析器代码,然后将其结果提供给UIViewController包含UITableView?

我不太了解代表,但这是要走的路吗?

谢谢!

4

2 回答 2

1

编写一个处理解析的对象,在视图控制器中创建它的一个实例,然后调用它来加载数据:

@protocol SomeXMLParserHandler <NSObject>

- (void) handleData:(NSArray *)data;

@end

@interface SomeXMLParser : NSObject<NSXMLParserDelegate>

@property (strong, nonatomic) id<SomeXMLParserHandler> handler;

- (void) parseSomeXMLFromURL:(NSString *)url
            andPassToHandler:(id<SomeXMLParserHandler>)handler;

@end

在此示例中,SomeXMLParser将完成所有繁重的工作,并在完成后将数组传回SomeXMLParserHandler。因此,在您的视图控制器中,您可以执行类似的操作:

- (void) viewDidLoad
{
    [super viewDidLoad];

    SomeXMLParser *parser = [[SomeXMLParser alloc] init];

    [parser parseSomeXMLFromURL:@"http://someurl"
               andPassToHandler:self];
}

- (void) handleData:(NSArray *)data
{
    self.tableViewData = data;
}

这不是工作代码,但它应该让你朝着正确的方向前进,特别是如果你已经让解析代码工作了。此外,如果您进入 Blocks ......您可以在解析完成后将协议替换为 Block 引用来完成工作。

于 2012-08-02T19:41:51.173 回答
1

您的模型应该处理数据的获取和解析,然后当它完成后,您可以使用 NSNotificationCenter 通知您的视图控制器有关新数据的信息。
例如,您可以执行以下操作:

在您的模型中定义一些MyModelDidFinishFetchingDataNotification并在您完成获取和解析数据时调用它

然后当你创建你的 viewController 时,将它作为观察者添加到你的模型通知中

- (id)init
{
    self = [super init];
    if (self) {
        //
        [[NSNotificationCenter defaultCenter] addObserver:self
                                                 selector:@selector(handleMyModelDidFinishFetchingDataNotification:)
                                                     name:MyModelDidFinishFetchingDataNotification
                                                   object:nil];
    }
    return self;
}  

在 viewDidLoad 告诉你的模型去获取数据

- (void)viewDidLoad
{
    [super viewDidLoad];

    [self.myModel fetchNewDataFromServer];
}  

实现处理新数据的方法

- (void)handleMyModelDidFinishFetchingDataNotification:(NSNotification *)not
{
    NSArray *newData = [[not userInfo] objectForKey:@"someNewData"];

    // set the new data to the viewController data property
    self.myData = newData

    // update the UI
    [self.tableView reloadData];
}
于 2012-08-02T19:33:55.320 回答