1

首先,我必须说我处于非常基本的编程水平。这些问题的答案对某些人来说可能非常明显,但我就是想不出一种将所有这些放在一起的方法。提前致谢。

我有这个 HTML 代码:

<div id="vectores" class="categoria" onclick="this.style.color='#000'; this.style.textDecoration='underline'; mostraVectores('vectores0','vectores')" onmouseover="this.style.color='#000'; this.style.textDecoration='underline'" onmouseout="this.style.color='#999'; this.style.textDecoration='none'">Tema 1. Mec&aacute;nica vectorial</div>
    <div id="vectores0" class="subcategoria"></div>

我在这里使用“onclick”来更改样式“永久”,因为我希望它成为“菜单选项”并且我希望它触发功能但也改变它的外观以便可以轻松告诉它不管它是否被选中。我一直在使用“onmouseover”让用户知道指针“即将选择”的内容(菜单有更多选项)。

问题似乎是他们不能一起工作。我想这只是因为一旦'onmouseover'设置了新样式,如果第二个事件(onclick)要求它,编译器就不会再次为div设置相同的样式。

这是该类的css代码:

.categoria{
color:#999;
font-weight:bold;
padding:2px;
padding-left:10px;
cursor:pointer;
}

然后我想使用单独的 javascript 页面和如下函数来“永久”更改样式:

function mostraVectores(cosa1,cosa2){

document.getElementById(cosa1).style.display="block";

document.getElementById('equilibrio').style.color="#999";
document.getElementById('estructuras').style.color="#999";
document.getElementById('centros').style.color="#999";
document.getElementById('momento').style.color="#999";
document.getElementById('inercia').style.color="#999";
document.getElementById('rozamiento').style.color="#999";

document.getElementById('equilibrio').style.textDecoration="none";
document.getElementById('estructuras').style.textDecoration="none";
document.getElementById('centros').style.textDecoration="none";
document.getElementById('momento').style.textDecoration="none";
document.getElementById('inercia').style.textDecoration="none";
document.getElementById('rozamiento').style.textDecoration="none";

document.getElementById(cosa2).style.color="#000";
document.getElementById(cosa2).style.textDecoration="underline";

}

在这里,您可以看到还有其他“菜单选项”我想变成灰色并且没有下划线(因为它们最初是根据 css 的),以防此功能在其他功能之后执行,以便用户不'当他从一个主题切换到另一个主题时,它会以两个“类似选定的”菜单选项结束。问题在于,通过这种方式“重置”样式,div 中的“onmouseover/onmouseout”将停止工作。

我该如何解决?

4

1 回答 1

1

您需要的方法是使用 CSS:hover并在单击时分配一个类。

HTML

<div id="vectores" class="categoria" onclick="mostraVectores('vectores0','vectores')">Tema 1. Mec&aacute;nica vectorial</div>
    <div id="vectores0" class="subcategoria"></div>

CSS

.categoria {
    color: #999;
    font-weight: bold;
    padding: 2px;
    padding-left: 10px;
    cursor: pointer;
}

.categoria:hover { /* This is applied on mouseover and removed on mouseout */
    color: #000;
    text-decoration: underline;
}

.categoria.active { /* Not sure what you want when clicked */
    color: #900;
    text-decoration: underline;
}

JS

function mostraVectores(cosa1,cosa2){
    //add this to your function
    this.className += " active";
于 2013-10-22T09:27:45.610 回答