web-dev-qa-db-ja.com

MessageDialog ShowAsyncは、2番目のダイアログでaccessdenied例外をスローします

Windows 8で再試行/キャンセルダイアログボックスを実装しようとしています。ダイアログボックスは最初は正常に表示されますが、再試行をクリックして再度失敗すると、ShowAsyncの呼び出し時にアクセス拒否の例外が発生します。理由はわかりませんが、奇妙なことにコードが正常に機能し、ブレークポイントを設定しても例外が発生しないことがあります。ここでは本当に無知

これがコードです。

    async void DismissedEventHandler(SplashScreen sender, object e)
    {
        dismissed = true;
        loadFeeds();
    }
    private async void loadFeeds()
    {
        await Dispatcher.RunAsync(CoreDispatcherPriority.Normal, async () =>
        {
            try
            {
                RSSDataSource rssDataSource = (RSSDataSource)App.Current.Resources["RSSDataSource"];
                if (rssDataSource != null)
                {
                    await rssDataSource.DownloadFeeds();
                    await rssDataSource.GetFeedsAsync();
                }

                AdDataSource ads = (AdDataSource)App.Current.Resources["AdDataSource"];

                if (ads != null)
                {
                    await ads.DownloadAds();
                }
                rootFrame.Navigate(typeof(HomePageView));

                Window.Current.Content = rootFrame;
            }
            catch
            {
                ShowError();
            }

        });
    }
    async void ShowError()
    {
        // There was likely a problem initializing
        MessageDialog msg = new MessageDialog(CONNECTION_ERROR_MESSAGE, CONNECTION_ERROR_TITLE);

        // Add buttons and set their command handlers
        msg.Commands.Add(new UICommand(COMMAND_LABEL_RETRY, new UICommandInvokedHandler(this.CommandInvokedHandler)));
        msg.Commands.Add(new UICommand(COMMAND_LABEL_CLOSE, new UICommandInvokedHandler(this.CommandInvokedHandler)));
        // Set the command to be invoked when a user presses 'ESC'
        msg.CancelCommandIndex = 0;

        await msg.ShowAsync();
    }

    /// <summary>
    /// Callback function for the invocation of the dialog commands
    /// </summary>
    /// <param name="command">The command that was invoked</param>
    private void CommandInvokedHandler(IUICommand command)
    {
        string buttonLabel = command.Label;
        if (buttonLabel.Equals(COMMAND_LABEL_RETRY))
        {
            loadFeeds();
        }
        else
        {
            // Close app
            Application.Current.Exit();
        }
    }
24
Syler

さて、私は迅速な解決策を見つけました、

iAsyncOperationクラス変数を定義する

IAsyncOperation<IUICommand> asyncCommand = null;

messageDialogのShowAsyncメソッドに設定します

asyncCommand = msg.ShowAsync();

再試行/再試行のコマンドハンドラーで、asyncCommandがnullでないかどうかを確認し、必要に応じて最後の操作をキャンセルします

if(asyncCommand != null)
{
   asyncCommand.Cancel();
}

これに対するより良いアプローチがあれば教えてください。

25
Syler

私はパーティーに遅れていますが、ダイアログボックスの結果をいつでも待つことができ、連続して多くの人に電話をかけることを心配する必要がない方法は次のとおりです。

まず、アプリケーションで静的変数とメソッドを定義します。

 private static IAsyncOperation<IUICommand> messageDialogCommand = null;
 public async static Task<bool> ShowDialog(MessageDialog dlg) {

    // Close the previous one out
    if (messageDialogCommand != null) {
       messageDialogCommand.Cancel();
       messageDialogCommand = null;
    }

    messageDialogCommand = dlg.ShowAsync();
    await messageDialogCommand;
    return true;
 }

これで、任意のダイアログボックスを渡して、常に実行を待つことができます。これが、これがvoidではなくboolを返す理由です。複数の衝突について心配する必要はありません。このメソッドに文字列を受け入れさせてみませんか?タイトル、および使用している特定のダイアログボックスに割り当てることができる[はい/いいえ]コマンドハンドラーのため。

次のように呼び出します。

await App.ShowDialog(new MessageDialog("FOO!"));

または

var dlg = new MessageDialog("FOO?", "BAR?");
dlg.Commands.Add(new UICommand("Yes", new UICommandInvokedHandler(YesHandler)));
dlg.Commands.Add(new UICommand("No", new UICommandInvokedHandler(NoHandler)));
await App.ShowDialog(dlg);
9
Paul

ここで役立つかもしれないMSDNフォーラムにこれに対する答えがあります。

http://social.msdn.Microsoft.com/Forums/en-US/winappswithhtml5/thread/c2f5ed68-aac7-42d3-bd59-dbf2673dd89b

同様の問題が発生していますが、showAsync呼び出しが別々のスレッドの別々の関数にあるため、done()をそこにドロップできないと思います...

3
Real World

私は数日前にこの同じ問題に直面していましたが、ShowAsyncを待ってから、MessageDialogを再度開く再帰呼び出しを行うことで問題を解決しました。

public async void ShowDlg(){
    Action cmdAction = null;
    var msgDlg = new MessageDialog("Content.", "Title");
    msgDlg.Commands.Add(new UICommand("Retry", (x) => {
    cmdAction = () => ShowDlg();
    }));
    msgDlg.Commands.Add(new UICommand("Cancel", (x) => {
    cmdAction = () => <Action associated with the cancel button>;
    }));
    msgDlg.DefaultCommandIndex = 0;
    msgDlg.CancelCommandIndex = 1;

    await msgDlg.ShowAsync();
    cmdAction.Invoke();
}

この助けを願っています!

別の解決策:

private bool _messageShowing = false;

// ...

if (!_messageShowing)
{
    _messageShowing = true;
    var messageDialog = new MessageDialog("Example");

    // ... "messageDialog" initialization

    Task<IUICommand> showMessageTask =  messageDialog.ShowAsync().AsTask();
    await showMessageTask.ContinueWith((showAsyncResult) =>
        {
            _messageShowing = false;
        });
}
1
Tonatio