我正在搞乱JavaScript,我希望有一个带有3个链接的彩色方块,根据我点击的链接,方块将改变颜色。我不能让它工作,我不知道我哪里出错了..
的index.html
<!doctype html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>Test Page 2</title>
<script src="switch.js" type='text/javascript'></script>
</head>
<body>
<img id='square' src="img/blue.png"><br>
<a href="#" id='blue'>Blue!</a>
<a href='#' id='red'>Red!</a>
<a href='#' id='green'>Green!</a>
</body>
</html>
switch.js
var switch = (function() {
var red = document.body.getElementById('red');
var square = document.body.getElementById('square');
red.onclick = function() {
square.src = 'img/red.png';
}
})();
答案 0 :(得分:3)
您在元素存在之前运行代码。
将<script>
元素移动到<body>
的底部(以便它们存在后运行),或者在load事件中运行代码。
答案 1 :(得分:1)
你有两个问题。
首先,您使用的是名为switch
的变量,这是一个不可以。 Switch是一个保留字,因为它是一个switch语句。重命名它。
var xswitch = (function() {
其次,这是因为您在页面上存在元素之前运行代码。它需要执行onload,文档dom加载[ready],或者需要在页面底部添加脚本。
<!doctype html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>Test Page 2</title>
</head>
<body>
<img id='square' src="img/blue.png"><br>
<a href="#" id='blue'>Blue!</a>
<a href='#' id='red'>Red!</a>
<a href='#' id='green'>Green!</a>
<script src="switch.js" type='text/javascript'></script>
</body>
</html>
答案 2 :(得分:1)
进行以下更改以确保已加载DOM。
HTML
<!doctype html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>Test Page 2</title>
<script src="switch.js" type='text/javascript'></script>
<script type="text/javascript">
window.onload = function () {
switchFn();
};
</script>
</head>
<body>
<img id='square' src="img/blue.png"><br>
<a href="#" id='blue'>Blue!</a>
<a href='#' id='red'>Red!</a>
<a href='#' id='green'>Green!</a>
</body>
</html>
JavaScript(switch.js)
var switchFn = function () {
var red = document.getElementById('red');
var square = document.getElementById('square');
red.onclick = function () {
square.src = 'img/red.png';
}
};