Запрос Ajax занимает 6 секунд, не знаю почему - PullRequest
0 голосов
/ 24 августа 2010

Я работаю над пользовательским интерфейсом, своего рода «приборной панелью», на которой есть несколько блоков div, которые содержат информацию, относящуюся к текущему вошедшему в систему пользователю. Их календарь, список задач и некоторая статистика динамически извлекаются из электронной таблицы Google.

Я нашел здесь: http://code.google.com/apis/spreadsheets/data/3.0/reference.html#CellFeed что конкретные ячейки могут быть запрошены из листа с таким URL:
spreadsheets.google.com/feeds/cells/0AnhvV5acDaAvdDRvVmk1bi02WmJBeUtBak5xMmFTNEE/1/public/basic/R3C2

Я кратко изучил Zend GData, но это показалось мне более сложным, чем то, что я пытался сделать.

Так что вместо этого я написал две функции php: (в hours.php)
1.) делает file_get_contents() сгенерированного URL, основываясь на строке параметров, столбце и листе
2.) использует первый в цикле, чтобы найти, какой номер столбца связан с данным именем.

Так что в основном я делаю ajax-запрос, используя jQuery, который выглядит так:

// Функция начала JS

function ajaxStats(fullname)
{
    $.ajax({
        url: "lib/dashboard.stats.php?name="+fullname,
        cache: false,
        success: function(html){
            document.getElementById("stats").innerHTML = html;
        }
    });
}

// конец функции js

// начало файла hours.php

<?php 
function getCol($name)
{
    $r=1;
    $c=2;
    while(getCell($r,$c,1) != $name)
    {    $c++;    }
    return $c;
}

function getCell($r, $c, $sheet)
{
    $baseurl = "http://spreadsheets.google.com/feeds/cells/";
    $spreadsheet = "0AnhvV5acDaAvdDRvVmk1bi02WmJBeUtBak5xMmFTNEE/";
    $sheetID = $sheet . "/";
    $vis = "public/";
    $proj = "basic/";
    $cell = "R".$r."C".$c;

    $url = $baseurl . $spreadsheet . $sheetID . $vis . $proj . $cell . "";
    $xml = file_get_contents($url);

    //Sometimes the data is not xml formatted,
    //so lets try to remove the url
    $urlLen = strlen($url);
    $xmlWOurl = substr($xml, $urlLen);

    //then find the Z (in the datestamp, assuming its always there)
    $posZ = strrpos($xmlWOurl, "Z");
    //then substr from z2end
    $data = substr($xmlWOurl, $posZ + 1);

    //if the result has more than ten characters then something went wrong
    //And most likely it is xml formatted
    if(strlen($data) > 10) 
    {
        //Asuming we have xml 
        $datapos = strrpos($xml,"<content type='text'>");
        $datapos += 21;
        $datawj = substr($xml, $datapos);
        $endcont = strpos($datawj,"</content>");
        return substr($datawj, 0,$endcont);
    }
    else
        return $data;
} 
?>

// Конец hours.php

// Начать dashboard.stats.php

<?php
session_start();
// This file is requested using ajax from the main dashboard because it takes so long to load,
// as to not slow down the usage of the rest of the page.

if (!empty($_GET['name']))
{
    include "hours.php";
    // GetCollumn of which C#R1 = users name
    $col = getCol($_GET['name']);
    // then get cell from each of the sheets for that user,
    // assuming they are in the same column of each sheet
    $s1 = getcell(3, $col, 1);
    $s2 = getcell(3, $col, 2);
    $s3 = getcell(3, $col, 3);
    $s4 = getcell(3, $col, 4);
    // Store my loot in the session varibles,
    // so next time I want this, I don't need to fetch it
    $_SESSION['fhrs'] = $s1;
    $_SESSION['fdol'] = $s2;
    $_SESSION['chrs'] = $s3;
    $_SESSION['bhrs'] = $s4;
}
//print_r($_SESSION);
?>
<!-- and finally output the information formated for the widget-->
<strong>You have:</strong><br/>
<ul style="padding-left: 10px;">
    <li>        <strong><?php echo $_SESSION['fhrs']; ?></strong> fundraising hours<br/></li>
    <li>earned $<strong><?php echo $_SESSION['fdol']; ?></strong> fundraising<br/></li>
    <li>        <strong><?php echo $_SESSION['chrs']; ?></strong> community service hours<br/></li>
    <li>        <strong><?php echo $_SESSION['bhrs']; ?></strong> build hours <br/></li>
</ul>

// end dashboard.stats.php

Я думаю, что когда я теряю свои 4 секунды, это цикл while в getCol() [hours.php]
Как я могу улучшить это и сократить время загрузки?

Должен ли я просто удалить это и перейти к Zend GData?
Если это цикл while, я должен попытаться сохранить номер столбца каждого пользователя из электронной таблицы в базе данных пользователей, которая также аутентифицирует логин?

1 Ответ

0 голосов
/ 29 ноября 2010

У меня не было правильного перерыва в цикле while, он продолжал цикл даже после того, как нашел нужного человека.

Кроме того, запрос занял время, чтобы перейти к электронной таблице Google.Около 0,025 секунды на запрос.

Я также говорил с пользователем ZendGdata, и они сказали, что запрос был не намного быстрее.

...