3

我有一个 HTML 表格,每行都有一个按钮。这里的目标是当一个按钮被点击时,整行都会改变背景颜色。代码是:

<table>
    <tr>
        <td>Value1</td>
        <td>Value2</td>
        <td>
            <input type="button" value="press" onclick="myFunction(this)" />
        </td>
    </tr>
    <tr>
        <td>Value3</td>
        <td>Value4</td>
        <td>
            <input type="button" value="press" onclick="myFunction(this)" />
        </td>
    </tr>
</table>

<script type="text/javascript">
    function myFunction(e) {
        //change the background color of the row
    }
</script>

你能帮我解决这个问题吗?谢谢!

4

6 回答 6

5

您应该改用class并作为良好实践删除 html 中的内联函数调用。

用这个:

HTML

<table>
    <tr>
        <td>Value1</td>
        <td>Value2</td>
        <td>
            <input type="button" value="press" />
        </td>
    </tr>
    <tr>
        <td>Value3</td>
        <td>Value4</td>
        <td>
            <input type="button" value="press" />
        </td>
    </tr>
</table>

jQuery

var all_tr = $('tr');
$('td input[type="button"]').on('click', function () {
    all_tr.removeClass('selected');
    $(this).closest('tr').addClass('selected');
});

演示在这里

(更新)

于 2013-08-29T18:54:02.240 回答
2

jQuery 的closest方法非常适合这一点,因为您jQuery在标签中包含:

function myFunction(el) {
//change the background color of the row

  $(el).closest('tr').css('background-color', 'red');
}

以非 jQuery 方式,您可以:

function myFunction(el) {
//change the background color of the row
  while (el && (el.tagName.toLowerCase() != 'tr'))
    el = el.parentNode;

  if (el)
    el.style.backgroundColor = 'red';
}
于 2013-08-29T18:52:38.007 回答
2

您可以将这些解决方案与 jQuery 一起使用。

  <script type='text/javascript'>
    $('table input').bind('click', function (e) {       
        $(this).parent().parent().addClass('redBackground');    
    });
  </script>

创建 CSS 类,我将其命名为“redBackground”。

<style type='text/css'>
   .redBackground {
       background: #fff;
   }
</style>

问候。

于 2013-08-29T18:53:34.523 回答
1

这是您可以做到的一种方法:http: //jsfiddle.net/69sU7/

myFunction = function(btn) {
    $(btn).parent().parent().addClass('highlight');
}

当单击按钮时,使用 jQuery,我们捕获 btn 本身,然后抓取其父级 ( td),并抓取其父级 ( tr)。然后我们将类添加highlight到那个tr.

该类.highlight添加到td它下面的所有 's,黄色背景。

于 2013-08-29T18:51:15.827 回答
1

使用直接属性 backgroundColor

e.parentNode.parentNode.style.backgroundColor = '#ff0';

http://jsfiddle.net/cguLU/1/

要重置表中的其他行,请执行以下操作:

http://jsfiddle.net/cguLU/2/

function myFunction(e) {
  var tr = e.parentNode.parentNode;
  var table = e.parentNode.parentNode.parentNode;    
  //set current backgroundColor
    var len = table.childNodes.length;
    for (var i = 0; i < len; i++) {
      if (table.childNodes[i].nodeType == 1) {
        table.childNodes[i].style.backgroundColor = 'transparent';
      }
    }
    tr.style.backgroundColor = '#ff0';
}
于 2013-08-29T18:54:50.593 回答
0

使用这个http://jsfiddle.net/4P3Jb/

e.parentNode.parentNode.style.background = "red";
于 2013-08-29T18:51:36.517 回答