Get ReadyState from WebBrowser control without DoEvents

前端 未结 3 2075
天命终不由人
天命终不由人 2020-11-30 10:29

This has been awnsered many times here and at other sites and its working, but I would like ideas to other ways to:

get the ReadyState = Complete after using a navig

3条回答
  •  孤街浪徒
    2020-11-30 11:32

    Here is a "quick & dirty" solution. It's not 100% foolproof but it doesn't block UI thread and it should be satisfactory to prototype WebBrowser control Automation procedures:

        private async void testButton_Click(object sender, EventArgs e)
        {
            await Task.Factory.StartNew(
                () =>
                {
                    stepTheWeb(() => wb.Navigate("www.yahoo.com"));
                    stepTheWeb(() => wb.Navigate("www.microsoft.com"));
                    stepTheWeb(() => wb.Navigate("asp.net"));
                    stepTheWeb(() => wb.Document.InvokeScript("eval", new[] { "$('p').css('background-color','yellow')" }));
                    bool testFlag = false;
                    stepTheWeb(() => testFlag = wb.DocumentText.Contains("Get Started"));
                    if (testFlag) {    /* TODO */ }
                    // ... 
                }
            );
        }
    
        private void stepTheWeb(Action task)
        {
            this.Invoke(new Action(task));
    
            WebBrowserReadyState rs = WebBrowserReadyState.Interactive;
            while (rs != WebBrowserReadyState.Complete)
            {
                this.Invoke(new Action(() => rs = wb.ReadyState));
                System.Threading.Thread.Sleep(300);
            }
       }
    

    Here is a bit more generic version of testButton_Click method:

        private async void testButton_Click(object sender, EventArgs e)
        {
            var actions = new List()
                {
                    () => wb.Navigate("www.yahoo.com"),
                    () => wb.Navigate("www.microsoft.com"),
                    () => wb.Navigate("asp.net"),
                    () => wb.Document.InvokeScript("eval", new[] { "$('p').css('background-color','yellow')" }),
                    () => {
                             bool testFlag = false;
                             testFlag  = wb.DocumentText.Contains("Get Started"); 
                             if (testFlag)  {   /*  TODO */  }
                           }
                    //... 
                };
    
            await Task.Factory.StartNew(() => actions.ForEach((x)=> stepTheWeb (x)));  
        }
    

    [Update]

    I have adapted my "quick & dirty" sample by borrowing and sligthly refactoring @Noseratio's NavigateAsync method from this topic. New code version would automate/execute asynchronously in UI thread context not only navigation operations but also Javascript/AJAX calls - any "lamdas"/one automation step task implementation methods.

    All and every code reviews/comments are very welcome. Especially, from @Noseratio. Together, we will make this world better ;)

        public enum ActionTypeEnumeration
        {
            Navigation = 1,
            Javascript = 2,
            UIThreadDependent = 3,
            UNDEFINED = 99
        }
    
        public class ActionDescriptor
        {
            public Action Action { get; set; }
            public ActionTypeEnumeration ActionType { get; set; }
        }
    
        /// 
        /// Executes a set of WebBrowser control's Automation actions
        /// 
        /// 
        ///  Test form shoudl ahve the following controls:
        ///    webBrowser1 - WebBrowser,
        ///    testbutton - Button,
        ///    testCheckBox - CheckBox,
        ///    totalHtmlLengthTextBox - TextBox
        ///  
        private async void testButton_Click(object sender, EventArgs e)
        {
            try
            {
                var cts = new CancellationTokenSource(60000);
    
                var actions = new List()
                {
                    new ActionDescriptor() { Action = ()=>  wb.Navigate("www.yahoo.com"), ActionType = ActionTypeEnumeration.Navigation}  ,
                    new ActionDescriptor() { Action = () => wb.Navigate("www.microsoft.com"), ActionType = ActionTypeEnumeration.Navigation}  ,
                    new ActionDescriptor() { Action = () => wb.Navigate("asp.net"), ActionType = ActionTypeEnumeration.Navigation}  ,
                    new ActionDescriptor() { Action = () => wb.Document.InvokeScript("eval", new[] { "$('p').css('background-color','yellow')" }), ActionType = ActionTypeEnumeration.Javascript}, 
                    new ActionDescriptor() { Action =
                    () => {
                             testCheckBox.Checked = wb.DocumentText.Contains("Get Started"); 
                           },
                           ActionType = ActionTypeEnumeration.UIThreadDependent} 
                    //... 
                };
    
                foreach (var action in actions)
                {
                   string html = await ExecuteWebBrowserAutomationAction(cts.Token, action.Action, action.ActionType);
                   // count HTML web page stats - just for fun
                   int totalLength = 0;
                   Int32.TryParse(totalHtmlLengthTextBox.Text, out totalLength);
                   totalLength += !string.IsNullOrWhiteSpace(html) ? html.Length : 0;
                   totalHtmlLengthTextBox.Text = totalLength.ToString();   
                }
            }
            catch (Exception ex)
            {
                MessageBox.Show(ex.Message, "Error");   
            }
        }
    
        // asynchronous WebBroswer control Automation
        async Task ExecuteWebBrowserAutomationAction(
                                CancellationToken ct, 
                                Action runWebBrowserAutomationAction, 
                                ActionTypeEnumeration actionType = ActionTypeEnumeration.UNDEFINED)
        {
            var onloadTcs = new TaskCompletionSource();
            EventHandler onloadEventHandler = null;
    
            WebBrowserDocumentCompletedEventHandler documentCompletedHandler = delegate
            {
                // DocumentCompleted may be called several times for the same page,
                // if the page has frames
                if (onloadEventHandler != null)
                    return;
    
                // so, observe DOM onload event to make sure the document is fully loaded
                onloadEventHandler = (s, e) =>
                    onloadTcs.TrySetResult(true);
                this.wb.Document.Window.AttachEventHandler("onload", onloadEventHandler);
            };
    
    
            this.wb.DocumentCompleted += documentCompletedHandler;
            try
            {
                using (ct.Register(() => onloadTcs.TrySetCanceled(), useSynchronizationContext: true))
                {
                    runWebBrowserAutomationAction();
    
                    if (actionType == ActionTypeEnumeration.Navigation)
                    {
                        // wait for DOM onload event, throw if cancelled
                        await onloadTcs.Task;
                    }
                }
            }
            finally
            {
                this.wb.DocumentCompleted -= documentCompletedHandler;
                if (onloadEventHandler != null)
                    this.wb.Document.Window.DetachEventHandler("onload", onloadEventHandler);
            }
    
            // the page has fully loaded by now
    
            // optional: let the page run its dynamic AJAX code,
            // we might add another timeout for this loop
            do { await Task.Delay(500, ct); }
            while (this.wb.IsBusy);
    
            // return the page's HTML content
            return this.wb.Document.GetElementsByTagName("html")[0].OuterHtml;
        }
    

提交回复
热议问题