Git Product home page Git Product logo

bootstrap-tourist's Introduction

Bootstrap Tourist NPM Version

Quick and easy way to build your product tours with Bootstrap Popovers for Bootstrap 3 and 4.

About Bootstrap Tourist

Bootstrap Tourist (called "Tourist" from here) is a fork of Bootstrap Tour, a plugin to create product tours.

The original Bootstrap Tour was written in coffeescript, and had a number of open feature and bug fix requests in the github repo. Bootstrap Tourist is an in-progress effort to move Bootstrap Tour to native ES6, fix some issues and add some requested features. You can read more about why Bootstrap Tourist exists, and why it's not a github fork anymore, here: sorich87/bootstrap-tour#713

Tourist works with Bootstrap 3.4 and 4.3 (specify "framework" option), however the "standalone" non-Bootstrap version is not available

Minimum Bootstrap / jQuery requirements

There are some bugs in earlier BS3 and BS4, and jquery versions, that cause problems with Tourist. Please use minimum Bootstrap 3.4.x or 4.3.x, jquery 3.3.1 to avoid. Earlier versions may work, but try for yourself.

Getting started with Bootstrap Tourist

If you are new to Bootstrap Tourist, and don't have Bootstrap Tour working, it's as simple as doing the following:

  1. Simply include bootstrap-tourist.js and bootstrap-tourist.css into your page:
    <link href="bootstrap-tourist.css" rel="stylesheet">
    
    ...
    
    <script src="bootstrap-tourist.js"></script>
  2. Next, set up and start your tour with some steps:
    var tour = new Tour({
        framework: 'bootstrap3',   // or "bootstrap4" depending on your version of bootstrap
        steps: [
            {
                element: '#my-element',
                title: 'Title of my step',
                content: 'Content of my step'
            },
            {
                element: '#my-other-element',
                title: 'Title of my step',
                content: 'Content of my step'
            }
        ]
    });
    
    // Start the tour - note, no call to .init() is required
    tour.start();

NOTE: A minified version is not provided because the entire purpose of this repo is to enable fixes, features and native port to ES6. If you are uncomfortable with this, please use the original Bootstrap Tour!

Switching from Tour to Tourist

If you already have a working tour using Bootstrap Tour, and you want to move to Tourist (because it has some fixes etc), perform the following steps:

  1. Copy over the Tourist CSS and JS, include them instead of Bootstrap Tour
    • If you are using Bootstrap 4, add the framework: 'bootstrap4' option to your initialization code.
    • Example:
      const tour = new Tour({
          name: 'tourist',
          steps: [...steps go here...],
          debug: true,               // you may wish to turn on debug for the first run through
          framework: 'bootstrap4',   // set Tourist to use BS4 compatibility
      });
  2. Remove the call to tour.init() - this is not required
  3. Add a call to tour.start() to start the tour, and optionally add a call to tour.restart() to force restart the tour

Basic Demo and Documentation

