1

我在 Apache 2.28 上运行一个由 PHP/MySQL 提供支持的活动站点。我可以按照http://devzone.zend.com/article/13633显示 HTML 表格。

对于 localhost 上的这个站点,我使用的是 www 中提到的 Twig 框架。树枝项目。组织

内容是从本地 MySQL 数据库中提取的:

我的代码:

    <html>
  <head>
    <style type="text/css">
      table {
        border-collapse: collapse;
      }        
      tr.heading {      
        font-weight: bolder;
      }        
      td {
        border: 1px solid black;
        padding: 0 0.5em;
      }    
    </style>  
  </head>
  <body>
    <h2>Events</h2>
    <table>
      <tr class="heading">
        <td>Event time</td>
        <td>Event name</td>
      </tr> 
      {% for d in data %}
      <tr>
        <td>{{ d.evtime|escape }}</td>
        <td>{{ d.evname|escape }}</td>
      </tr> 
      {% endfor %}
    </table>
  </body>
</html>

// PHP文件在下面

    <?php
// include and register Twig auto-loader
include 'Twig/Autoloader.php';
Twig_Autoloader::register();

// attempt a connection
try {
  $dbh = new PDO('mysql:dbname=world;host=localhost', 'root', 'MYPASS');
} catch (PDOException $e) {
  echo "Error: Could not connect. " . $e->getMessage();
}

// set error mode
$dbh->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION);

// attempt some queries
try {
  // execute SELECT query
  // store each row as an object
  $sql = "SELECT * FROM myeventdb";
  $sth = $dbh->query($sql);
  while ($row = $sth->fetchObject()) {
    $data[] = $row;
  }

  // close connection, clean up
  unset($dbh); 

  // define template directory location
  $loader = new Twig_Loader_Filesystem('templates');

  // initialize Twig environment
  $twig = new Twig_Environment($loader);

  // load template
  $template = $twig->loadTemplate('countries.tmpl');

  // set template variables
  // render template
  echo $template->render(array (
    'data' => $data
  ));

} catch (Exception $e) {
  die ('ERROR: ' . $e->getMessage());
}
?>

但是,我无法将日期时间显示为我的活动:下午 1:30 地理课

相反,它显示为 13:30:00 Geography Class

为什么会这样,我需要在 Twig 语法中解决什么问题?我对此很陌生,我浏览了文档,但网站上没有太多关于它的内容。

干杯。

4

1 回答 1

6

所以脚本显示 13:30:00 因为这是从数据库中出来的 - 你没有在任何地方格式化日期。

在您的 Twig 模板中,您可以使用date过滤器根据PHPdate函数格式设置您喜欢的日期格式

{{ d.evtime|date('g:ia')|escape }}

如果您想事先进行格式化,只需使用dateand的组合strtotime

$formatted_time = date('g:ia',strtotime($unformatted_time));
于 2011-06-29T13:42:23.063 回答