2 Legged OAuth in PHP

Google Apps Premier/Education administrators can take advantage of 2 legged OAuth to communicate with the Google Data APIs. This sample makes use of the PHP OAuth library from oauth.net.
<?php
require_once('OAuth.php');

// Establish an OAuth consumer based on our admin 'credentials'
$CONSUMER_KEY = 'yourdomain.com'; 
$CONSUMER_SECRET = 'YOUR_CONSUMER_SECRET'; 
$consumer = new OAuthConsumer($CONSUMER_KEY, $CONSUMER_SECRET, NULL);

// Setup OAuth request based our previous credentials and query
$user= 'any.user@yourdomain.com';
$base_feed = 'http://www.google.com/m8/feeds/contacts/default/full/';
$params = array('max-results' => 10, 'xoauth_requestor_id' => $user);
$request = OAuthRequest::from_consumer_and_token($consumer, NULL, 'GET', $base_feed, $params);

// Sign the constructed OAuth request using HMAC-SHA1
$request->sign_request(new OAuthSignatureMethod_HMAC_SHA1(), $consumer, NULL);

// Make signed OAuth request to the Contacts API server
$url = $base_feed . '?' . implode_assoc('=', '&', $params);
echo send_request($request->get_normalized_http_method(), $url, $request->to_header());
 
/**
 * Makes an HTTP request to the specified URL
 * @param string $http_method The HTTP method (GET, POST, PUT, DELETE)
 * @param string $url Full URL of the resource to access
 * @param string $auth_header (optional) Authorization header
 * @param string $postData (optional) POST/PUT request body
 * @return string Response body from the server
 */
function send_request($http_method, $url, $auth_header=null, $postData=null) {
  $curl = curl_init($url);
  curl_setopt($curl, CURLOPT_RETURNTRANSFER, true);
  curl_setopt($curl, CURLOPT_FAILONERROR, false);
  curl_setopt($curl, CURLOPT_SSL_VERIFYPEER, false);

  switch($http_method) {
    case 'GET':
      if ($auth_header) {
        curl_setopt($curl, CURLOPT_HTTPHEADER, array($auth_header)); 
      }
      break;
    case 'POST':
      curl_setopt($curl, CURLOPT_HTTPHEADER, array('Content-Type: application/atom+xml', 
                                                   $auth_header)); 
      curl_setopt($curl, CURLOPT_POST, 1);                                       
      curl_setopt($curl, CURLOPT_POSTFIELDS, $postData);
      break;
    case 'PUT':
      curl_setopt($curl, CURLOPT_HTTPHEADER, array('Content-Type: application/atom+xml', 
                                                   $auth_header)); 
      curl_setopt($curl, CURLOPT_CUSTOMREQUEST, $http_method);
      curl_setopt($curl, CURLOPT_POSTFIELDS, $postData);
      break;
    case 'DELETE':
      curl_setopt($curl, CURLOPT_HTTPHEADER, array($auth_header)); 
      curl_setopt($curl, CURLOPT_CUSTOMREQUEST, $http_method); 
      break;
  }
  $response = curl_exec($curl);
  if (!$response) {
    $response = curl_error($curl);
  }
  curl_close($curl);
  return $response;
}

/**
 * Joins key:value pairs by inner_glue and each pair together by outer_glue
 * @param string $inner_glue The HTTP method (GET, POST, PUT, DELETE)
 * @param string $outer_glue Full URL of the resource to access
 * @param array $array Associative array of query parameters
 * @return string Urlencoded string of query parameters
 */
function implode_assoc($inner_glue, $outer_glue, $array) {
  $output = array();
  foreach($array as $key => $item) {
    $output[] = $key . $inner_glue . urlencode($item);
  }
  return implode($outer_glue, $output);
}
?>

