0

确认框只有两个选项:确定和取消。

我想自己做一个,所以我可以添加第三个按钮:保存并继续。但是我目前不知道如何解决的问题是:一旦自定义确认对话框启动,我如何阻止以前运行的脚本(或导航)运行?然后如何使按钮返回值以进行确认?

我对确认对话框的理解是:它是一个可视布尔值,具有阻止页面上的导航和脚本的能力。那么,我该如何模仿呢?

4

2 回答 2

3

如果你想要一个可靠的、经过验证的解决方案......使用 jQuery......它可以在每个浏览器上运行,而不必担心糟糕的 IE 等。http://jqueryui.com/demos/dialog/

于 2012-06-26T14:28:41.110 回答
2

在 javascript 中,您不会在等待用户操作时停止:您设置了一个回调(一个函数),您的对话框将在关闭时调用该回调(一个函数)。

这是一个小型对话框库的示例,您可以在其中看到如何传递回调。

dialog = {};

dialog.close = function() {
    if (dialog.$div) dialog.$div.remove();
    dialog.$div = null;
};

// args.title
// args.text
// args.style : "", "error"  (optionnel)
// args.buttons : optional : map[label]->function the callback is called just after dialog closing
// args.doAfter : optional : a callback called after dialog closing
dialog.open = function(args) {
    args = args || {};
    if (this.$div) {
        console.log("one dialog at a time");
        return;
    }
    var html = '';
    html += '<div id=dialog';
    if (args.style) html += ' '+args.style;
    html += '><div id=dialog-title>'; 
    html += '</div>';
    html += '<div id=dialog-content>';
    html += '</div>';
    html += '<div id=dialog-buttons>';
    html += '</div>';
    html += '</div>';
    this.$div=$(html);
    this.$div.prependTo('body');
    $('#dialog-title').html(args.title);
    $('#dialog-content').html(args.text);
    var buttons = args.buttons || {'Close': function(){return true}};
    for (var n in buttons) {
        var $btn = $('<input type=button value="'+n+'">');
        $btn.data('fun', buttons[n]);
        $btn.click(function(){
            if ($(this).data('fun')()) {
                dialog.close();
                if (args.doAfter) args.doAfter();
            }
        });
        $btn.appendTo($('#dialog-buttons'));
    }
    this.$div.show('fast');
    shortcuts.on('dialog', {
        27: function(){ // 27 : escape
            dialog.close();
        }
    }); 
}

两个通话样本:

dialog.open({
    title: 'ccccc Protection Error',
    text: 'There was an error related to cccc Protection. Please consult <a href=../cccc.jsp>this page</a>.',
    style: 'error'
});

var ok = false;
dialog.open({
        title: sometitle,
        text: someHtmlWithInputs,
        buttons: {
            'OK': function() {
                if (// inputs are valid) ok = true;
                return true;
            },
            'Cancel': function() {
                return true;
            }
        },
        doAfter: function() {
            if (ok) {
                if (newvg) {
                    cccmanager.add(vg);
                } else {
                    cccmanager.store();
                }
                if (doAfter) doAfter();
            } 
        }
    });

正如其他人所指定的,如果您只想制作一个对话框,您可能不需要自己的库。

于 2012-06-26T14:34:40.307 回答