不知道是否有人对 Google Spreadsheets API 或 Zend_GData 类有经验,但值得一试:

当我尝试在 750 行的电子表格中插入一个值时,它需要很长时间,然后抛出一个错误,表明我的内存限制(128 MB!)被超出。我在查询这个电子表格的所有记录时也得到了这个,但是我可以想象,因为它有很多数据。但是为什么插入行时会发生这种情况?这不是太复杂,是吗?这是我使用的代码:

public function insertIntoSpreadsheet($username, $password, $spreadSheetId, $data = array()) {
    $service = Zend_Gdata_Spreadsheets::AUTH_SERVICE_NAME;
    $client = Zend_Gdata_ClientLogin::getHttpClient($username, $password, $service);
    $client->setConfig(array( 'timeout' => 240 ));
    $service = new Zend_Gdata_Spreadsheets($client);
    if (count($data) == 0) {
        die("No valid data");
    }
    try {
        $newEntry = $service->insertRow($data, $spreadSheetId);
        return true;
    } catch (Exception $e) {
        return false;
    }
}

最佳答案

我今天刚遇到这个。在调用 insertRow() 方法时,我的脚本使用了超过 130MB 的内存插入到大约 600 条记录的工作表中。我在 framework version 1.11 上对此进行了测试。

作为一种变通方法,我使用现有的 Zend HTTP 客户端对象发送一个 POST,其中包含要插入的行的数据的 Atom 条目。我遵循谷歌的 adding a list row 协议(protocol)。

下面是我想出的代码。 $values 参数是一个关联数组,其键与行的列名匹配。当然,您已经知道 $spreadsheetKey$worksheetId(如果您插入的工作表是电子表格中的第一个工作表,我不确定它的 ID 是否必要)。

$authService = Zend_Gdata_Spreadsheets::AUTH_SERVICE_NAME;
$httpClient = Zend_Gdata_ClientLogin::getHttpClient($user, $pass, $authService);

function insertRow($httpClient, $spreadsheetKey, $worksheetId, $values) {
    $entry = createEntry($values);
    $httpClient->setUri("https://spreadsheets.google.com/feeds/list/".$spreadsheetKey."/".$worksheetId."/private/full");
    $response = $httpClient->setRawData($entry, 'application/atom+xml')->request('POST');
    return $response->getStatus() == 201;
}

function createEntry($values) {
    $entry = "<entry xmlns=\"http://www.w3.org/2005/Atom\"";
    $entry .= " xmlns:gsx=\"http://schemas.google.com/spreadsheets/2006/extended\">";
    foreach($values as $key => $value) {
        $entry .= "<gsx:".$key.">".$value."</gsx:".$key.">";
    }
    $entry .= "</entry>";
    return $entry;
}

希望这可以帮助。

关于php - Google 电子表格 API : memory exceeded,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/3004631/

10-12 23:42