Reputation: 1693
I'm using google contacts api and php to parse an xml like so:
$req = new Google_HttpRequest("https://www.google.com/m8/feeds/contacts/default/full");
$val = $client->getIo()->authenticatedRequest($req);
$xml = simplexml_load_string($val->getResponseBody());
$xml->registerXPathNamespace('gd', 'http://schemas.google.com/g/2005');
$output_array = array();
foreach ($xml->entry as $entry) {
foreach ($entry->xpath('gd:email') as $email) {
$output_array[] = array(
(string)$entry->title,
//THIS DOESNT WORK WHY??
(string)$entry->attributes()->href,
//
(string)$email->attributes()->address);
}
}
This returns:
[1]=>
array(3) {
[0]=>
string(14) "LOREM IPSUM"
[1]=>
string(0) ""
[2]=>
string(28) "[email protected]"
}
the raw xml response is like so:
<entry>
<id>http://www.google.com/m8/feeds/contacts/EMAIL/base/e29c818b038d9a</id>
<updated>2012-08-28T21:52:20.909Z</updated>
<category scheme="http://schemas.google.com/g/2005#kind" term="http://schemas.google.com/contact/2008#contact" />
<title type="text">Lorem ipsum</title>
<link rel="http://schemas.google.com/contacts/2008/rel#edit-photo" type="image/*" href="https://www.google.com/m8/feeds/photos/media/EMAIL/e29c818b038d9a/1B2M2Y8AsgTpgAmY7PhCfg" />
<link rel="self" type="application/atom+xml" href="https://www.google.com/m8/feeds/contacts/EMAIL/full/e29c818b038d9a" />
<link rel="edit" type="application/atom+xml" href="https://www.google.com/m8/feeds/contacts/EMAIL/full/e29c818b038d9a/1346190740909001" />
<gd:email rel="http://schemas.google.com/g/2005#other" address="[email protected]" primary="true" />
</entry>
How do i get at the image url aswell as the contact name and title?
Upvotes: 2
Views: 1201
Reputation: 270607
You are attempting to access the <link>
elements, but are accessing the attributes()
of $entry
, which does not have href
attributes.
// Doesn't have an href attribute...
(string)$entry->attributes()->href
Instead, get the link
elements and loop over them to create an array of href
.
$output_array = array();
foreach ($xml->entry as $entry) {
// Initialize an array out here.
$entry_array = array();
// Get the title and link attributes (link as an array)
$entry_array['title'] = (string)$entry->title;
$entry_array['hrefs'] = array();
foreach($entry->link as $link) {
// append each href in a loop
$entry_array['hrefs'][] = $link->attributes()->href;
}
// If there are never more than 1 email, you don't need a loop here.
foreach ($entry->xpath('gd:email') as $email) {
// Get the email
$entry_array['email'] = (string)$email->attributes()->address
}
// Append your array to the larger output
$output_array[] = $entry_array;
}
// Look at the result
print_r($output_array);
Upvotes: 2