I’m building a virtual keyboard with vanillla javascript but don’t know where to add the onclick event listener to the buttons or how to grab them. I have a printKeys function that loops thru the array and prints them onload, and I have an unfinished typeKeys function where I’m trying to grab the innerhtml and print it to the input field.
HTML
JavaScript
x
13
13
1
</head>
2
<body onload="printKeys()">
3
<div class="text">
4
<input type="text" class="your-text" id="input" placeholder="Your text here.."></input>
5
6
<button class="copy-btn">Copy</button>
7
</div>
8
<div class="keyboard" id="keyboard"></div>
9
10
<script src="index.js"></script>
11
</body>
12
</html>
13
Javascript
JavaScript
1
23
23
1
const alphaKeys = ["a","b","c"];
2
const numKeys = "1234567890";
3
const keyboard = document.getElementById("keyboard");
4
5
// render keyboard
6
function printKeys() {
7
for (let i = 0; i < alphaKeys.length; i++) {
8
let keys = document.createElement("button");
9
keys.innerHTML = alphaKeys[i];
10
//add onclick function to button
11
keyboard.appendChild(keys);
12
}
13
}
14
15
//onClick event, add text in text field
16
const input = document.getElementById('input')
17
18
function typeKeys() {
19
console.log("clicked")
20
//grab input and replace with button innerhtml
21
}
22
23
Advertisement
Answer
Instead of adding the event handler to each button, you can apply it to the parent (keyboard) then just use the event’s target to get the specific button. I also added the character to a data-attribute instead of the innerHTML.
JavaScript
1
29
29
1
const alphaKeys = ["a","b","c"];
2
const numKeys = "1234567890";
3
const keyboard = document.querySelector(".keyboard");
4
5
// render keyboard
6
function printKeys() {
7
for (let i = 0; i < alphaKeys.length; i++) {
8
let keys = document.createElement("button");
9
keys.innerHTML = alphaKeys[i];
10
keys.setAttribute("data-character",alphaKeys[i]);
11
keyboard.appendChild(keys);
12
}
13
}
14
15
//onClick event, add text in text field
16
const input = document.getElementById('input')
17
18
function typeKeys(character) {
19
input.value += character;
20
}
21
22
keyboard.addEventListener("click",function(e){
23
let target = e.target;
24
if(target.getAttribute("data-character")){
25
typeKeys(target.getAttribute("data-character"))
26
}
27
});
28
29
printKeys();
JavaScript
1
5
1
<div class="text">
2
<input type="text" class="your-text" id="input" placeholder="Your text here..">
3
<button class="copy-btn">Copy</button>
4
</div>
5
<div class="keyboard" id="keyboard"></div>