258 comments:

  1. Great example !!
    Could you post another php example (or link) to add a new contact using HTTP POST ?
    I'm trying, but I have problems :-(
    Thanks in advance.
    Regards.

    ReplyDelete
  2. The Contacts API is not supported in the Zend PHP client library, but you can send over raw XML. You can use the example @ http://code.google.com/apis/contacts/developers_guide_protocol.html#Creating for $contactEntry.

    // setup same as before
    params = array('xoauth_requestor_id' => $user);
    $request = OAuthRequest::from_consumer_and_token($consumer, NULL, 'POST', $base_feed, $params);
    $request->sign_request(new OAuthSignatureMethod_HMAC_SHA1(), $consumer, NULL);

    $url = $base_feed . '?' . implode_assoc('=', '&', $params);
    echo send_request($request->get_normalized_http_method(), $url, $request->to_header(), $contactEntry);

    ReplyDelete
  3. This comment has been removed by the author.

    ReplyDelete
  4. Thanks for your help!!
    I was not using the parameters properly. I had to use another $base_feed and I used and access_token (previously autorized by user). Something like this:

    $CONSUMER_KEY = 'yourdomain.com';
    $CONSUMER_SECRET = 'YOUR_CONSUMER_SECRET';
    $consumer = new OAuthConsumer($CONSUMER_KEY, $CONSUMER_SECRET, NULL);
    $token = new OAuthConsumer($access_token, $access_token_secret);
    $user= 'any.user@yourdomain.com';
    $url_base = "http://www.google.com/m8/feeds/contacts/".urlencode($user)."/full";
    $request = OAuthRequest::from_consumer_and_token($consumer, $token, 'POST', $url_base, $params);
    $request->sign_request(new OAuthSignatureMethod_HMAC_SHA1(), $consumer, $token);
    $url = $url_base . '?' . implode_assoc('=', '&', $params);
    echo send_request($request->get_normalized_http_method(), $url, $request->to_header());

    ReplyDelete
  5. Just so anyone following knows, Javier's code is correct, but uses 3 Legged OAuth instead of 2 Legged. With 2 Legged OAuth, there's no access token.

    See http://code.google.com/apis/accounts/docs/OAuth.html#GoogleAppsOAuth

    ReplyDelete
  6. If anyone has an example for how this can be used I'd love to see it. I'm not sure I really understand what the potential uses are.

    ReplyDelete
  7. This page lists use cases:
    http://code.google.com/apis/accounts/docs/OAuth.html#GoogleAppsOAuth

    For example, as a domain admin you could up load an HR document to every users' Google Docs account, add/update a particular business contact, or add a company event to their Calendar. That's all without their prior approval.

    ReplyDelete
  8. Hey Eric what license is this example code posted under?

    ReplyDelete
  9. Hi,

    Nice, It's working very well...
    Can I use it to list the last unread messages ?
    I didn't find it yet...

    Thanks
    Éric (but another !)

    ReplyDelete
  10. If you're asking about the Gmail Atom feed + 2 legged oauth, the answer is no.

    http://code.google.com/p/gdata-issues/issues/detail?id=1264

    ReplyDelete
  11. Thanks for your answer...
    Looking for that a few hours today...
    And I didn't yet find how to print unread mail list in a php page without having the user password writing clearly... (with Oauth for exemple)

    If you have some idea...

    Thanks again
    Éric (NOT the google one ;-) )

    ReplyDelete
  12. this code does not work with the calendar.

    I think that the calendar does not work wiht OAuth at all. I always get the same message: "Unknown authorization header" (Error code 401)

    I tested 3-legged OAuth.

    Would you mind to test calendar with your code? Thanks




    By the way, useful for curl connector would be to use following to follow redirects:
    curl_setopt($curl, CURLOPT_FOLLOWLOCATION, true);

    ReplyDelete
  13. Ah yes, I'm always careful not to use Calendar in OAuth examples. :)

    I believe the issue is the 302 redirect Calendar returns (if you don't include a gsessionid). You'll need to re-issue the request with the URL calendar returns in the redirect. This code does not resign the redirect request.

    ReplyDelete
  14. > I believe the issue is the 302 redirect
    > Calendar returns (if you don't include
    > a gsessionid). You'll need to re-issue
    > the request with the URL calendar
    > returns in the redirect. This code does
    > not resign the redirect request.

    Sorry, did I understand you correctly:
    Calendar works/should work with gsession in the url?

    I am doing that but no success:
    [request] => GET /calendar/feeds/default/allcalendars/full?gsessionid=lmeVZfrpWnoUz-RlEfBafg? HTTP/1.0
    Authorization: OAuth realm="",
    oauth_consumer_key="www.example.com",
    oauth_nonce="e4287b9e5a18b403c51bc9d21ac64f7a",
    oauth_signature="9vmOxdfGAF9%2FV9%2BXDlM4gyE7VXM%3D",
    oauth_signature_method="HMAC-SHA1",
    oauth_timestamp="1255082495",
    oauth_token="1%2FsxeOZWLy8nN8Tbt0lVAeR2ATiaQZnWPB51nTvo8n9Sw",
    oauth_version="1.0"
    Accept: application/atom+xml, text/html; q=0.3, application/xhtml+xml; q=0.5
    Content-Type: application/x-www-form-urlencoded
    Host: www.google.com
    Accept-Language: en,en-us;q=0.8,de;q=0.7,de-de;q=0.5,bs;q=0.3,sr;q=0.2
    Accept-Charset: ISO-8859-1,utf-8;q=0.7,*;q=0.7
    Content-Length: 0


    answer:
    Unknown authorization header
    Error 401


    Thanks

    ReplyDelete
  15. my mistake.

    I resigned it and everything was perfect.

    Thanks for the hint

    ReplyDelete
  16. How can I take the $request (in the example) after signing and use it as an httpClient with Zend_Gdata? All of the Gdata functions require a $client and I'd like to use one that has been authenticated with this type of 2 legged Oauth. Thanks.

    ReplyDelete
  17. Check out this sample:
    http://code.google.com/p/gdata-samples/source/browse/trunk/hybrid/index.php#106

    ReplyDelete
  18. Hi All,

    Thanks for sharing the example, but when trying to run the code I am getting Token invalid - Invalid AuthSub token. Error 401.

    I have registered my application on google and am using the consumer key and secret given to me.

    Can anyone help me out?

    Thanks,
    Anil

    ReplyDelete
  19. Hello,
    thanks for example! But there's one questions - how can I retrieve contact emails? They are not displayed currently - I can get only contact names.
    Thanks a lot

    ReplyDelete
  20. "I resigned it and everything was perfect".

    How do you re-sign it? Where do you get the URL calendar returns?

    ReplyDelete
  21. If I wanted to POST a document/image file up using this method, how would I format my $postData?

    I'm getting a "Content is not allowed in prolog." response from the server if I just pass $_FILES['myfile'];

    ReplyDelete
  22. I am getting Token invalid - Invalid AuthSub token. Error 401.


    What's going wrong?

    ReplyDelete
  23. So line 10 to 16 must be executed before EACH command to the API ?

    ReplyDelete
  24. It was a great example my fren.I was trying out a lot with many PHP examples but I haven't succeeded with the coding.In web design company had made with reference to Javier's code using 3 legged OAuth.

    ReplyDelete
  25. Several things in here' haven't considered before.Thank you for making this type of awesome publish that is really perfectly written, is going to be mentioning lots of buddies relating to this. Maintain blogging. joomla websites | joomla development

    ReplyDelete
  26. hey buddy i want to implement google calendar by using this code.. so what changes is needed to implement google calendar to fetch feeds data

    ReplyDelete
  27. It is not working at alll

    ReplyDelete
  28. The code is not working at all!!!!!! Giving error

    ReplyDelete
  29. 401. That's an error.is showing

    ReplyDelete
  30. please help!!!!!!!!!!!!!! I am getting the following error


    {"version":"2","status":"error","error":"Your sort parameter cannot be parsed. Please see http:\/\/wiki.developer.factual.com\/Server-API for documentation.","error_type":"Api::Error::InvalidArgument"}

    ReplyDelete
  31. Just used this code as a base to add owners to about 1000 Google sites under our school domain - worked a treat!

    However, updating ACL entries (PUT requests) kept failing. I had to add If-Match:* header to the requests by modifying the corresponding line of send_request() function to:

    curl_setopt($curl, CURLOPT_HTTPHEADER, array('Content-Type: application/atom+xml', 'If-Match:*', $auth_header));

    ReplyDelete
  32. So that is how you simply do it. .... Thanks for the code :)
    delicious


    ReplyDelete
  33. This comment has been removed by the author.

    ReplyDelete
  34. how can we use this to fetch calendars?

    ReplyDelete
  35. Someone can add a new email to gmail contacts using OAuth 2.0 and PHP?

    ReplyDelete
  36. This comment has been removed by the author.

    ReplyDelete
  37. This comment has been removed by the author.

    ReplyDelete
  38. Nice Post thanks for the information, good information & very helpful for others,Thanks for Fantasctic blog and its to much informatic which i never think ..Keep writing and grwoing your self

    duplicate rc in delhi online
    duplicate rc in ghaziabad
    duplicate rc in online
    duplicate rc in greater noida
    duplicate rc in mumbai
    duplicate rc in bangalore
    duplicate rc in faridabad
    duplicate rc in gurgaon
    duplicate rc in noida
    death certificate online

    ReplyDelete
  39. The most sacred place National War museum Delhi is inaugurated now in the nearby vicinity of India Gate . Here in the article we will help you out in solving our signature query how to reach National War memorial Delhi nearby India Gate . Along with that we will also sort out few other queries related to the National War memorial Delhi like nearest metro station, war memorial Delhi timing and also nearest metro stations to India Gate .

    ReplyDelete
  40. more people really need to read this and understand this side of the story. I was surprised you are not more popular given that you most certainly possess the gift.


    python training in Bangalore

    UI Development Training in Marathahalli

    Full stack Development Training in Marthahalli Bangalore


    UI Development Training in Bangalore

    ReplyDelete
  41. Found your post interesting to read. I learn new information from your article.Thank you for sharing. Very valuable information.

    SAP-ABAP Training in Pune
    SAP-ABAP Course in Pune
    SAP-ABAP classses in Pune
    SAP-ABAP Training in Pune with placement

    ReplyDelete
  42. Thanks for sharing it.I got Very significant data from your blog.your post is actually Informatve .I'm happy with the data that you provide.thanks

    click here
    see more
    visit us
    website
    more details


    ReplyDelete
  43. Thanks for your excellent blog and giving great kind of information. So useful. Nice work keep it up thanks for sharing the knowledge.
    Visit us
    Click Here
    For More Details
    Visit Website
    See More

    ReplyDelete
  44. An interesting discussion is worth comment. I think that you ought to write more about this subject matter, it might not be a taboo matter but usually people do not talk about these issues. To the next! Best wishes!!
    online mobile services bangalore
    Howdy! I just would like to offer you a big thumbs up for your great information you've got right here on this post. I'll be coming back to your site for more soon.
    Vivo display replacement Marathahalli
    After I originally left a comment I appear to have clicked the -Notify me when new comments are added- checkbox and from now on each time a comment is added I recieve 4 emails with the same comment. Perhaps there is a means you can remove me from that service? Appreciate it!
    Motorola display replacement Marathahalli

    ReplyDelete
  45. The next time I read a blog, Hopefully it won't disappoint me as much as this one. After all, I know it was my choice to read through, nonetheless I genuinely believed you would probably have something helpful to say. All I hear is a bunch of complaining about something you can fix if you were not too busy searching for attention.
    Huawei display replacement Marathahalli
    Spot on with this write-up, I really believe this amazing site needs much more attention. I’ll probably be returning to see more, thanks for the information!
    Asus display replacement Marathahalli
    You're so interesting! I do not believe I've read through a single thing like this before. So wonderful to find somebody with a few genuine thoughts on this subject matter. Seriously.. thanks for starting this up. This web site is something that's needed on the internet, someone with some originality!
    LG display replacement Marathahalli

    ReplyDelete
  46. Its help me to improve my knowledge and skills also.im really satisfied in this session.Selenium training in bangalore

    ReplyDelete
  47. Travel Blog was started with a vision of Travel Blogging back in 2016 . Earlier the blog was named Virtual Nerves .

    ReplyDelete
  48. Excellent post for the people who really need information for this technology.selenium training in bangalore

    ReplyDelete
  49. Awesome post with lots of data and I have bookmarked this page for my reference. Share more ideas frequently.oracle apps scm training in bangalore

    ReplyDelete
  50. Awesome post with lots of data and I have bookmarked this page for my reference. Share more ideas frequently.data science training in bangalore

    ReplyDelete

  51. I have a 5 services on my website.i do every work properly..Digital MarketingThanks for sharing.

    ReplyDelete
  52. It is amazing and wonderful to visit your site.Thanks for sharing this information,this is useful .dot net training in bangalore

    ReplyDelete
  53. Thank you so much for the great and very beneficial stuff that you have shared with the world.

    Start your journey with Database Developer Training in Bangalore and get hands-on Experience with 100% Placement assistance from experts Trainers @Bangalore Training Academy Located in BTM Layout Bangalore.

    ReplyDelete
  54. A2 offers you the cheapest plan to start at just Rs 268.83/month. Besides, Best WordPress Hosting India 2019 is pre-installed at the user’s convenience. Its VPS offers a great space for optimization with its extremely powerful features such as speed up to 20X faster, 99.9% uptime with ultra-reliable servers and consistent security.

    ReplyDelete
  55. Dank Vapes Full Cartridges. (Dank vapes) is a brand that just makes packaging, they sell their packaging to farms. how would a package brand make anymoney?How the fuck is everyone all the sudden selling these? (From what I’ve seen) the first set of these i got were so legit. The 4th/5th time around not so much.The ones circulating around now give side effects like headaches, blacking out thinking i was tired, hallucinations & nausea. The first carts were made for the purpose to be good carts. The more the demand for the carts the farms were able to produce shittier oil from weed that can’t be sold in clubs Because it can’t pass a test

    stiiizy pods flavors

    Dank vapes cartridges

    buy stiiizy pods

    dank vapes official

    dank vape

    dank vapes

    dank vapes

    dank vape flavors

    dank vape carts

    dank vapes fruity pebbles

    dank vapes official account

    buy smart carts

    dank vapes

    vape dank

    dank vapes

    exotic carts

    exotic carts flavors


    mario carts

    ReplyDelete
  56. Really i appreciate the effort you made to share the knowledge. The topic here i found was really effective...

    Start your journey with AWS Course and get hands-on Experience with 100% Placement assistance from Expert Trainers with 8+ Years of experience @eTechno Soft Solutions Located in BTM Layout Bangalore.

    ReplyDelete
  57. wonderful thanks for sharing an amazing idea. keep it...

    Upgrade your career Learn DevOps Training from industry experts gets complete hands on Training, Interview preparation, and Job Assistance at My Training Bangalore.

    ReplyDelete
  58. How can i ever stop saying thanks to Dr, Omon for his herbal product he render to me and today my sexual life is healthy and balance am living up to my wife expectation. For the past 11 years i have been struggling with with my penis issue, weak erection and premature ejaculation. I have spent money on it but no cure until i took this product from Dr, Oomon just within few weeks i got 10 inches penis size, if your penis is 4.2 cm and want to get it reach 10 inches or more you can contact Dr, Oomon for his products on his email: dromonherbalcure6@gmail.com you can call/whatsapp number +2348153211563... All thanks to Dr Omon once again.

    ReplyDelete
  59. I am happy for sharing on this blog its awesome blog I really impressed. thanks for sharing. Great efforts.

    Get SAP HANA Training in Bangalore from Real Time Industry Experts with 100% Placement Assistance in MNC Companies. Book your Free Demo with eTechno Soft Solutions.

    ReplyDelete
  60. List of Bollywood comedy Films
    Hindi Comedy Movies Free Download

    [URL=https://bloggingme.net/]list of punjabi songs[/URL]

    List of best Punjabi songs (List of latest Punjabi songs), List of best Punjabi songs: Hello friends, best punjabi songs 2019, download punjabi songs, punjabi songs mp3, latest hit punjabi songs, listen punjabi songs
    list of Punjabi songs

    Dorian Rossini Age, Height, Girlfriend, Biography
    Hire Virtual Employee
    Hire Offshore Developers

    ReplyDelete

  61. Buy Suboxone Online. Suboxone pills are becoming more and more popular thanks to its health benefits. Not only is it a great treatment to opiod addiction, the pill is a perfect one for those who want to stay away from addiction. Suboxone provides versatility in the way it helps patients. Note that, Suboxone is the brand name for a prescription medication used in treating those addicted to opioids, illegal or prescription. It contains the ingredients buprenorphine and naloxone. Buprenorphine, a partial opioid agonist, blocks the opiate receptors and reduces a person’s urges. Our medication shop is the place to shop for all kinds of medication needs including :, Anxiety and Depression Pills, Pain Relievers, Sleeping aid pills,HYDROCODONE, OXYCODONE, OXYCONTIN, VALIUM, VYVANSE, GABAPENTIN, AMBIEN, and also some Research chemicals. Check out all our available pills on our online shop. https://greenlandspharmacy.com/

    SUBOXONE PILLS

    VAPE DANK

    DANK VAPE

    HYDROCODONE PILLS

    OXYCODONE PILLS

    OXYCONTIN PILLS

    VALIUM PILLS


    DANK VAPE

    VAPE CART

    DANK VAPE

    VYVANSE PILLS

    GABAPENTIN PILLS

    AMBIEN PILLS

    XANAX PILLS

    PERCOCET PILLS

    ReplyDelete
  62. It's an amazing piece of photoshop designed & clipping path service for all the online people. it is a international service provider in bangladeshi company.24 hour dealivery free trial company service open. they will take benefit from it I am sure.clipping path service Thanks for you sharing.

    ReplyDelete
  63. nice blog. Please keep shearing.
    If you are want to download new movies like south Hindi dubbed movie and dual audio Hindi dubbed movies from movie rulz, and then this is the place from where you can download the latest cinema.

    Download and Watch Hollywood South Hindi Dubbed

    ReplyDelete
  64. Thanks for one marvelous posting! I enjoyed reading it; you are a great author. I will make sure to bookmark your blog and may come back someday. I want to encourage that you continue your great posts.Real Time Experts training center bangalore

    ReplyDelete
  65. Thank you for your post. This is excellent information. It is amazing and wonderful to visit your site.Prathima Infotech training center bangalore

    ReplyDelete
  66. Get Roller Shutters Adelaide installed in your home or business and enhance the security as at Ultimate Shutter we provide Roller Shutters Perth to those homeowners and business owners who wish to have secure and appealing outdoor. We have a team of experts to install shutters and can help you to give peace of mind.

    Are you building a new home? Then we must install Security Roller Shutters in Adelaide from Ultimate Shutter as we believe that a security shutter can protect the home and foundation of the property. We provide Security Roller Shutters Perth to businesses also as you know how important it is to have a secure place for business and that’s the reason for creating history by fulfilling the needs.

    Roller Shutters Adelaide

    Roller Shutters Perth

    Shutters

    Facebook

    Twitter

    youtube

    linkedin

    ReplyDelete
  67. We as a team of real-time industrial experience with a lot of knowledge in developing applications in python programming (7+ years) will ensure that we will deliver our best in python training in vijayawada. , and we believe that no one matches us in this context.

    ReplyDelete
  68. Give your Office Fitouts Melbourne new and modern look by contacting Hamilton Commercial Interior Company. We are leading manufacturer and supplier of office fitouts across the vertical so from our company, you get adorable fitout design with long-lasting material quality. Whether you need stylish and competent design or traditional design in Commercial Fit Out Melbourne, we can help you as per your special needs. We have a vast collection of office fitout you can also take an idea from that to select office fitout for your business. Check our range from our website http://hamiltonsci.com.au/office-fitouts-melbourne/

    ReplyDelete
  69. Highlight your business brand on a very vast platform like Google with the help of honest and professional Advertising Agency Melbourne like Leap Agency. We can be your success-booster in the digital world with our experience and knowledge. Our Marketing Agency Melbourne adopts result-focused approach so that customer gets great success in their business via the digital world. Our team has creative ideas and the latest technology, so after combining them, they provide you with the best possible outcome in our services.

    ReplyDelete
  70. This comment has been removed by the author.

    ReplyDelete
  71. Snapdeal Winner List 2020 here came up with an Offer where you can win Snapdeal prize list by just playing a game & win prizes.
    Snapdeal winner name also check the Snapdeal lucky draw

    ReplyDelete
  72. Quality assurance and great products have been a major concern among experts in the cannabis industry. To meet recommendations for producing medicinal marijuana products that are both effective and adequate to meet our clients’ needs, our company is strictly adherent to delivering just the gold standard. Based on a consensus, our quality assurance committee has resolved to a strict adherence to the protocol in order to maintain a standard across the production chain. The quality of our lab-tested products is unmatched in the entire industry. Cannabis Market is the leader!


    buy girls scourt cookies online

    buy strawberry cough online

    buy gorilla glue #4 online

    buy granddaddy purple feminized seeds

    buy blue dream weedstrain

    buy white widow weedstriain

    buy afghan kush online

    buy blueberry kush online

    buy lemon haze online

    buy pineapple express online

    buy purple haze feminized seeds

    buy alaskan thunderfuck weedstrain

    buy granddaddy purple feminized seeds online

    buy blue bream feminized Seedsonline

    buy lemon kush weed strain

    buy girls scourt cookies onlinr

    buy green crack online

    buy jack herb weedstrain

    buy skywalker og weedstrain

    buy sour disel weedstrain

    buy white widow online

    buy og kush onliine

    buy northern light weedstrain

    buy white widow online

    ReplyDelete
  73. You can buy Oxycodone online from our online pharnmacy
    With us you have delivery assurance and best quality .No need for a prescription
    Ordering privacy is 100%.
    Besides Oxycodone you ca also order other Pain medicines.
    Order now at +18645132442 www.trustedmedsshop.com

    ReplyDelete
  74. Thanks for the informative article About Selenium.This is one of the best resources I have found in quite some time. Nicely written and great info. I really cannot thank you enough for sharing.
    Java training in chennai | Java training in annanagar | Java training in omr | Java training in porur | Java training in tambaram | Java training in velachery

    ReplyDelete
  75. I have read your blog its very attractive and impressive. I like it your blog.
    living room decor 2020
    baby canvas swing
    teacher gifts for valentines day

    ReplyDelete
  76. This comment has been removed by the author.

    ReplyDelete
  77. It is actually a great and helpful piece of information about Java. I am satisfied that you simply shared this helpful information with us. Please stay us informed like this.
    'CCC Service
    AC Service in Chennai
    Fridge Service in Chennai
    Washing Machine Service in Chennai
    LED LCD TV Service in Chennai
    Microwave Oven Service in Chennai'

    ReplyDelete
  78. Nice one, I guess we just need to stop for a brief moment and read through. I dont read that much but I really had some good time grabbing some knowledge. Still I am out to speak and propose you exotic stuffs likeOneyes Technologies
    Inplant Training in Chennai
    Inplant Training in Chennai for CSE IT MCA
    Inplant Training in Chennai ECE EEE EIE
    Inplant Training in Chennai for Mechanical
    Internship in Chennai
    Internship in Chennai for CSE IT MCA

    ReplyDelete
  79. Your style is so unique compared to other folks I have read stuff from. Thank you for posting when you have the opportunity, Guess I will just bookmark this web site. Best Mobile Service Center
    Hi, I do believe this is an excellent web site. I stumbled upon it ;) Mobile repair shop in chennai I'm going to revisit yet again since I have saved as a favourite it. Money and freedom is the best way to change, may you be rich and continue to guide others. Redmi Service Center

    ReplyDelete
  80. Very interesting blog Thank you for sharing such a nice and interesting blog and really very helpful article.

    Workday Training in Bangalore

    Best Workday Training Institutes in Bangalore

    ReplyDelete
  81. Forex Signals, MT4 and MT5 Indicators, Strategies, Expert Advisors, Forex News, Technical Analysis and Trade Updates in the FOREX IN WORLD

    Forex Signals Forex Strategies Forex Indicators Forex News Forex World

    ReplyDelete

  82. really nice article
    https://www.apponix.com/Digital-Marketing-Institute/Digital-Marketing-Training-in-Bangalore.html

    ReplyDelete
  83. Wow it is really wonderful and awesome thus it is very much useful for me to understand many concepts and helped me a lot. it is really explainable very well and i got more information from your blog.Thanks for sharing this valuable information on High DA. I hope you will keep us updated on it.Its is very fascinating the way that this blog were made. i am very interested to view how do this blog were made.I simply wanted to write down a quick word to say thanks to you for those wonderful tips and hints you are showing on this siteJava training in Chennai

    Java Online training in Chennai

    Java Course in Chennai

    Best JAVA Training Institutes in Chennai

    Java training in Bangalore

    Java training in Hyderabad

    Java Training in Coimbatore

    Java Training

    Java Online Training

    ReplyDelete
  84. Thanks for sharing an informative blog keep rocking bring more details.I like the helpful info you provide in your articles. I’ll bookmark your weblog and check again here regularly.I need to to thank you for your time due to this fantastic read!! I definitely enjoyed every bit of it and I have you bookmarked to see new information on your blog.
    DevOps Training in Chennai

    DevOps Online Training in Chennai

    DevOps Training in Bangalore

    DevOps Training in Hyderabad

    DevOps Training in Coimbatore

    DevOps Training

    DevOps Online Training

    ReplyDelete
  85. This is excellent information. It is amazing and wonderful to visit your site.Thanks for sharing this information,this is useful to me...

    AWS training in Chennai

    AWS Online Training in Chennai

    AWS training in Bangalore

    AWS training in Hyderabad

    AWS training in Coimbatore

    AWS training

    ReplyDelete
  86. Good post and informative. Thank you very much for sharing this good article, it was so good to read and useful to improve my knowledge as updated, keep sharing!!!

    Android Training in Chennai

    Android Online Training in Chennai

    Android Training in Bangalore

    Android Training in Hyderabad

    Android Training in Coimbatore

    Android Training

    Android Online Training

    ReplyDelete
  87. Best Plumbing Services is one of the well-known names in the plumbing business, regardless of whether you have a little issue or enormous. We have an in-house group of expert and experienced 24/7 Plumber Adelaide and If you require a Hot Water Systems Adelaide service

    ReplyDelete
  88. Yorke removals can be your perfect choice in choosing brisbane interstate removals company as we are providing Interstate Removals Brisbane services since last few years with the professional team. We know and can understand that big storage needs a big team and plan to work as without you cannot move safely, and that’s why with an experienced and professional team you can ensure for best services. We have spacious and large-sized vehicles in which you can store anything, whether it’s weighted or normal storage. We have a team who knows how to perform well and safely, and that’s the reason you can make us a choice

    ReplyDelete
  89. This comment has been removed by the author.

    ReplyDelete
  90. Good Post! , it was so good to read and useful to improve my knowledge as an updated one, keep blogging.After seeing your article I want to say that also a well-written article with some very good information which is very useful for the readers....thanks for sharing it and do share more posts like this.
    https://www.3ritechnologies.com/course/mern-stack-training-in-pune/

    ReplyDelete
  91. Plusrite is the main assembling organization in drove lighting item whether it is business LED lighting or mechanical LED lighting. As we have an enormous scope of the item for any condition and for each business and modern prerequisite like Led Flood Lights

    ReplyDelete

  92. HP Officejet Pro 8610 setup your HP OfficeJet Pro printer and solve all of your printer problems. Download software drivers from 123.hp.com/setup 8610.

    ReplyDelete
  93. Want to eat fresh and yummy butcher? Then come to Wursthtte can be your finest choice as we are providing Butcher Delivery Melbourne andButcher Melbourne

    ReplyDelete
  94. very interesting and educative. take a bit of your time to check out off white vapes , to get insides on the off white vapes

    ReplyDelete
  95. Rose Hip Skin Care is a renowned organic skincare firm based in Australia to have specialization in organic and vegan skincare. All the products are multi-purpose and promote youthful skin glow that works in healing present skin conditions.

    ReplyDelete
  96. we are dedicated to creating products that help in problematic skin conditions and keep your skin healthy and glowing for many more upcoming years. Purchase our Rosehip Oil For Acneand other skin conditions because our products are guaranteed work.

    ReplyDelete
  97. Aberdeen paper has been one of the leading names in the hospitality industry. Every restaurant or the business selling food needs disposable plastic takeaway containers, and our company is most trusted for the same. We have many products that vary from cake trays to spoons. So, you get everything at one stop. Could it be any easier? If you are in search of the best quality disposable products, you can rely on us, and we will never disappoint you. Just contact us on 03 9317 5000 or email us at info@aberdeenpaper.com.au. And we will get back to you. All you have to do is visit the website for more details and browse the products we offer. Check out the link mentioned below.

    ReplyDelete
  98. At Aberdeen Paper, we are a distributor providing the best quality cocktail napkins, as it is an essential part of the necessary cleaning supplies and hygiene products at home, office fees or any other place when you are throwing a cocktail party.

    ReplyDelete
  99. Approach Oak Construction Services, we are offering you a reliable staffing solution who have strong labouring backgrounds. We understand the construction industry and challenges, which is why we provide 24-hour support with our labour hire Melbourne service. We help match qualified and experienced professionals for your projects. Our main goal is to deliver competitive solutions with our Skilled Labour Hire Melbourne service for the right clients by enabling our customers to save time so you can focus on your core business. So, call us on 1300 962 440 OR 0433 275 237 or visit our website.

    ReplyDelete
  100. অপো মোবাইল doing business as Oppo, is a Chinese consumer electronics and mobile communications company headquartered in Dongguan, Guangdong. Its major product lines include smartphones, audio devices, power banks, Blu-ray players, and other electronic products.

    ReplyDelete
  101. Information was good,i like your post.Looking forward for more on this topic.
    Mule soft training in bangalore

    ReplyDelete
  102. I think it could be more general if you get a football sports activity. ExcelR Data Scientist Course In Pune

    ReplyDelete
  103. Thanks for the excellent article. You did an article that is interesting.

    Shashi International Pty Ltd

    ReplyDelete
  104. Its really an Amazing information. Thanks for sharing this post. I have a suggestion for the Best Digital Marketing Course in Janakpuri. If you want to enroll in Digital Marketing Course, Join 99 Digital Academy as it offers Digital Marketing Course at an affordable Price. Click to Enroll Today.
    Best Digital Marketing Course in Janakpuri.

    ReplyDelete
  105. Wow such a Good information and this is very useful for us, keep sharing like this. Golden Triangle Tour Package India

    ReplyDelete
  106. want to do
    Data Science Training in Chenna
    i with Certification Exam? Catch the best features of Data Science training courses with Infycle Technologies, the best Data Science Training & Placement institutes in and around Chennai. Infycle offers the best hands-on training to the students with the revised curriculum to enhance their knowledge. In addition to the Certification & Training, Infycle offers placement classes for personality tests, interview preparation, and mock interviews for clearing the interviews with the best records. To have all it in your hands, dial 7504633633 for a free demo from the experts.

    ReplyDelete

  107. For what reason is my hp envy 5530 offline? How to fix hp envy 5530 disconnected issue? Bit by bit best & simple hp envy 5530 printer investigating guide.

    ReplyDelete
  108. Thanks for sharing the tips on Google APIs. Nice information.

    Thanks
    Best Dentist in Mumbai

    ReplyDelete