4

我创建了一个 NSObject 类并包含在内,在初始化中我创建了一个 uiwebview 将委托设置为 self 并发送加载请求。

由于某种原因,webViewDidFinishLoad 或 didFailLoadWithError 永远不会被解雇。我想不通为什么。

//
//  RXBTest.h
#import <Foundation/Foundation.h>
@interface RXBTest : NSObject <UIWebViewDelegate>
@end

//  RXBTest.m
//  pageTest
#import "RXBTest.h"
@implementation RXBTest
- (id) init
{
     if((self=[super init])){
         UIWebView* webView = [[UIWebView alloc] initWithFrame:CGRectMake(0, 0, 320, 320)];
         [webView setDelegate:self];

         [webView loadRequest:[NSURLRequest requestWithURL:[NSURL URLWithString:@"http://www.google.com/"]]];
     }
     return self;
}   
- (void)webView:(UIWebView *)webView didFailLoadWithError:(NSError *)error{
     NSLog(@"ERROR LOADING WEBPAGE: %@", error);
}
- (void) webViewDidFinishLoad:(UIWebView*)webView
{
     NSLog(@"finished");
}
@end

有人有什么想法吗?

谢谢鲁迪

4

2 回答 2

5

如果您使用的是 ARC,那么问题在于您的webView变量是该init方法的本地变量,因此在 Web 视图完成加载之前就被释放了。尝试将 Web 视图添加为实例变量:

@interface RXBTest : NSObject <UIWebViewDelegate>
{
    UIWebView* webView;
}
@end

@implementation RXBTest
- (id) init
{
    if((self=[super init])){
        webView = [[UIWebView alloc] initWithFrame:CGRectMake(0, 0, 320, 320)];
        [webView setDelegate:self];

        [webView loadRequest:[NSURLRequest requestWithURL:[NSURL URLWithString:@"http://www.google.com/"]]];
    }
    return self;
}
- (void)webView:(UIWebView *)webView didFailLoadWithError:(NSError *)error{
    NSLog(@"ERROR LOADING WEBPAGE: %@", error);
}
- (void) webViewDidFinishLoad:(UIWebView*)webView
{
    NSLog(@"finished");
}
@end

如果你不使用 ARC,你需要记住webView在 dealloc 方法中释放你的对象。

于 2013-01-30T20:42:36.563 回答
2

你忘了在你的头文件(.h)中添加这个:

#import <UIKit/UIWebView.h>
于 2013-01-30T20:40:44.413 回答