c# – 在visual studio中调试时激活自定义新窗口

在下面的代码中,如果有未设置的内容,我会显示有关我的应用程序的信息

(…在其中一个类或方法中)正确弹出一个窗口,显示当前消息,告知缺少的内容.

只有一个问题,我想知道是否以及如何做到这一点,应用程序在调试时被冻结,所以我无法移动窗口或点击它的控件,

有没有你认为我可以应用的解决方法?

void SomeMainThreadMethod()
{
    new System.Threading.Thread(() => ProcessSomeLongRunningTask()).Start();
}
//then from another helper class
void ProcessSomeLongRunningTask()
{
    Application.Current.Dispatcher.Invoke(new Action(() =>CustomW.MsgBoxShow(" Title ", "Msg")), System.Windows.Threading.DispatcherPriority.Normal);
}

最佳答案 这里的问题是你正在主调度程序线程上处理你的消息框,你知道这默认为一个对话框,并从主应用程序窗口窃取焦点.

因此,您可以尝试在您创建的新线程中执行消息框,或者您可以使用与消息框相同的功能创建自己的自定义用户控件,但它不会继承该工具行为.

您仍然可以从您创建的辅助线程运行它,但请记住将与主调度程序所作对象交互的任何内容包装为委托操作

       public void LongProcess()
       {
            Thread t = new Thread(new ThreadStart(
            delegate
               {

                //Complex code goes here

               this.Dispatcher.Invoke((Action)(() =>
               {

                  //Any requests for controls or variables that you need
                  //from the main application running on the main dispatcher
                  //goes here

               }));


                //Finally once you've got the information to return to
                //your user call a message box here and populate the 
                //message accordingly.

                MessageBox.Show("", "");

                //If a message box fails or isn't good enough
                //create your own user control and call it here like:

                usrConMessage msg = new usrConMessage();
                msg.strTitle = "Whatever";
                msg.strContent = "Whatever";
                msg.show(); //Not a dialog so doesn't steal focus

                //That is normally how I would go about providing a
                //unique and polished user experience.

               }
             ));
            t.Start();
      }
点赞