使用php大写字符串的第一个字符。然后使用XMLWriter输出。

时间:2011-10-28 03:59:09

标签: php mysqli xmlwriter

这可能很简单,但我不知道最好的方法。我用php从mysqli数据库中提取数据来创建XML文档。我的代码可以使用,但标题字段中的数据全部为大写。我只需要第一个字符大写,其余小写。我知道我需要ucwords功能,但还没有骰子。标题字段在所有大写字母中都有多个单词。

我需要ucwords格式化的数据才能进入XML区域。我更喜欢在PHP中执行此操作,而不是更新数据库中的数据。谢谢您的帮助!

<?php

// Connect to the database
global $link;
$link = mysqli_connect("localhost", "root", "pass", "database");

// Verify the connection worked
if (!$link) {
    printf("Connection to database failed: %s\n", mysqli_connect_error());
    exit();
}

// Prepare the database query
   $stmt = mysqli_prepare($link, "SELECT * FROM table"); 

// Run the database query
   mysqli_stmt_execute($stmt);

// Bind the result columns to PHP variables
   mysqli_stmt_bind_result($stmt, $Name, $Title);    

// Create a new XML document in memory

$xw = new xmlWriter();
$xw->openURI('php://output');
$xw->openMemory();
$xw->startDocument('1.0');

// Start the outer data container
$xw->StartElement('rss');
$xw->WriteAttribute('version', '2.0');

// Fetch values
  while (mysqli_stmt_fetch($stmt)) {

{

$xw->startElement('item');

  // Write out the elements
    $xw->writeElement('Name', $Name);
    $xw->writeElement('Title', $Title);
    $xw->endElement();

}

// End container
$xw->endElement();

// End the document
$xw->endDocument();


//header('Content-Type: text/xml');
print $xw->outputMemory(true);

// Close the database statement
mysqli_stmt_close($stmt);

// Close the database connection
mysqli_close($link);
 }
?>

1 个答案:

答案 0 :(得分:1)

http://php.net/manual/en/function.ucwords.php

中的相关部分
<?php
$foo = 'hello world!';
$foo = ucwords($foo);             // Hello World!

$bar = 'HELLO WORLD!';
$bar = ucwords($bar);             // HELLO WORLD!
$bar = ucwords(strtolower($bar)); // Hello World!
?>

对于您的查询,我会替换:

// Prepare the database query
$stmt = mysqli_prepare($link, "SELECT * FROM table"); 

// Run the database query
mysqli_stmt_execute($stmt);

// Bind the result columns to PHP variables
mysqli_stmt_bind_result($stmt, $Name, $Title);    

使用:

$results = mysqli_query("SELECT * FROM table");

然后将while循环更改为:

foreach($results as $row) {
    $xw->startElement('item');
    $xw->writeElement('Name', ucwords(strtolower($row['name']));
    $xw->writeElement('Title', ucwords(strtolower($row['title']));
    $xw->endElement();
}

显然你需要修改它,因为我不知道你的数据库模式。

更改mysqli内容的主要原因是,如果您将来对数据库进行架构更改,则无法保证您具有相同的数据库列顺序。

祝你好运!