1

我正在制作一个网络浏览器。创建了一个 URL 文本栏和一个 WebView。但我一直想知道如何制作一个进度/加载栏,告诉用户网页加载了多少,我该怎么做?

我检查了 Apple 的 WebKit Development Guide,但没有解释任何关于加载栏的内容。

4

2 回答 2

1

这是一个有效的实现,假设您有一个@property用于 Web 的视图、一个 URL 文本字段和一个进度指示器。

您的控制器需要成为资源委托和策略委托:

- (void)awakeFromNib
{
  self.webView.resourceLoadDelegate = self;
  self.webView.policyDelegate = self;
}

确保 URL 字段与页面具有相同的 URL。我们稍后使用它进行跟踪。

- (void)webView:(WebView *)webView decidePolicyForNavigationAction:(NSDictionary *)actionInformation request:(NSURLRequest *)request frame:(WebFrame *)frame decisionListener:(id<WebPolicyDecisionListener>)listener
{
  self.urlField.stringValue = request.URL.absoluteString;

  [listener use];
}

检测页面何时开始加载。

- (id)webView:(WebView *)sender identifierForInitialRequest:(NSURLRequest *)request fromDataSource:(WebDataSource *)dataSource
{
  if ([request.URL.absoluteString isEqualToString:self.urlField.stringValue]) {
    [self.loadProgress setIndeterminate:YES];
    [self.loadProgress startAnimation:self];
  }
  return [[NSUUID alloc] init];
}

这将在新数据进入时被调用。注意“长度”参数是在这块数据中接收到的长度量。您需要使用 dataSource 来查找到目前为止收到的实际金额。另请注意,大多数 Web 服务器(如几乎所有动态网页)都不会返回内容长度标头,因此您必须大胆猜测。

- (void)webView:(WebView *)sender resource:(id)identifier didReceiveContentLength:(NSInteger)length fromDataSource:(WebDataSource *)dataSource
{
  // ignore requests other than the main one
  if (![dataSource.request.URL.absoluteString isEqualToString:self.urlField.stringValue])
    return;

  // calculate max progress bar value
  if (dataSource.response.expectedContentLength == -1) {
    self.loadProgress.maxValue = 80000; // server did not send "content-length" response. Pages are often about this size... better to guess the length than show no progres bar at all.
  } else {
    self.loadProgress.maxValue = dataSource.response.expectedContentLength;
  }
  [self.loadProgress setIndeterminate:NO];

  // set current progress bar value
  self.loadProgress.doubleValue = dataSource.data.length;
}

当请求完成加载时调用此委托方法:

- (void)webView:(WebView *)sender resource:(id)identifier didFinishLoadingFromDataSource:(WebDataSource *)dataSource
{
  // ignore requests other than the main one
  if (![dataSource.request.URL.absoluteString isEqualToString:self.urlField.stringValue])
    return;

  [self.loadProgress stopAnimation:self];
}
于 2014-03-31T23:42:13.883 回答
0

Apple 提供了一个示例,说明如何在资源加载到此页面时对其进行跟踪。

https://developer.apple.com/library/mac/#documentation/Cocoa/Conceptual/DisplayWebContent/Tasks/ResourceLoading.html#//apple_ref/doc/uid/20002028-CJBEHAAG

您可以使用数字来设置进度条,而不是打印出多少资源中的多少。

顺便说一句:这个计数似乎是判断给定页面/URL是否真的完成加载的唯一方法。

于 2012-08-22T16:43:03.917 回答