Чтение и обработка ответа от сервера?

Slam

Новичок
Чтение и обработка ответа от сервера?

Здравствуйте!
Возникла не понятная проблема при использовании AJAX.
Суть.
Есть некая форма. Естественно, нужно ее проверить. Пользователь вводит данные и по переходу на следующее поле, предыдущее проверяется методом onblur="validate(this.value, this.id)"
Сервер формирует ответ в формате XML.
PHP:
$response =
                '<?xml version="1.0" encoding="utf-8" standalone="yes"?>' .
                '<response>' .
                '<result>' .
                $shop_customer->validate_AJAX($_POST['inputValue'], $_POST['fieldID']) .
                '</result>' .
                '<fieldid>' .
                $_POST['fieldID'] .
                '</fieldid>' .
                '</response>';
                if(ob_get_length()) ob_clean();
                header('Content-Type: text/xml');
                echo $response;
                exit();
И в соответствии с ответом, который вернул сервер, на странице происходит вывод сообщений об ошибке или его сокрытие.

Ответ читаю следующим образом.
Код:
function readResponse()
{
  var response = xmlHttp.responseText;
  if (response.indexOf("ERRNO") >= 0 
      || response.indexOf("error:") >= 0
      || response.length == 0)
    throw(response.length == 0 ? "Server error." : response);
  // чтение ответа в XML  
  responseXml = xmlHttp.responseXML;
  
  xmlDoc = responseXml.documentElement;
  result = xmlDoc.getElementsByTagName("result")[0].firstChild.data;
  fieldID = xmlDoc.getElementsByTagName("fieldid")[0].firstChild.data;
  
  // поиск HTML елемента и отображение ошибки
  message = document.getElementById(fieldID + "_failed");
  // показать / спратать ошибку
  message.className = (result == "0") ? "error" : "hidden";
  // вызов проверки
  setTimeout("validate();", 500);
}
Но при этом происходит следующая ошибка.
Код:
Error encountered: 
[Error:
name: TypeError
message: Statement on line 149: Could not convert undefined or null to object
Backtrace:
  Line 149 of linked script [url]http://www.some.host.ua/shop/js/validate.js[/url]
    result = (xmlDoc.getElementsByTagName("result"))[0].firstChild.data;
  Line 118 of linked script [url]http://www.some.host.ua/shop/js/validate.js[/url] 
    readResponse();
  At unknown location
    [statement source code not available]

]
Подскажите, пожалуйста, в чем проблема.
 

sayber

Новичок
немножко не тему: А если пользователь вообще не кликнет в это поле, как оно тогда провериться?
 

Slam

Новичок
sayber, событие onblur!

-~{}~ 22.05.07 15:05:

A-Lex[FM], ответ специально записываю в файл для тестирования.
Код:
<?xml version="1.0" encoding="utf-8" standalone="yes"?>
<response>
<result>1</result>
<fieldid>gender</fieldid>
</response>
 

Slam

Новичок
сделал alert(xmlHttp.responseText);

Эта "зараза", почему-то возвращает мне код страницы, вместо ответа.
Я использую mod_rewrite. Может из-за этого проблема.
Скрипт проверки - это воображаемый /shop/validate_register

index.php перенаправляет куда надо, а там уже идет проверка и возврат ответа. (можут нужно как-то уточнять куда ответ перенаправлять?)
Только как я погляжу нет того ответа который нужен.
 

A-Lex[FM]

Web/Highload/DataScience
тоесть ты хочешь сказать, что ты делаешь асинхронный запрос на виртуальный урл, формируемый мод_реврайт? :)

я почему то думал что асинхронные запросы надо посылать конкретному обработчику, или я ошибался?
 

Slam

Новичок
A-Lex[FM], именно так! Уже все сделал. Работает!
Ура! Всем спасибо за помошь!
Тему можно закрывать.
 

Slam

Новичок
.htaccess
Код:
RewriteEngine on
Options +FollowSymLinks
RewriteBase /
RewriteRule ^(.*)/index.php$ _forbidden.php
RewriteRule !\.(js|ico|gif|jpg|png|css)$ index.php [L]
Скрипт который парсит URL:
PHP:
$pattern_shop = '^/([a-z]{2})(/(.+))?/shop/?(.*)?/?';
if (eregi($pattern_shop, $url))
{
	// Проверить данные, введенные пользователем в форму
	$pattern_shop_regiter_validate = '^/([a-z]{2})/shop/(register/)?register_validate$';
	$replacement_register_validate = 'include=shop&lang=\\1&register=1&action=register_validate&cat_id='.$id; 
	
	// "Выкусывание" из URL'ов необходимых данных
	$including_url_register_validate = eregi_replace($pattern_shop_regiter_validate, $replacement_register_validate, $url);
	return $including_url_register_validate;
}
Далее JavaScript:
Код:
// holds an instance of XMLHttpRequest
var xmlHttp = createXmlHttpRequestObject();
// holds the remote server address 
var serverAddress = "register_validate";
// when set to true, display detailed error messages
var showErrors = true;
// initialize the validation requests cache 
var cache = new Array();

