3

HTML テーブルに基づいてオブジェクトのリストを作成したいと考えています。次のクラスがあるとしましょう:

class Employee
{
  String name;
  String department;
  num salary;

  ...methods
}

私のHTMLには、次の表があります。

<table class="table" id="employeeTable">
   <thead>
   <tr>
     <th>Name
     <th>Departament
     <th>Salary  
     <tbody id="employeeTableBody">
   <tr>
     <td> John
     <td> 1
     <td> 1500
   <tr>
     <td> Mary
     <td> 2
     <td> 2500
              ...etc    

</table>

では、テーブルにクエリを実行し、その行を取得してから、そのセルを取得して従業員のリストを埋めるにはどうすればよいでしょうか (この場合)。

私は次のようなものを使用しようとしました:

    TableElement table = query("#employeesTable");
    Element tableBody = query("#employeesTableBody");

しかし、TableElement または Element で TableRowElement またはそのセルを返すための適切なメソッドが見つかりませんでした。子ノードも取得しようとしましたが、成功しませんでした。

このタスクを実行する疑似アルゴリズムは次のようになります。

1. Get the table
2. For each row of the table
2.a Create a new Employee object based on the value of each cell of the row.
2.b Append this object to the Employee List.
3. End
4

1 に答える 1

6

ここにHTML:

<!DOCTYPE html>

<html>
  <head>
    <meta charset="utf-8">
    <title>Scratchweb</title>
    <link rel="stylesheet" href="scratchweb.css">
  </head>
  <body>
    <table id="employeeTable">
      <tr>
        <th>Name</th>
        <th>Departament</th>
        <th>Salary</th>
      </tr>
      <tr>
        <td>John</td>
        <td>1</td>
        <td>1500</td>
      </tr>
      <tr>
        <td>Mary</td>
        <td>2</td>
        <td>2500</td>
      </tr>    
    </table>

    <script type="application/dart" src="web/scratchweb.dart"></script>
    <script src="https://dart.googlecode.com/svn/branches/bleeding_edge/dart/client/dart.js"></script>
  </body>
</html>

ダーツは次のとおりです。

import 'dart:html';
import 'dart:math';

class Employee {
  String name;
  String department;
  num salary;

  Employee({this.name, this.department, this.salary});
  String toString() => '<employee name="$name" department="$department" salary="$salary">';
}

void main() {
  var employees = new List<Employee>();
  var table = query("table#employeeTable");
  for (TableRowElement row in table.rows) {
    if (row.cells.length != 3) {
      print("Malformed row: $row");
      continue;
    }
    if ((row.cells[0] as TableCellElement).tagName == "TH") {
      print("Skipping header");
      continue;
    }
    var cells = row.cells;
    var employee = new Employee(
        name: cells[0].text,
        department: cells[1].text,
        salary: parseDouble(cells[2].text));
    employees.add(employee);
  }
  print(employees);
}

この回答を承認する場合は、忘れずに承認してください。上司は、私が質問に答えるたびにベーコンを食べさせてくれます ;)

于 2012-10-30T20:22:10.877 に答える