How to easily display a Facebook page’s feed on your website

Posted on

I've only really had to do this myself a couple of times and each time I'm asked I'm always left thinking, now, where do I begin? For one thing getting the Facebook page's RSS feed URL is hard enough, so I thought I'd write a little post on how to get that URL, parse it using PHP and then make it look all fancy with CSS.

First things first, getting the Facebook page's RSS feed URL. Log into your Facebook account and then head over to the page that you want to turn into a feed. Click on the 'Notes' tab and then in the left hand column at the bottom there should be a 'Subscribe' section with a link to the RSS feed for the page's notes. Clicking this, should give you a URL looking a little like the one below:

Facebook notes RSS URL
http://www.facebook.com/feeds/notes.php?id=XXX&viewer=XXX&key=XXX&format=rss20

Now all you need to do is change 'notes' in that URL to 'page' and you will have a full blown RSS feed of your Facebook page. I'm not sure exactly why this URL isn't very accessible, perhaps someone can shed some light on the matter?

Facebook page RSS URL
http://www.facebook.com/feeds/page.php?id=XXX&viewer=XXX&key=XXX&format=rss20

This isn't the final stage in the URL fetching process though. The PHP method I wanted to use (which I'll come onto in just a few minutes) to parse this feed didn't like it one bit. So after a bit of mucking around I thought about using FeedBurner to verify the feed and parse the new FeedBurner URL, and what do you know it worked!

So head on over to FeedBurner and burn that Facebook page RSS URL into a more friendly looking FeedBurner URL and you should be all set.

Onto the PHP

First lets set up a few things.

$feed_burner_url = 'http://feeds.feedburner.com/FacebookPage';

$doc = new DOMDocument();
$doc->load($feed_burner_url);

$feeds = array();

$limit = 2;
$counter = 0;

First we put our new fangled RSS feed URL into a variable. Load in the feed using PHP's DOMDocument class, declare an array to store our feed into, a limit for the amount of posts you want to display (minus one, in actual fact I want to display 3 but the counter beneath is starting at 0) and a counter, to see how what position we are in the loop we are about to write.

Building the RSS feed into the $feeds array

Now I'm going to go through each item in the RSS feed and stick it into our feeds array.

foreach ($doc->getElementsByTagName('item') as $node) {

	if	($counter <= $limit)
	{
	$items = array (
			'title' => $node->getElementsByTagName('title')->item(0)->nodeValue,
			'link' => $node->getElementsByTagName('link')->item(0)->nodeValue,
			'description' => $node->getElementsByTagName('description')->item(0)->nodeValue,
			'pubDate' => $node->getElementsByTagName('pubDate')->item(0)->nodeValue
		);

	array_push($feeds, $items);
	}
	$counter++;
}

You'll see above that we're building up the keys in the array with values from the RSS feed. The key part you need to notice is here: getElementsByTagName('pubDate')

This is the name of the node in the RSS feed, if you view the source of original RSS feed, you should be able to see all the different nodes available for you to use but here they are for you anyway: title, pubDate, author, link and description.

Actually displaying the feed

Well now the feed is an array we simply have to loop through it and we'll have are RSS feed in an unordered list (or whatever format you want) on our page!

echo "
';

Don't forget to style it up

I've written a few lines of CSS to make the feed look more 'Facebook like' if you so desire.

ul#facebook {
	padding: 10px 0 10px 0;
	margin: 0;
	list-style: none;
	font-size: 12px;
	font-family: "lucida grande",tahoma,verdana,arial,sans-serif;
}

ul#facebook img { margin-right: 5px; }

ul#facebook li {
	padding: 10px 0 10px 0;
	margin: 0;
	overflow: hidden;
	border-bottom: solid 1px #E9E9E9;
}

ul#facebook li p {
	padding: 3px 0 3px 0;
	margin: 0;
	line-height: 18px;
}

ul#facebook a {

}

ul#facebook li a { color: #3B5998 !important; text-decoration: none; }

ul#facebook li a:hover { text-decoration: underline; }

Anyway, I hope you find this useful, 'cause I know I'll be coming back to look at it soon enough. Leave any questions in the comments!

