0

我正在使用 Xamarin 编写一个 Android 应用程序,在该应用程序中,我有一个 webview 需要在创建应用程序时加载,在它完全加载后,我在 HTML 页面中调用一些 javascript 来设置图形。

我正在尝试使用自定义WebChromeClient来覆盖该OnProgressChanged方法,当它完全加载时,它会在我的MainActivity.

这是MainActivity代码:

using System;
using System.Text;
using System.Timers;
using System.Collections;
using Android.App;
using Android.Content;
using Android.Runtime;
using Android.Views;
using Android.Widget;
using Android.OS;
using Android.Text;
using Android.Text.Style;
using Android.Webkit;

public class MainActivity : Activity
{
     WebView graph;

     protected override void OnCreate (Bundle bundle)
     {
          base.OnCreate (bundle);
          SetContentView (Resource.Layout.Main);

          graph = FindViewById<WebView>(Resource.Id.webGraph);

          //Initializes the WebView
          graph.SetWebChromeClient(new myWebChromeClient()); 
          graph.Settings.JavaScriptEnabled = true;
          graph.LoadUrl("file:///android_asset/graph.html");

我创建的myWebChromeClient类如下所示:

class myWebChromeClient : WebChromeClient
{
     public override void OnProgressChanged(WebView view, int newProgress)
     {
          base.OnProgressChanged(view, newProgress);

          if (newProgress == 100) {MainActivity.setUpGraph();}
     }
}

位于myWebChromeClient中,但即使它是公共方法MainActivity,我也无法访问该方法。setUpGraph

任何帮助将不胜感激!

4

1 回答 1

1

在 myWebChromeClient 类中接受并存储 MainActivity 类型的引用。只有这样才能调用 MainActivity 中的 setUpGraph() 函数。

编辑

myWebChromeClient 类:

class myWebChromeClient : WebChromeClient
{
     public MainActivity activity;
     public override void OnProgressChanged(WebView view, int newProgress)
     {
          base.OnProgressChanged(view, newProgress);

          if (newProgress == 100) { activity.setUpGraph(); }
     }
}

和活动:

    public class MainActivity : Activity
    {
         WebView graph;

         protected override void OnCreate (Bundle bundle)
         {
              base.OnCreate (bundle);
          SetContentView (Resource.Layout.Main);

          graph = FindViewById<WebView>(Resource.Id.webGraph);

          //Initializes the WebView
          myWebChromeClient client = new myWebChromeClient(); 
          client.activity = this;
          graph.SetWebChromeClient(client); 
          graph.Settings.JavaScriptEnabled = true;
          graph.LoadUrl("file:///android_asset/graph.html");

为了简单起见,我在客户端添加了一个公共变量,请不要在生产中使用相同的变量。在构造函数中传递引用或使用 get-set。

于 2015-06-15T19:29:31.873 回答