Bethany
Bethany

Reputation: 5

Why doesn't my console.log message show when I press Start?

I'm learning to use event listeners, I wanted to log pressing the "Start" button to the console to make sure the button works but I'm not getting any results when I test the .html file in devtools.

JAVASCRIPT:

function startQuiz() {
    $('#startButton').click(function(event){
        console.log("Keep Going");
    });
}

HTML:

<html lang="en">
<head>
    <meta charset="utf-8">
    <meta name="viewport" content="width=device-width">
    <title>Herbal Medicine: Adaptogens</title>
    <link href="style.css" rel="stylesheet" type="text/css" />
    <link rel="questions" href="store.html">
</head>
<body>
    <div class="container">
        <p>Intro to Herbal Adaptogens explaining what they are</p>
        <button id="startButton">Start</button>
    </div>
    <script src="https://ajax.googleapis.com/ajax/libs/jquery/3.4.1/jquery.min.js"></script>
    <script src="index.js"></script>
</body>
</html>

I expect the to see "Keep Going" in the console when I press "start" but instead nothing happens at all.

Upvotes: 0

Views: 147

Answers (3)

Vash
Vash

Reputation: 186

You should put it inside a Jquery click function. This way it will fire when the document loads.

$(document).ready(function() {
    $('#startButton').click(function(event) {
        console.log("Keep Going");
    }
});

Upvotes: 0

Rakesh
Rakesh

Reputation: 69

No need to go with jQuery , you can just use js events.

<!DOCTYPE html>
<html>
<head>
  <meta charset="utf-8">
  <meta name="viewport" content="width=device-width">
  <title>Log Window</title>
</head>
<body>
  <script>
  function logMe() {console.log('clicked');}
  </script>
  <button onclick="logMe()">logMe</button>
</body>
</html>

Upvotes: 0

Jackson
Jackson

Reputation: 901

You have the JQuery click() function inside the startQuiz() function. So it won't work unless the outer function (startQuiz()) is run first. You should put it inside a ready function so that it loads once the page is 'ready'.

Change your javascript to look like this:

$(document).ready(function() {
    $('#startButton').click(function(event) {
        console.log("Keep Going");
    });
});

Upvotes: 1

Related Questions