// creates an XMLHttpRequest instance
function createXmlHttpRequestObject() 
{
  // will store the reference to the XMLHttpRequest object
  var xmlHttp;
  // this should work for all browsers except IE6 and older
  try
  {
    // try to create XMLHttpRequest object
    xmlHttp = new XMLHttpRequest();
  }
  catch(e)
  {
    // assume IE6 or older
    var XmlHttpVersions = new Array("MSXML2.XMLHTTP.6.0",
                                    "MSXML2.XMLHTTP.5.0",
                                    "MSXML2.XMLHTTP.4.0",
                                    "MSXML2.XMLHTTP.3.0",
                                    "MSXML2.XMLHTTP",
                                    "Microsoft.XMLHTTP");
    // try every id until one works
    for (var i=0; i<XmlHttpVersions.length && !xmlHttp; i++) 
    {
      try 
      { 
        // try to create XMLHttpRequest object
        xmlHttp = new ActiveXObject(XmlHttpVersions[i]);
      } 
      catch (e) {} // ignore potential error
    }
  }
  // return the created object or display an error message
  if (!xmlHttp)
    displayError("Error creating the XMLHttpRequest object.");
  else 
    return xmlHttp;
}

// function that displays an error message
function displayError($message)
{
  // ignore errors if showErrors is false
  if (showErrors)
  {
    // turn error displaying Off
    showErrors = false;
    // display error message
 
    alert("Error encountered: \n" + $message);
    // retry validation after 10 seconds
    setTimeout("validate();", 10000);
  }
}

// the function handles the validation for any form field
function validate(inputValue, fieldID)
{
  // only continue if xmlHttp isn't void
  if (xmlHttp)
  {
    // if we received non-null parameters, we add them to cache in the
    // form of the query string to be sent to the server for validation
    if (fieldID)
    {
      // encode values for safely adding them to an HTTP request query string
      inputValue = encodeURIComponent(inputValue);
      fieldID = encodeURIComponent(fieldID);
      // add the values to the queue
      cache.push("inputValue=" + inputValue + "&fieldID=" + fieldID);
    }
    // try to connect to the server
    try
    {
      // continue only if the XMLHttpRequest object isn't busy
      // and the cache is not empty
      if ((xmlHttp.readyState == 4 || xmlHttp.readyState == 0) 
         && cache.length > 0)
      {
        // get a new set of parameters from the cache
        var cacheEntry = cache.shift();
        // make a server request to validate the extracted data
        xmlHttp.open("POST", serverAddress, true);
        xmlHttp.setRequestHeader("Content-Type", 
                                 "application/x-www-form-urlencoded");
        xmlHttp.onreadystatechange = handleRequestStateChange;
        xmlHttp.send(cacheEntry);
      }
    }
    catch (e)
    {
      // display an error when failing to connect to the server
      displayError(e.toString());
    }
  }
}

// function that handles the HTTP response
function handleRequestStateChange() 
{
  // when readyState is 4, we read the server response
  if (xmlHttp.readyState == 4) 
  {
    // continue only if HTTP status is "OK"
    if (xmlHttp.status == 200) 
    {
      try
      {
        // read the response from the server
        readResponse();
      }
      catch(e)
 
      {
        // display error message
        displayError(e.toString());
      }
    }
    else
    {
      // display error message
      displayError(xmlHttp.statusText);
    }
  }
}

// read server's response 
function readResponse()
{
  // retrieve the server's response 
  var response = xmlHttp.responseText;
  //alert(xmlHttp.responseText);
  // server error?
  if (response.indexOf("ERRNO") >= 0 
      || response.indexOf("error:") >= 0
      || response.length == 0)
    throw(response.length == 0 ? "Server error." : response);
  // get response in XML format (assume the response is valid XML)
  responseXml = xmlHttp.responseXML;
  
  // get the document element
  xmlDoc = responseXml.documentElement;
  result = xmlDoc.getElementsByTagName("result")[0].firstChild.data;
  fieldID = xmlDoc.getElementsByTagName("fieldid")[0].firstChild.data;
  // find the HTML element that displays the error
  message = document.getElementById(fieldID + "_failed");
  // show the error or hide the error
  message.className = (result == "0") ? "error" : "hidden";
  // call validate() again, in case there are values left in the cache
  setTimeout("validate();", 500);
}

// sets focus on the first field of the form
function setFocus()    
{
  document.getElementById("first_name").focus();
}
В страничке с формой подключаем скрипт
<script type="text/javascript" src="/shop/js/validate.js"></script>

Чтобы проверить поле в его свойстах указываем
onblur="validate(this.value, this.id)"

А данные отправляю следующим образом:
PHP:
// Проверим те самые параметры, которые сформировали при разборке URL'a
        if (isset($_GET['action']) && $_GET['action'] == 'register_validate')
        {
                $response =
                '<?xml version="1.0" encoding="utf-8" standalone="yes"?>' .
                '<response>' .
                '<result>' .
                $shop_customer->validate_AJAX($_POST['inputValue'], $_POST['fieldID']) .
                '</result>' .
                '<fieldid>' .
                $_POST['fieldID'] .
                '</fieldid>' .
                '</response>';
                if(ob_get_length()) ob_clean();
                header('Content-Type: text/xml');
                echo $response;
                exit();
        }
    }
Вот, собственно, и все.
 

MiRacLe

просто Чудо
Автор оригинала: A-Lex[FM]
тоесть ты хочешь сказать, что ты делаешь асинхронный запрос на виртуальный урл, формируемый мод_реврайт? :)

я почему то думал что асинхронные запросы надо посылать конкретному обработчику, или я ошибался?
Можно ли узнать откуда это суеверие? Выведено эмпирическим путём или всё же где-то сидит дятел, отстукивающий дезу?
 
Сверху