Search code examples
javascripthtmlcssmarkup

How to move a menu markup out of the header and insert it at another place in HTML?


So, I have a hamburger menu on mobile inside of a header. On desktop things change and the menu is located on the left side, left of the main content, below the header. Is there a (JavaScript) way to use existing markup, i.e. move the nav tag with its contents outside of #overlay and put it in the aside tag? Or is duplicating the menu markup the only way?

<header>
   <div id="overlay">
        <nav id="navbar">
            
            <ul class="menu">
                <li class="item-group">
                    <a href="index.html">The Story.</a>
                </li>

                <li class="item-group">
                    <a href="everyday-life.html">Everyday Life</a>
                </li>
   </div>
</header>

<aside> Side menu on desktop </aside>

enter image description here


Solution

  • How the code works

    A function has been added to the body that listens for resizing the width of the screen onresize="navigationFunc()".

    To be displayed in the right place when we reload the page is added onload="navigationFunc()".

    When the width becomes less than 1000px (you can change this in the code). Moves navigation in element with ID #mobile

    <!DOCTYPE html>
    <html lang="en">
    
    <head>
        <meta charset="UTF-8">
        <meta name="viewport" content="width=device-width, initial-scale=1.0">
        <title>Document</title>
    </head>
    
    <body onresize="navigationFunc()" onload="navigationFunc()">
    
        <div id="desktop">
            <div id="navigation">
                Lorem ipsum dolor sit amet
            </div>   
        </div>
    
        <div id="mobile">
        </div>
    
        <script>
            var nav = document.getElementById('navigation');
            var dsk = document.getElementById('desktop');
            var mob = document.getElementById('mobile');
    
            function navigationFunc() {
                var w = window.outerWidth;
                if (w < 1000) {
                    // mob.appendChild(nav); // ADD LAST
                    mob.insertBefore(nav, mob.childNodes[0]); // ADD FIRST
                } else {
                    // dsk.appendChild(nav); // ADD LAST
                    dsk.insertBefore(nav, dsk.childNodes[0]); // ADD FIRST
                }
            }
        </script>
    
    </body>
    </html>