Tourist now has documentation included in the repo under the /docs/ folder. Take a look!

  1. Control flow from onNext() / onPrevious() options:
    • Returning false from onNext/onPrevious handler will prevent Tour from automatically moving to the next/previous step.
    • Tour flow methods (Tour.goTo etc) now also work correctly in onNext/onPrevious.
    • Option is available per step or globally:
    var tourSteps = [
        {
            element: "#inputBanana",
            title: "Bananas!",
            content: "Bananas are yellow, except when they're not",
            onNext: function (tour) {
                if ($("#inputBanana").val() !== "banana") {
    
                    // no banana? highlight the banana field
                    $("#inputBanana").css("background-color", "red");
    
                    // do not jump to the next tour step!
                    return false;
                }
            }
        }
    ];
    
    var tour = new Tour({
        steps: tourSteps,
        framework: "bootstrap3",   // or "bootstrap4" depending on your version of bootstrap
        buttonTexts: {             // customize or localize button texts
            nextButton: "go on",
            endTourButton: "ok it's over",
        },
        onNext: function(tour) {
            if (someVar = true) {
                // force the tour to jump to slide 3
                tour.goTo(3);
                // Prevent default move to next step - important!
                return false;
            }
        }
    });
  2. Do not call tour.init():
    • When setting up Tour, do not call tour.init(). Call tour.start() to start/resume the Tour from previous step. Call tour.restart() to always start Tour from the first step tour.init() was a redundant method that caused conflict with hidden Tour elements.
    • As of Tourist v0.11, calling tour.init() will generate a warning in the console (thanks to @pau1phi11ips).
  3. Dynamically determine element by function:
    • Step "element:" option allows element to be determined programmatically. Return a jquery object. The following is possible:
      var tourSteps = [
          {
              element: function () {
                  return $(document).find(".something");
              },
              title: "Dynamic",
              content: "Element found by function"
          },
          {
              element: "#static",
              title: "Static",
              content: "Element found by static ID"
          }
      ];
  4. Only continue tour when reflex element is clicked:
    • Use step option reflexOnly in conjunction with step option reflex to automagically hide the "next" button in the tour, and only continue when the user clicks the element:
      var tourSteps = [
          {
              element: "#myButton",
              reflex: true,
              reflexOnly: true,
              title: "Click it",
              content: "Click to continue, or you're stuck"
          }
      ];
  5. Call function when element is missing:
    • If the element specified in the step (static or dynamically determined as per feature #3), onElementUnavailable is called.
    • Function signature: function(tour, stepNumber) {}
    • Option is available at global and per step levels:
      • Use it per step to have a step-specific error handler:
        function tourStepBroken(tour, stepNumber) {
            alert("Uhoh, the tour broke on the #btnMagic element");
        }
        
        var tourSteps = [
            {
                element: "#btnMagic",
                onElementUnavailable: tourStepBroken,
                title: "Hold my beer",
                content: "now watch this"
            }
        ];
      • Use it globally, and optionally override per step, to have a robust and comprehensive error handler:
        function tourBroken(tour, stepNumber) {
            alert('The default error handler: tour element is done broke on step number ' + stepNumber);
        }
        
        var tourSteps = [
            {
                element: "#btnThis",
                // onElementUnavailable: COMMENTED OUT, therefore default global handler used
                title: "Some button",
                content: "Some content"
            },
            {
                element: "#btnThat",
                onElementUnavailable: function (tour, stepNumber) {
                    // override the default global handler for this step only
                    alert("The tour broke on #btnThat step");
                },
                title: "Another button",
                content: "More content"
            }
        ];
        
        var tour = new Tour({
            steps: tourSteps,
            framework: "bootstrap3",    // or "bootstrap4" depending on your version of bootstrap
            onElementUnavailable: tourBroken, // default "element unavailable" handler for all tour steps
        });
  6. Scroll flicker / continue reload fixed:
    • Original Tour constantly reloaded the current tour step on scroll & similar events. This produced flickering, constant reloads and therefore constant calls to all the step function calls. This is now fixed. Scrolling the browser window does not cause the tour step to reload.
    • IMPORTANT: orphan steps are stuck to the center of the screen. However steps linked to elements ALWAYS stay stuck to their element, even if user scrolls the element & tour popover off the screen. This is my personal preference, as original functionality of tour step moving with the scroll even when the element was off the viewport seemed strange.
  7. Customizable progress bar & text
    1. Progress bar & progress text:
      • With thanks to [@macroscian](](https://github.com/macroscian), [@thenewbeat](](https://github.com/thenewbeat) for fixes to this code, incorporated in Tourist v0.12
      • Use the following options globally or per step to show tour progress:
        • showProgressBar: shows a bootstrap progress bar for tour progress at the top of the tour content
        • showProgressText: shows a textual progress (N/X, i.e.: 1/24 for slide 1 of 24) in the tour title
      • example:
        var tourSteps = [
            {
                element: "#inputBanana",
                title: "Bananas!",
                content: "Bananas are yellow, except when they're not",
            },
            {
                element: "#inputOranges",
                title: "Oranges!",
                content: "Oranges are not bananas",
                showProgressBar: false,     // don't show the progress bar on this step only
                showProgressText: false,    // don't show the progress text on this step only
            }
        ];
        
        var tour = new Tour({
            framework: "bootstrap3",    // or "bootstrap4" depending on your version of bootstrap
            steps: tourSteps,
            showProgressBar: true,      // default show progress bar
            showProgressText: true,     // default show progress text
        });
    2. Customize the progressbar/progress text:
      • In conjunction with 7a, provide the following functions globally or per step to draw your own progressbar/progress text:
        • getProgressBarHTML(percent)
        • getProgressTextHTML(stepNumber, percent, stepCount)
      • These will be called when each step is shown, with the appropriate percentage/step number etc passed to your function. Return an HTML string of a "drawn" progress bar/progress text which will be directly inserted into the tour step.
      • example:
        var tourSteps = [
            {
                element: "#inputBanana",
                title: "Bananas!",
                content: "Bananas are yellow, except when they're not",
            },
            {
                element: "#inputOranges",
                title: "Oranges!",
                content: "Oranges are not bananas",
                getProgressBarHTML: function(percent) {
                    // override the global progress bar function for this step
                    return '<div>You\'re ' + percent + ' of the way through!</div>';
                }
            }
        ];
        
        var tour = new Tour({
            steps: tourSteps,
            showProgressBar: true, // default show progress bar
            showProgressText: true, // default show progress text
            getProgressBarHTML: function(percent) {
                // default progress bar for all steps. Return valid HTML to draw the progress bar you want
                return '<div class="progress"><div class="progress-bar progress-bar-striped" role="progressbar" style="width: ' + percent + '%;"></div></div>';
            },
            getProgressTextHTML: function(stepNumber, percent, stepCount) {
                // default progress text for all steps
                return 'Slide ' + stepNumber + "/" + stepCount;
            }
        });
  8. Prevent interaction with element
    • Sometimes you want to highlight a DOM element (button, input field) for a tour step, but don't want the user to be able to interact with it. Use preventInteraction to stop the user touching the element:
      var tourSteps = [
          {
              element: "#btnMCHammer",
              preventInteraction: true,
              title: "Hammer Time",
              content: "You can't touch this"
          }
      ];
  9. Wait for an element to appear before continuing tour:
    • Sometimes a tour step element might not be immediately ready because of transition effects etc. This is a specific issue with bootstrap select, which is relatively slow to show the selectpicker dropdown after clicking. Use delayOnElement to instruct Tour to wait for ANY element to appear before showing the step (or crapping out due to missing element). Yes this means the tour step element can be one DOM element, but the delay will wait for a completely separate DOM element to appear. This is really useful for hidden divs etc.
    • Use in conjunction with onElementUnavailable for robust tour step handling.
    • delayOnElement is an object with the following:
      delayOnElement: {
          delayElement: "#waitForMe", // the element to wait to become visible, or the string literal "element" to use the step element, or a function
          maxDelay: 2000 // optional milliseconds to wait/timeout for the element, before crapping out. If maxDelay is not specified, this is 2000ms by default,
      }
    • example:
      var tourSteps = [
          {
              element: "#btnPrettyTransition",
              delayOnElement: {
                  delayElement: "element" // use string literal "element" to wait for this step's element, i.e.: #btnPrettyTransition
              },
              title: "Ages",
              content: "This button takes ages to appear"
          },
          {
              element: "#btnPrettyTransition",
              delayOnElement: {
                  delayElement: function() {
                      return $("#btnPrettyTransition"); // return a jquery object to wait for, in this case #btnPrettyTransition
                  }
              },
              title: "Function",
              content: "This button takes ages to appear, we're waiting for an element returned by function"
          },
          {
              element: "#inputUnrelated",
              delayOnElement: {
                  delayElement: "#divStuff" // wait until DOM element "divStuff" is visible before showing this tour step against DOM element "inputUnrelated"
              },
              title: "Waiting",
              content: "This input is nice, but you only see this step when the other div appears"
          },
          {
              element: "#btnDontForgetThis",
              delayOnElement: {
                  delayElement: "element", // use string literal "element" to wait for this step's element, i.e.: #btnDontForgetThis
                  maxDelay: 5000  // wait 5 seconds for it to appear before timing out
              },
              title: "Cool",
              content: "Remember the onElementUnavailable option!",
              onElementUnavailable: function(tour, stepNumber) {
                  // This will be called if btnDontForgetThis is not visible after 5 seconds
                  console.log("Well that went badly wrong");
              }
          },
      ];
  10. Trigger when modal closes:
    • If tour element is a modal, or is a DOM element inside a modal, the element can disappear "at random" if the user dismisses the dialog.
    • In this case, onModalHidden global and per step function is called. Only functional when step is not an orphan.
    • This is useful if a tour includes a step that launches a modal, and the tour requires the user to take some actions inside the modal before OK'ing it and moving to the next tour step:
      • Return (int) step number to immediately move to that step
      • Return exactly false to not change tour state in any way - this is useful if you need to reshow the modal because some validation failed
      • Return anything else to move to the next step
    • element === Bootstrap modal, or element parent === bootstrap modal is automatically detected.
    • example:
      var tour = new Tour({
          steps: tourSteps,
          framework: "bootstrap3",    // or "bootstrap4" depending on your version of bootstrap
          onModalHidden: function(tour, stepNumber) {
              console.log("Well damn, this step's element was a modal, or inside a modal, and the modal just done got dismissed y'all. Moving to step 3.");
      
              // move to step number 3
              return 3;
          },
      });
      
      var tour = new Tour({
          steps: tourSteps,
          onModalHidden: function(tour, stepNumber) {
              if (validateSomeModalContent() == false) {
                  // The validation failed, user dismissed modal without properly taking actions.
                  // Show the modal again
                  showModalAgain();
      
                  // Instruct tour to stay on same step
                  return false;
              } else {
                  // Content was valid. Return null or do nothing to instruct tour to continue to next step
              }
          },
      });
  11. Handle Dialogs and BootstrapDialog plugin better https://nakupanda.github.io/bootstrap3-dialog/
    • Plugin makes creating dialogs very easy, but it does some extra stuff to the dialogs and dynamically creates/destroys them. This causes issues with plugins that want to include a modal dialog in the steps using this plugin.
    • To use Tour to highlight an element in a dialog, just use the element ID as you would for any normal step. The dialog will be automatically detected and handled.
    • To use Tour to highlight an entire dialog, set the step element to the dialog div. Tour will automatically realize this is a dialog, and shift the element to use the modal-content div inside the dialog. This makes life friendly, because you can do this:
      <div class="modal" id="myModal" role="dialog">
          <div class="modal-dialog">
              <div class="modal-content">
              ...blah...
              </div>
          </div>
      </div>
    • Then use element myModal in the Tour.
    • FOR BOOTSTRAPDIALOG PLUGIN:
      • This plugin creates random UUIDs for the dialog DOM ID. You need to fix the ID to something you know. Do this:
        dlg = new BootstrapDialog.confirm({
            ...all the options...
        });
        
        // BootstrapDialog gives a random GUID ID for dialog. Give it a proper one
        $objModal = dlg.getModal();
        $objModal.attr("id", "myModal");
        dlg.setId("myModal");
      • Now you can use element myModal in the tour, even when the dialog is created by BootstrapDialog plugin.
  12. Fix conflict with Bootstrap Selectpicker: https://github.com/snapappointments/bootstrap-select/
    • Selectpicker draws a custom select. Tour now automagically finds and adjusts the selectpicker dropdown so that it appears correctly within the tour
  13. Call onPreviouslyEnded if tour.start() is called for a tour that has previously ended:
    • See the following github issue: sorich87/bootstrap-tour#720
    • Original behavior for a tour that had previously ended was to call onStart() callback, and then abort without calling onEnd(). This has been altered so that calling start() on a tour that has previously ended (cookie step set to end etc) will now ONLY call onPreviouslyEnded().
    • This restores the functionality that allows app JS to simply call tour.start() on page load, and the Tour will now only call onStart() / onEnd() when the tour really is started or ended.
    • example:
      var tour = new Tour({
          steps: [ ... ],
          framework: "bootstrap3",    // or "bootstrap4" depending on your version of bootstrap
          onPreviouslyEnded:  function(tour) {
              console.log("Looks like this tour has already ended");
          },
      });
      
      tour.start();
  14. Switch between Bootstrap 3 or 4 (popover methods, template) automatically using tour options, or use a custom template:
    • With thanks to this thread: sorich87/bootstrap-tour#643
    • Tour is compatible with bootstrap 3 and 4 if the right template and framework is used for the popover. Bootstrap3 framework compatibility is used by default.
    • To select the correct template and framework, use the "framework" global option. Note this option does more than just select a template, it also changes which methods are used to manage the Tour popovers to be BS3 or BS4 compatible.
      var tour = new Tour({
          steps: tourSteps,
          template: null,         // template option is null by default. Tourist will use the appropriate template for the framework version, in this case BS3 as per next option
          framework: "bootstrap3", // can be string literal "bootstrap3" or "bootstrap4"
      });
    • To use a custom template, use the "template" global option:
      var tour = new Tour({
          steps: tourSteps,
          framework: "bootstrap4", // can be string literal "bootstrap3" or "bootstrap4"
          template: '<div class="popover" role="tooltip">....blah....</div>'
      });
    • Review the following logic:
      • If template == null, default framework template is used based on whether framework is set to "bootstrap3" or "bootstrap4"
      • If template != null, the specified template is always used
      • If framework option is not literal "bootstrap3" or "bootstrap4", error will occur
    • To add additional templates, search the code for "PLACEHOLDER: TEMPLATES LOCATION". This will take you to an array that contains the templates, simply edit or add as required.
  15. Options to manipulate the Bootstrap sanitizer, and fix the sanitizer related breaking change in BS 3.4.x:
    • BS 3.4.1 added a sanitizer to popover and tooltips - this breaking change strips non-whitelisted DOM elements from popover content, title etc.
    • See: https://getbootstrap.com/docs/3.4/javascript/#js-sanitizer and https://blog.getbootstrap.com/2019/02/13/bootstrap-4-3-1-and-3-4-1/
    • This Bootstrap change resulted in Tour navigation buttons being killed from the DOM: https://github.com/sorich87/bootstrap-tour/issues/723#issuecomment-471107788
    • This has been fixed in code, Tour navigation buttons now appear and work by default.
    • To prevent future similar reoccurrences, and also allow the manipulation of the sanitizer "allowed list" for Tours that want to add extra content into tour steps, two features added to global options. To understand the purpose and operation of these features, review the following information on the Bootstrap sanitizer: https://getbootstrap.com/docs/3.4/javascript/#js-sanitizer
    • IMPORTANT NOTE SECURITY RISK: if you do not understand the purpose of the sanitizer, why it exists in bootstrap or how it relates to Tour, do not use these options.
    • Global options:
      • sanitizeWhitelist: specify an object that will be merged with the Bootstrap Popover default whitelist. Use the same structure as the default Bootstrap whitelist.
      • sanitizeFunction: specify a function that will be used to sanitize Tour content, with the following signature: string function(content). Specifying a function for this option will cause sanitizeWhitelist to be ignored. Specifying anything other than a function for this option will be ignored, and sanitizeWhitelist will be used
    • Examples:
      • Allow tour step content to include a button with attributes data-someplugin1="..." and data-somethingelse="...". Allow content to include a selectpicker.
        var tour=new Tour({
            steps: tourSteps,
            sanitizeWhitelist:  {
                "button"    : ["data-someplugin1", "data-somethingelse"],   // allows <button data-someplugin1="abc", data-somethingelse="xyz">
                "select"    : []                                            // allows <select>
            }
        });
      • Use a custom whitelist function for sanitizing tour steps:
        var tour = new Tour({
            steps: tourSteps,
            sanitizeFunction: function(stepContent) {
                // Bypass Bootstrap sanitizer using custom function to clean the tour step content.
                // stepContent will contain the content of the step, i.e.: tourSteps[n].content. You must
                // clean this content to prevent XSS and other vulnerabilities. Use your own code or a lib like DOMPurify
                return DOMPurify.sanitize(stepContent);
            }
        });
      • Note: if you have complete control over the tour content (i.e.: no risk of XSS or similar attacks), you can use sanitizeFunction to bypass all sanitization and use your step content exactly as is by simply returning the content:
        var tour = new Tour({
            steps: tourSteps,
            sanitizeFunction: function(stepContent) {
                // POTENTIAL SECURITY RISK
                // bypass Bootstrap sanitizer, perform no sanitization, tour step content will be exactly as templated in tourSteps.
                return stepContent;
            }
        });
  16. Change text for the buttons in the popup (also, preparation for future localization options):
    • With thanks to @vneri (#8) for the original change
    • With thanks to @DancingDad, @thenewbeat, @bardware for the fixes/updates
    • You can now change the text displayed for the buttons used in the tour step popups. For this, there is a new object you can pass to the options, called "localization". This option only applies to the default templates. If you specify your own custom template, the localization.buttonTexts option has no effect on the basis that you will make any changes to your own template directly.
      var tour = new Tour({
          framework: "bootstrap3",    // or "bootstrap4" depending on your version of bootstrap
          steps: [ ..... ],
          localization: {
              buttonTexts: {
                  prevButton: 'Back',
                  nextButton: 'Go',
                  pauseButton: 'Wait',
                  resumeButton: 'Continue',
                  endTourButton: 'Ok, enough'
              }
          }
      });
    • You may specify only the labels you want to change. Unspecified labels will remain at their defaults:
      var tour = new Tour({
          localization: {
              buttonTexts: {
                  endTourButton: 'Adios muchachos'
              }
          }
      });
  17. Added showIfUnintendedOrphan:
    • With thanks to @diesl
    • To show a tour step as an orphan if its element doesn't exist, overriding onElementUnavailable
    • If a tour step specifies an element, and the element doesn't exist, showIfUnintendedOrphan will show the tour step as an orphan. This ensures your tour step will always be shown.
    • delayOnElement takes priority over showIfUnintendedOrphan, i.e. if you specify both delayOnElement and showIfUnintendedOrphan, the delay will timeout before the step will be shown as an orphan.
    • This option is available globally and per step.
      var tourSteps = [
          {
              element: "#btnSomething",
              showIfUnintendedOrphan: true,
              title: "Always",
              content: "This tour step will always appear, either against element btnSomething if it exists, or as an orphan if it doesn't"
          },
          {
              element: "#btnSomethingElse",
              showIfUnintendedOrphan: true,
              delayOnElement: {
                  delayElement: "element" // use string literal "element" to wait for this step's element, i.e.: #btnSomethingElse
              },
              title: "Always after a delay",
              content: "This tour step will always appear. If element btnSomethingElse doesn't exist, delayOnElement will wait until it exists. If delayOnElement times out, step will show as an orphan"
          },
          {
              element: "#btnDoesntExist",
              showIfUnintendedOrphan: true,
              title: "Always",
              content: "This tour step will always appear",
              onElementUnavailable: function() {
                  console.log("this will never get called as showIfUnintendedOrphan will show step as an orphan");
              }
          },
      ];
  18. Overlay divs and customizable transitions between tour steps:
    • With huge thanks to @ibastevan, who provided a lot of the code and input to getting this working. Read more here: #24
    • Tourist now uses overlays to highlight tour step elements. A single backdrop div provides the dark/black background, and a highlight div is used to highlight the element of a tour step. Each tour step element is then adjusted by zindex to pop to the top.
    • This option could be considered not exactly simple to understand initially, so please play around with it.
    • A new set of options called backdropOptions has been added globally, and can be overridden per step.
    • backdropOptions is an object structured as follows (these are the default options, used if you do not set this option in your tour):
      backdropOptions:    {
          highlightOpacity: 0.8,
          highlightColor: '#FFF',
      	backdropSibling: false,
          animation: {
              // can be string of css class or function signature: function(domElement, step) {}
              backdropShow: function(domElement) {
                  domElement.fadeIn();
              },
              backdropHide: function(domElement) {
                  domElement.fadeOut("slow")
              },
              highlightShow: function(domElement, step) {
                  step.fnPositionHighlight();
                  domElement.fadeIn();
              },
              highlightTransition: "tour-highlight-animation",
              highlightHide: function(domElement) {
                  domElement.fadeOut("slow");
              }
          },
      }
    • backdropOptions.highlightOpacity: the alpha value of the div used to highlight the step element. You can control how visible/occluded the element is.
    • backdropOptions.highlightColor: the hex color code for the highlight. Normally you will want to use a white highlight (#FFF). However if your step element has a dark or black background, you may want to use a black highlight (#000). Experiment with the best colors for your UX.
    • backdropOptions.backdropSibling: solves display issues when step.element is a child of an element with fixed position or zindex specified
    • backdropOptions.animation: The options can be either string literals specifying a CSS class, or a function. The application of these features work in exactly the same way for all backdropOptions.animation options. These options apply as per the following:
      • backdropShow: when a previously hidden backdrop is shown
      • backdropHide: when a previously visible backdrop is hidden
      • highlightShow: when step N did not have an element, and step N+1 does have an element
      • highlightHide: when step N has an element, and step N+1 does not have an element
      • highlightTransition: when both step N and step N+1 have an element, and the highlight is visibly moved from one to the other
    • The highlight is the div that creates the "visibility" effect over a tour step element. This option is how a nice slide/move/transition effect between steps is possible. They also now allow handling of rotated elements etc.
    • If a CSS class name (as a string literal) is provided:
      • If you provide a CSS class, this class will be applied to the specified element at the specified time and removed afterwards. You can use this class to add transition effects. For example, assume you create a class in your CSS that animates an effect as follows:
        .my-custom-animation {
            -webkit-transition: all .5s ease-out;
            -moz-transition: all .5s ease-out;
            -ms-transition: all .5s ease-out;
            -o-transition: all .5s ease-out;
            transition: all .5s ease-out;
        }
      • You can then use this effect every time the background overlay div is shown by specifying it as follows:
        var tour = new Tour({
            steps:  [ ..... ],
            backdropOptions: {
                animation: {
                    backdropShow: "my-custom-animation"
                },
            }
        });
      • Now, when moving between step N where step option backdrop == false, and step N + 1 where step option backdrop == true, your class will be used to implement the transition. The class will be added before the backdrop is shown, and removed when the transition is complete. In other words, specifying a CSS class for backdropShow is functionally equivalent to the following code executed when the tour moves between steps:
        $(backdropOptions element).addClass("my-custom-animation");
        $(backdropOptions element).show(0, function() {
            $(this).removeClass("my-custom-animation");
        });
      • Note that the class is removed after the element is visible, therefore only use this option for CSS transitions - do not use it for "persistent" CSS changes.
      • The same approach applies to all the other options, i.e.: if a class is specified for highlightTransition, the class is applied, the highlight div is moved to its new position, and the class is removed.
        • If a function is provided:
          • If you provide a function, your code is 100% responsible for positioning and showing the highlight overlay element.
          • It's more hassle - why would you want to do this? Simply, Tourist can only provide a fairly standard/default set of transitions, especially where the highlightTransition option is concerned. If you want your tour to have an especially fancy or featured/custom transition, you can use this option to achieve that. You can also work with rotated or transformed elements using this feature.
          • Most of the time you will not need to use this option, and specifying a CSS class will be sufficient. But the option is here if you need it.
          • When specifying a function, it must have the following signature:
            function(domElement, step) {
            }
          • The domElement parameter provides a jquery object for the element you must manipulate. For example, if you have specified a function for backdropOptions.animation.highlightShow, then domElement will be the highlighting div. You must then correctly position and show this div over the step element.
          • The step parameter provides an object with information about the step, to help you decide how to execute the transition. It has the following props, most of which are taken from your tour step. They are re-provided to you for ease, in case you want to create some clever central animation feature etc:
            step = {
                element:                // the actual step element, even if the tour uses a function for this step.element option
                container:              // the container option (string) as specified in the step or globally, to help you decide how to set up the transition
                backdrop:               // as per step option (bool),
                preventInteraction:     // as per step option (bool),
                isOrphan:               // whether is step is actually an orphan, because the element was wrong and showIfUnintendedOrphan == true or for some other reason (bool),
                orphan:                 // as per step option (bool),
                showIfUnintendedOrphan: // as per step option (bool),
                duration:               // as per step option (bool),
                delay:                  // as per step option (bool),
                fnPositionHighlight:    // a helper function to position the highlight element
            };
          • The fnPositionHighlight option is provided to make it easy for you to automatically position the highlight div on top of the tour step element. The function simply performs the following:
            function fnPositionHighlight() {
                $(DOMID_HIGHLIGHT).width(_stepElement.outerWidth())
                    .height(_stepElement.outerHeight())
                    .offset(_stepElement.offset());
            }
          • This allows you to do the following in your customized transition code:
            function(domElement, step) {
                // do whatever setup for your custom transition
                step.fnPositionHighlight();
            }
          • It simply saves some typing.
        • An example of implementing backdropOptions:
          • Per step option:
            var tourSteps = [
                {
                    element: "#btnSomething",
                    title: "Default",
                    content: "This tour step will use the default Tour.backdropOptions settings"
                },
                {
                    orphan: true,
                    title: "Default",
                    content: "This tour step will use the per step transitions as specified"
                    backdropOptions: {
                            // specify some options and use the defaults for the rest
                            highlightColor: #000,   // this step element has a black background, so this RGB looks better
                            animation: {
                                // use a function to manually hide the highlight - of course this will only apply
                                // because this step is an orphan == true, and therefore there is no highlight to hide
                                highlightHide: function(domElement, step) {
                                    domElement.fadeOut("slow")
                                }
                            },
                        }
                },
          • Global options: js var tour = new Tour({ steps: [ ..... ], backdropOptions: { // default for all Tour steps } });

Policy on NPM, semantic versioning, releases, code structure etc

I'm a self-taught C++/x86 asm coder from the 80's and 90's. I'm not a web developer, I only have basic html, js, jquery knowledge that I pretty much taught myself over a couple of weeks or so. This isn't my full time job, or even my part time job. I inherited the need to fix some stuff in Bootstrap Tour, and I simply published my fixes on github. I never intended to take on maintenance of a product, or become responsible for it in any way. I even said this in the Tour repo when I published my first fixes.

All of that info is to set your expectations. Tourist works, and it's been thoroughly tested, but I keep getting tripped up by the niceties of modern coding. Tourist is offered as a non-minified, simple download-and-drop-in tool for you to use if you want to. I will do my best to follow coding standards, publish to npm when I remember, keep to a coding style, follow semantic versioning and all that stuff that makes it easy for you to use this plugin. However please fully expect that:

  1. I will probably fail, so you'll need to tell me what I've done wrong and most importantly how to fix it
  2. The github repo will always have the latest in-progress version
  3. The github release will always be the latest stable version
  4. Anything else is a bonus.

As a side note, Bootstrap Tour was made in coffeescript (which I'd never heard of). So when I started working on Tourist, it was using a codebase without comments, odd transpilation structures and approaches, and much more. So if you're looking at the source and scratching your head as to why something is done in a certain way - yes, welcome to my world :-)

Contributing

Feel free to contribute with pull requests, bug reports or enhancement suggestions.

License

Code licensed under the MIT license. Documentation licensed under CC BY 3.0.

bootstrap-tourist's People

Contributors

balsarori avatar gavin-kelly-1 avatar igreatlydislikejavascript avatar lukaszmn avatar thenewbeat avatar tszulc avatar vneri avatar

Stargazers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

Watchers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

bootstrap-tourist's Issues

Element not clickable when its ancestor has a position fixed and z-index lower than the tour-backdrop which is sibling

Hello! I am having an issue similar to one that was already closed, however the solution there proposed didn't work for me. I am not sure if I am missing something here, but this is the closed issue related to mine:

#38

I have a side menu (#sidebar) on my webpage which has a position fixed and has a z-index value of 1010. However, since the z-index of the .tour-backdrop element, which is a sibling of the fixed side menu, is higher, my element which should be highlighted is not clickable. The clickable element is a child of my #sidebar. I included the backdropOptions highlightColor: '#000' (my sidebar is also darker), and backdropSibling: true in the step where my child element should be highlighted, but it didn't work, the element #persons is not clickable and not highlighted. I noticed that if I include the backdropSibling as true the z-index of tour-backdrop reduces to 1029 value, which works fine on the case from the other issue, since the z-index is set to 1030 there, but not on my case.
It would be great if you could help me, maybe I am not seing something obvious! I reproduced my issue here:

https://jsfiddle.net/lufradenogueira/01qknhfu/76/

This is the one case that works fine and was reproduced on the issue related to mine:

https://jsfiddle.net/lufradenogueira/Lfme435a/9/

I know that just by increasing the z-index of my side bar with css it would work, however this is not a good solution here. I would like something that would work even if in the future the backdrop-tour element changes its css. Thank you in advance and keep doing the nice work you've done so far!

$(...).stop is not a function?

I wanted to start tour when clicking on the button. But every time I do that, it shows error of "$(...).stop is not a function" and the whole page goes dark. I wonder if anyone has encountered this issue.

image

I use jquery 3.3.1 and bootstrap 4.3.1 in my html as following code:

<head>
    <!-- Bootstrap 4.3.1 CSS -->
    <link rel="stylesheet" href="https://stackpath.bootstrapcdn.com/bootstrap/4.3.1/css/bootstrap.min.css"
        integrity="sha384-ggOyR0iXCbMQv3Xipma34MD+dH/1fQ784/j6cY/iJTQUOhcWr7x9JvoRxT2MZw1T" crossorigin="anonymous">

    <!-- Bootstrap Tour CSS -->
    <link rel="stylesheet" href="./bootstrap-tourist/bootstrap-tourist.css" />
</head>

<body>
    <button class="btn btn-primary my-2" id="start">Start Demo</button>
    <h1 class="fw-light" id="pageTitle">Example Title</h1>
    <div class="lead text-muted" id="pageContent1">
        <p>
            Lorem ipsum dolor sit amet consectetur adipisicing elit. Sequi, officiis. Tenetur soluta
           nulla doloribus eligendi sequi tempore alias, eos consequatur, accusamus blanditiis unde
           quod modi deserunt exercitationem odio pariatur suscipit.
        </p>
    </div>

    ...

    <!-- jQuery 3.3.1 -->
    <script src="https://code.jquery.com/jquery-3.3.1.slim.min.js"
        integrity="sha384-q8i/X+965DzO0rT7abK41JStQIAqVgRVzpbzo5smXKp4YfRvH+8abtTE1Pi6jizo" crossorigin="anonymous">
    </script>

    <!-- Bootstrap 4.3.1 -->
    <script src="https://cdnjs.cloudflare.com/ajax/libs/popper.js/1.14.7/umd/popper.min.js"
        integrity="sha384-UO2eT0CpHqdSJQ6hJty5KVphtPhzWj9WO1clHTMGa3JDZwrnQq4sF86dIHNDz0W1" crossorigin="anonymous">
    </script>
    <script src="https://stackpath.bootstrapcdn.com/bootstrap/4.3.1/js/bootstrap.min.js"
        integrity="sha384-JjSmVgyd0p3pXB1rRibZUAYoIIy6OrQ6VrjIEaFf/nJGzIxFDsf4x0xIM+B07jRM" crossorigin="anonymous">
    </script>

    <!-- Bootstrap Tourist -->
    <script src="./bootstrap-tourist/bootstrap-tourist.js"></script>

    <!-- Custom JS -->
    <script src="./demo.js"></script>
</body>

And js:

var tour = new Tour({
    framework: 'bootstrap4',
    steps: [{
        element: '#pageTitle',
        placement: "bottom",
        title: "Welcome to Bootstrap Tour!",
        content: "123"
    }, {
        element: '#pageContent1',
        placement: "bottom",
        title: "Welcome to Bootstrap Tour!",
        content: "123"
    }]
});

$("#start").click(function () {
    tour.start();
});

backdrop doesn't work on rotated elements

Hey thanks for updating bootstrap tour, saved my butt from spending countless hours troubleshooting why it isn't working with bootstrap 4....

So I ran into an issue where the backdrop isn't accurately drawn when factoring in rotated elements. In my case, I have a <ul> set to be horizontal, and then a transform: rotate(90) to make it vertical. When I set the tour element to be the <ul>, it still treats it as if it were horizontal.

This is best illustrated by here: https://jsfiddle.net/Invincibear/1Lung9bj/25/

Bootstrap 4.5 compatibility?

I've just noticed that my tours are not working anymore. The backdrop is displayed, but the popups aren't.

I've no idea how long they've not been working, but it's possible it coincides with my recent(ish) upgrade to Bootstrap 4.5.

Before I waste a load of time trying to get to the root of the issue, are there any known problems with Bootstrap 4.5?

Edit: I've enabled degugging, but it doesn't throw much light on the problem:
[ Bootstrap Tourist: 'dashboard' ] Using framework template: bootstrap4
[ Bootstrap Tourist: 'dashboard' ] Extending Bootstrap sanitize options
[ Bootstrap Tourist: 'dashboard' ] Show the orphan step 1. Orphans option is true.
[ Bootstrap Tourist: 'dashboard' ] Step 1 of 16
Unfortunately, step 1 of 16 is not showing...

Thanks

highlightOpacity on backdropOptions

I noticed the highlight opacity only applies when you step from previous or next. If you apply the backdropOptions highlightOpacity on initial step or page reload, it doesn't apply the Opacity.

backdropOptions: {
                        highlightOpacity: 0.2
                    }

ERROR TypeError: Cannot read property 'buttonTexts' of undefined

I use bootstrap tour in my angular/bootstrap project (you can see it here if you like)
https://refavo-test.firebaseapp.com/

I have experienced quite a few issues with css conflicts between bootstrap tour and bootstrap v4 and have a new one today with the collapse bootstrap feature. I am hoping that your fork and updates are able to resolve this for bootstrap 4.0 as I do like the bootstrap tour functionality.

I have followed your instructions but am getting the following runtime error in console when attempting to create the new Tour object:

ERROR TypeError: Cannot read property 'buttonTexts' of undefined

On investigation it tells me that in bootstrap-tourist.js, this value is not defined
prevButton: this._options.localization.buttonTexts.prevButton||"Prev",

It is worth noting that I do not add the steps on creation of the Tour object but do this afterwards via calls to the addStep method.

Make bootstrap-tourist available as a webjar

We currently use bootstrap-tour in our project, included as a webjar. In order to migrate towards tourist, we would need it to be available as webjar.
It's not possible currently to deploy it as one since contrary to bootstrap-tour it doesn't contain a package.json to build it as an NPM package.

Would that be possible to add one to the repo?

Angular

We have an angularjs application using angular material... If we just included bootstrap css and bootstrap-tourist would we be able to get it codebase to work? Has anyone tried this???

Error with BS4 and orphan = true

Versions
BS4: 4.0.0
JQ: 3.4.1
Popper: 1.12.9

When I try to set a step as an orphan:

                            {
                                orphan: true,
                                title: "Title",
                                content: "Content",
                            },   

I get the following error:

util.js:146 Uncaught Error: TOOLTIP: Option "offset" provided type "function" but expected type "(number|string)".

Since I am using this for the first time, this is the correct way to generate a popup without tying it to an element correct?

Tour initialization flashes / visible backdrop

Reported here: #38 (comment). Split out to this separate issue.

If i set up the example without backdrop there is a short time where a black screen appears and disappears followed by the actual tour dialog.
https://jsfiddle.net/q6eb27oj/

Caused by div initialization creating the backdrop div as visible, even when tour has hidden backdrop.

For an interim fix, locate Tour.prototype._createOverlayElements = function () and create $backdrop / $highlight as hidden, or change the CSS tour-backdrop and tour-highlight classes to initially hidden.

I need to test it properly but that should solve the problem for the min.

@1Luc1

incorrect isOrphan Step detection under certain conditions

firstly, thank you for bootstrap-tourist. It looks very promising and I cant wait to play with it properly.
I've just set it up on one of my sites just to see how much I can break it and have come across what I believe is an incorrect isOrphan detection.
Created the tour and added 2 steps with both steps intentionally assigned to non-existent elements.

jQuery(document).ready( function() {
	var tour = new Tour({
		framework: 'bootstrap3',
		sanitizeFunction: function(stepContent) {
			//return DOMPurify.sanitize(stepContent);
			return stepContent;
		},
		onPreviouslyEnded: function (tour) {
			tour.restart();
		},
		steps: [{
			placement: 'right',
			showIfUnintendedOrphan: true,
			//orphan:true,
			showProgressBar: false,
			showProgressText: false,
			backdrop: true,
			element: '#img1', //intentionally set to non-existent page (DOM) element
			title: 'Step One',
			content: '<p>This is the preview of your popover</p><p>Set your options at the left so your popovers will match natively with your product</p>'
		},
		{
			placement: 'left',
			showIfUnintendedOrphan: true,
			//orphan: true,
                         backdrop: true,
                         showProgressBar: false,
			showProgressText: false,
		        element: '#imgxx', //intentionally set to non-existent page (DOM) element
			title: 'Step Two',
			content: '<p>This is the preview of your popover</p><p>Set your options at the left so your popovers will match natively with your product</p>',
		}]
	});
	
	tour.start();
});

I added some further debugging in the code to check the isOrphan function and then launched the tour.
when the tour starts, the first step is positioned correctly in the center of the page and the debugging output shows:

checking if step is an orphan....
     - step.orphan: false
     - step.element: #img1
     - step.placement: right
     - $(step.element).length:  0
     - $(step.element) hidden:  false
 orphan status is: true

I click the next button and step 2 displayed as intended (ie, it satisfied all the conditions to be declared an orphan).
I then click the back button and this is where the strange behaviour comes in. The step (step 1) is again displayed however it is now positioned at the very top of the page and the step.element, instead of being '#img1' is 'body'
debugging output is as follows:

checking if step is an orphan....
     - step.orphan: false
     - step.element: body
     - step.placement: top
     - $(step.element).length:  1
     - $(step.element) hidden:  false
 orphan status is: false

from here on in, moving through the tour, whether forwards or backwards, the steps stay positioned at the top of the page and the step.element remains assigned to 'body'.

I hope I've made sense :)

Backdrop transition between steps

A historic UX issue from original Tour with the backdrop overlay still exists in Tourist. For reference, the original discussion is here: sorich87/bootstrap-tour#711 (comment)

@ibastevan has asked the following in the Tour repo, I've moved it to here as the discussion is specifically for Tourist:

With regards to this backdrop issue remaining between steps, have you thought about a fade in/out transition effect between steps instead? So, rather than the backdrop disappearing abruptly, it could slowly fade out while the next backdrop is slowly fading in. Could possibly be more subtle and work well?

Thanks for your feedback. There's a general UX/visual challenge with the whole backdrop thing, this might be a good way to solve it.

A fade out, then a fade in would be easy to implement. However I think you're talking about a crossfade, which requires backdrops from both the hiding step and the showing step to be visible at the same time. (Or does it - are we actually keeping the majority of the backdrop visible, and just fading a div in over the previous element, and fading one out over the next step, hmm....)

I need to think about how to implement that because of some limitations in the code from original Tour. Essentially the "hiding" step is completely divorced from the "showing" step as the tour moves between steps, which is why the current abruptness exists. So it's not quite as simple as I'd like!

In the meantime, it's easy to implement a fade out/fade in if you'd like to try that and see if you think it works. I don't want to do this directly into the repo yet as this is a UX / personal preference thing that I think we need opinions on first!. Do this:

1 - In the CSS, add hidden to the tour-backdrop class, i.e.:

display: hidden;

2 - In tourist.js, locate _showOverlayElements function around line 2238. Insert a fade in after line 2274, so something like this:

line 2274: $("body").append($backdrop);
line 2275: $backdrop.fadeIn("fast");

3 - Insert the same fade in after line 2312 (which will now be 2313):

line 2313: $(step.backdropContainer).append($backdropBottom);
line 2314: $(".tour-backdrop").fadeIn("fast");

4 - locate _hideOverlayElement function around line 2316, and add a fadeOut followed by a remove in the callback. So replace $(".tour-backdrop").remove(); on line 2324 (which will now be line 2326) with something like:

$(".tour-backdrop").fadeOut("fast", function() { $(".tour-backdrop").remove(); });

Ideally we'd need to add a check around the two fadeIn calls to ensure a backdrop isn't still fading out. But this should give you a feel for how it looks...

Idea: Adding a touristManager to the solution

Hi folks,
I started to build a small "Tour Manager" so that you can have multiple tours. With that, you would also have an overview of the tours and would be able to start them right away.

In the attached file, there is an example. A welcome modal with popup, linking to a starting tour. Another modal will show what tours are available. The welcome modal is hardcoded, but it could be easily adapted to be called via function.

I also had the idea to have something like a checkbox for tours that have already been seen until the end/or started in the overview modal.

What are your thoughts on this?
Thanks for the feedback!

touristManager.zip

FeatureRequest: Better positioning.

Situation:
One of my steps have an large div as element.
The tooltip should be shown up.
So I want to position it on top-right.

My first solution was to create an hidden fake object

to positioning.
But as expected... the backdrop white space is also bound on this. So i have not a practical solution.

I suggest to give a positioning, that is calculated after the current calculation is done
Just an option like == positionAdjust:{top: 123px,right: 123px,bottom: 123px,left: 123px} ==
So it is possible to manual moving the tooltip around.

backdropPadding

Hi guys,
Is there a backdropPadding option in this plugin?
I'm trying to implement but it does not seems to work

backdropPadding: 10,

or

backdropPadding: {top: 10, right: 10, bottom: 10, left: 10},

Thanks in advance

IGreatlyDislikeJavascript

maybe we should have a conversation about this: I am also programmer from the 90s, started with asm and basic and continued learning most mainstream languages.. liked them all, really, but think javascript is the devil :)

License

Hi,

do you publish this library under a certain license?
If you have no preference, than you can maybe add MIT license as on of the most free licences available.

Thank you for your work,
Bernhard

$modalObject not defined

Hi,

I downloaded the latest release and, in full disclosure, am trying to get a basic tour as shown in the example to work in VueJS built on BS4 .

However, I ran into a "Uncaught ReferenceError: $modalObject is not defined" error at line 1253.
In order to fix it, I had to declare it within the Tour.prototype.showStep function.

I haven't quite got it to work yet, as it is failing in the _scrollIntoView function, but if I can't figure out why I will ask in a separate issue.

Issue with pause-resume buttons

I came across a problem with the pause-resume buttons. When we click on the pause button, the resume button has its own functionality, but the text of the resume button does not change. In order for the additional localization option to work, I changed a little bootstrap-turist.js around line 1646:

-I replaced this part of the code

$this.text(_this._paused ? $this.data('resume-text') : $this.data('pause-text'));

with this

$this.text(_this._paused ? objTemplatesButtonTexts.pauseButton : objTemplatesButtonTexts.resumeButton);

I hope it's worth it to someone.

Bootstrap 4 popover container option (not a Tourist bug)

First off, thank you for all the fixes bootstrap-tourist has done!

As I understand it, bootstrap-tourist "includes" the Bootstrap popover.js & tooltip.js libraries. This works great for my current project, as it requires a "Tour" as well as the use of popovers separately.

So my questions are as follows:

  1. Is my above assumption correct? In that including bootstrap-tourist should enable me to create a Tour asm well as popovers?
  2. The default "container" option doesn't seem to work when used in a popover context, in previous versions like Bootstrap3, the popover would render directly after the trigger button (button + div.popover) as a container. I can't seem to accomplish this when using bootstrap-tourist. As far as I know, this is default behaviour of Bootstrap4 as well, did something in this library break?
$('[data-toggle="popover"]').popover({
  title: 'HELP: File Size and Formats',
  content: '<strong>Image</strong> files should be a minimum of 2000x2000 pixels.',
  container: false,
});

or

$('[data-toggle="popover"]').popover({
  title: 'HELP: File Size and Formats',
  content: '<strong>Image</strong> files should be a minimum of 2000x2000 pixels.',
});

Should make the button element the "container"?

Any help would be much appreciated, or maybe I'm just misunderstanding it.

-Thanks!

PreventInteraction offsetting incorrectly

I noticed that the preventinteraction layer left postion is showing too far left and not inline with the actual element. It doesn't happen on all elements, seems to be only some.

image

Next button partially working at the end of the tour.

When you are at the end of the tour (i.e. at the final step) the next button has the disabled css, but is still very much clickable.

If clicked the tour gets into a weird state where it attempts to move to a null step.

bug_tour

[Feature request] Add highlight padding option

Is it possible to add an option to specify an amount of padding on the highlight? Currently the highlight uses the bounds of the element but I would like to add a small gap so the highlight is bigger than the element.

Something like this should do it?

var padding = step.backdropOptions.highlightPadding;
var offset = $(step.element).offset();
offset.top -= padding;
offset.left -= padding;
$(DOMID_HIGHLIGHT).width($(step.element).outerWidth() + (padding * 2)).height($(step.element).outerHeight() + (padding * 2)).offset(offset);

Thanks

Offset calculation of highlighted element is wrong sometimes

Sometimes, the offset calculation of the highlighted square is wrong. I am not sure why this is happening, but now I figured out how to reproduce it.

Steps to reproduce:

  1. Open docs.html, then start the tour
  2. Go to step 2. Box is correctly aligned with element #intro
  3. Go back to step 1
  4. Go to step 2 again. Box is incorrectly aligned with an offset.
  5. Go back to step 1
  6. Go to step 2 again. Offset is doubled

Backdrop covers only the viewport and can be scrolled away

The title already says it, the backdrop covers only the viewport and can be scrolled away if the page has more content outside the viewport.

I my opinion, the backdrop should cover the whole page instead of only the viewport.

Example: docs.html

Working with element in iFrame

Hi, thanks a lot for your Tour.

I've tried to Dynamically determine element by function and I always get this error:
Uncaught Error: TOOLTIP: Option "selector" provided type "element" but expected type "(string|boolean)".

Here is what I tried:
{
element: function() { return $("#myIframe").contents().find("body") },
title: "Help",
content: "Check this iFrame"
},
Thanks in advance!

Fix backdrop right width calculation

The original calc is not taking into account the anchor elements left offset, causing the right backdrop to go off the page, possibly throwing off the page's layout.

[v0.3.0] tourHighlight div not correctly positioned

Hello,

Just updated from v0.2.0 to v0.3.0.

v0.2.0 worked without any problems. I know there where some significant changes within v0.3.0, but i don't know where i have to adapt my code to fit version v0.3.0.

Currently there is a problem with steps, which have set and 'element':'#element-id' and 'backdrop':true. The generated <div id=tourHighlight .. /> is out of place from the element.

highlight_div

What it looks like in v0.2.0
v0 2

Thanks for the information,
Luc

[Feature request] Ability to highlight multiple elements at once

I have a bootstrap grid and I want to highlight two of the three columns for a tour step. I tried to give the columns a common class and use that as the element but the tour step appeared twice, one for each column. I also tried to wrap the two columns in a div and give that an id to use but that breaks the bootstrap grid.

Is this possible to implement? Maybe a separate selector for the highlight?

Thanks

Cannot highlight elements with the style display: contents and incorrect highlight position with fixed elements

I've found a possible bug when trying to highlight an element wrapped in a div with display: contents. When I turned the backdrop on, the page just freezes when I moved to the step with this element. I can't take the style off at all because I need it to highlight multiple elements at once, a feature which still isn't available in Bootstrap Tourist.

Another possible bug would be the incorrect highlight position and probably z-index position when using backdrops to highlight fixed elements. The highlight box would either be under/above or on the sides of the intended element while covering the entire element with the highlight box.

While I do understand the COVID situation on your side, I kinda need some quick fix urgently.

Use consistent version numbers

First of all, thanks for collecting all bugfixes and new features to keep Bootstrap Tour alive ๐Ÿ‘

But I think in order to make this project even better, you should be consistent with version numbers. I took a look around and got a bit confused by a few things. Maybe you can fix some of them:

  • At npm, there is a version 0.2.1 but I can not find it here
  • At the releases page:
    • The latest version is tagged v0.2.0
    • The version before is tagged 0.2.0, but code and description reveal it is 0.12
    • The first version is tagged v0.10-beta

The versioning seems problematic to me, because 0.2 is smaller than 0.12. I see you speak of a labelling change in the changelog, but still...
This can be problematic for systems like npm that rely on consistentversioning scheme with ascending version numbers. Checking again, I see the first version is labelled as 0.0.10 over there. I can easily imagine why ;)

Take a look at semver.org. In my opinion, this is the best way to deal with version numbers.

Another minor issue: In the code, you write "Entirely based upon boostrap-tour v.0.2.0". But the newest bootstrap tour version I could find is 0.12

Tourist Documentation improvements

Currently, users of this fork must refer to the original Tour docs and website, then read through the lengthy comments at the top of the bootstrap-tourist.js / in the Tourist readme to find out what features, fixes and other points are included and are different to Tour. This is causing confusion!

A proper set of documentation specifically for Tourist is required.

If anyone would like to help with this, nominally by taking the Tour docs and incorporating the Tourist readme, it would be appreciated!

Tour step flow tracking

Legacy issue from original Tour.

Currently, no proper tracking of tour steps is performed. This means use of Prev/Next is just a simple numerical jump backwards and forwards, instead of a true move to the previous (and next) tour steps.

This is a slight edge case. In most use cases this doesn't manifest as a problem, however if a tour uses non-trivial logic in callbacks (onNext, onShow etc) along with tour.goTo to maniplate the flow of a tour during "tour time", the Prev/Next buttons may not operate in a way the user - or the tour implementor - is expecting.

The solution is to properly implement tour step tracking by pushing the step index to a tracking array on each tour.showStep(), and popping on each tour.prev() call.

However further funcs need to be exposed to allow calling code to manipulate the tour step tracking array, so that step flow after use of tour.goTo() and similar can be managed.

Won't jump to next step when modal hidden. Fixed!

Great mods to orig plugin; but couldn't get it to jump to the next step when a modal was hidden. Noticed that the onModalHidden logic was not correct and flipped the methods around. If it was the last step then hide (not goto the next), and if there is a next step goto next (not end). This fixes the plugin.

$_modalObject.off("hidden.bs.modal", funcModalHelper);

if (_this._isLast())
{
//return _this.next();
 return _this.end();
													
}
else
{
 //return _this.end();
 return _this.next();
}

Orphan should be false if element is present

In contrast to Bootstrap Tour, when I set global option orphan: true, then all steps are shown as orphans wether the element is present or not.

In my opinion, steps with a valid and present element should be shown with respective placement whereas steps without a valid element should be shown as orphans.

Also, it would be desireable to differentiate between intended orphans with element: null (e.g. a welcome to this tour message) and unintended orphans, where the given element is not existing.

On the last step in the tour the next button is disabled, but can still be clicked

"bootstrap-tourist": "^0.3.2",

Error:
Noticed that on the last step in the tour the next button is greyed out but can still be clicked resulting in the user being locked in a backdrop they cannot navigate from without refreshing the page.

Solution:
The next button should be disabled and unclickable on the last step of the tour. The only clickable options should be "Prev" and "End Tour".

Multi-page tour

Hello, we use
onNext: function() { document.location.href = '/backoffice/content/resellers/new?continue_tour=reseller-creation-step3'; }

to change page during a tour, with your (great !) fork it stops the tour, any way to bypass this ?

FYI: FIXING ISSUES DURING PANDEMIC

Thank you for your interest in Tourist. It's still under support and active development.

Unfortunately my progress fixing bugs and adding features has been basically halted by the corona virus for various reasons. Offices mostly remain closed here (many businesses are continuing this into September/October at least), I have no access to my development environment, and I also have some personal challenges causing issues.

If your bug is critical or urgent, and you can fully explain a working fix, and I can implement that fix using nothing more than vim or notepad, and no testing, i will try to fix it in the repo as quickly as possible (or merge a pull).

For everything else, I appreciate your patience. Stay safe.

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.