我需要在此Url https://clip.unl.pt/sprs?lg=pt&year=2013&uo=97747&srv=rsu&p=1&tp=s&md=3&rs=8145&it=1030123459中打印Identificador标记内的值,但我根本没有输出。
function get_xmlcontent(StdClass $data)
{
$year = $data->year;
$course = $data->clipid;
$typeperiod = $data->typeperiod;
if ($typeperiod == 's'||$typeperiod == 'a') {
$period = $data->period;
} else if ($typeperiod == 't') {
$period = $data->trimester;
}
//file from CLIP
$xmlUrl = 'https://clip.unl.pt/sprs?lg=pt&year='.$year.'&uo=97747&srv=rsu&p='.$period.'&tp='.$typeperiod.'&md=3&rs='.$course.'&it=1030123459';
$xmlStr = download_file_content($xmlUrl);
$xmlObj = simplexml_load_string($xmlStr);
foreach ($xmlObj->unidade_curricular->inscritos->aluno as $aluno) {
echo $result = $aluno->identificador;
}
}
我该如何解决这个问题?
答案 0 :(得分:1)
我使用了file_get_contents()并将xml字符串传递给SimpleXMLElement,而不是自定义的download_file_content()函数。希望指出你正确的方向。 考虑在两种方法中拆分功能:a)buildURL()b)fetchXMLContent()。
$xmlContent = file_get_contents('https://clip.unl.pt/sprs?lg=pt&year=2013&uo=97747&srv=rsu&p=1&tp=s&md=3&rs=8145&it=1030123459');
$xmlObj = new SimpleXMLElement($xmlContent);
foreach($xmlObj->unidade_curricular->inscritos->aluno as $aluno){
$result= $aluno->identificador;
echo $result;
}
回答你的评论:这涉及另一个问题! 您的域是HTTPS域,因此您需要告诉cURL如何处理它。 我创建了一个例子,它解决了所有提到的问题并进行了演示 cURL用法。
<?php
function buildURL($year, $period, $typeperiod, $course)
{
return 'https://clip.unl.pt/sprs?lg=pt&year='.$year.'&uo=97747&srv=rsu&p='.$period.'&tp='.$typeperiod.'&md=3&rs='.$course.'&it=1030123459';
}
function doRequest_with_FileGetContents($url)
{
return file_get_contents($url);
}
function doRequest_with_cURL($url) {
$ch=curl_init();
curl_setopt($ch,CURLOPT_URL, $url);
curl_setopt($ch,CURLOPT_RETURNTRANSFER,1);
// your domain is a HTTPS domain, so you need to tell curl how to deal with SSL verifications
curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, 0);
curl_setopt($ch, CURLOPT_SSL_VERIFYHOST, 0);
$data=curl_exec($ch);
curl_close($ch);
return $data;
}
function processXML($xmlContent)
{
$xmlObj = new SimpleXMLElement($xmlContent);
foreach($xmlObj->unidade_curricular->inscritos->aluno as $aluno){
$result= $aluno->identificador;
echo $result;
}
}
// Ok. Lets test..
// some testing values, i guess these will come from a formular
$year = '2013';
$period = '1';
$typeperiod = 's';
$course = '8145';
// a) build URL
$url = buildURL($year, $period, $typeperiod, $course);
// b) fetch content
$content_a = doRequest_with_cURL($url);
$content_b = doRequest_with_FileGetContents($url);
// c) process content (should be the same)
echo "\nRequest with cURL\n";
processXML($content_a);
echo "\nRequest with file_get_contents()\n";
processXML($content_b);