Окно подтверждения Jquery - PullRequest
7 голосов
/ 30 января 2009

Я пытаюсь создать универсальное окно подтверждения, которое может быть легко использовано несколькими виджетами, но у меня возникли проблемы с областью видимости, и я надеялся на более ясный способ сделать то, что я пытаюсь сделать.

В настоящее время у меня есть следующее -

(function() {

    var global = this;
    global.confirmationBox = function() {
    config = {
        container: '<div>',
        message:''
    }
    return {
        config: config,
        render: function(caller) {
            var jqContainer = $(config.container);
            jqContainer.append(config.message);
            jqContainer.dialog({
                buttons: {
                    'Confirm': caller.confirm_action,
                     Cancel: caller.cancel_action
                }
            });
        }
    }
} //end confirmationBox
global.testWidget = function() {
    return {
        create_message: function(msg) {
            var msg = confirmationBox();
            msg.message = msg;
            msg.render(this);
        },
        confirm_action: function() {
            //Do approved actions here and close the confirmation box
            //Currently not sure how to get the confirmation box at
            //this point
        },
        cancel_action: function() {
            //Close the confirmation box and register that action was 
            //cancelled with the widget. Like above, not sure how to get
            //the confirmation box  back to close it
        }
    }
}//end testWidget
})();
//Create the widget and pop up a test message
var widget = testWidget();
widget.create_message('You need to confirm this action to continue');

В настоящее время я просто пытаюсь сделать что-то столь же простое, как закрыть окно внутри виджета, но я думаю, что я обернул свой собственный мозг кругами, чтобы понять, что знает, что. Кто-нибудь хочет помочь очистить мой растерянный мозг?

Ура, Sam

Полученный код:

Я подумал, что людям, которые находят эту ветку в более поздние дни, может быть полезно найти решение аналогичной проблемы, чтобы увидеть код, полученный в результате полезных ответов, которые я получил здесь.

Как оказалось, в конце концов все было довольно просто (как и большинство разочаровывающих запутанных мыслей).

 /**
 * Confirmation boxes are used to confirm a request by a user such as
 * wanting to delete an item
 */
 global.confirmationBox = function() {
    self = this;
    config = {
        container: '<div>',
        message: '', 
    }
    return {
        set_config:config,
        render_message: function(caller) {
            var jqContainer = $(config.container);
            jqContainer.attr('id', 'confirmation-dialog');
            jqContainer.append(config.message);
            jqContainer.dialog({
               buttons: {
                   'Confirm': function() {
                       caller.confirm_action(this);
                    },
                   Cancel: function() {
                       caller.cancel_action(this);
                   }
               }
           });
        }
    }
 } // end confirmationBox

 global.testWidget = function() {
    return {
        create_message: function(msg) {
            var msg = confirmationBox();
            msg.message = msg;
            msg.render(this);
        },
        confirm_action: function(box) {
            alert('Success');
            $(box).dialog('close'); 
        },
        cancel_action: function(box) {
            alert('Cancelled');
            $(box).dialog('close'); 
        }
    }
}//end testWidget

Ответы [ 2 ]

4 голосов
/ 31 января 2009

Вы можете передать jqContainer в функции подтверждения / отмены.

Альтернативно, назначьте jqContainer как свойство вызывающей стороны. Так как функции подтверждения / отмены называются методами вызывающей стороны, они будут иметь к ней доступ через this. Но это ограничивает вас отслеживанием одного диалога на виджет.

0 голосов
/ 30 января 2009

Попробуйте что-то вроде этого:

(function() {

    var global = this;
    /*****************This is new****************/
    var jqContainer;


    global.confirmationBox = function() {
    config = {
        container: '<div>',
        message:''
    }
    return {
        config: config,
        render: function(caller) { 

            // store the container in the outer objects scope instead!!!!
            jqContainer = $(config.container);

            jqContainer.append(config.message);
            jqContainer.dialog({
                buttons: {
                    'Confirm': caller.confirm_action,
                     Cancel: caller.cancel_action
                }
            });
        }
    }
} //end confirmationBox
global.testWidget = function() {
    return {
        create_message: function(msg) {
            var msg = confirmationBox();
            msg.message = msg;
            msg.render(this);
        },
        confirm_action: function() {
            //Do approved actions here and close the confirmation box
            //Currently not sure how to get the confirmation box at this point

            /*******Hopefully, you would have access to jqContainer here now *****/

        },
        cancel_action: function() {
            //Close the confirmation box and register that action was 
            //cancelled with the widget. Like above, not sure how to get
            //the confirmation box  back to close it
        }
    }
}//end testWidget
})();
//Create the widget and pop up a test message
var widget = testWidget();
widget.create_message('You need to confirm this action to continue');

Если это не сработает, попробуйте определить ваши обратные вызовы (verify_action, cancel_action) как личные члены вашего объекта. Но они должны иметь доступ к внешнему объему вашего основного объекта.

...