2

这个问题不再是最新的——谷歌在 2012 年关闭了非官方的天气 API


我想把一些天气预报放到朋友的网页上。当我为

http://www.google.com/ig/api?weather=koprivnica,croatia&hl=hr

浏览器使用以下代码返回我想解析到 PHP 的正确内容:

<?php
$xml = simplexml_load_file('http://www.google.com/ig/api?weather=koprivnica,croatia&hl=hr');
$information = $xml->xpath("/xml_api_reply/weather/forecast_information");
$current = $xml->xpath("/xml_api_reply/weather/current_conditions");
$forecast_list = $xml->xpath("/xml_api_reply/weather/forecast_conditions");
?>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
<title>VREMENSKA PROGNOZA</title>
</head>
    <body>
        <h1><?= print $information[0]->city['data']; ?></h1>
        <h2>Danas</h2>
        <div class="weather">
            <img src="<?= 'http://www.google.com' . $current[0]->icon['data']?>" alt="weather"?>
            <span class="condition">
            <?= $current[0]->temp_f['data'] ?>&deg; F,
            <?= $current[0]->condition['data'] ?>
            </span>
        </div>
        <h2>Prognoza</h2>
        <?php foreach ($forecast_list as $forecast) : ?>
        <div class="weather">
            <img src="<?= 'http://www.google.com' . $forecast->icon['data']?>" alt="weather"?>
            <div><?= $forecast->day_of_week['data']; ?></div>
            <span class="condition">
                <?= $forecast->low['data'] ?>&deg; F - <?= $forecast->high['data'] ?>&deg; F,
                <?= $forecast->condition['data'] ?>
            </span>
        </div>
        <?php endforeach ?>
    </body>
</html>

但是上面的代码不起作用,因为我使用了“hr”而不是“en”(hr = 克罗地亚语):

$xml = simplexml_load_file('http://www.google.com/ig/api?weather=koprivnica,croatia&hl=en')

是工作语法,但返回的数据是英文的,温度是华氏温度。

我想这是错误的 UTF-8 编码属性的问题。

我不知道如何获取确切的克罗地亚语文本并将华氏度转换为摄氏度。


  1. 后来我找到了F-to-C 解决方案的链接,并更改了第 19 行:

    <?= $current[0]->temp_f['data'] ?>&deg; F,

    <?= $current[0]->temp_c['data'] ?>&deg; C,

    (我在当前版本中没有使用它,因为 API 似乎可以处理摄氏度。)

  2. 要在将语言设置为“en”的同时保持 C 中的度数,您可以使用en-gb.

4

2 回答 2

6

编码问题:

出于某种原因,Google 在没有正确编码声明的情况下返回 XML 内容。人们会期待类似的东西:

<?xml version='1.0' encoding='ISO-8859-2'?>

但是他们跳过了标头中的编码属性。这使simplexml_load_file函数假定默认编码为 UTF-8。我认为这是他们 API 实现中的一个错误,因为XML 规范将 UTF-8 定义为后备默认编码

为了弥补这一点,请尝试以下操作:

<?php
$URL = "http://www.google.com/ig/api?weather=koprivnica,croatia&hl=hr";
$dataInISO = file_get_contents($URL);
$dataInUTF = mb_convert_encoding($dataInISO, "UTF-8", "ISO-8859-2");
$xml = simplexml_load_string($dataInUTF);
...

这似乎有效。ISO-8859-2 值纯属猜测。

华氏度/摄氏度

在此 API 中,我没有看到一种简单的方法来请求以摄氏温度而不是华氏温度提供温度数据(我找不到官方文档,我是不是瞎了?)。然而,从 F 到 C 的转换一点也不难。

试试这个公式:

(°F  -  32)  x  5/9 = °C

您可以在数千个地方找到它。我从http://www.manuelsweb.com/temp.htm

于 2011-02-27T22:39:02.087 回答
2

google xml 确实以摄氏度返回温度,并在 current_conditons 中查找 temp_c 标记

于 2011-04-27T21:38:57.757 回答