123 comments

  • wqd3r wrote on

    pretty neat

  • Donkeyfourthumbs wrote on

    Doesn’t seem to work? Displays a blank page? Any ideas?

    • Nouveller wrote on

      It might not work if you didn’t specify you’re own FeedBurner URL. Or make sure you’ve got PHP error’s turned on and let me know the error message.

      • Brandon wrote on

        I Keep Getting This Error On Like 14 And 21
        “Parse error: syntax error, unexpected ‘&’ in /index.php on line 14″

        These 2 Lines
        “foreach ($doc->getElementsByTagName(‘item’) as $node) {”
        And
        “$doc->load($feed_burner_url);”

  • Donkeyfourthumbs wrote on

    I did specify my own Feedburner URL, and don’t get any error messages. It is a facebook RSS feed converted to Feedburner. Don’t know if that matters? Seems to work as an RSS feed in a reader, just not this way?

  • Franky wrote on

    Hello! Thank you for the codes. I did it with your codes. How can I show comments and likes under each feed item? Is there a way to do that? What should I do?

  • Armin wrote on

    benjamin how we took it to a static html website ?

  • E-Siber wrote on

    Ok. This is very perfect method. But why could not we get feed of our sites ‘like’s or feed of recommandations box?

  • Eric wrote on

    I may just be out-dated or out of practice with my knowledge of PHP but the part where you have:

    $doc->

    is receiving an error message with my server, stating it’s an unexpected ‘&’ . I don’t really understand how that portion functions anyhow, maybe estimate what might be the problem?

    Thanks, other than that, this script looks to be exactly what I want!

    • Eric wrote on

      nvm, i see what happened now… i’m dumb.

      cheers!

      • E.J. wrote on

        What did you see? I cannot figure out what is going on.. It continually says “Parse error: syntax error, unexpected ‘&’”on this line.

        $doc->load($feed_burner_url);

      • E.J. wrote on

        ah i got it… it took posting here but the less than and greater than signs were replaced with HTML Entities. thanks for the post!

    • Chris wrote on

      I am getting this error as well, do you know how to fix it at all?

      Cheers

      • josh stevens wrote on

        $doc->load($feed_burner_url);

        is erroring for me as well

  • John wrote on

    Thanks for the article. Not sure if I overlooked it, but where do I get the “key” value:

    http://www.facebook.com/feeds/page.php?id=XXX&viewer=XXX&key={XXX}&format=rss20

  • Jon wrote on

    Just tried to burn my facebook page RSS, it comes up as invalid and won’t allow it – any one else found this or a way around it?

    • JJ wrote on

      I had this problem too, I fixed it by dropping the “HTTPS://”

  • Erik wrote on

    Working to get your script working in a custom build cms.. thanks for the work don… i was kinda left blinded.. could not figure out how to get the facebook feed in to the page.. your tut is already helping alot!

    greetings!

    Erik

  • Hogan Schuhe wrote on

    Hogan Schuhe

  • Kelly wrote on

    Thanks for your help! You helped me get my FB page to show on our website (a free sharesite on Shutterfly). Just like magic!

  • Erik wrote on

    Thank you for this post. I am not a programer, but I have a couple questions.

    I am following the steps you have outlined, I am just not sure WHERE to put the code you have provided. Where in the page structure do I put it? We are building the site in Drupal 7.

    Thank you, really appreciate it!

  • Al wrote on

    I think the facebook feed provides you with 29 30 items. Do you know if a ways where you could get more.

  • steve roberts wrote on

    And where does this code go?

  • saba wrote on

    Thank you so much! it works:)

  • Pingback: Cheap views

  • facebook, twitter, google +1 wrote on

    I’m extremely inspired with your writing talents and also with the structure on your weblog. Is that this a paid subject matter or did you customize it your self? Either way stay up the excellent quality writing, it?s uncommon to see a nice blog like this one today..

  • Pingback: Double coupons

  • Pingback: High Quality Web Design

  • Billig Rieker Schuhe wrote on

    hi!,I like your writing so a lot! proportion we keep in touch more about your article on AOL? I need an expert in this space to unravel my problem. Maybe that’s you! Having a look ahead to look you.

  • emoticons do facebook wrote on

    I will right away grab your rss feed as I can’t in finding your email subscription hyperlink or e-newsletter service. Do you’ve any? Kindly let me understand so that I may just subscribe. Thanks.

  • apple ipad 2 wrote on

    I just like the valuable info you provide in your articles. I will bookmark your blog and check once more right here frequently. I’m rather sure I will be informed many new stuff proper here! Good luck for the following!

  • Pingback: like on facebook

  • Stephen Costello wrote on

    Can’t get this working to save my life. Keep getting an error related to ‘DOMDocument::load’. Its in the line $doc = new

    Any help would be great!!

  • dan leci wrote on

    רציתי לספר לך על בניית אתר איכותית ,ואני מקווה שאתה מבין למה אני מתכוון ,אתר איכותי אמין מאוד ויש גם בניית אתר טוב מאוד אצלנו המערכת קלה ומיוחדת הבנקים משתשמים בה

  • Pingback: lowest prices on facebook templates

  • Hasbro Year 2001 Transformers Robots In Disgu wrote on

    weblog and had to write. I’m a latest school grad, journalism major if you need to know, and I absolutely adore images. I’ve received my website

  • Pingback: 超跑

  • Facebook like wrote on

    Unquestionably believe that which you stated. Your favorite reason appeared to be at the internet the simplest thing to take note of. I say to you, I certainly get irked at the same time as other folks consider worries that they just do not know about. You controlled to hit the nail upon the highest as neatly as outlined out the entire thing with no need side effect , other people could take a signal. Will probably be back to get more. Thank you

  • Tony wrote on

    Everyone please note that when you put the php on your page change > to (Greater Than Sign) change < to (Less Than Sign)

    For the newbies place the first 3 blocks of code above ALL html inside php tags.

    Place the last block of code in your css style sheet or inside style tags somewhere between the head and body tags.

    Hope this helps.

  • Tony wrote on

    EDIT: Ok the comment box edited my post. I am going to use spaces here.

    Change (& l t ;) No spaces to less than sign.

    Change (& g t ;) No spaces to less than sign.

  • Tony wrote on

    Change & l t ; No spaces to less than sign.

    Change & g t ; No spaces to less than sign.

  • Micke wrote on

    What if you dont want to show pictures? Can you remove them in any way?

  • damogari wrote on

    Hi! I really like your script, but it doesn’t work for me – it’s shoe me error:

    Parse error: syntax error, unexpected ‘&’ in /home/arielo/public_html/machinan/burner_feed.php on line 7

    what I have to do to make things work?

  • damogari wrote on

    in this line I have this:

    $doc->load($feed_burner_url);

  • damogari wrote on

    solved for now – this comments show how code has to be written in editor ;)

  • damogari wrote on

    solution was to change every “& g t ;” to > etc which was posted before by Tony ;) thx!

  • David Ruiz wrote on

    This worked great! This provided all the functionality I needed and with some of my tweaks it did it all.

    Thanks for sharing.

    David

  • Pingback: php training videos

  • Pingback: social media

  • Wouter wrote on

    Looks like Facebook has a link to get a page’s RSS feed. Open your Facebook page, and look in the left column at the bottom. There you will see a “Get updates via RSS” link. There you go.

  • Pingback: marketing internet

  • Pingback: pitipoance

  • facebook wrote on

    I like the valuable information you provide to your articles. I’ll bookmark your weblog and take a look at once more right here regularly. I’m reasonably certain I will be informed lots of new stuff right here! Best of luck for the following!

  • error 651 wrote on

    Thank you for every other informative website. The place else may just I am getting that type of information written in such an ideal manner? I’ve a undertaking that I’m just now operating on, and I’ve been on the glance out for such information.

  • monk wrote on

    it is easy you just need to add the code or use a plugin to add the fb to your page.

  • facebook likes,twitter followers,free twitter followers,free facebook likes wrote on

    Thank you a lot for sharing this with all people you actually realize what you are speaking about! Bookmarked. Kindly additionally discuss with my site =). We could have a hyperlink change contract among us

  • Pingback: filmy download

  • Home Shirt wrote on

    I just could not leave your website before suggesting that I extremely loved the standard information an individual supply for your visitors? Is going to be again incessantly to check out new posts

  • Jazzy wrote on

    there is no ‘Subscribe’ button. The notes tab just shows the notes i’ve posted??

  • Pingback: burning software

  • Mavent wrote on

    It seems like maybe the simple answer would be to post the code correctly,

  • sondages payants wrote on

    I am really impressed with your writing skills and also with the layout on your weblog. Is this a paid theme or did you customize it yourself? Anyway keep up the excellent quality writing, it is rare to see a great blog like this one these days..

  • mini bus hire hertfordshire wrote on

    Hi there friends, how is the whole thing, and what you would like to say about this paragraph, in my view its really awesome for me.

  • Efaucets Coupon wrote on

    Great article! That is the kind of information that should be shared around the internet. Disgrace on the search engines for now not positioning this submit higher! Come on over and consult with my website . Thanks =)

  • MIchigan HCG Diet wrote on

    Hello Dear, are you in fact visiting this website regularly, if so after that you will absolutely take fastidious knowledge.

  • Barb Kristek wrote on

    Who would seek to demonize a theory that way? Will we not just have fun with the ultimate part and just not discount tougher than aluminum .?

  • datInfonson wrote on

    Привет!
    программа расчета калорийности диета 25 кадр бесплатно метод похудения авто гипноз диета онлайн официальный сайт 300 калорий если вызывать рвоту можно похудеть вобэнзим похудеть пояс для похудения в минске как похудеть упражнения как найти стимул для похудения упражнения для похудения утяшевой 5 кг за неделю похудеть снижение веса симптом бриджи для похудения в аптеке худеем в офисе

    журнал похудей официальный сайт
    расчет идеального веса по дюкану
    аромамасла для похудения
    растительный чай для похудения
    отзывы похудевших на гречневой диете
    рецепт диетической запеканки
    упражнения для похудения для беременных

  • Pingback: wolves information

  • Pingback: angioma asor indicate

  • visibilit wrote on

    i was just browsing along and came upon your site. just wanted to say great blog and this page really helped me.

  • Me wrote on

    I can not get pass the following step:
    I’m in facebook and want to display the latest feeds from FB into my website.

    …Click on the ‘Notes’ tab and then in the left hand column at the bottom there should be a ‘Subscribe’ section with a link to the RSS feed for the page’s notes. Clicking this, should give you a URL…

    I can not see a subscription link. Please help

  • Shamick Gaworski wrote on

    you are a smart cookie! thanks!

  • Shamick Gaworski wrote on

    This code does NOT work with Facebook RSS feed

    Ex, http://www.facebook.com/feeds/page.php?id=176775888693&format=rss20

    Any ideas why?

  • Jeff wrote on

    Thanks for sharing. But I’m getting an error message:
    Parse error: syntax error, unexpected T_OBJECT_OPERATOR, expecting ‘)’ in

    line: ‘title’ => $node->getElementsByTagName(‘title’)->item(0)->nodeValue,

    • Jason wrote on

      Have this exact issue. Would appreciate some help resolving it! Thanks.

  • Wii Games Review wrote on

    Asking questions are genuinely fastidious thing if you are not understanding something fully, except this post presents good understanding yet.

    Arranged, goblet photo slides less difficult more calm, and maybe
    have a bit significantly less keep. Metal slideshow
    change substantially influenced by just what exactly metallic they’re produced from, and it’s really size. Quite normally you may well be supplied some sort of chromed steel glide in the dude driving the particular counter-top. My advice will be to steer clear of all these. Chromed precious metal 35mm slides gives you a new slimmer, cooler seem, that may be quite missing in character. It’s like guitar features shed a little it is internal. I as well discovered that I purchase fewer keep out there photo slides. The greatest go I have can be metal, a couple of 1/8″ long, (perfect for the ring finger, the tip ought to be only observable) and also.5mm solid (ould like). This form of move provides you with your bigger hotter sound, far more mid-range, along with, IMHO, improved keep.

    Also check out your length of the fall, it must be tight adequate not to ever throw regarding, yet huge plenty of that you should be capable of prepare a person’s little finger contrary to the inside of the idea, to have with additional control in the strain you put onto the actual guitar strings.

    As i commenced taking part in slip I needed any too short, very broad a glass fall, as well as a to much time, as well firm chrome move. Lots of people involving poorer good quality components, in addition to negative fit, decide to put myself out of fall for a long time.

    Should you be set on discovering move, think about raising the experience a little, and make sure to get the appropriate move for you. A undesirable slide is usually a problem and quite often (unless you are fortuitous) the people from the songs outlets are not usually in which informed about the particular disparities. You’ll end up getting something which looks trendy but will be tougher than it will be to use and appears dreadful!

    I’m not that will within video games unless of course they involve everyone really accomplishing a thing other than pushing switches by using my own thumbs. I love Rock-band due to the fact I could sing and take part in the drums (on the semi sensible drum kit.) And that i love The nintendi wifit since it truly can make working out fun. Simply no seriously, that will do!

    Along with Wifit you may create a character (and will also be assessed about the “balance board”) and therefore identity will be based with your serious peak and also bodyweight. Seeing that you need to do actions how well you’re progressing are going to be noted.

    Which are the exercises? Nicely there are plenty of to choose from. Everything from running to help yoga and fitness. There are actions aimed at burning energy and also things to do targeted at strengthening your whole body and also bettering your balance. Undoubtedly you’ll discover a number of actions to be more enjoyable than others nevertheless fortunately there are numerous available and that means you will certainly obtain a few you delight in (and also which often of course as well boost your health and fitness.)

    One of many neat things about buying the Wifit is that it carries a “balance board” which often can also be used with numerous additional very cool Nintendo wii online games in which are now being released. A lot of with the some other Wii system games that will use a stability panel will not really incorporate the item. It’s essential to choose the Wifit to obtain this specific equilibrium aboard. Consequently whether or not for some reason mafia wars won’t mouse click together with you (and i believe it’s going to) you may nevertheless get a priceless piece of equipment that accompany that in addition to can be used for some other video games.

    All over again, I’m not a large gaming admirer. It is not really a regular game. It really is whatever can fascinate people of age range. This is the particular scarce video game which is not the spend of your time. In reality We encourage you to “play” your current Wii Fit up to you’ll be able to just about every day! You won’t just have a good time, additionally, you will improve your own exercise.
    .
    What goes on when you combine one of the major gaming console brands, as well as best activities application designer? You actually come with an hard to beat crew! Which is strictly just what exactly Expert advisor Sporting activities has taken on the kitchen table, make a mistake Nintendo wii in addition to The nentendo wifit. The superior designer involving sports games creates their particular competence for the Nintendo wii entertainment system along with your result is absolutely nothing less as compared to excellent.

    When everyone is convinced baseball or even basketball, they believe Electronic arts buys (Electronic digital Disciplines). Immediately after getting whip by simply Sega’s ESPN NATIONAL FOOTBALL LEAGUE 2K5, Electronic arts buys signed key accreditation deals with your Nhl, ESPN together with CLC with regard to exceptional proper rights to help written content. Strong certification promotions, in addition to superb game play helped drive EA to the front regarding activities video gaming along with video games with some other types.

    Electronic arts buys Sporting activities writes all the authentic sports-based game titles, including FIFA Soccer, Madden NATIONAL FOOTBALL LEAGUE, Steve stricker PGA, Dale earnhardt jr . in addition to Rugby to mention a number of.

    It’s hardly surprising then that will Purchases angry birds publisher Sports Active has become a 2010 strike along with avid gamers. Amazon consumers have got given this identify a number of begins out of your five — that is usually 768 testimonials, therefore it retains a substantial amount of significance. In reality in your sports activities class this identify is rated quantity Twelve with regard to more than a year considering that it has been launched.

    Just what exactly makes Twenty million Athletics Dynamic one of the most pointed out online games? The result fot it will be basic. Among the essential online game options could be the 20-minute tracks that focus on the upper and reduced physique as well as aerobic exercise. Being a real work out center, you commence away using a light-weight jolt, get through bicep doing curls and definitely get those cardiovascular system conquering along with cardio exercise kickboxing.

    If you want to commence swiftly, your 30-day concern allows you to course calorie consumption, severeness plus your advance by 20-minute workouts which can be customized along with that you adhere to with regard to 30-days. Several reading user reviews praise this function and also say is it doesn’t fastest technique to get started having Purchases angry birds publisher Sports Dynamic.

    Your other crucial feature is definitely that you purchase the main benefit of an online fitness expert. A instructor will probably present you with opinions all over your exercise, assisting you in remain to normal to attain ones fitness goals.

    Though this Wii console won’t be capable of contend with some sort of real-life personal trainer, the program will be accelerating plus precisely what is now available should help those which aren’t able to achieve the bonus on the fitness expert. While using Wii system allows individuals to exercise and get feedback to help you them advancement effortlessly.

  • American Philatelic Foundation wrote on

    If some one wants expert view regarding blogging and
    site-building after that i suggest him/her to go to see this weblog,
    Keep up the nice work.

  • Pingback: Rss Generator

  • MH wrote on

    I think you need akismet or some similar thing- otherwise you’ll be overrun with penis enhancing, viagra selling bots… (which you have already)

  • Pingback: Incrementra tus visitas a tu sitio web blog o pagina de facebook totalmente gratis.

  • facebook follows wrote on

    You actually make it seem so easy together with your presentation however I to find this matter to be really something which I think I might never understand. It kind of feels too complicated and very large for me. I am having a look forward on your subsequent submit, I will try to get the hang of it!

  • Lane Samoyoa wrote on

    Youre so cool! I dont suppose Ive read anything like this before. So nice to seek out any individual with some original ideas on this subject. realy thanks for beginning this up. this web site is something that’s wanted on the web, somebody with a bit originality. helpful job for bringing one thing new to the web!

  • Sean wrote on

    Much Obliged

  • Berenice Ozenne wrote on

    Good morning, i like your article! I subscribed to your feed.

  • Aneeq wrote on

    There are several ways to read RSS feed in PHP, but this one is surely one of the easiest.

    channel->item as $entry) {
    echo “link’ title=’$entry->title’>” . $entry->title . “”;
    }

    ?>

    Source:
    http://phphelp.co/2012/04/23/how-to-read-rss-feed-in-php/
    OR
    http://addr.pk/a0401

  • Pingback: business web design hertfordshire

  • gold 4rs wrote on

    I like the helpful information you provide in your articles.
    I’ll bookmark your weblog and check again here frequently. I am quite sure I will learn many new stuff right here! Good luck for the next!

  • Pingback: электрические котлы отопления протерм

  • Felicia wrote on

    I’m having a hard time finding the “notes” tab to get the Facebook page RSS, is it moved because of Timeline, or am I just missing it somewhere?

  • Pingback: شات ودردشة عراقنا

  • source wrote on

    Fantastic Stuff, do you currently have a twitter account?

  • site wrote on

    Have you considered including some social bookmarking buttons to these blogs. At least for facebook.

  • Pingback: Website Design Wolverhampton

  • Guto Foletto wrote on

    To solve the problem with facebook feed url, and skip feedBurner you should use this code.

    ini_set(“user_agent”,”my_awesome_magic_user_agent_which_can_be_anyhing”);

    Facebook check for an agent to fetch information, if you don’t set one it’ll not give you the rss.

  • Rohan wrote on

    Thanks a ton.
    But since facebook url does not mention page/user ID any longer..

    http://graph.facebook.com/YOURSCRRENNAME

    might help anyone interested

  • Irish wrote on

    Hi there, simply changed into aware of your blog via Google, and found that it’s truly informative. I’m going to be careful for brussels. I’ll appreciate in case you proceed this in future. A lot of people will probably be benefited from your writing. Cheers!

  • cork wrote on

    What is your Facebook feed URL that you are using? I can’t get any Facebook feeds to validate using a feed validator. Where do you find the viewer= and the key= ?

  • delete wrote on

    Excellent ρost. I was checking cоnstantly this blog аnd I am іmρrеѕѕed!
    Extгemely helpful іnformаtion specіally thе last part :) I cаге for suсh info
    а lot. I was ѕeeκing thіs certаin info foг а very long time.
    Thаnκ yоu and goοd luck.

  • Mike Tycoloski wrote on

    Tried 6 ways from sunday to replicate the results in this tutorial, with no such luck.

    Nothing appears and this is mostly due I think to facebook’s ever-changing structure.

    Sadly though the authors example seems to function just fine. PHP < etc’s have been corrected as well, yet it still refuses to pull in the wall posts from my page.

  • Dario wrote on

    Thank you very much for this tutorial and code!

    After looking through endless WordPress plugins, your code is just what I needed! I just used it in one of the sites I am developing (not yet live) and it works as a charm.

    For people having trouble… The “tricky” part is getting your right FB page feed to the Feedburner, the rest is easy.

    The RSS link that worked with Feedburner was in the end very simple:
    http://www.facebook.com/feeds/page.php?format=rss20&id=INSERT_YOUR_PAGE_ID_HERE

    Hope this helps a bit!

  • rebecca peralta wrote on

    can you please delete the news feed in facebook FIRMED WITH SOCIAL CAM FOR IPHONE. thanks

  • Delbert Johnson wrote on

    can i get the source already put together?

  • nCh6vb7FMfl wrote on

    hogan rebel bp9JSli0t coach purses wc1IXbr5e cheap coach purses hn5TFqc1n coach outlet gd9QIyq3z

  • Cameron wrote on

    ‘; foreach ($feeds as $feed) { $date = strtotime($feed['pubDate']); echo ‘
    ‘; echo ‘ FacebookPage ‘. $feed['description'] . ‘ ‘. date(‘jS F Y G:H’ ,$date) .’ ‘; echo ‘
    ‘; } echo ‘ ‘; ?>

    What in the hell does this mean?

  • Heather Pinson wrote on

    If you want to make displaying a Facebook feed a LOT easier you might want to check out Postano. You can use their plug-in and get a very nice looking feed on your website. You can also aggregate other social media channels like Twitter and Instagram with it. Here’s a link if you’re interested http://www.postano.com/solutions/for-websites/

  • Non prescription colored contacts cheap wrote on

    aumduopvwfmmfs, Colored Contacts, MdAimqR, [url=http://kazaap.org/]Checkoutlenslt colored contacts[/url], DQhbNvI, http://kazaap.org/ Free online color contacts, HShTbEC.

  • guitars wrote on

    Hello, Neat post. There’s a problem along with your site in internet explorer, could test this? IE still is the market chief and a huge portion of other people will pass over your fantastic writing because of this problem.

  • Michell wrote on

    Very energetic article, I enjoyed that bit. Will there be a part
    2?

  • Modesto Aluise wrote on

    Un-ban Your IP From Forums, Blogs, and other Websites – By faking your IP you can frequently access many websites you were banned from.

  • hidemy ip wrote on

    Stop your private info from being stolen this kind of as your credit cards, financial institution accounts, id number, passwords, telephone numbers, and more with this sophisticated Internet packet checking software.

  • Hcg diet protocol wrote on

    zdspeopvwfmmfs, Hcg apple day, yUVzBLD, [url=http://themetalchick.com/]Hcg diet program[/url], uNJXOPt, http://themetalchick.com/ HCG Diet, GkCdvFn.

  • Free backlink tracker wrote on

    Τhanks for sharing your thoughts on facebook. Regards

  • Elvira wrote on

    It’s actually a cool and useful piece of info. I am satisfied that you just shared this helpful information with us. Please stay us up to date like this. Thank you for sharing.

  • Min Farinella wrote on

    It’s the second time when i’ve seen your site. I can understand lots of hard work has gone in to it. It’s actually great.

  • Su Su wrote on

    good

  • Alexander wrote on

    I get this:
    Parse error: syntax error, unexpected ‘&’ on line 42, that’s the

    $doc->load($feed_burner_url);

    code, I’m really a noob at php, so can you please help me?

  • Joe wrote on

    Hey great post, however facebook pages don’t validate in feed burner due to things like punctuation and images and each post not having an email address attached.

    This feed does not validate.

  • Jan wrote on

    Hey, that’s exactly what i was looking for.

    But I get a lot of syntax errors, after copy n paste your code. Is it possible, you could upload a *.zip with the files?

    That’d be awesome!

    Thanks!

  • Neal wrote on

    Thanks for the post – I got the feed working first time. The only niggle I´ve come across is the ‘description’ element of the RSS code from Facebook contains certain characters that are not HTML coded, such as apostrophes and accented characters, while the ‘title’ do and they display fine.

    Any ideas how to remedy this??

  • Jan wrote on

    Hey Guys, it’s me again.

    I had issues implementing the code, because the code snippets had a little mistake in it. Since I just copy’n'pasted it, I’ve overlooked the problem.

    The greater-than symbol is escaped in the code above. Anybody having problems getting this awesome tool to work, please change “>” any to “<” (without “”).

    @Bejamin It’d be great if you change that in your article.
    But thanks again for explaining this method! :)

Comments are closed.