本节内容:
javascript 动态设置style样式实例
1,易错:修改元素的样式不是设置class属性,而是className属性。
2,易错:单独修改样式的属性使用"style.属性名".注意在css中属性名在javascript中,操作时属性名可能不一样,主要集中在那些属性名中含有-的属性,因为
javascript中-是不能做属性,类名的。所以在CSS中背景色是background-clolor,
而javascript中则是style.background;元素样式名是class,在javascript中是className属性
;font-size->style.fontSize;margin-top->style.marginTop
3,单独修改控件的样式<input type="button" value="AAA" onclick="this.style.color='red'" />
例1,动态修改style
复制代码 代码示例:
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<title>动态修改style</title>
<style type="text/css">
.day
{
background-color:Green;
}
.night
{
background-color:Black;
}
</style>
<script type="text/javascript">
function dayclick() {
var divMain = document.getElementById("divMain");
//注意这里使用的是className而不是class
divMain.className = "day";
}
function nightclick() {
var divMain = document.getElementById("divMain");
divMain.className = "night";
}
</script>
</head>
<body>
<div id="divMain" class="day">
<font color="red">中华人名共和国</font>
</div>
<input type="button" value="白天" onclick="dayclick()" />
<input type="button" value="黑夜" onclick="nightclick()" />
</body>
</html>
例2,动态修改style(模拟开灯,关灯)
复制代码 代码示例:
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<title>动态修改style_www.jb200.com</title>
<style type="text/css">
.day
{
background-color:White;
}
.night
{
background-color:Black;
}
</style>
<script type="text/javascript">
function switchLight() {
var btnSwitch = document.getElementById("btnSwitch");
if (document.body.className == "day") {
document.body.className = "night";
btnSwitch.value = "开灯";
}
else {
document.body.className = "day";
btnSwitch.value = "关灯";
}
}
</script>
</head>
<body class="night">
<input type="button" value="开灯" id="btnSwitch" onclick="switchLight()" />
</body>
</html>
例3,动态设置style样式,修改文本框背景颜色。
复制代码 代码示例:
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<title>动态设置style(修改文本框背景色)_www.jb200.com</title>
<script type="text/javascript">
function IniEvents() {
var inputs = document.getElementsByTagName("input");
for (var i = 0; i < inputs.length; i++) {
if (inputs[i].type == "text") {
//设置txtOnBlur函数为input元素的onblur事件的响应函数
inputs[i].onblur = txtOnBlur;
}
}
}
function txtOnBlur() {
/*
txtOnBlur是onblur的响应函数,而不是被响应函数调用
的函数,所有可以用this来取的发生事件控件的对象
*/
if (this.value.length <= 0) {
this.style.background = "red";
}
else {
this.style.background = "white";
}
}
</script>
</head>
<body onload="IniEvents()">
<input type="text" /><br />
<input type="text" /><br />
<input type="text" /><br />
<input type="text" /><br />
<input type="text" /><br />
<input type="text" /><br />
</body>
</html>