Javascript.RU

Создать новую тему Ответ
 
Опции темы Искать в теме
  #1 (permalink)  
Старый 04.07.2015, 02:18
Аспирант
Отправить личное сообщение для Galyanov Посмотреть профиль Найти все сообщения от Galyanov
 
Регистрация: 23.01.2011
Сообщений: 47

Автоматическое открытие модального окна через несколько секунд
Здравствуйте!
Есть модальное окно с формой, которое открывается по нажатии на ссылку:
<a href="#" class="demo-1">Заказать звонок</a>

<div id="modal-1" class="modal">
    форма
</div>

<script>
$('.demo-1').click(function(e){
  e.preventDefault();
 $('#modal-1').modal({title:'Обратный звонок',effect:'flip-vertical'});
 
});
</script>


Можно ли как то дописать, чтобы форма открывалась еще и через 5 секунд?

Пробовал так. но не сработало:
$(document).ready(function() {
 setTimeout(function(){$("#modal-1").slideTo();},3000);


Кстати есть еще сам скрипт, вот код, может там надо добавить какую-то функцию?

/**
 * Shows a element as a modal dialog
 * 
 * Usage: $('#selector').modal({settings:value});
 *
 * Options:
 * - closeButton string          Css selector to be used to close the dialog. Defaults to '.close'
 * - escClose    boolean         Whether the dialog should be closed when pressing the ESC key. Defaults to true.
 * - onCloseFn   function        Callback function when the dialog has been closed
 * - onOpenFn    function        Callback function when the dialog has been opened
 * - modal       boolean         Whether or not this is a modal dialog. Defaults to true.
 * - effect      string          The effect to use when opening a modal: scale, slide-right, slide-right, slide-bottom, newspaper, fall, slide-fall, sticky-top, flip-horizontal, flip-vertical, sign, super-scaled, just-me, slit
 * - title       string          The title of the dialog. Defaults to an empty string
 * - callback    function        Callback function when the options.doneButton has been clicked. Form fields will be supplied as data argument, as well as the modal itself. Callback returns true when the modal should be closed, null or false when it shoudl stay open.
 */
$.fn.modal = function(options) {
    var defaults = {
      closeButton : '.close,.cancel',
      escClose    : true,
      onCloseFn   : null,
      onOpenFn    : null,
      modal       : true,
      immutable   : false,
      effect      : null,
      title       : '',
      callback    : null,
      doneButton  : '.done,.ok'
    };
    options = $.extend(defaults, options);

    return this.each(function() {
      var o = options,
      modal = o.immutable ? $(this) : decorate($(this), o);
      o.id = createGUID(); // GUID for identifying modal & event handlers
    
      // immutable
      if (o.immutable){
       $(this).addClass("immutable"); 
      }

      // show overlay
      if ( $('.modal-overlay').length < 1){
        modal.parent().append($("<div class='modal-overlay'></div>"));
      }

      // add close event handler to overlay
      $(".modal-overlay").click(function(e) {
        e.preventDefault();
        closeModal(modal, o);
      });

      // add close event handler to close buttons
      $(o.closeButton).click(function(e) {
        e.preventDefault();
        closeModal(modal, o)
      });
      
      if (o.escClose){
        // add close event handler to ESC key. Event is namespaced, so we can remove it after we've closed the modal
        $(window).on('keydown.'+o.id, function(event) {
            if (event.which === 27){
                closeModal(modal, o);
            }
        });
      };

      $(o.doneButton, modal).on('click.callback', function(e){
        e.preventDefault();
        if (typeof o.callback === "function"){
          var data = {};
          $(":input", modal ).each(function(i, element){
            data[$(element).attr('name')] = $(element).val();
          });
          var result = o.callback( data, modal );
          if (result === true){
            closeModal(modal, o);
          }
        }
      });

      if (typeof o.effect === 'string'){
        modal.addClass(o.effect, modal);
      }

      // start with a delay to allow the effect to kick in
      setTimeout(function(){modal.addClass('modal-show');}, 150);
      
      // initialize
      if (typeof o.onOpenFn === 'function'){
        o.onOpenFn(modal);
      }

		setTimeout(function(){$("#modal-1").slideTo();},3000);
    });

    /**
     * Decorate the modal provided. When only supplying the modal body, decorate it with additional modal elements (content, head, titile, close button)
     *
     * @param jquery the modal element
     * @param object options the modal options
     */
    function decorate(modal, options){
      if (modal.find('.body').length === 0){
        var body =  $('<div class="body"></div>'), footer, content;

        modal.children().each(function(i,e){
          if ($(e).is(".footer")){
            footer = $(e);
          }else{
            body.append(e);
          }
        });

        content = $('<div class="content"></div>');
        content.append(
            '<div class="head">\
               <h4 class="title"></h4>\
               <a class="close" href="#">&times;</a>\
             </div>');
        content.append(body);
        content.append(footer);
        modal.append(content);

        // add the title from options
        content.find('.title').html(options.title);
      }
      return modal;
    }

    function createGUID(){
        return 'xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx'.replace(/[xy]/g, function(c) {
            var r = Math.random()*16|0, v = c === 'x' ? r : (r&0x3|0x8);
            return v.toString(16);
        });
      }
    
    /*
     * Close the model
     */
    function closeModal(modal, options) {
      modal.removeClass('modal-show');

      // clean up effect
      if (typeof options.effect === 'string'){
        setTimeout(function(){
          modal.removeClass(options.effect);
        }, 500);
      }

      if (typeof options.onCloseFn === 'function'){
        options.onCloseFn(modal);
      }
      
      // immutable
      if (options.immutable){
       $(modal).removeClass("immutable"); 
      }

      // remove event handlers
      $(window).off('keydown.'+options.id);

      if (typeof options.callback === "function"){
        $(options.doneButton, modal).off('click.callback');
      }
    }

  }
Ответить с цитированием
  #2 (permalink)  
Старый 04.07.2015, 03:15
Профессор
Отправить личное сообщение для Decode Посмотреть профиль Найти все сообщения от Decode
 
Регистрация: 31.01.2015
Сообщений: 576

Цитата:
Можно ли как то дописать, чтобы форма открывалась еще и через 5 секунд?
В смысле, чтобы через 5 секунд после загрузки страницы открывалась?

setTimeout(function() {
      $('#modal-1').modal({title:'Обратный звонок',effect:'flip-vertical'});
}, 5000);
Ответить с цитированием
  #3 (permalink)  
Старый 04.07.2015, 14:26
Аспирант
Отправить личное сообщение для Galyanov Посмотреть профиль Найти все сообщения от Galyanov
 
Регистрация: 23.01.2011
Сообщений: 47

Огромное спасибо тебе дружище!
Сам я не допер с этой функцией
Ответить с цитированием
Ответ



Опции темы Искать в теме
Искать в теме:

Расширенный поиск


Похожие темы
Тема Автор Раздел Ответов Последнее сообщение
Внешняя ссылка на страницу которая находится в IFRAME Модального окна плагина jQuery Андррр jQuery 0 07.12.2011 15:13
Плавное открытие окна. Flashton Элементы интерфейса 3 20.10.2010 16:00
Открытие фоток через hover, по возможности авторолл самой галереи vito Элементы интерфейса 1 27.02.2010 16:04
переход по ссылке через N секунд jerryfish Events/DOM/Window 4 23.02.2010 17:05
открытие окно через кнопку DENAT Элементы интерфейса 3 07.06.2008 16:15