From 7cec34014fb1fa460b28ab961d2c42d7b644b3dc Mon Sep 17 00:00:00 2001 From: mbareeva Date: Sun, 22 Aug 2021 10:47:46 +0200 Subject: [PATCH] matches controller updated. query added, analyzers added. user schema updated. matches page is now dynamic --- controllers/matchesController.js | 247 +- models/media.js | 8 +- models/user.js | 43 +- public/css/styles.css | 4 + routes/index.js | 4 +- scraper/cleaned.json | 26831 ++++++++++++++++++++++++++++- seed.js | 4 +- views/matches/index.ejs | 129 +- views/profile.ejs | 2 +- 9 files changed, 26944 insertions(+), 328 deletions(-) diff --git a/controllers/matchesController.js b/controllers/matchesController.js index 77255b0..81bc251 100644 --- a/controllers/matchesController.js +++ b/controllers/matchesController.js @@ -3,7 +3,9 @@ const Media = require("../models/media"); const { Client } = require('elasticsearch'); const bonsai = process.env.BONSAI_URL || "http://localhost:9200"; const client = new Client({ host: bonsai }); -const graphApiController = require("./instaGraphApiController"); +//const graphApiController = require("./instaGraphApiController"); +const { query } = require("express"); +const user = require("../models/user"); //The controller where the query is defined that generated the matches for business profile //in Instagram. module.exports = { @@ -12,9 +14,9 @@ module.exports = { * Get all recommendations for the logged in user. */ renderAllMatches: (req, res) => { - // if (res.locals.matches) { - res.render("matches/index") - //} + res.render("matches/index", { + users: res.locals.matches + }) }, /** @@ -34,23 +36,42 @@ module.exports = { * @param {*} next Next function to be called. */ getMatches: (req, res, next) => { - let userId = req.params._id; - User.findById(userId).then(thisUser => { - res.locals.user = user; + let userId = req.params.id; + console.log(userId) + User.findOne({ _id: userId }).then(thisUser => { + console.log(thisUser); + res.locals.user = thisUser; Media.find({ _id: { $in: thisUser.latestMedia } }).then(mediaItems => { - res.locals.media = mediaItems; // here maybe extracted keywords from captions - let keywords = []; - let queryObject = { - "specialisation": user.specialisation, - "profileCategory": user.profileCategory, - "keywords": this.getKeywords(thisUser) - } - let query = this.setQuery("users", queryObject); + res.locals.media = mediaItems; + //console.log("Check the media.locals: ", res.locals.media ? res.locals.media : "") // here maybe extracted keywords from captions + + //Object definition for query later on. + let queryObject = {} + //Keywords extraction according to NLTK Algorithm. Link to the library: ... !!!!. + //let keywordsBiography = { keywords: this.getKeywords(thisUser) }; + //let keywordsCaptions = { keywords: this.getKeywords(mediaItems.caption) } + //Push values to the object. + console.log("Specialisation: ", thisUser.specialisation) + queryObject.specialisation = thisUser.specialisation + + queryObject.interest = thisUser.interest + queryObject.location = thisUser.location + queryObject.keywordsBio = thisUser.biography + // queryObject[keywordsMedia] = keywordsCaptions + queryObject.captions = ""; + mediaItems.forEach(item => { + queryObject.captions += item.caption + " " + }) + + //Set the query with the object with important values. + let query = module.exports.setQuery("users", queryObject, thisUser); - this.sendQueryRequest(req, res, next, user, query); + module.exports.sendQueryRequest(req, res, next, thisUser, query); }).catch(error => { - console.error(`Error while indexing media items`, error); + console.error(`Error while searching for media items.`, error); }) + }).catch(error => { + console.error(`Error while searching for the user.`, error); }) }, @@ -62,82 +83,160 @@ module.exports = { }) }, - setQuery: (index, queryObject) => { - keywords.forEach(keyword => { - - }) - - let engagementRate = this.getEngagementRate(); + /** + * + * @param {String} index The index for search query. + * @param {Object} queryObject The values that user has in its profile. + * @param {Object} user The logged in user for whom the matches should be generated. + */ + setQuery: (index, queryObject, user) => { let query = { index: index, body: { query: { function_score: { query: { - match: { - category: "" + bool: { + should: [ + { + match: { + "specialisation": { + query: queryObject.specialisation, + boost: Math.pow(2, 2) + } + } + }, + { + match: { + "interest": { + query: queryObject.interest, + boost: Math.pow(2, 2) + }, + } + }, + { + match: { + "location": { + query: queryObject.location + } + } + }, + { + match: { + "latestMedia.caption": { + query: queryObject.captions, + analyzer: "my_analyzer" + } + } + }, + { + match: { + "biography": { + query: queryObject.keywordsBio, + analyzer: "my_analyzer", + boost: Math.pow(2, 2) + } + } + } + ] } } }, - functions: [ - { - script_score: { - script: { - source: (doc['likes'].value / doc['comments'] / doc['followers_count'].value * 100) - } - } - } - ], - boost: 5, - boost_mode: "sum" + // functions: [ + // { + // script_score: { + // script: { + // source: (doc['likes'].value + doc['comments'] / doc['followers_count'].value * 100) + // } + // } + // } + // ], + // boost: engagementRate, + // boost_mode: "sum" } } } + return query; }, - sendQueryRequest: () => { - client.search(query, (err, res) => { - if (err) return next(err); - let data = res.hits.hits; - let result = []; - if (data) { - let matchesFound = data.map(async hit => { - let user = await User.findById(hit._id); - result.push(user); - }) - res.local.matches = matchesFound; - next(); + /** + * Sends the search API request to Elasticsearch index. + * Searches for matches according to the given query and + * saves the results. Redirects to the next middleware function. + */ + sendQueryRequest: (req, res, next, thisUser, query) => { + client.search(query, async (err, result) => { + if (err) { + console.log("Error while searching for the matches.") + return next(err); } else { - console.log("No matches found.") + let data = result.hits.hits; + let maxScore = result.hits.max_score; + console.log("Max Score: ", maxScore) + console.log("Total matches count: ", data.length) + let finalResult = []; + if (data) { + let matchesFound = data.map(async hit => { + let user = await User.findById(hit._id); + user.score = userScore(hit._score, maxScore); + console.log("Score: ", user.score) + user.engagementRate = await getEngagementRate(user); + console.log("rate: ", user.engagementRate) + if (user.username !== thisUser.username) + finalResult.push(user); + }) + await Promise.all(matchesFound) + res.locals.matches = sortInfluentialUsers(finalResult); + next(); + } else { + console.log("No matches found.") + } } - }).then(response => { - }) - }, - - //////// HELPER FUNCTIONS /////// - /** - * - * @param {Object} user The user whose engagement rate is calculated. - * @returns The engagement rate of the user based on the activity of its followers. - */ - getEngagementRate: (user) => { - //engagement rate = (likes + comments) / Followers x 100 - let totalLikes - let totalCommentCount - user.latesMedia.forEach(mediaItem => { + } +} + +//////// HELPER FUNCTIONS /////// +/** + * Sorts users according to the relevance score. + * @param {Object} results The matched user generated by Elasticsearch. + * @returns Sorted list of users. + */ +function sortInfluentialUsers(results) { + results.sort((user1, user2) => { + return user2.score - user1.score; + }) + return results; +} + +/** + * Calculates the ration between the given score of a match and the max_score. + * @param {*} usersScore The score of the match. + * @param {*} maxScore The max score of the response. + * @returns The score in percent. + */ +function userScore(userScore, maxScore) { + return (userScore / maxScore * 100).toFixed(2); +} + + +/** + * + * @param {Object} user The user whose engagement rate is calculated. + * @returns The engagement rate of the user based on the activity of its followers. + */ +async function getEngagementRate(user) { + //engagement rate = (likes + comments) / Followers x 100 + let totalLikes = 0 + let totalCommentCount = 0 + let points = await Media.find({ _id: { $in: user.latestMedia } }).then(items => { + items.forEach(mediaItem => { totalLikes += mediaItem.likes totalCommentCount += mediaItem.commentCount }) - let average = (totalLikes + totalCommentCount) / user.followers_count * 100; - return average; - }, - - - getKeywords: (user) => { - - } - - + return totalLikes + totalCommentCount + }) + let average = ((points) / user.followers_count) * 100; + return average; } \ No newline at end of file diff --git a/models/media.js b/models/media.js index 6653b03..ba1f7a5 100644 --- a/models/media.js +++ b/models/media.js @@ -32,9 +32,9 @@ mediaSchema.plugin(mongoosastic, { }); let Media = mongoose.model('Media', mediaSchema); -Media.createMapping((err, mapping) => { - console.log('** elasticsearch mapping created for Medias'); - console.log("***port: ", process.env.BONSAI_PORT) -}) +// Media.createMapping((err, mapping) => { +// console.log('** elasticsearch mapping created for Medias'); +// console.log("***port: ", process.env.BONSAI_PORT) +// }) module.exports = mongoose.model("Media", mediaSchema); \ No newline at end of file diff --git a/models/user.js b/models/user.js index 7a47f54..3aac041 100644 --- a/models/user.js +++ b/models/user.js @@ -37,7 +37,9 @@ userSchema = mongoose.Schema({ role: { type: String, enum: ["business", "influencer"] - } + }, + score: Number, + engagementRate: Number }); // ***** Retrieve auth credentials from bonsai elasticsearch add-on ***** // @@ -63,8 +65,43 @@ userSchema.plugin(passportLocalMongoose); let User = mongoose.model('User', userSchema); // ***** create a mapping ***** -User.createMapping((err, mapping) => { - console.log('** elasticsearch mapping created for Users'); +User.createMapping({ + "analysis": { + "analyzer": { + "my_analyzer": { + "tokenizer": "standard", + "filter": [ + "lowercase", + "my_stemmer", + "my_stopwords", + "synonym" + ] + } + }, + "filter": { + "my_stemmer": { + "type": "stemmer", + "language": "light_english" + }, + "my_stopwords": { + "type": "stop", + "stopwords": "_english_" + }, + "synonym": { + "type": "synonym", + "synonyms": [ + "gym, training, sport, workout", + "jumped, jump", + "priveleged, privelege, honor" + ] + } + } + } +}, (err, mapping) => { + if (err) { 'error creating the mapping' } + else { + console.log('** elasticsearch mapping created for Users'); + } }) diff --git a/public/css/styles.css b/public/css/styles.css index d025c69..115670b 100644 --- a/public/css/styles.css +++ b/public/css/styles.css @@ -297,4 +297,8 @@ h1 .profile{ .error { background: rgba(209, 46, 42, 0.7); +} + +.col-md-4{ + margin-bottom: 10px; } \ No newline at end of file diff --git a/routes/index.js b/routes/index.js index 70d1e56..83651ad 100644 --- a/routes/index.js +++ b/routes/index.js @@ -18,8 +18,6 @@ router.get('/users/logout', userController.logout); router.get('/handleauth', instaGraphApiController.getAccess); router.get('/users/profile/:id', instaGraphApiController.index, instaGraphApiController.indexView); - -router.get('/users/matches/', matchesController.renderAllMatches); //tryout -// router.get('/users/matches/', matchesController.getMatches, matchesController.renderAllMatches); +router.get('/users/matches/:id', matchesController.getMatches, matchesController.renderAllMatches); // router.get('/users/matches/:userId', matchesController.getMatch, matchesController.renderSingleMatch); module.exports = router; \ No newline at end of file diff --git a/scraper/cleaned.json b/scraper/cleaned.json index fc89404..bf44e06 100644 --- a/scraper/cleaned.json +++ b/scraper/cleaned.json @@ -1,11 +1,26418 @@ [ + { + "fullname": "Tasty Japan", + "biography": "Tasty#tastyjapan ", + "followers_count": 6790386, + "follows_count": 14, + "website": "http://buzzfeed.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "tastyjapan", + "role": "influencer", + "latestMedia": [ + { + "caption": " #tastyjapan 18cm 18cm 5cm 9 6 60g 600ml 15g ( 5) 70g 2 2 200ml 3 1. 2. 3.(2)90 4.600W10(3)(1)4 5.8(4) 6. === BIG Custard Servings: 9 INGREDIENTS Caramel Sauce 70 grams (2.4 ounces) granulated sugar 2 tablespoons water 2 tablespoons hot water Pudding 6 egg yolks 60 grams (2 ounces) granulated sugar 600 milliliters (2.5 cups) milk Vanilla extract 15 grams (0.5 ounce) powdered gelatin, make soft by soaking it in 75 milliliters (0.3 cup) water Toppings Whipped cream Kiwi Strawberry Raspberry Orange Blueberry Mint Cake pan size 18cm18cm5cm PREPARATION 1.For the caramel sauce, add granulated sugar and water in a pot on medium heat. Continue to move the pan until the mixture turns into a brown color and has a roasted scent. 2.Add hot water. 3.Pour sauce into a cake pan and refrigerate until hard. 4.For the pudding, combine yolks and granulated sugar. 5.Add milk and vanilla extract. 6.Pour mixture into a saucepan and heat until 90C/195F. Then add gelatin and cool. 7.Pour the mixture into the cake pan and refrigerate for 4 hours. 8.Spread whipped cream on the top of the pudding and add strawberries, kiwis, oranges, blueberries, and mint on top. 9.Enjoy! # # # # # # #tastyjapan #buzzfeed #cooking #tasty #japan #food # #", + "likes": 6038 + }, + { + "caption": "4 #tastyjapan 4 2 200g 100ml A:2 100ml A: 1 A: 1 A: 1 1. 2.A 3. 200g 150ml A:2 50ml A: 1 A: 2 1. 2.A 3. 200g 100ml A:2 50ml A: 100g A: 4 2 1. 2.A 3. . 200g 100ml A:2 50ml A: 1 A: 1 A: 1 2 1. 2.A 3. # # # # # # #tastyjapan #buzzfeed #cooking #tasty #japan #food # #", + "likes": 17455 + }, + { + "caption": "4 / Corn Recipes Around the World #tastyjapan 4 3 3 1 80g 80g 1/2 1 30g 1. 3 2. 3. 4. 3 3 1 1/2 1 1/4 1/4 1/4 1 1/2 1. 3 2. 3. 4. 3 3 1 3 1 1. 3 2. 3. (2) 3 3 1 1 1 1 1 1/2 800ml 2 1. 3 2. 4 3. 4. 5. # # # # # # #tastyjapan #buzzfeed #cooking #tasty #japan #food # #", + "likes": 15236 + }, + { + "caption": " #tastyjapan 1 1 A. 1/8 A. 1/4 A. 1/4 A. 1/2 B. 2 B. 2 5 2 1 1 1 1/2 1/2 2 1. 21 2. (1)(A)2(A) 3. (1) 4. 5. (2)(3)(4)6 # # # # # # #tastyjapan #buzzfeed #cooking #tasty #japan #food # #", + "likes": 19698 + }, + { + "caption": " #tastyjapan 210cm 100g 150ml 30g 1 1 2 1 1 1. 2.1 3.(2)2 4.11cm(3) 5.160(4) 6. 7.(6) # # # # # # #tastyjapan #buzzfeed #cooking #tasty #japan #food # #", + "likes": 15783 + }, + { + "caption": "2 / 2 Ways to Enjoy Cold Plum Chazuke #tastyjapan 2 2 200g 100g 2 1 1/2 1 1/2 A200ml A1/2 1. A 2. 1cm 3. (2) 4. (3)(2)(1) 2 200g 35g 1 1 2 1 1 1 1 200ml 2 1. 2. 10 3. 600W3030 4. (3) 5. (2) 6. (3)(4)(1) # # # # # # #tastyjapan #buzzfeed #cooking #tasty #japan #food # #", + "likes": 10977 + }, + { + "caption": " #tastyjapan 2 10 6 6 A. 90ml A. 50ml A. 2g B. 350ml B. 10ml B. 40ml B. 8g 1. 2. (A)600W10 3. (2)1 4. (B)600W10 5. (3) 6. (1) === GOLDFISH FLOWER JELLY Serves 2 INGREDIENTS 6 goji berries Warm water 6 edible flowers Blackberry Base 2 grams unflavored gelatin 10 millilitres water 90ml clear sweet soda Aquarium Water 8 grams unflavored gelatin 40 millilitres water 350 millilitres clear sweet soda 10 millilitres lemon juice Garnish Mint Chervil PREPARATION 1.Rehydrate goji berries in warm water. Cut stem-end of edible flower and insert goji berry. 2.For the blackberry base, combine gelatin and water, stir, then microwave for 10 seconds. Add soda to mixture, stir, and remove foam on top with a spoon. 3.Cut blackberries into halves, then place berries and mint on bottom of transparent cup. Pour soda-gelatin mixture until berries are submerged, then refrigerate cup for at least 1 hour. 4.For the aquarium water, combine gelatin and water, stir, then microwave for 10 seconds. Pour this mixture into a bowl with the lemon juice and soda. Stir and remove foam on top with a spoon. 5.Place bowl with aquarium water in an ice bath and stir continuously until mixture starts to thicken. Pour into cup with the set blackberry base. 6.Plant chervil between berries and place berry-flower fishes in cup. Refrigerate until jelly hardens. 7.Enjoy! # # # # # # #tastyjapan #buzzfeed #cooking #tasty #japan #food # #", + "likes": 9292 + }, + { + "caption": " Tasty Japan #tastyjapan 1cm1 1/4 170g 40g 50ml 11 1 1 3 1. 600W1 2. 600W5 3. 7 4. 2112 5. # # # # # # # # # # # # # # # # #Tasty #Japan # # #baby #book # #cute #", + "likes": 7895 + }, + { + "caption": " / Cheese Fried Rice #tastyjapan 2 300g 1 3 1 2 2 1 100g 1. 2. 3. 4.(3)600W2 5. === Cheese Fried Rice Servings:2 INGREDIENTS: 300 grams Rice (cooked) 1 Egg (beaten) 3 tablespoons Tempura bits 1 tablespoon Dried seaweed flakes 2 tablespoons Noodle soup base (double concentrated) Salt (to taste) Pepper (to taste) 1 tablespoon Sesame oil 100 grams Mozzarella cheese PREPARATION: 1. Add sesame oil to a frying pan, heat over medium heat, pour the beaten egg, and scramble using a wooden spoon. 2. When the egg is cooked, add the rice and stir around, raise the heat to high. 3. When the rice and eggs are mixed, add the Tempura bits, dried seaweed flakes and noodle soup base and mix. Add salt and pepper, adjust to taste and remove from the fire. 4. Fill a heat-resistant rice bowl (or bowl) with (3), making a hole in the center, fill the hole with mozzarella cheese. Wrap loosely with plastic wrap and heat in the microwave at 600W for 2 minutes. 5. Turn it over on a plate and serve it, and you're done! 6. Enjoy! # # # # # # #tastyjapan #buzzfeed #cooking #tasty #japan #food # #", + "likes": 13987 + }, + { + "caption": " Tasty Japan 2 !!!202133Tasty Japan3 1 (6)1 1 1/2 5mm (2) (3) === Breakfast at The Ishiguros! Parfait toast Servings: 1 INGREDIENTS 1 slice of a loaf bread (6 sliced pack) 1 cup Japanese flan 1/2 banana Some sliced almonds Some chocolate syrup PREPARATION 1. Stir flan in a cup. Cut banana into 5mm slices. 2. Using a spoon, make a dent on the center of a bread. Place the flan in the dent. 3. Place banana slices and sliced almonds on top of (2) and bake in the toaster oven. 4. Place the toasted bread on a plate. Add some chocolate syrup. 5. Enjoy! #tastyjapan # # # # # # # # # # # # # #buzzfeedjapan #cooking #Tasty #Japan # # # #recipe", + "likes": 4257 + }, + { + "caption": " #tastyjapan 1 200ml 20ml 20ml 20ml 3g 5g 100ml 10g 50g 6g 15g 500ml 400g 100g 2 1/2 1/2 1. 2. 3. 3 4. 21300ml 5. === HOMEMADE AUTHENTIC RAMEN Servings: 1 INGREDIENTS 100 grams noodle Sauce 200 milliliters soy sauce 20 milliliters mirin 20 milliliters sake 20 milliliters vinegar 3 grams dried seaweed 5 grams boiled - dried fish Flavored oil 100 milliliters oil 10 grams bonito flakes Soup 400 grams ice cubes 500 millilitres water 6 grams dried seaweed 50 grams boiled - dried fish 15 grams bonito flakes To serve 2 pieces roasted pork soft boiled egg roasted seaweed Bamboo shoots, to taste Green onions, to taste PREPARATION In a large pot over high heat, boil the noodles until cooked. Drain the noodles through a sieve and set aside. For the sauce, put soy sauce, mirin, sake, vinegar, kombu, and boiled - dried fish into a saucepan, and heat over medium heat until just before it is boiled then set aside. For flavored oil, put oil and dried bonito into a saucepan, and heat over medium heat until it smells and set aside. For the soup, put ice cubes, water, kombu, and boiled - dried fish into a pan, and heat over medium heat. When it is just before boiling, add dried bonito and heat for a further 3 minutes, set aside. To assemble the ramen add 2 tablespoons of sauce, 1 tablespoon of flavored oil, and 300 milliliters of soup to the base of a bowl. Add the boiled noodles to the bowl and top with roasted pork, soft boiled egg, bamboo shoots, roasted seaweed, and green onions. Enjoy! # # # # # # #tastyjapan #buzzfeed #cooking #tasty #japan #food # #", + "likes": 13536 + }, + { + "caption": " #tastyjapan 4 300g 1/2 5 2 2 1 2 2 1 1 1 4 41.5 6 1. 4 2. (1)2 3. 4. (2)3 5. === CHEESE TSUKUNE Servings: 4 INGREDIENTS 2 tablespoons honey 2 tablespoons soy sauce 1 teaspoon oyster sauce 1 teaspoon garlic 1 teaspoon ginger 300 grams ground chicken onion, chopped 5 shiso, chopped 2 tablespoons cornstarch 1 teaspoon salt Black pepper, to taste 2 tablespoons soy sauce. 2 slices mozzarella 1 tablespoon oil, for frying 4 shiso 2 slices mozzarella PREPARATION In a small bowl, put honey, soy sauce, oyster sauce, garlic, ginger, and stir well. Set aside. In a large bowl, put ground chicken, onion, shiso, cornstarch, salt, black pepper, soy sauce and mix until well-combined. Divide into four equal parts. Take the mozzarella slices, roll them up, and cut in half. Form 4 pieces of each meat into a flat ball shape. Add the cheese and form the meat around the cheese so it is completely encased. Place a frying pan over a medium heat and add the oil. Add meatballs and cook for 3 minutes on each side or until golden brown and cooked through. When they are cooked, place a lid on and cook for a further 3 minutes. Open the lid, pour over the sauce, and stir to coat the meatballs. Put shiso and mozzarella slices on the meat, place lid on, and cook over remaining heat for 3 minutes until the cheese oozes. Enjoy! # # # # # # #tastyjapan #buzzfeed #cooking #tasty #japan #food # #", + "likes": 10645 + } + ] + }, + { + "fullname": "Krispy Kreme Doughnuts", + "biography": "Home of the Original Glazed Doughnut. & since 1937. Share sweet moments with #KrispyKreme.", + "followers_count": 1884852, + "follows_count": 1439, + "website": "https://linktr.ee/krispykreme", + "profileCategory": 2, + "specialisation": "Donut Shop", + "location": "", + "username": "krispykreme", + "role": "influencer", + "latestMedia": [ + { + "caption": "Home is where the #doughnut is #krispykreme", + "likes": 12568 + }, + { + "caption": "Treat yourself to Original Glazed #doughnuts for an extra sweet way to start the weekend #krispykreme", + "likes": 9794 + }, + { + "caption": "It's their day to shine! Chocolate Glazed doughnuts back TODAY only! While supplies last, don't miss this one! Participating US & CAN shops 7/30 only. While supplies last. All info at link in bio. #krispykreme #doughnuts #chocolateglaze", + "likes": 9617 + }, + { + "caption": "Chocolate. Glazed. Doughnuts. Tomorrow Only. See you there Participating US & CAN shops 7/30 only. All info at link in bio. #krispykreme #doughnuts #chocolateglaze", + "likes": 9119 + }, + { + "caption": "Look cool this summer with up to 25% off select merch, online only through 8/8! Click the link in our bio to order now! #krispykreme #doughnuts #merch", + "likes": 2889 + }, + { + "caption": "Welcome one and all! Pop right in this week and try our three NEW takes on these carnival classics! Hurry in, the #carnival isn't in town for long! #krispykreme #doughnuts", + "likes": 16992 + }, + { + "caption": "Hurry in and claim your Carnival prize now through 7/28! ONLINE ONLY - use promo code: BOGO50 when you buy any Dozen and get 50% off an Original Glazed Dozen. Offer only valid online. Carnival doughnuts at participating US & CAN shops only. Available through 8/8! All details & to order now at link in bio. #krispykreme #doughnuts", + "likes": 5887 + }, + { + "caption": "Warning: Staring may cause hunger To cure, visit a Krispy Kreme shop or order by clicking the link in our bio #krispykreme #doughnuts #originalglazed", + "likes": 14513 + }, + { + "caption": "Come one, come all! The Caramel , Caramel , and Cotton doughnuts are your carnival prize for the taking! Participating US & CAN shops only. Available through 8/8! All details found at link in bio. #krispykreme #doughnuts", + "likes": 9433 + }, + { + "caption": "Step right up and try our limited edition Caramel Popcorn ! Filled with Caramel Popcorn Kreme & topped with caramel drizzle and caramel popcorn, this is one you don't want to miss! Participating US & CAN shops only. Available through 8/8! All details found at link in bio. #krispykreme #doughnuts", + "likes": 16476 + }, + { + "caption": "Original Glazed, Sprinkles, Filled, & Chocolate? Today's 6 reasons to smile. #krispykreme #doughnuts #originalglazed", + "likes": 12733 + }, + { + "caption": "Need a mid-week pick me up? We'll just leave this here #krispykreme #doughnuts #originalglaze", + "likes": 14002 + } + ] + }, + { + "fullname": "Tortik Annushka", + "biography": "We create wow-cakes to make the world a wow-place Designs by @rustamkungurov Based in Moscow", + "followers_count": 983707, + "follows_count": 19, + "website": "https://tortik-annuchka.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "tortikannuchka", + "role": "influencer", + "latestMedia": [ + { + "caption": "", + "likes": 315223 + }, + { + "caption": "", + "likes": 67792 + }, + { + "caption": "Happy Easter ", + "likes": 46832 + }, + { + "caption": "", + "likes": 115082 + }, + { + "caption": "Marble cake Guys, we have finally processed all applications for the course and want to inform you that we can add 50 more spaces for our Technique course. All the details how to register for the course you can find by following the link in bio. Oficcial start of the course is on April 26!", + "likes": 77956 + }, + { + "caption": "Coconut cake swipe left to see the process", + "likes": 63583 + }, + { + "caption": "Chocolate coconut ", + "likes": 152289 + }, + { + "caption": "Chocolate decorating and velour technique ", + "likes": 49864 + }, + { + "caption": "New design of the week Lollipop cake What do you think ? Also, we are filming new online course about cake decorating techniques. This week we decided to add two more cool techniques. Totally there will be 8 amazing techniques that can be mixed with each other.", + "likes": 90580 + }, + { + "caption": "Done ", + "likes": 103754 + }, + { + "caption": "I'll show you the result tomorrow ", + "likes": 56728 + }, + { + "caption": "Terrazzo cake ", + "likes": 81515 + } + ] + }, + { + "fullname": "smitten kitchen", + "biography": " the place to find your new favorite thing to cook sk cookbook, sk every day & sk keepers in 22 new youtube episodes wed find these recipes ", + "followers_count": 1528330, + "follows_count": 243, + "website": "http://smittenkitchen.com/instagram", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "smittenkitchen", + "role": "influencer", + "latestMedia": [ + { + "caption": "A buttermilk-lime dressing is poured over cornbread croutons, ripe tomatoes, tender and crisp lettuces, and paper-thin slices of sweet onion in one of the most summery green salads I've ever made. // Corn Bread Salad with Buttermilk-Lime Dressing on smittenkitchen.com or linked in profile. In more detail: Go to my profile. Click the link \"smittenkitchen.com/instagram\" Click the photo for the recipe you want and it will take you to it.", + "likes": 5267 + }, + { + "caption": "A freezer-friendly but infinitely summery (light and lemony! fresh herbs! seasonal vegetables!) pasta bake destined to become your favorite summer dish to prep and share. // Herbed Summer Squash Pasta Bake on smittenkitchen.com or linked in profile. In more detail: Go to my profile. Click the link \"smittenkitchen.com/instagram\" Click the photo for the recipe you want and it will take you to it.", + "likes": 15490 + }, + { + "caption": "This is the happiest summer cake bronzed with a faint crunch at the edges, tender to the point of pudding-ness in the center, dotted with jammy berries, and welcome wherever you get to share it. // Triple Berry Summer Buttermilk Bundt on smittenkitchen.com or linked in profile. In more detail: Go to my profile. Click the link \"smittenkitchen.com/instagram\" Click the photo for the recipe you want and it will take you to it.", + "likes": 10816 + }, + { + "caption": "This is my family's favorite potato salad, one that's as populated with vegetables crunchy, delicious ones, like radishes and lightly pickled cucumbers as it is with potatoes, so it feels like something you might eat with dinner in warmer weather, and not only as a bbq side. // Dilled Potato and Pickled Cucumber Salad on smittenkitchen.com or linked in profile. In more detail: Go to my profile. Click the link \"smittenkitchen.com/instagram\" Click the photo for the recipe you want and it will take you to it.", + "likes": 9814 + }, + { + "caption": "Crisp edges, plush interiors, fragrant and filling, these are one of our favorite weekend pancakes that also manages to address summer's real torment: zucchini population control. // Mathilde's Tomato Tart on smittenkitchen.com or linked in profile. In more detail: Go to my profile. Click the link \"smittenkitchen.com/instagram\" Click the photo for the recipe you want and it will take you to it.", + "likes": 7329 + }, + { + "caption": "A gorgeous peak-summer tomato tart that tastes the way I imagine a vacation in France would feel right now, from @sanaelemoine novel, The Margot Affair. It deserves to be eaten outside a big green salad, glass of wine, and the kind of friends who drop everything when they hear you're making dinner. // Mathilde's Tomato Tart on smittenkitchen.com or linked in profile. In more detail: Go to my profile. Click the link \"smittenkitchen.com/instagram\" Click the photo for the recipe you want and it will take you to it.", + "likes": 16525 + }, + { + "caption": "Streusel, hunks of quartered peaches and crme frache bake into a lightly sweet, luxe pie like no other. // Peach and Creme Fraiche Pie on smittenkitchen.com or linked in profile. In more detail: Go to my profile. Click the link \"smittenkitchen.com/instagram\" Click the photo for the recipe you want and it will take you to it.", + "likes": 12019 + }, + { + "caption": "If you ever need a reminder of how little seasonal vegetables need to shine, Alice Waters is the place to go, because this looks like a happy bowl of summer to me. // Green Bean and Cherry Tomato Salad on smittenkitchen.com or linked in profile. In more detail: Go to my profile. Click the link \"smittenkitchen.com/instagram\" Click the photo for the recipe you want and it will take you to it.", + "likes": 3417 + }, + { + "caption": "I have a new cooking episode for you today! My everyday meatballs are one-bowl, one-pot, frying-free and have so much flavor, they work as a standalone dish or with a side of salad, and by \"salad\" I mean garlic bread. This is the 8th and final episode of the season and I'm incredibly thankful for @vincentcross and Cal Robertson for making this video magic happen. Should we shoot another season? Let me know what you'd love to see -- longer videos? more involved recipes? more bad jokes? If you've missed the 7 episodes before this, I hope you can deliciously catch up as we focused this season on some of the most popular and least fussy recipes in the site's 15-year archive. Subscribe so you don't miss anything that comes next! // Everyday Meatballs on youtube.com/smittenkitchening or linked in profile. In more detail: Go to my profile. Click the link \"smittenkitchen.com/instagram\" Click the photo for the recipe you want and it will take you to it.", + "likes": 6897 + }, + { + "caption": "The simplest way to make spaghetti al limone is also my favorite, enlisting an uncooked sauce, but no cream, butter, or other clutter. It's sunny and triumphant, a delicious way to end a long way. // Simplest Spaghetti a Limone on smittenkitchen.com or linked in profile. In more detail: Go to my profile. Click the link \"smittenkitchen.com/instagram\" Click the photo for the recipe you want and it will take you to it.", + "likes": 13836 + }, + { + "caption": "An upside-down dark cherry cake with the fluffiest cornmeal base is basically error-proof -- believe me, I've tried everything to mess it up and failed. // Cherry Cornmeal Upside-Down Cake on smittenkitchen.com or linked in profile. In more detail: Go to my profile. Click the link \"smittenkitchen.com/instagram\" Click the photo for the recipe you want and it will take you to it.", + "likes": 7532 + }, + { + "caption": "This is your annual reminder -- 14 years and counting! -- that my favorite summer vegetable dish takes 5 minutes to make, uses all of 3 ingredients and tastes like 10x the sum of its parts. Plus, it helps keep summer's real torment at bay: insurmountable heaps of zucchini. // Quick Zucchini Saut on smittenkitchen.com or linked in profile. In more detail: Go to my profile. Click the link \"smittenkitchen.com/instagram\" Click the photo for the recipe you want and it will take you to it.", + "likes": 20854 + } + ] + }, + { + "fullname": "molly yeh", + "biography": " marzipan, sprinkles, tahini host of #girlmeetsfarm @foodnetwork author of #mollyontherange & #homeiswheretheeggsare mommy to bernie", + "followers_count": 719396, + "follows_count": 2449, + "website": "https://linkinprofile.com/mollyyeh", + "profileCategory": 2, + "specialisation": "Personal Blog", + "location": "", + "username": "mollyyeh", + "role": "influencer", + "latestMedia": [ + { + "caption": "the days and weeks sped right by filming with the sweetest, funniest, warmest humans!!! i cannot wait for you to see what weve baked up! @kardeabrown @fullerfarmer @duffgoldman", + "likes": 9217 + }, + { + "caption": "national SPRINKLE day.?!!!???!?!? happy holiday to all who observe!!!!! all recipes are on on the blog! 1. rhubarb llama birthday cake 2. chocolate sea salt rugelach 3. pistachio nutter butters 4. fairy french toast casserole 5. sprinkle macaroons ( @chantell_lauren ) ", + "likes": 18942 + }, + { + "caption": "golden wheat fields, stalks of pink rhubarb, apple trees, eggs fresh from the chickens, AND excellent connectivity?! heck yeah. thank you @tmobile for supporting me in my work, play, and life so i can enjoy everything the farm has to offer! #tmobilepartner", + "likes": 5282 + }, + { + "caption": "its a HOT DOG CHOP and its going in #homeiswheretheeggsare ", + "likes": 13329 + }, + { + "caption": "So excited to be a part of @williamssonoma and @nokidhungry s #ToolsForChange Campaign again this year! For each of these spatulas sold Williams Sonoma is going to provide up to 40 meals to kids in need. My design this year is apple themed, because in addition to this spatula, you can also get an apple scented handsoap, lotion & candle set or a hand towel set with last year's campaign design! Get yours at the link in profile or in Williams Sonoma stores! Shout out to all the other amazing #HungerFighters who designed for this campaign this year: @whatsgabycookin @hilaryduff @brianharthoffman @iamtabithabrown @derekhough @fitmencook @bobbyflay @tamronhall @thetinychefshow", + "likes": 23412 + }, + { + "caption": "if you give a stylist a lobster. theyre going to make this beautiful perfect 4th of july eve feast! thank you @wrsull @the.lobster.shop and @bwashbu @lauren_b_rad @hayluk_ @melinamoser @haas_hayden for making all of our seafood dreams come true on the farm! i brought cookie salad ", + "likes": 10024 + }, + { + "caption": " happy weekend, fronds!!!! ", + "likes": 13519 + }, + { + "caption": "not that anyone asked for a hot bowl of soup in this heat (!) but im making dreamy steamy ramen on this weekends #girlmeetsfarm along with that barbie cake (and ranch snacks and pizza pillows) soooo take a cold shower then live out your chilly autumnal fantasies or bookmark this recipe for october?? see you sunday on @foodnetwork! ", + "likes": 11031 + }, + { + "caption": "ITS HAPPENING the cake ive been waiting all season for, the blueberry barbie cake of my sartorial dreams, and obviously not just any barbie but THE @thepioneerwoman barbie eat your nostalgic heart out on sunday 11a/10c on @foodnetwork !!!! #girlmeetsfarm", + "likes": 32815 + }, + { + "caption": "all of my friends, as styled by @bwashbu @hayluk_ @lauren_b_rad for #homeiswheretheeggsare ! a real deal @chantell_lauren pic coming to a cookbook near u fall 22!", + "likes": 14176 + }, + { + "caption": "this weekend on #girlmeetsfarm: a crispy rice salad inspired by one of my favorite salads in the whole entire world from @haihaimpls, pork meatball bnh m, spam summer rolls with spicy pineapple sauce, and a matcha/mango/watermelon/coconut terrazzo jelly cake!! see you sunday on @foodnetwork at 11a/10c! ", + "likes": 7396 + }, + { + "caption": "#girlmeetsfarm premiered three years ago today! endlessly grateful for all of the humans and cats that i get to work with on this show and all of you who i get to hang out with every sunday at gmf oclock! #threenager ! @foodnetwork ( @chantell_lauren)", + "likes": 20806 + } + ] + }, + { + "fullname": "Bobby Parrish", + "biography": "YouTuber, Cookbook Author, Chef The Grocery Store Guy Order My Cookbooks, Get My Recipes, & More ", + "followers_count": 717423, + "follows_count": 170, + "website": "https://linktr.ee/flavcity", + "profileCategory": 3, + "specialisation": "Chef", + "location": "", + "username": "flavcity", + "role": "influencer", + "latestMedia": [ + { + "caption": "This is how we do coconut water around here @rosehoneyp", + "likes": 19664 + }, + { + "caption": "Sunday Morning cheesy toast with @rosehoneyp RECIPE: 3 eggs 3/4 cup cheddar cheese, grated(we used kerrygold from costco) 1/2 cup ricotta cheese(we used kite hill almond cheese) Butter 6 slices of bread Salt & pepper Preheat broiler to medium. Meanwhile, whisk the eggs in a large bowl then add the cheddar, ricotta, 1/2 teaspoon salt, and a few cracks of pepper. Mix well. Spread some butter on each slice of bread and then top with the egg mixture. Broil for 6-10 minutes, or until deep golden brown. The tomato juice is made by blending whole canned san marzano tomatoes with 1 teaspoon of salt and enough water to make it loose and pourable. Enjoy!", + "likes": 15569 + }, + { + "caption": "We took a family shopping trip to Trader Joe's, let's see what to buy and how to read the ingredients!", + "likes": 8507 + }, + { + "caption": "Snack time for @rosehoneyp ", + "likes": 32523 + }, + { + "caption": "First we go shopping at Costco the we make Crab Cakes! Recipe at www.flavcity.com", + "likes": 4644 + }, + { + "caption": "First @rosehoneyp goes shopping, then we make potato salad!", + "likes": 17180 + }, + { + "caption": "Back when @rosehoneyp & I made chicken nuggets! RECIPE: search FlavCity nuggets On Google.", + "likes": 15323 + }, + { + "caption": "@rosehoneyp picked a watermelon from the store and fixed a snack! She is 25 months old ", + "likes": 19935 + }, + { + "caption": "FlavCity Keto Lemonade: https://www.shopflavcity.com/ We went on a family shopping trip to Costco! Let's see what to buy and avoid at Costco.", + "likes": 6376 + }, + { + "caption": "Join Thrive Market & get 25% off your 1st order & a FREE gift: http://thrivemarket.com/bobbyIG Let's go shopping and find healthier versions of your favorite junk food.", + "likes": 4039 + }, + { + "caption": "Vote now Which do you prefer: Version 1 Basic guacamole Version 2 Fancy guacamole", + "likes": 7932 + }, + { + "caption": "@rosehoneyp & I made breakfast ", + "likes": 15756 + } + ] + }, + { + "fullname": "Sohla El-Waylly", + "biography": "@food52 @nytcooking @history Manager: kgayoso@rangemp.com PR: celena@narrative-pr.com", + "followers_count": 557643, + "follows_count": 525, + "website": "https://m.youtube.com/watch?v=wPZxQ4WvgyI", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "sohlae", + "role": "influencer", + "latestMedia": [ + { + "caption": "Why do today what you could hold off 'till tomorrow (or next week)? I'm working on a BIG project, and of course, big projects call for even BIGGER procrastination. So here's this little series (that we'll make whenever we want, and won't whenever we don't) where you can watch me work on things I don't need to be working on. Please enjoy.", + "likes": 16748 + }, + { + "caption": "This Ancient Recipes I make not one, but TWO ancient cheesecakes! Honestly, I wasnt sure about either, but they both turned out pretty delicious and once again taught me something new. Head over to the @history YouTube channel to check it out! (Oh, and they let me keep the ancient Roman terracotta oven )", + "likes": 10712 + }, + { + "caption": "Its grilling and chilling weather and thankfully, my @WeberGrills SmokeFire Grill makes the chill part so easy. #WeberAd Just add pellets and you're ready to smoke, roast, grill, and even bake! Hang out with your guests while the Weber Connect App makes it a cinch to keep an eye on all the grilling action! For an easy taco party with friends, I developed a simple smoked chicken recipe Id like to call Pollito Pibil It has all the flavors of cochinita pibil, but you know, chicken! Head to the link in my stories to save $200 off your very own #WeberSmokeFire and find the full recipes on hellosohla.com #DiscoverWhatsPossible", + "likes": 3162 + }, + { + "caption": "Doggy photo dump! Id have a lot less fun without these dummies. Yes, Vito insists on eating at the table and Clem hogs all the pillows.", + "likes": 27186 + }, + { + "caption": "Just celebrated my/our birth-iversary at @elevenmadisonpark (My 36th birthday and our 11th wedding anniversary are a couple days apart) When I trailed here 12 years ago, the sous chef told me I didnt belong in food and I should give up. Tonight I spotted three woc in the kitchen (one at the pass). There was a dosa and rice porridge on the menu. Were getting somewhere pretty fucking fast. Thanks for dinner ladies.", + "likes": 92789 + }, + { + "caption": "Do you cheddar with your apple pie? Im a cheddar and believer now! A la mode is sooooooo 2020 In the latest Ancient Recipes, its an apple pie showdown between and ! Whose ancient apple pie recipe reigns supreme!!!?!?! Well, theyre actually both pretty great and I learned a few tricks Im keeping to level up my modern pie game! Check it out on the @history YouTube channel (link above!)", + "likes": 15663 + }, + { + "caption": "Im celebrating this 4th with friends, family, and an entire leg of lamb, slow-smoked and roasted on my @WeberGrills SmokeFire Grill! #WeberAd This all-in-one wood pellet grill can handle anythinglow-temp, high-temp, and most importantly, accurate temps! This grill heats more consistently and evenly than my kitchen oven, which means summer baking just got easier. Smoked and grilled baklava for dessert? Yes, please! Find the full recipes on hellosohla.com #DiscoverWhatsPossible #WeberSmokeFire", + "likes": 2310 + }, + { + "caption": "This is a very ugly picture of a very pretty thing. Try my latest fruit crumble recipe and do better than me! On this Off-Script @food52 Ill show you how to crumble any fruit! This recipe can easily be adapted: GF swap the flour for gf flour, reduce the fat by 1 Tbsp, add 1 Tbsp water Vegan swap the butter for coconut oil or a vegan butter Link above!", + "likes": 19759 + }, + { + "caption": "I just learned that only people over 35 use the emoji. Sorry thats my favorite emoji, and Ill never stop Also, this Gluten-Free Citrus Bundt cake recipe by @kingarthurbaking is so freakin incredible! Ive been trying out more gf recipes lately and this one blew my mind. Go surprise your gluten-eating and non gluten-eating friends with it!", + "likes": 53445 + }, + { + "caption": "Didnt have time to brunch on Sunday, so were going for it today: crispy desi omelette, pumpernickel parathas, cantaloupe chaat, raitha, and turmeric potato hash! No mimosas because its Monday and were not monsters.", + "likes": 13079 + }, + { + "caption": "Theres a new episode of Ancient Recipes on the History YouTube channel and its not as stinky as you think! Many thanks to professional historical food taster @tastinghistorywithmaxmiller for all your advice! ", + "likes": 8635 + }, + { + "caption": "Please enjoy this (only sometimes blurry) instructional video. Shot by @hamegram Autofocus by @lumixusa Mixed Greens Spanakopita 1 pound chopped tender greens and herbs 1/2 cup white rice, rinsed, soaked, and crushed 3 spring onions 2 garlic cloves 1 teaspoon kosher salt 1 large egg 8 ounces feta cheese 6 to 8 sheets phyllo dough melted butter or olive oil 10-inch cast iron skillet Bake at 400F for 45 minutes", + "likes": 8996 + } + ] + }, + { + "fullname": "Lauren Ko", + "biography": "When all hell bakes loose. My best-selling cookbook, PIEOMETRY, is available wherever books are sold! Based in Seattle.", + "followers_count": 418849, + "follows_count": 1097, + "website": "https://linktr.ee/lokokitchen", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "lokokitchen", + "role": "influencer", + "latestMedia": [ + { + "caption": "Its Friday. Lets get pitted. {Pictured: A round cinnamon cream tart with a shortbread crust and a surface design of bright orange-yellow apricot slices arranged tightly together in swirls and curls. The tart is set against a black background.] #lokokitchen #apricot #cinnamon #cream #tart #TartArt #pieometry #abstract #StoneFruit #SummerFruit #SummerBaking #GetPitted #f52grams #f52community #buzzfeast #MarthaBakes #ImSoMartha #RealSimple #LifeAndThyme #BeautifulCuisines #ThatsGoodHousekeeping #bhgFood #RealSimple #HelloFrom #seattle @collinsfamilyorchards", + "likes": 21641 + }, + { + "caption": "Easy come, easy grow. I Its my birthday! Officially into my mid-thirties and...well, still pollen it together. But floral intents and purposes, Im here to stay. No ifs, ands, or buds about it. [Pictured: an unbaked pie with a surface design of edible flowers pressed into hexagonal dough tiles. The flower tiles are organized by color--dark pink, light pink, orange, yellow, lilac, and blue. The pie is set against a black background.] #lokokitchen #strawberry #rhubarb #pie #PieArt #pieometry #geometry #GeometricTiles #SurfaceDesign #EdibleFlowers #flowers #WordPlay #f52grams #f52community #buzzfeast #HuffPostTaste #MarthaBakes #ImSoMartha #RealSimple #LifeAndThyme #BeautifulCuisines #ThatsGoodHousekeeping #bhgFood #birthday #HelloFrom #seattle #YeahButWhatDoesItLookLikeBaked", + "likes": 27893 + }, + { + "caption": "Paid #partnership with @amindfulstate. Years ago, I started dabbling in pie design and tart art simply because I enjoyed the creative outlet. The quiet process of precisely cutting produce and meticulously laying out new designs was therapeutic--a meditative and restorative space for focus. Over time, as this undertaking has evolved into a professional pursuit and this platform has grown to a size impossible for me to comprehend, making my art and sharing it so publicly has felt increasingly fraught. As a reserved, sensitive introvert, Ive struggled with navigating life as a public personality and coping with the more abrasive and harmful aspects of social media. After a continuous decline in my mental health and thanks to people in my community who candidly answered all my questions and connected me with resources, I finally mustered up the nerve to seek professional support. The weekly sessions have been immediately challenging and healing. Because friends, family, and acquaintances discussing and normalizing therapy was so critical for me, I hope that sharing my own experience will also serve as an endorsement for seeking the support you need to ensure your health in all ways. Shared in partnership with A Mindful State, a collaboration devoted to the individual and collective well-being of Washingtonians. More information and resources available in the link in my bio. [Image ID: a round tart with a white filling and pink watermelon radish triangles radiating around the center of the tart in concentric layers. The tart is set against a black background.] #lokokitchen #SmokedSalmon #EverythingBagel #radish #WatermelonRadish #tart #TartArt #pieometry #TheMindfulState #AMindfulState #MentalHealth #therapy #meditation #support #CommunitySupport #f52grams #f52community #MarthaBakes #LifeAndThyme #BeautifulCuisines #SurfaceDesign #CreativeOutlet #ArtTherapy #washington #seattle #ad", + "likes": 10420 + }, + { + "caption": "All rays and forever. | Just a little sunthing from the archives while Im OOO and eating every last taco in San Diego. | Strawberry rhubarb pie with a signature spoke crown and the most luxurious @lewisroadusa butter dough. [Pictured: a round, unbaked strawberry rhubarb pie with white all-butter pie dough. The pie features a spoke design constructed of dough strips radiating around a center opening, where sliced strawberries and rhubarb peek out. The pie has a crimped edge and is set against a black background.] #lokokitchen #pieometry #strawberry #rhubarb #pie #pieart #signaturespoke #modernlattice #surfacedesign #tacos #california #sandiego #alwaysandforever #sunshine #f52grams #buzzfeast #huffposttaste #beautifulcuisines #lifeandthyme #marthabakes #imsomartha #thefeedfeed #theartofplating #eatingwell #realsimple #bombesquad #yeahbutwhatdoesitlooklikebaked", + "likes": 26260 + }, + { + "caption": "Love em and weave em. I Earlier this month, I ordered 6 total mini cucumbers and instead received 6 BAGS of cucumbers. Woof. Weve since consumed absurd amounts of cucumber salads, noodle dishes, cocktails, pickles, and other assorted cucumber Trojan horses. Subbing cukes for tomatoes on the smoked salmon tart with the everything (but the) bagel crust from PIEOMETRY was the coup de grce. I would be glad not to see another cucumber for a very long time...which is just as well as I foresee a diet exclusively comprised of fish tacos, California burritos, and carne asada fries over the next few weeks. We start our road trip to San Diego tonight, and its hard to fathom being *this* excited about 22 hours of driving but I havent seen my family since January 2020 and the weather forecast promises so much sunshine. Byeeeeeee! [Pictured: a round tart with a speckled Everything But the Bagel crust, smoked salmon filling, and an imitation lattice surface design made with cucumbers. The tart is set against a black background.] #lokokitchen #pieometry #smokedsalmon #cucumber #tart #tartart #lattice #surfacedesign #tiles #knifework #produce #vegetables #fishtacos #californiaburritos #carneasadafries #california #sandiego #sunshine #f52grams #buzzfeast #huffposttaste #beautifulcuisines #lifeandthyme #marthabakes #imsomartha #thefeedfeed #theartofplating #eatingwell #realsimple #bombesquad", + "likes": 17018 + }, + { + "caption": "All aboard the wavy train. I As you may know, I dont sell any of my pies. Buuuut if youre local to the Seattle-ish area, heres an opportunity to snag one: To support Asian and Pasifika creatives in the Puget Sound Area, Ive partnered with @upliftapa for a giveaway! You can donate and be entered to win a baked Lokokitchen pie and a signed copy of PIEOMETRY (plus bonus stickers)! Tomorrow, May 2, is the last day for this prize!! 100% of donations will be distributed to APA artists and entrepreneurs in the area who need emergency relief to pay for rent, utilities, medical needs, and food. Priority is given to our NHPI neighbors who have been hit the hardest with COVID. Head to @upliftapas link in my bio for information on entering, how to apply for relief, and to check out the other amazing APA creatives who are offering giveaways over the next few months! [Pictured: a round unbaked pineapple blueberry pie with an abstract surface design of wavy layers of all-butter and blue butterfly pea flower pie dough strips. The pie is set against a black background.] #lokokitchen #PIEOMETRY #blueberry #pineapple #butterflypeaflower #pie #pieart #abstract #waves #surfacedesign #cookbook #APA #aapi #aapiheritagemonth #aapiwomenlead #asian #pasifika #creatives #mutualaid #upliftapa #winglukemuseum #hellofrom #seattle #pugetsound #f52grams #buzzfeast #mymodernmet #lifeandthyme #wereallwegot #yeahbutwhatdoesitlooklikebaked", + "likes": 13863 + }, + { + "caption": "Winner winner...baked pie for dinner. Pandemic times have been tough for Asian and Pasifika artists and entrepreneurs, especially in light of the recent violence against folks in our communities across the country. To support APA creatives in the Puget Sound Area, Im so honored to partner with @UPLIFTAPA for a GIVEAWAY this week! Today through Sunday (5/2), you can donate for a chance to win a baked Lokokitchen pie and a signed copy of PIEOMETRY (and maaaybe some bonus stickers)! 100% of your donations will be distributed to APA creatives in the area who need emergency relief to pay for rent, utilities, medical needs, and food. Priority is given to our NHPI neighbors who have been hit the hardest with COVID. Head to @upliftapas link in my bio for information on entering, how to apply for relief, and to check out the other amazing APA creatives who are offering giveaways over the next few months! [First image: a round tart with a speculoos cookie crust, pink blood orange curd filling, and a geometric surface design of mango triangles and kiwi semicircles. Second image: waist-up shot of Lauren in a banana print jumpsuit. Green text reads Uplift week 3, Lauren Ko, Lokokitchen. Third image: a baked spoke pie on a striped yellow plate next to a stack of Pieometry cookbooks. The photo is set against a yellow background and text reads Uplift week 3. Lauren Ko. Donate for a chance to win. #lokokitchen #bloodorange #mango #kiwi #tart #tartart #geometry #PIEOMETRY #hamandcheese #surfacedesign #tileart #pie #cookbook #APA #aapi #aapiwomenlead #asian #pasifika #creatives #seattle #pugetsound #ihavethisthingwithtiles #f52grams #buzzfeast #mymodernmet #lifeandthyme", + "likes": 18598 + }, + { + "caption": "Ive been trying to post for weeks but what is there to say as violence against the Asian community persists and police continue to kill Black people (children!)? How does one form words to fit around the shape of grief and anger to accompany a...pie? Nothing has felt appropriate or adequate. -- Heres a cookie update: we raised over $10,000, which means we doubled our initial goal and were able to donate $5175 to @advancing_justice_atl and $5000 to @acrsnews. Thank you for partnering with us to support the families of the victims in Atlanta as well as the Asian community here in Seattle. @jenmagofna and I started doing these bake sales together as a way to make small but meaningful connections to our community in increasingly fraught times. Obviously baking and selling cookies is not the start or the end or the whole of dismantling white supremacy. That effort must be an intentional act of examining every aspect of our lives in pursuit of this. Whether you have purchased cookies or made a donation, we hope that you too will make it a daily practice to consider all the other ways you can continually fight for our communities and work to build a system that allows people to not only live but to thrive as well. [Pictured: a round unbaked cherry pie with a geometric tile design inspired by @pophamdesign and made up of butter, Nutella, and chocolate pie dough pieces. Cherries and sugar peek out from two rectangular cutouts on the pie top. The pie is set against a black background.] #lokokitchen #chocolate #cherry #pie #pieart #pieometry #geometric #tiles #surfacedesign #brown #tan #bakesale #fundraiser #aapi #aapiled #stopasianhate #blacklivesmatter #bakersagainstracism #inadversitywebloom #f52grams #f52community #bombesquad #lifeandthyme #beautifulcuisines #hellofrom #seattle #yeahbutwhatdoesitlooklikebaked", + "likes": 12641 + }, + { + "caption": "I spent last weekend in a fog of sadness and outrage--reading portraits of the lives stolen in Atlanta, mourning continued attacks on Asian elders, grappling with the sick relief that three of my own grandparents are no longer here and therefore not subject to the risk of targeted violence, and avoiding my own social media after a glut of racist DMs. Since immersing ourselves in a meditative rhythm of butter, sugar, flour, salt is one way we process and take action together, @jenmagofna and I are running another bake sale this week. Along with @paolocampbell and @kristinamcap, our goal is to raise $2500 for the families of the victims through @advancing_justice_atl and $2500 for @acrsnews, which serves our AAPI community here in Seattle. Were selling boxes of assorted shortbread (black sesame, matcha, and strawberry) and mini meringue kisses for local pick-up on March 27-28 @opuscoseattle. Were also looking for matching donors or anyone who wants to throw in a few dollars to help with ingredients. Click the High Point Bakes link in my bio to join us. A note: this fundraiser is of course open to everyone but we are especially hopeful that people outside of the BIPOC community will step up here. [First image: A round tart with a white filling and a surface design of pink watermelon radish geometric tiles. The tart is set against a black background. Second image: Grey black sesame cookies, green matcha cookies, and pink strawberry cookies are piled in assorted stacks on a white table with a white marble background.] #lokokitchen #SmokedSalmon #watermelon #radish #tart #tartart #tiles #SurfaceDesign #GeometricDesign #pieometry #cookbook #HarperCollins #WilliamMorrow #savory #f52grams #f52community #eeeeeats #lifeandthyme #AAJC #ACRS #AAPI #AAPIled #BakersAgainstRacism #nieghborhood #BakeSale #BlackSesame #matcha #strawberry #shortbread #meringue", + "likes": 21776 + }, + { + "caption": "#sponsored I Happy Pi(e) Day!! A year ago, I hosted my last in-person pie design workshop before going into lockdown. With everything that has (or hasnt) happened in the last 12 months, I havent felt particularly inspired or productive. Teaming up with @spoonflower to make this pie inspired by @alice___moores whimsical The Dog Ate My Ruler print was the creative roust Ive been trying to conjure. What a blast! My work is often inspired by textiles and surface pattern design, so its a dream to collaborate with a company that is a whole marketplace of makers and artists and textiles galore! To celebrate this partnership and this pastry-co opted math holiday (heh), were offering 5 winners all of the following: a signed copy of PIEOMETRY, a table runner, a tea towel, and a set of dinner napkins with this peppy print, and $50 in @spoonflower store credit! To enter the giveaway: 1. Follow @lokokitchen and @spoonflower. 2. Like this post. 3. Tag your creative bestie. Giveaway closes 3/18 at 11:59pm PST, and winners will be announced on 3/19. U.S. mailing addresses only. Giveaway is not affiliated with or administered by Instagram. [Accessible description provided in alt text.] #lokokitchen #cinnamon #pinkapple #pie #pieart #piday #piday2021 #pieometry #spoonflower #spoonflowerhome #textiles #homegoods #surfacedesign #patterns #artists #makers #giveaway #yeahbutwhatdoesitlooklikebaked", + "likes": 23994 + }, + { + "caption": "Sparks and Rec. I Im spilling secrets with @atlasobscura this afternoon on their Secret Arts series (tune in at 4pm PST). Right after, at 5:30pm PST, Im joining the @kcts9 Pi(e) Squared round (square?) table with fellow pie-makers @katemcdermott, @mizkatelebo, and @lavidphotos (of @BreezyTownPizza and @WindyCityPie) to pre-game for Pi(e) Day. Links are in my bio and I hope youll pop in for a slice! [Pictured: A round tart with a brown coconut pecan crust, deep purple blueberry curd, and a shower of tropical fruits--white dragon fruit, papaya, mango, and kiwi--cut into spark-like triangles and arranged by color. The tart is set against a black background.] #lokokitchen #blueberry #curd #tart #tartart #tropical #sparks #embers #flames #pieometry #PiDay #PiDay2021 #secrets #pie #pizza #f52grams #buzzfeast #huffposttaste #marthabakes #imsomartha #lifeandthyme #beautifulcuisines #artofplating #foodandwine #YeahButWhatDoesItLookLikeBaked", + "likes": 18545 + }, + { + "caption": "Bars and stripes. | Still bumbling along over here, anxiously awaiting our turn for a vaccine--though Ben and I are probably in the last group, all demographics considered, so its going to be awhile. In the meantime, the run-up to Pi(e) Day is keeping me occupied at home and I love seeing all the PIEOMETRY creations keeping you busy in yours! Hang in there, be safe, and take care of each other! And check back in next week for Pi(e) Day festivities and a giveaway! [Pictured: a round unbaked pie with a geometric top design of chocolate, raspberry, and beet doughs cut into right triangles and stripes and arranged in rows. A strawberry can be seen peeking out of a triangle vent cutout. The pie is set against a black background.] #lokokitchen #strawberry #mango #pie #pieart #pieometry #geometric #tiles #surfacedesign #righttriangles #stripes #bars #flags #naturalcoloring #piday #piday2021 #giveaway #f52grams #hereismyfood #food4thought #lifeandthyme #foodandwine #buzzfeast #huffposttaste #mymodernmet #yeahbutwhatdoesitlooklikebaked", + "likes": 14463 + } + ] + }, + { + "fullname": "Sally's Baking Addiction", + "biography": "Sallys Baking Addiction blog & cookbooks #sallysbakingaddiction CLICK FOR RECIPES ", + "followers_count": 662324, + "follows_count": 279, + "website": "https://sallysbakingaddiction.com/cookies-cream-sheet-cake/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "sallysbakeblog", + "role": "influencer", + "latestMedia": [ + { + "caption": "Cookies & Cream Sheet Cake! (You can make it as a layer cake or cupcakes too and you can find those details in the recipe notes.) It begins as my white cake, but with a few updates to the batter to make room for the cream-filled cookie pieces. Top the cake with sturdy yet light whipped cream frosting. The frosting is very lightly sweetened, so theres plenty of room for more Oreos. Feel free to use this frosting on other cakes/cupcakes. When plain, it pipes well and holds a beautiful peak!! Printable recipe is linked in my bio @sallysbakeblog! #sallysbakingaddiction https://sallysbakingaddiction.com/cookies-cream-sheet-cake/", + "likes": 16207 + }, + { + "caption": "Hi!!! It's been so long since I shared an update on Instagram! I've never been great at work/life balance and after 10 building this business (10 years in December! Crazy!), I finally decided to slow down! And I have some exciting projects that have been taking most of my working time-- a website refresh and redesign! It's been nearly 2 years in the making and is finally coming together. And this is probably a wonderful time to tell you that I'm working on a proposal for another cookbook. Yes!! I don't have any details yet, but just know that cookbook 4 is (hopefully!) happening!! Lots going on over here!! PS: This is a 1st birthday cake I made for my youngest last week. She's 1 already!! I took my banana muffins recipe and turned it into a cake. You can find the cake details in today's coffee break post/update on my site! https://sallysbakingaddiction.com/update-coffee-break/", + "likes": 21036 + }, + { + "caption": "Just published this week-- Baileys Irish Cream and coffee are a classic and delicious pairing, so I used both to produce an unforgettable cupcake flavor. These Baileys & Coffee Cupcakes are adapted from my vanilla cupcakes and are made with Baileys, strong black coffee, and a touch of espresso powder. If you enjoy the popular Irish cream liqueur, youll appreciate this boozy dessert! New recipe is linked in bio now @sallysbakeblog #sallysbakingaddiction (See recipe notes for plain coffee cupcakes/alcohol free version!) https://sallysbakingaddiction.com/baileys-coffee-cupcakes/", + "likes": 9514 + }, + { + "caption": "This is a VERY special month. Happy 50th Sally's Baking Challenge!!!! #sallysbakingchallenge Can you believe we've been doing these challenges for over 4 years? Who can remember participating in the very 1st challenge? I chose the MOST requested recipe for this special month-- French Macarons! You've been asking for this challenge for the past few years and we're finally doing it together. The new and improved recipe includes plenty of success tips, descriptions, overview of techniques, a video, step-by-step photos, list of tools, and links to my favorite macaron resources and other recipes on the web. There will be 2 winners and you can read the details for entering our monthly baking challenges over on the blog (linked in bio!) A winner for the February Sally's Baking Challenge was selected, too! It's all on my blog now and you can get there via the link in my bio @sallysbakeblog https://sallysbakingaddiction.com/march-baking-challenge-5/ #macarons #sallysbakingaddiction", + "likes": 13565 + }, + { + "caption": "CINNAMON CRUNCH BREAD! (Like babka but not quite as rich) When I made my first successful loaf of homemade cheese bread, I knew the recipe would be an instant hit with readers. After publishing it a few years ago, its consistently been the most popular bread recipe on this website. What could be better than cheese and homemade bread? Well well well... Readers asked if they can use the same dough to make a sweet version, so I tweaked the recipe and swapped cheese for butter, brown sugar, and cinnamon. Then I topped the whole thing with a cinnamon crunch topping. (Ever have a Panera Bread cinnamon crunch bagel? Like that!) Talk about an upgrade! Each bite is buttery, soft, and flaky with an unbelievable cinnamon sugar crunch on top. Its shaped like our Nutella Babka, but the dough isnt as heavy. Recipe linked in bio now @sallysbakeblog #homemadebread #sallysbakingaddiction https://sallysbakingaddiction.com/cinnamon-crunch-bread/", + "likes": 22673 + }, + { + "caption": "Just published this recipe today! Ground freeze-dried raspberries add color and flavor to this cookie cutter cream cheese sugar cookie dough. You can leave the cookies plain, but we love them garnished with melted chocolate (dark or white). Recipe linked in our bio @sallysbakeblog #sallysbakingaddiction Where to buy freeze-dried raspberries: You can find them in most major grocery stores in the dried fruit aisle. Keep your eyes peeled theyre more common than you think. You can also purchase them online. Can I do this with another type of freeze-dried fruit? Yes, absolutely. I've tested this sugar cookie dough with freeze-dried strawberries, blueberries, and mango. Can I do this with regular dried fruit or frozen fruit? No, do not use chewy/gummy dried fruit and do not use frozen fruit. You need freeze-dried raspberries, which are raspberries with all of the moisture removed-- that way they can grind into a powder. https://sallysbakingaddiction.com/raspberry-sugar-cookies/", + "likes": 13074 + }, + { + "caption": "Many of you have told me that you're looking forward to trying more homemade bread recipes this year. One recipe I always like to start with is a simple no-knead dough made with @redstaryeast #ad Bread master @zoebakes has an excellent recipe for it-- honestly she is SO GOOD at teaching bread-- and she's going LIVE on her Insta on Weds February 10th at 2pm ET/1pm CT to show us how she makes it. (You can also find it now via the link in my bio.) Well see how easy it is to take her simple master dough recipe and turn it into creative shapes for every day and special occasions. If you've ever read any of my bread recipe posts online, you know how much I genuinely enjoy using Red Star Yeast in my baking, especially their Platinum Yeast. Why not use this time at home to learn how to make something new with their premium yeast?! Get their recipes, get inspired and start creating your own #PlatinumMoments Follow @redstaryeast because with each new season comes a new recipe and opportunity to have fun in the kitchen. #PlatinumYeast #RedStarYeast #RedStarPartner https://bit.ly/2MEa0S6", + "likes": 5600 + }, + { + "caption": "Feb 14th is quickly approaching, so we pulled together 36+ favorite Valentine's Day dessert recipes in case you wanted to get baking this weekend. You'll find all 36+ recipes on the site including the pictured: -Sparkle Sweetheart Cookies -Homemade Chocolate Truffles -Sweetheart Swirl Bark (kids love helping with this one) -Chocolate Fudge Cakes for Two -White Chocolate Raspberry Cheesecake Bars -Conversation Heart Cookies (still need practice writing with icing ) -Chocolate Covered Strawberry Cupcakes -Peanut Butter Sweethearts Link in bio to our full round-up! @sallysbakeblog #sallysbakingaddiction https://sallysbakingaddiction.com/36-valentines-day-recipes/", + "likes": 15134 + }, + { + "caption": "I know many of us have snow outside our window this week and if you're looking for a baking project, there is NOTHING like these giant chocolate chip cookies. The recipe yields only 6 cookies, but they're absolutely massive-- only 2 or 3 fit onto a baking sheet. No dough chilling required, so it's a quick treat to make after you come in from the snow. PS: you can swap out the chocolate chips for M&Ms or use 3/4 cup each! Full recipe is on Sally's Baking Addiction: https://sallysbakingaddiction.com/giant-chocolate-chip-cookies/", + "likes": 9732 + }, + { + "caption": "A new month means a new #sallysbakingchallenge The February Sally's Baking Challenge is Chocolate Souffl, a classic dessert I learned how to make in a French pastry/dessert class a couple years ago. Have you ever made it before? The recipe includes a video, step-by-step photos, success tips, and other pan options if you don't have ramekins-- and it's all published on the blog now. A winner for the January Sally's Baking Challenge was randomly selected, too! (We had over 2,000 participants in January !!!!) It's all on my blog now and you can get there via the link in my bio @sallysbakeblog #souffle #chocolatesouffle #chocolate #homemade #fromscratch #homebaker #valentinesday #bakestagram #thebakefeed #sallysbakingaddiction https://sallysbakingaddiction.com/february-baking-challenge-4/", + "likes": 11298 + }, + { + "caption": "Spent the past several weeks tweaking and perfecting a new bread recipe and am thrilled to finally have it ready and published!!! This is homemade hearty and wholesome, yet soft and fluffy multigrain bread. If baking more homemade bread is on your baking bucket list, start here. Either instant or active-dry yeast work and you can even turn this dough into multigrain rolls. (See recipe note!) Link to the full recipe and all its finely tuned details in bio @sallysbakeblog #bread #homemadebread #multigrain #homemade #fromscratch #bakinglove #thebakefeed #sallysbakingaddiction https://sallysbakingaddiction.com/multigrain-bread/", + "likes": 12161 + }, + { + "caption": "I know it's after New Years and the world is done with desserts (are we though? c'mon ) but I need to remind you about these super moist chocolate cupcakes piled unapologetically high with chocolate buttercream & sprinkles. That is all. HAPPY BAKING!!!!! #sallysbakingaddiction (PS: I used piping tip Wilton 1M for the frosting) https://sallysbakingaddiction.com/super-moist-chocolate-cupcakes/", + "likes": 12455 + } + ] + }, + { + "fullname": "Sideserf Cake Studio", + "biography": "I post a brand new hyper-realistic cake every Monday! If you like my cakes subscribe to my YouTube channel to help me get to 400K subs!!(link below)", + "followers_count": 542903, + "follows_count": 811, + "website": "https://youtu.be/ET5d_smOqQM", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "sideserfcakes", + "role": "influencer", + "latestMedia": [ + { + "caption": "New video alert!!Watch me make this cake right now by clicking the link Im my bio or heading to YouTube.com/SideserfCakeStudio! To those who do: I really appreciate your support, you watching my videos is the reason Im able to make them. Tysm . . . . #cake #cakedecorating #cakesofinstagram #cakedesign #cakedesign #cakepops #peanuts #sculptedcake #art #cakes #satisfying #satisfyingvideos #cakevideo #dessert #dessertsofinstagram #everythingiscake #desserttable #birthdaycake #art #artoftheday #sculpture #hairstyles #hair #haircolor #hairideas #cakeideas", + "likes": 52210 + }, + { + "caption": "I post a new realistic cake every Monday, and I have a feeling you guys are going to have opinions about tomorrows cake Follow @sideserfcakes so you dont miss it! . Learn how I made this lemon cake at YouTube.com/SideserfCakeStudio . . . #cake #cakedecorating #cakesofinstagram #cakedesign #cakedesign #cakepops #lemoncake #sculptedcake #art #artwork #cakes #satisfying #satisfyingvideos #cakevideo #dessert #desserts #dessertsofinstagram #everythingiscake #desserttable #birthdaycake #art #artoftheday #sculpture", + "likes": 19539 + }, + { + "caption": "Did you know I also make bust cakes? Who should I make into a cake next? #theoffice #prisonmike . Follow @sideserfcakes for a new realistic cake every Monday! . . . . . #cake #cakesofinstagram #cakedecorating #cakepops #cakeart #everythingiscake #everythingiscakememe #lookalike #birthdaycake #weddingcake #caketutorial #realism #hyperrealism #hyperrealisticart #food #theoffice #artistsoninstagram #foodartist #prisonmike #weird #weirdart #weirdmemes #weirdo #crazy #memes #meme #funnymemes", + "likes": 20381 + }, + { + "caption": " A new video is up! Link in bio to see how I made this ADORABLE Pink Bean CAKE from @playmaplem . . . #sideserfcakes #ad #sponsored #cake #kawaiiaesthetic #kawaii #maplestory #cakedecorating #cakes #cakesofinstagram #cakepops #cakesmash #cute #satisfying #satisfyingvideos #anime #mmo #mmorpg #rpg", + "likes": 7115 + }, + { + "caption": "July is almost over so this is my last chance to post a Christmas in July cake! Star and lights are made of gummy candy . . . . #vintagechristmas #vintagechristmasdecor #christmasinjuly #christmasdecor #cake #cakedecorating #cakes #cakepops #cakesofinstagram #cakesmash #caketutorial #cakeclass #howto #edible #hyperrealisticart #everythingiscake #realisticcakes #cakesculpture #sideserfcakes", + "likes": 17684 + }, + { + "caption": "Watch me make these crazy cakes at YouTube.com/SideserfCakeStudio (click the link in bio) . . #cake #cakesofinstagram #cakedecorating #cakepops #cakeart #everythingiscake #everythingiscakememe #lookalike #birthdaycake #weddingcake #caketutorial #realism #hyperrealism #hyperrealisticart #food #foodart #artistsoninstagram #foodartist #strange #weird #weirdart #weirdmemes #weirdo #crazy #memes #meme #funnymemes", + "likes": 12308 + }, + { + "caption": "Can you imagine eating a bar of soap cake? I can, because I ate this one Follow @sideserfcakes for a new cake every Monday . . . #cake #everythingiscake #realisticcake #cakedecorating #cakesofinstagram #cakedesign #cakedesign #cakepops #peanuts #sculptedcake #art #artwork #cakes #satisfying #satisfyingvideos #cakevideo #dessert #desserts #dessertsofinstagram #asmr #asmrfood #art #artoftheday #sculpture #youtuber #youtube", + "likes": 53036 + }, + { + "caption": "I post a new realistic cake every Monday! . . . #cake #cakedecorating #cakesofinstagram #cakedesign #cakedesign #cakepops #peanuts #sculptedcake #art #artwork #cakes #satisfying #satisfyingvideos #cakevideo #dessert #desserts #dessertsofinstagram #everythingiscake #desserttable #birthdaycake #art #artoftheday #sculpture", + "likes": 85717 + }, + { + "caption": "Follow @sideserfcakes for a new realistic cake posted every Monday! Cake videos showing you how they are made at youtube.com/SideserfCakeStudio (link in bio) . . . #cake #cakedecorating #cakesofinstagram #cakedesign #cakedesign #cakepops #peanuts #sculptedcake #art #artwork #cakes #satisfying #satisfyingvideos #cakevideo #dessert #desserts #dessertsofinstagram #asmrtapping #art #artoftheday #sculpture #suspiria #youtuber #tutorial #howto", + "likes": 16232 + }, + { + "caption": "I post a brand new realistic cake every Monday! Follow @sideserfcakes so you dont miss em! * * * #tiki #tikibar #tikicocktails #tikiculture #tikiroom #tikimug #tikidrinks #tikilife #wedding #weddingcake #weddinginspiration #burthdaycake #cakeideas #themedparty #cakesofinstagram #cakedecorating #cakedesign #cakepops #cakestagram #cakeart #polynesian #chocolate #baking #bake #bakersofinstagram #bakery #happyhour #yummy #cooking #food", + "likes": 43649 + }, + { + "caption": "Taco cake! A lot of you ask me how I make my realistic cakes. Well I have a bunch of short videos showing you exactly how at YouTube.com/SideserfCakeStudio (link in bio). I post a new cake every Monday! . . . #cake #cakedecorating #cakesofinstagram #cakedesign #cakedesign #cakepops #sculptedcake #artwork #cakes #satisfying #satisfyingvideos #cakevideo #dessert #desserts #dessertsofinstagram #art #artoftheday #sculpture #taco #tacos #tacotuesday #tacobell #weddingcakeideas #partyideas #wedding", + "likes": 19647 + }, + { + "caption": "Mac and cheese cake! Chocolate mac, white chocolate ganache cheese, pumpkin cake. Link in bio for tutorial . . . . #mac #macandcheese #cake #everythingiscake #lookalike #youtuber #youtube #caketutorial #howtocake #howto #dessert #chocolatecake #pumpkin #pumpkincake #cakepops #cakes #cakesofinstagram", + "likes": 31685 + } + ] + }, + { + "fullname": "John Kanell", + "biography": "Former middle school science teacher turned food blogging dad to twins Lachlan & George @hedgehillfarm", + "followers_count": 1239007, + "follows_count": 298, + "website": "https://linkinprofile.com/preppykitchen", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "preppykitchen", + "role": "influencer", + "latestMedia": [ + { + "caption": "My Classic Yellow Cake Recipe might just melt your heart the second you take a bite. SOFT, moist, and fluffy vanilla cake with the perfect chocolate buttercream frosting makes for a must bake cake! Recipe up on the blog link in bio #preppykitchen #onmytable #baker #eeeeeats #dessert #cake #chocolate", + "likes": 8957 + }, + { + "caption": "My MELT-in-your-mouth Cream Cheese Cookies Recipe is a must bake for all of you cookie-lovers! Delicious, fluffy, and perfectly sweet; they practically jump right into your mouth. Recipe up on the blog link in bio #preppykitchen #onmytable #baker #eeeeeats #dessert #cookies", + "likes": 19669 + }, + { + "caption": "My FAVORITE Fruit Tart Recipe has a crisp pastry shell filled with creamy vanilla custard all crowned with beautiful fresh fruit. Its perfect for a warm summer day! Recipe up on the blog link in bio #preppykitchen #onmytable #baker #eeeeeats #dessert #pastry", + "likes": 18620 + }, + { + "caption": "My melt-in-your-mouth Vanilla cupcakes are beyond easy and so delicious! Perfect for every celebration or any day you just need a treat Recipe up on the blog link in bio #preppykitchen #onmytable #baker #eeeeeats #dessert #cupcake", + "likes": 16199 + }, + { + "caption": "My Chocolate Chip Muffin Recipe makes soft, fluffy, and moist treats chock-full of chocolate chips! Theyre a little piece of heaven on a plate and youll love that sky-high bakery-style dome. Recipe up on the blog link in bio #preppykitchen #onmytable #baker #eeeeeats #dessert #chocolate", + "likes": 23067 + }, + { + "caption": "My Whipped Cream Recipe is just the thing you need for summer! Its so easy to make but a couple tips is all thats standing between you and a curdled butter situation. Recipe up on the blog link in bio #preppykitchen #onmytable #baker #eeeeeats #dessert", + "likes": 8742 + }, + { + "caption": "My ALL NEW Chicken Shawarma Recipe is just the thing for an easy, delicious summer meal. Super-flavorful chicken served in a pita with a Greek yogurt sauce and all your favorite add-ons. Its guaranteed to please! Recipe up on the blog link in bio #preppykitchen #onmytable #baker #eeeeeats #chicken #dinner", + "likes": 22299 + }, + { + "caption": "Peach season doesnt last forever so youve got to try my Peach Pie Recipe while they last! Flakey butter crust paired with tender DELICIOUS peaches. Recipe up on the blog link in bio #preppykitchen #onmytable #baker #eeeeeats #pie", + "likes": 12016 + }, + { + "caption": "My Paloma Cocktail Recipe is the easiest and most refreshing drink you can make and yes, its perfect for the summer! Fresh grapefruit juice, tequila and lime come together for a bit of magic you just have to try. Recipe up on the blog link in bio #preppykitchen #onmytable #baker #eeeeeats #cocktail", + "likes": 9468 + }, + { + "caption": "Get ready for the best breakfast ever with my easy Crepes Recipe! Just toss the ingredients in a blender and cook them up! Tender, perfectly sweet and soooo delicious! Recipe up on the blog link in bio #preppykitchen #onmytable #baker #eeeeeats #dessert #breakfast", + "likes": 10151 + }, + { + "caption": "My ALL NEW Strawberry Rhubarb Pie Recipe has a flakey butter crust and TONS of summertime magic thanks to lots of strawberries and that amazing tangy rhubarb! Recipe up on the blog link in bio #preppykitchen #onmytable #baker #eeeeeats #dessert #pie #strawberry", + "likes": 7642 + }, + { + "caption": "If youre looking for an EASY and delicious dessert then my Peach Cobbler Recipe is for you! When peaches are in season theres nothing better than a warm peach cobbler topped with vanilla ice cream- So Good! Recipe up on the blog link in bio #preppykitchen #onmytable #baker #eeeeeats #dessert", + "likes": 10749 + } + ] + }, + { + "fullname": "KOREAN-AMERICAN CHEF \ud83c\uddf0\ud83c\uddf7 \ud83c\uddfa\ud83c\uddf8", + "biography": " Made in Korea Braised in Philly @seorabol.centercity @kimchokimchi team@chefchrischo.com Text me: 215-461-3134", + "followers_count": 435785, + "follows_count": 1279, + "website": "https://linktr.ee/chefchrischo", + "profileCategory": 3, + "specialisation": "Chef", + "location": "", + "username": "chefchrischo", + "role": "influencer", + "latestMedia": [ + { + "caption": "After chopping up jalapeo, DO NOT forget to wash your hands!! You ever rub your eyes or pee without washing your hands and instantly regret it?? Haha have a great week yall~ Peace & Sarang . . . . . . . . . . . . . . . #jalapeno #mukbangers #peppers #hot #funnymemes #foodiesofinstagram #foodporn #recipeshare #cookingram #tiktokchef #quickrecipes #chefsofinstagram #truecooks #instafood #spicy #mukbang #foodporn #recipevideo #cookingvideo #recipe #recipes #easyrecipe #quickrecipe #feedfeed #eater #foodnetwork #funnyvideos # # #chefchrischo", + "likes": 6913 + }, + { + "caption": "Guess who?? KING SHARK coming at you with his SHARK COOCHIE board Be sure to watch The Suicide Squad in theaters and on HBO Max August 6th. @thesuicidesquad #TheSuicideSquad #WBPartner #charcuterie #Sharkcoochieboard", + "likes": 6437 + }, + { + "caption": "I just wanted to take the time to say THANK YOU!! #tbt Thanks for giving me the courage to keep being me and rep the food & culture I love and grew up on! Are you proud of me?? When we got hit with the pandemic last year and everyone was living in fear and anxiety I asked myself what can I do to serve the world? What if 2020 is my last year of living? I told myself lets just leave everything behind and give everything I got whatever that meant First, I shared authentic recipes cuz thats what I knew Then, I realized people wanted EASY & ACCESSIBLE recipes they can cook at home since they were stuck at home and going out to the market was kinda scary just a year ago. so I came up with Broke Boyz recipes And people also told me my videos brought them JOY while stuck at home feeling anxious watching all the crazy news thats going on in the world so I made the videos more fun & entertaining. So I focused on delivery AUTHENTIC, EASY, FUN videos. What a crazy 13 months I hope yall proud of ya bul!! I aint sign no deal and kept it Philly ALLLL THE WAY!! Sometimes you might see me doing couple brand deals here and there. Hope ya support me through it cuz I need to pay the bills too ya mean?? Here what I wrote a year ago Thank you for the 20k follow!! I really appreciate the love & support~ Im just a kid who loves Korean food & Philly and Imma rep it ALLLL THE WAY UP #philly #koreafood May 14, 2020 Again, thanks for allowing to be me and giving me the courage to keep doing what I do. Hope I inspired few people from Philly and for people to be proud of their food & culture. Peace & Sarang #chrischobook . . . . . . . . . . . #mukbangers #korean #asian #koreanamerican #asianamerican #philly #foodiesofinstagram #motivation #recipeshare #inspiration #recipeoftheday #tiktokchef #quickrecipes #chefsofinstagram #truecooks #instafood #recipevideo #cookingvideo #easyrecipe #quickrecipe #chef #cheflife #philadelphia # # # #chefchrischo", + "likes": 15064 + }, + { + "caption": "THIS is how you make Bulgogi!! WHOOO~ Do you prefer the professional video? or the personal videos? Full video: link in bio I'm a SUPER NEWBIE on Youtube... so please bear with me while I make buncha mistakes & learn how to shoot long form YT style videos. I'm committed for the next 22 weeks to upload weekly and learn how to do this YT THANG!! Who should I collaborate with tho?? If ya wanna support the YT Hussle, please go subscribe to the channel. YEOBOSAYO~~~ @looie.k . . . . . . . . . . . #koreanfood #kbbq #ribeye #foodiesofinstagram #foodporn #recipeshare #cookingram #recipeoftheday #tiktokchef #quickrecipes #chefsofinstagram #truecooks #instafood #recipevideo #cookingvideo #recipe #recipes #easyrecipe #quickrecipe #kimchi # #bulgogi #koreanbbq # # # #chefchrischo", + "likes": 11220 + }, + { + "caption": "Korean BBQ Bulgogi~ I made this SUPER easy for yall!! Full video: link in bio #bulgogi #koreanbbq . . . . . . . . . . . #koreanfood #kbbq #ribeye #foodiesofinstagram #foodporn #recipeshare #cookingram #recipeoftheday #tiktokchef #quickrecipes #chefsofinstagram #truecooks #instafood #recipevideo #cookingvideo #recipe #recipes #easyrecipe #quickrecipe #kimchi # # # # #chefchrischo", + "likes": 27533 + }, + { + "caption": "Yo big shoutout to all the kids out there YEOBOSAYO!!! Haha these kids are super cute. I lowkey have an album called rainy days and kids on my phone that I watch whenever I feel down or need inspiration. Thanks to all the mamas and pops who sent me these video. Keep em coming and tell ya kids I said HIIIIII CHEF CHRIS CHO IS DEF FOR THE KIDS! Sending yall nothing but good vibes. Hope everyone have a great weekend. Peace & Sarang #koreanfood #kids #mukbangers #YEOBOSAYO", + "likes": 26209 + }, + { + "caption": "Spam fried rice ~ Oldie but a goodie!! You every try these?? #brokeboyzrecipe #spamfriedrice . . . . . . . . . . . . . . #rice #egg #koreanfood #comfortfood #munchies #foodiesofinstagram #foodporn #recipeshare #cookingram #recipeoftheday #tiktokchef #quickrecipes #chefsofinstagram #spammusubi #instafood #recipevideo #cookingvideo #recipe #recipes #easyrecipe #quickrecipe #spam #friedrice # # # # #chefchrischo", + "likes": 23640 + }, + { + "caption": "Kimchi Fried Rice ~ Yo Im officially a YouTuber now. WEEKLY video on YouTube!! I know I know I suck at editing But are you gon subscribe or nah?? Full recipe. Link in bio #kimchifriedrice . . . . . . . . . . . . . . #rice #egg #koreanfood #brokeboyzrecipe #comfortfood #munchies #foodiesofinstagram #foodporn #recipeshare #cookingram #recipeoftheday #tiktokchef #quickrecipes #chefsofinstagram #truecooks #instafood #recipevideo #cookingvideo #recipe #recipes #easyrecipe #quickrecipe #steak #friedrice # # #kimchi # #chefchrischo", + "likes": 16449 + }, + { + "caption": "Here goes the full video. Im thinking about going the whole month of July with RICE dishes. YEA or NAH?? Now that Im off keto Im going heavy on them carbs ALLLLDAY!! Haha #brokeboyzrecipe #steakfriedrice . . . . . . . . . . . . . . #quickrecipes #chefsofinstagram #truecooks #instafood #recipevideo #cookingvideo #recipe #recipes #rice #egg #koreanfood #comfortfood #munchies #foodiesofinstagram #foodporn #recipeshare #cookingram #recipeoftheday #tiktokchef #easyrecipe #quickrecipe #steak #friedrice # # #kimchi # #chefchrischo", + "likes": 16492 + }, + { + "caption": "Steak fried rice ~ Yo Im addicted to rice!! Haha Wifey couldnt finish her steak last night and I hate eating left over steak so I had to make a fried rice with it!! Obviously dont do this with an actual steak but a left over steak!! What yall think?? Full recipe. Link in bio #brokeboyzrecipe #steakfriedrice . . . . . . . . . . . . . . #rice #egg #koreanfood #comfortfood #munchies #foodiesofinstagram #foodporn #recipeshare #cookingram #recipeoftheday #tiktokchef #quickrecipes #chefsofinstagram #truecooks #instafood #recipevideo #cookingvideo #recipe #recipes #easyrecipe #quickrecipe #steak #friedrice # # #kimchi # #chefchrischo", + "likes": 42629 + }, + { + "caption": "Everyone need to contribute before the Korean BBQ. And I guess his part is picking out perilla leaf and peppers from now~ haha Were no minari but were def from miari Did you know that my niece & nephew are the first of our family to be born in America? I hope they can carry on our culture but honestly if they dont, thats cool too. Be whoever you want to be kiddos~ but dont forget that you used to love kkaenips. Haha heres proof!! To the future Noah! #chrischobook . . . . . . . . . . . . . . . . . . . . #Mukbangers #mukbang #minari #foodiesofinstagram #uncle #niece #nephew #foodforfoodies #foodstagram #eatingsound #cookingvideo #instafood #korean #asian #koreanfood #koreanbbq #chefsofinstagram #foodaholic #koreanbaby #truecooks #feedfeed #foodnetwork #munchies #foodporn #foodies #hansik #foodvideo #chefchrischo", + "likes": 10304 + }, + { + "caption": "My Korean comfort food pt. 2 aka Broke Boyz Bibimbap: You ever try mixing your rice with gochujang?? Like I said before I didnt grow up on peanut butter & jelly. Haha growing up, mom always had rice in the rice cooker. No bread or butter to be found in our household So I was mixing rice with everything!! Give this a try~ #gochujangrice #bibimbap #brokeboyzrecipe . . . . . . . . . . . #rice #egg #koreanfood #comfortfood #munchies #gochujang #foodiesofinstagram #foodporn #recipeshare #cookingram #recipeoftheday #quickrecipes #chefsofinstagram #truecooks #instafood #recipevideo #cookingvideo #recipe #recipes #easyrecipe #quickrecipe #kimchi # # # # #chefchrischo", + "likes": 43685 + } + ] + }, + { + "fullname": "Roy Choi", + "biography": "@kogibbq @brokenbread_ #thechefshownetflix @bestfriendvegas @alibiroomla @eatchego @wearechewbox @welocol #LASon CONTACT ME AT: Natasha@Kogibbq.com", + "followers_count": 452070, + "follows_count": 7505, + "website": "http://kogibbq.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "chefroychoi", + "role": "influencer", + "latestMedia": [ + { + "caption": "Did a real fun 3 part series continuing my journey with plant based lifestyle choices by meeting some wonderful people who inspire me immensely: @picklepickle.co @chinesebeancurd @crownsandhops @benyashburn @teo_hunter @murs316 @heartbeetgardening Hope you can check out the series at @fieldroast : @cameraexperiment @vicetv @vice #MakeTasteHappen", + "likes": 7515 + }, + { + "caption": "New poster for the promotion of season one marathon of @brokenbread_ on @kcet Sunday Aug. 8th from 4-7pm Pacific. Tivo that ish (is Tivo still a thing?) You can also stream it on @tastemade Season 2 will be out early 2022. Season 2 will go \"Deep. Deeper than Atlantis Deeper than the seafloor traveled by the mantis.\" - X-Clan. I can't wait to film more this month and continue the journey highlighting the path towards food equity and for you to watch and meet all the people on the ground doin it. : @emaritraffie", + "likes": 12344 + }, + { + "caption": "Best Friend Las Vegas now open 7 nights a week 365 days a year. We took it in capacity stages (3 days a week then 5 days a week and now back in full) to be responsible and considerate to yourselves, ourselves, our team, and just everything in general. We are a better restaurant now after everything over this past year and a half. Hope you can come visit. Those of you that have supported in our chapter 2, thank you and I love you. Hope you felt that love. @bestfriendvegas", + "likes": 41672 + }, + { + "caption": "Some raw unedited footage from the first week of filming @brokenbread_ season 2 from our wonderful team. Just a taste. @rafa_el_mariachi Enjoy!", + "likes": 4495 + }, + { + "caption": "\"It's time to (eat) again\"", + "likes": 13944 + }, + { + "caption": "Thanks to all of y'all whove shared your love for the Plant-Based Kogi Dog made with @FieldRoast. Now were also releasing a line of stadium inspired clothing to go with the dog, made in collaboration with Studio Number One. Just head to select @kogibbq trucks June 26th-27th from 11:30am-2pm to get some free shirts, hats, and more when you order The Home Run. I can't wait for you to try it and get free stuff! #MakeTasteHappen", + "likes": 3405 + }, + { + "caption": "Just something to brighten your day. ", + "likes": 6004 + }, + { + "caption": "FINALLY I CAN TELL Y'ALL: Broken Bread got picked up for a Season 2 and it is coming! I'm getting my body in camera shape as I write this...lol. And just like season 1, we want to hear from you about anyone doing the good work on the ground out there against all odds, building equity through food and wellness, and spreading love and light. So if you know anyone for the new season where we can shine a light and amplify their voices please Share it right in the comments and tag #brokenbread. The team and I will look at every one. Please leave as much contact info for your suggestions as you can in comments or just DM me. Use #BrokenBread so we can track it. Love you and LFG! @brokenbread_", + "likes": 14756 + }, + { + "caption": "For an introvert like me, it's been a blessing to build with all of you here on these channels of social media and express ideas, have convos, share things. You all are truly my best friends. It's been a wonderful chapter of my life the last ten years or so. Love you. And this restaurant and all that it represents is a dedication to all of that. #nationalbestfriendsday #nationalbestfriendday #bestfriend", + "likes": 25404 + }, + { + "caption": "Art Day in LA", + "likes": 1505 + }, + { + "caption": "Por Vida. Thank you all for your continued love and devotion to Kogi. It's an eternal vibe. Captain's log Star date: Saturday late night May 22nd, 2021.", + "likes": 12889 + }, + { + "caption": "", + "likes": 4410 + } + ] + }, + { + "fullname": "Cake Greatness Everyday \ud83c\udf70\ud83d\udca5\ud83c\udf82\ud83d\ude0d", + "biography": "TikTok: @dessertbae & @mealbae Tag & use #cakesbae for a feature DM/Email for Promotions Love Ice Cream @icecreambae Love Food @mealbae", + "followers_count": 1192710, + "follows_count": 636, + "website": "https://vm.tiktok.com/JexYBud/", + "profileCategory": 2, + "specialisation": "Digital Creator", + "location": "", + "username": "cakesbae", + "role": "influencer", + "latestMedia": [ + { + "caption": "Need!!!! : @sugarfanciesbypooja Follow @cakesbae Follow #cakesbae Follow @dessertbae Follow #dessertbae Like 10 Posts Double Tap If You'd Eat This Turn On Post Notifications To See New Content ASAP All rights and credits reserved to the respective owner(s)", + "likes": 5916 + }, + { + "caption": "Looks Sensational : @chelseamariecakery Follow @cakesbae Follow @dessertbae Follow #cakesbae Follow #dessertbae Like 10 Posts Double Tap If You'd Eat This Turn On Post Notifications To See New Content ASAP All rights and credits reserved to the respective owner(s)", + "likes": 4050 + }, + { + "caption": "Love These Colors!!! : @sashacakeschicago Follow @cakesbae Follow @dessertbae Follow #cakesbae Follow #dessertbae Like 10 Posts Double Tap If You'd Eat This Turn On Post Notifications To See New Content ASAP All rights and credits reserved to the respective owner(s)", + "likes": 5126 + }, + { + "caption": "Made My Day : @ali_soltani.l_ Follow @cakesbae Follow @dessertbae Follow #cakesbae Follow #dessertbae Like 10 Posts Double Tap If You'd Eat This Turn On Post Notifications To See New Content ASAP All rights and credits reserved to the respective owner(s)", + "likes": 14073 + }, + { + "caption": " The cake is filled with a elderflower mousse, raspberries, covered with a whipped white chocolate truffle and finally covered with marzipan!!! : @ateljetartan Follow @cakesbae Follow @dessertbae Follow #cakesbae Follow #dessertbae Like 10 Posts Double Tap If You'd Eat This Turn On Post Notifications To See New Content ASAP All rights and credits reserved to the respective owner(s)", + "likes": 19203 + }, + { + "caption": " Rate It!!!! 3 : @britishgirlbakes Follow @cakesbae Follow @dessertbae Follow #cakesbae Follow #dessertbae Like 10 Posts Double Tap If You'd Eat This Turn On Post Notifications To See New Content ASAP All rights and credits reserved to the respective owner(s)", + "likes": 5220 + }, + { + "caption": "Venom!!! : @cotybeth_cakedesign Follow @cakesbae Follow @dessertbae Follow #cakesbae Follow #dessertbae Like 10 Posts Double Tap If You'd Eat This Turn On Post Notifications To See New Content ASAP All rights and credits reserved to the respective owner(s)", + "likes": 12152 + }, + { + "caption": "Beauty : @lindseybakedthis Follow @cakesbae Follow @dessertbae Follow #cakesbae Follow #dessertbae Like 10 Posts Double Tap If You'd Eat This Turn On Post Notifications To See New Content ASAP All rights and credits reserved to the respective owner(s)", + "likes": 6762 + }, + { + "caption": "The Colors!!! : @belagordicesjc Follow @cakesbae Follow @dessertbae Follow #cakesbae Follow #dessertbae Like 10 Posts Double Tap If You'd Eat This Turn On Post Notifications To See New Content ASAP All rights and credits reserved to the respective owner(s)", + "likes": 23670 + }, + { + "caption": "Rate This Unicorn!!!! : @cakedbyrach Follow @cakesbae Follow @dessertbae Follow #cakesbae Follow #dessertbae Like 10 Posts Double Tap If You'd Eat This Turn On Post Notifications To See New Content ASAP All rights and credits reserved to the respective owner(s)", + "likes": 17896 + }, + { + "caption": " Cookie Wars!!!! : @4cake_sake Follow @cakesbae Follow @dessertbae Follow #cakesbae Follow #dessertbae Like 10 Posts Double Tap If You'd Eat This Turn On Post Notifications To See New Content ASAP All rights and credits reserved to the respective owner(s)", + "likes": 13083 + }, + { + "caption": "Little Mermaid!!! #cakesbae : @lucialoromilebian Follow @cakesbae Follow @dessertbae Follow #cakesbae Follow #dessertbae Like 10 Posts Double Tap If You'd Eat This Turn On Post Notifications To See New Content ASAP All rights and credits reserved to the respective owner(s)", + "likes": 17396 + } + ] + }, + { + "fullname": "Allrecipes", + "biography": "We help people discover and share the joy of home cooking. LINK IN BIO FOR RECIPES HERE:", + "followers_count": 1729946, + "follows_count": 799, + "website": "https://trib.al/t6AZoWS", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "allrecipes", + "role": "influencer", + "latestMedia": [ + { + "caption": "\"A-MAZING!!!! My husband who is not particularly a fan of veggies has claimed this to be in his top ten list of dinner selections now.\" These Orzo and Chicken Stuffed Peppers are a great twist on the classic. To get the recipe, click on @allrecipes, and under the arrow tap the blue link in our bio. #allrecipes #dinnerideas #orzo #stuffedpeppers", + "likes": 1248 + }, + { + "caption": "On the latest episode of Homemade, host @martieduncan sat down with blogger and #AllrecipesAllstar Candice Walker (@proportionalplate) as she shares how the cuisine of her Middle Eastern heritage informs her cooking. To listen, click on @allrecipes, and under the arrow tap the blue link in our bio. #allrecipeshomemade #podcasts", + "likes": 479 + }, + { + "caption": "Delicious. Creamy. Ready in 25 minutes. Pasta with Peas and Sausage is an easy dinner go-to on busy weeknights. To get the recipe, click on @allrecipes, and under the arrow tap the blue link in our bio. #allrecipes #pastalover #dinnerideas", + "likes": 4474 + }, + { + "caption": "\"This recipe was exactly what I was looking for! Yummy, fudgy goodness!\" Grandma Emma's Fudgy Chocolate Pie is the real deal. To get the recipe, click on @allrecipes, and under the arrow tap the blue link in our bio. #allrecipes #chocolatepie #piesofinstagram #fudge #chocolatelover", + "likes": 3392 + }, + { + "caption": "You mean well, but what youre doing to help staff and your fellow shoppers might just be making things worse. Tap on @allrecipes and click the blue link in our bio to see if you're guilty of any of these things (We are!). #allrecipes #groceryshopping #etiquette", + "likes": 1867 + }, + { + "caption": "\"Loved it, exactly what I was looking for.\" Spinach Cheese Manicotti is a total crowd pleaser and leftovers taste even better the next day. To get the recipe, click on @allrecipes, and under the arrow tap the blue link in our bio. #allrecipes #manicotti #pastalover #dinnerideas", + "likes": 4251 + }, + { + "caption": "Trust us. Miss Betty's 24 Hour Lettuce Salad is 100% worth the wait. To get the recipe, click on @allrecipes, and under the arrow tap the blue link in our bio. #allrecipes #saladrecipes #dinnerideas", + "likes": 5118 + }, + { + "caption": "\"Everyone including the kids couldn't keep their hands out of this!\" This Heavenly Mix is sweet instead of savoryand packed with tons of coconut flavor. To get the recipe, click on @allrecipes, and under the arrow tap the blue link in our bio. #allrecipes #chexmix #snacktime #snacksideas", + "likes": 4932 + }, + { + "caption": "Bill's Sausage Gravy has nearly 2,000 5- reviewsand would you believe there's only 4 ingredients?! To get the recipe, click on @allrecipes, and under the arrow tap the blue link in our bio. #allrecipes #biscuitsandgravy #brunchideas", + "likes": 6371 + }, + { + "caption": "Take your Rice Krispie Treats to a whole new level with No Bake Peanut Butter Bars. They're made the same way... but with melted peanut butter instead of marshmallows. Trust us. This is a game changer. To get the recipe, click on @allrecipes, and under the arrow tap the blue link in our bio. #allrecipes #peanutbutterlover #nobake #nobakedessert", + "likes": 3119 + }, + { + "caption": "Cheap. Easy. Fast. Chef John's One Pan Orecchiette Pasta is the MVP of busy weeknight dinners. To get the recipe, click on @allrecipes, and under the arrow tap the blue link in our bio. #allrecipes #dinnerideas #dinnerrecipes #pastalover", + "likes": 4890 + }, + { + "caption": "It's the ultimate summer shortcutand they still taste just like Grandma's! Tap on @allrecipes and click the blue link in our bio for the recipes. (Your secret is safe with us!) #allrecipes #cobbler #cakemix #summerdessert", + "likes": 2682 + } + ] + }, + { + "fullname": "Josh Elkin", + "biography": "Homemade food & recipes youve never seen before Undisputed Breakfast Champ #neverskipeggday Los Angeles, CA FULL RECIPES", + "followers_count": 580824, + "follows_count": 1748, + "website": "http://recipechampions.com/", + "profileCategory": 2, + "specialisation": "Chef", + "location": "", + "username": "thejoshelkin", + "role": "influencer", + "latestMedia": [ + { + "caption": "Breakfast Onion Rings stuffed with sausage and cream cheese, fried in pancake batter, topped with cheese and a fried egg #neverskipeggday", + "likes": 5934 + }, + { + "caption": "Trying to convince @kfc and the Colonel to let me make a Fried Chicken Breakfast sandwich.", + "likes": 4210 + }, + { + "caption": "Egg Yolk Ravioli with Spinach Ricotta Filling and Pancetta White Wine Sauce. Recipe available at recipechampions.com #neverskipeggday", + "likes": 6700 + }, + { + "caption": "Jalapeo Popper Sticky Buns. Follow the recipe - Combine 1 cup of room temperature cream cheese, 1 cup of sharp cheddar cheese, 1 cup of chopped jalapeo, 1 cup of cooked bacon bits, 1 tablespoon of garlic powder, and 1 tablespoon of smoked paprika in a bowl - Roll out 16oz of your favorite pizza dough and spread the jalapeo popper mixture on top - Roll it up like a jelly roll and cut it into 9 equal pieces - Add the cut buns to a greased baking tray - Coat the buns in a beaten egg wash - Cook at 425 degrees F for 20 minutes - Eat on their own or cover in cheese sauce", + "likes": 11970 + }, + { + "caption": "Breakfast Pull Apart Bread (Croque Madame) Follow the recipe - Cut wedges along the side of a circular loaf going from the center to the edge making sure not to cut it all the way through - Stuff each wedge with a slice of smoked ham and 1 tablespoon of grated gruyere cheese - For the sauce, melt 2 tablespoons of butter and whisk in 2 tablespoons of flour - When the flour and butter combine, whisk in 1 cup of milk, 1 teaspoon of nutmeg and a bay leaf - When the mixture bubbles, turn off the heat and whisk in 1 cup of grated parmesan cheese - Cover the stuffed loaf in the sauce and bake at 425 degrees F for 12-15 minutes - Take it out, garnish with chopped chives and a fried egg", + "likes": 12578 + }, + { + "caption": "Jalapeo Popper Sticky Buns With Cheesy Drizzle! Each bun is made out of pizza dough and stuffed with a jalapeo, bacon, cheddar cheese spread!", + "likes": 9134 + }, + { + "caption": "Gluten Free Banana Fries. Follow the recipe - Using a potato masher or ricer, combine 4 mashed bananas in a bowl with 1 teaspoon of nutmeg, 1 tablespoon of cinnamon and 1/2 cup of corn starch - When the mixture resembles a thick batter, transfer it to a freezer bag and snip the tip - Squeeze a few strips of the batter into 375 degree F cooking oil and cook for 3 minutes or until they become golden brown and crispy - Drizzle some of your favorite chocolate ganache and enjoy!", + "likes": 13868 + }, + { + "caption": "Chocolate Chip Banana Bread. Follow the recipe - Saving 1/2 a banana, In one bowl mash 2 cups of ripe bananas (3-4 bananas) - In another bowl combine 1 cup brown sugar, 1/4 cup of room temperature butter and 1 cup of sour cream - Whisk in 2 eggs into the sugar mixture until it froths up like a mousse - Using a fine mesh strainer, add 1 1/2 cups of all purpose flour, 1 1/4 teaspoons of baking powder, and 1 teaspoon of cinnamon to the bowl of the sugar mixture - Mix in the mashed bananas and then fold in the chocolate chips - Line a loaf pan with parchment paper, and add the banana bread batter - Place some sliced bananas on top of the batter and bake at 350 degrees F for 1 hour and 5 minutes. Let cool for another hour", + "likes": 9209 + }, + { + "caption": "Pepperoni Pizza Cone. Follow the recipe - Wrap a strip of your favorite pizza dough around a metal cone - Place the cones open side down on a baking sheet and bake in a 400 degree F oven for 15 minutes - In the meantime, make the filling by combining 2 cups of shredded mozzarella cheese, 1 cup of pizza sauce, 1/2 cup of chopped pepperoni and a tablespoon of oregano - Release the metal conde from the dough, and stuff the cone with the filling - Place a sheet of aluminum foil over a loaf pan and place the cones inside - Bake open side up for another 5 minutes", + "likes": 16690 + }, + { + "caption": "Rainbow Bowl with roasted red cabbage, sauted bulgar with onions, cauliflower rice, sauted zoodles and teriyaki chicken thighs! I dont often make healthy recipes, but this one was awesome!!", + "likes": 2764 + }, + { + "caption": "Cinnamon Roll Ice Cream Cones. Follow the recipe - Unroll a raw cinnamon roll with the filling facing up - Wrap the dough around a metal cone starting at the pointed end - Placethe cone on a parchment lined baking sheet and bake at 350 degrees F for 15 minutes - Take the cone out of the oven and let cool - Release the metal cone - Add the frosting to the center and over the top - Fill with your favorite ice cream!", + "likes": 13411 + }, + { + "caption": "Happy National Ice Cream Day!!! Come celebrate with me and @icecreamshopus at 2pm PT / 5pm ET today on @tastemades Twitch channel! #ad", + "likes": 2103 + } + ] + }, + { + "fullname": "Alex Snodgrass \ud83c\udf74", + "biography": "Wife, mom, and recipe developer Simple, Healthy Recipes NYT Bestselling Author of The Defined Dish Cookbook ", + "followers_count": 598984, + "follows_count": 2501, + "website": "https://tap.bio/@thedefineddish", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "thedefineddish", + "role": "influencer", + "latestMedia": [ + { + "caption": "Aunt Leighs Broccoli Carrot Pasta is one of those simple, nostalgic dinners that Ill love and make forever! A recipe my loving aunt made for us *everytime* we spent the night with her (and that was a lot I might add!) that we all loved so much growing up as kids, and I love seeing my kiddos enjoy it today too! Its nothing fancy simply pasta with steamed broccoli and carrots with some butter and cheese really but after I shared it on stories many of yall were asking for the recipe on the blog! And I always like to make your wishes come true Recipe linked in my bio! https://thedefineddish.com/aunt-leighs-broccoli-and-carrot-pasta/", + "likes": 4580 + }, + { + "caption": "Need an easy, light and healthy dinner to add to your menu this week? Look no further than this Pan Roasted Chipotle Halibut with Avocado Salsa! I love the combination of the spicy Chipotle crust on the fish paired with the cool, avocado salsa right on top! The perfect summer dinner Serve it alongside your favorite salad, or some roasted asparagus and steamed rice for a complete meal! yum! Find the full recipe by tapping the link in my bio: https://thedefineddish.com/pan-roasted-chipotle-halibut-with-avocado-salsa/", + "likes": 4979 + }, + { + "caption": "The perfect Friday lunchtime mood right here. Sourdough Mayo Grain mustard Muffuletta mix (from @central_market) Mortadella Sopressata Mozzarella Arugula", + "likes": 7035 + }, + { + "caption": "Move over main dish, because this Zucchini is the star of dinner as the side dish! This Grilled Zucchini with Calabrian Chiles, Herbed Goat Cheese and Pepitas is a fun an easy way to use up summer zucchini and so so delicious! I cannot get enough of this one and its gotta go on your menu THIS WEEK if you havent tried it yet! https://thedefineddish.com/grilled-zucchini-with-calabrian-chiles-goat-cheese-and-pepitas/", + "likes": 5497 + }, + { + "caption": "Good morning and happy Tuesday! If you havent checked out this new Paleo Zucchini Bread recipe, I recommend you hop to it! There are already some rave reviews coming in Perfect to make ahead and freeze or have on hand for grab and breakfast (or snacking) throughout the week! And the perfect way to utilize all the summer zucchini Find the full recipe on the blog, linked in my bio https://thedefineddish.com/paleo-zucchini-bread/", + "likes": 2714 + }, + { + "caption": "Happy National Tequila Day!! Today, I am sharing a FANTASTIC, restaurant-worthy version of a Spicy Skinny Margarita using the best of the best, @lalospirits tequila! #ad My friends at LALO make the best tequila and it has become our go-to over the past year because of its pure and clean taste without any additives, naturally making it just 64 calories per oz. Youll always find *at least* 3 bottles of LALO at the Snodgrass house because we love to have it on hand for sipping solo, or for making delicious cocktails like this simple, yet delicious, Spicy Skinny LALO Margarita that may just top Claytons Classic Margarita!! Just sayin!!! ;) Spicy Skinny LALO Margarita Serves 2 4 oz LALO Tequila large jalapeno, seeds removed and thinly sliced 2 oz lime juice 1 oz fresh-squeezed orange juice oz honey 1 tsp egg white Salt, for serving Lime wedges, for serving In a cocktail shaker, add the sliced jalapeno and lime juice. With a cocktail muddler or back end of a wooden spoon, break up the jalapeno. Next, add the freshly squeezed orange juice, honey, tequila and egg white to the shaker then dry shake (aka, no ice). Salt your glasses then add ice. Pour your margarita, serve with a lime wedge and enjoy!! #nationaltequiladay", + "likes": 5301 + }, + { + "caption": "So long Hanalei! We will miss your beautiful sunsets, Mai Tais @tahitinuihanalei, aa bowls and shaved ice (@wishingwellshaveice, @alohajuicebar.kauai), delicious seafood (@hanaleidolphin and @kilaueafish), rainbows, and relaxing beach days. So many beautiful memories made that we will never forget!", + "likes": 20228 + }, + { + "caption": "NEW recipe for a delicious loaf of paleo zucchini bread on the blog today! Not only is it wonderful toasted up fresh for breakfast or for a snack, but the slices also freeze beautifully to make ahead for an easy grab-and-go breakfast option. It is both kid and adult approved, and you could even add some chocolate chips to the batter to make it even more exciting! Find the full recipe on the blog, linked in my bio: https://thedefineddish.com/paleo-zucchini-bread/", + "likes": 4752 + }, + { + "caption": "My dearest ", + "likes": 11111 + }, + { + "caption": "This meatless meal is a my summer fave: Ultimate Grilled Veggie Burritos Filled with flavorful grilled veggies and spiced pinto beans, these burritos are the perfect weeknight summer dinner! I also use @sietefoods burrito sized tortillas to keep them gluten and grain free! For the full recipe, tap the link in my bio: https://thedefineddish.com/ultimate-grilled-veggie-burritos/", + "likes": 5138 + }, + { + "caption": "Strawberry Salad with Crispy Coppa and Seared Scallops for dinner tonight! An easy #ddsimplesummer dinner that I thoroughly enjoyed For the Salad: 8 thin slices of coppa (can sub prosciutto or salami) 3 cups baby arugula, packed 1 cup hulled and sliced strawberries cup halved and thinly sliced red onion (or large onion) jalapeno, seeds removed and very thinly sliced cup thinly sliced basil leaves For the Dressing: 2 tbsp evoo 2 cloves garlic, minced 1 tbsp balsamic vinegar 1 tbsp fresh lemon juice tsp Dijon mustard For the Scallops: 1 lb. sea scallops 1 tsp. Kosher Salt tsp black pepper 2 tbsp evoo Method: Preheat the oven to 400 degrees F. Place the coppa on a large baking sheet in a single layer so that none of the coppa is touching. When the oven is hot, bake until the coppa is just crisp, about 6 minutes. Set aside to let cool. Meanwhile, prepare your salad. In a large bowl, combine the arugula, strawberries, red onion, and basil. Set aside. In a small bowl, whisk together the olive oil, garlic, balsamic, lemon and Dijon until well combined. Pat the scallops very dry and season generously on both sides with kosher salt and pepper. Heat the EVOO in a large skillet over medium-high heat. When just starting to smoke, carefully place the scallops in the hot skillet and cook, undisturbed, until bottom has developed a golden crust, 2 to 3 minutes. Flip and cook until golden on the other side, 2 to 3 more minutes. Transfer to a plate and set aside. Drizzle the dressing over the salad and toss to coat. Divide the salad amongst 2 plates and top with the seared scallops. Roughly chop the crisp coppa and sprinkle over the top of the scallops and salad.", + "likes": 5829 + }, + { + "caption": "I am already a lover of @kettleandfire and their bone broths, but am so excited about the launch of their new line with 2 new broths!! This new line of bone broths uses only premium ingredients sourced from regenerative farms right here in the US. #ad If you are not familiar with what regenerative farming is, its methods strive to promote healthier ecosystems by rebuilding soils organic matter through holistic farming and grazing techniques. You can find all the information about these new products on Kettle and Fires website and learn more about why they are excited to work with their regenerative farmers on this product (and hopefully more in the future!) Head to my stories for the link to learn more about this product and you can use the code KFREGEN for 15% off at checkout! https://www.kf91trk.com/XJM3WG/2N721M/ #kfpartner #sippersforsoil", + "likes": 681 + } + ] + }, + { + "fullname": "Samira Kazan", + "biography": "Rainbow healthy food & easy treats. DIY obsessed -all tutorials are saved in highlights Winner @netflix Crazy Delicious Email: samirakazan@gmail.com", + "followers_count": 1036446, + "follows_count": 349, + "website": "https://www.alphafoodie.com/vietnamese-avocado-shake-sinh-to-bo-avocado-milk/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "alphafoodie", + "role": "influencer", + "latestMedia": [ + { + "caption": "YAY or NAY? Avocado Milk Shake I love making this fun refreshing avocado drink. The addition of condensed milk gives it such a sweet and silky taste. All the details for this recipe are on my blog, heres the link: https://www.alphafoodie.com/vietnamese-avocado-shake-sinh-to-bo-avocado-milk/ Would you give this a try?", + "likes": 11094 + }, + { + "caption": "YAY or NAY? Eggs in Purgatory Swipe to see the steps! I made this Italian baked eggs dish with @clarence_court Burford Browns eggs [ad]. The dense golden egg yolks are simply delicious and the roasted tomato sauce compliments the eggs so amazingly. Perfect for breakfast or brunch! All the details for how to make these tomato baked eggs are on my blog, check this link: https://www.alphafoodie.com/eggs-in-purgatory/ Do you like eggs in purgatory? #clarencecourt #brandpartner", + "likes": 12635 + }, + { + "caption": "YAY or NAY? Tomato Peach Salad I love making a delicious summer Caprese salad with the addition of grilled peaches. The combination of sweet and savory and the results of this salad are out of this world! All the details are on my blog, check this link: https://www.alphafoodie.com/grilled-peach-burrata-salad-with-tomatoes/ Will you try this salad?", + "likes": 36580 + }, + { + "caption": "YAY or NAY? Homemade Kimchi I loved making this classic napa cabbage kimchi. Its so tangy, savory, and spicy - the ultimate side dish! Do you like kimchi too? Check out the recipe with lots of tips on my blog, heres the link: https://www.alphafoodie.com/napa-cabbage-kimchi-korean-baechu-kimchi/ Will you give it a try?", + "likes": 16022 + }, + { + "caption": "1, 2, 3 - which is your favorite dessert? Mars Cake, Ferrero Rocher or Brownie Dip? Swipe to see the video tutorials for each of them I made these fun and yummy desserts using my trusted food processor @thenutramilk @nutramilk_uk [ad]. These desserts are really quick to make, dont require baking and you can enjoy them on the same day! 1. Mars Cake - https://www.alphafoodie.com/vegan-no-bake-chocolate-cake-with-caramel-mars-cake/ 2. Ferrero Rocher - https://www.alphafoodie.com/hazelnut-truffles-vegan-ferrero-rocher/ 3. Brownie Dip - https://www.alphafoodie.com/healthy-brownie-batter-dip/ What other desserts do you like? #TheNutraMilk #nutramilkpartner", + "likes": 5426 + }, + { + "caption": "YAY or NAY? Watermelon Cucumber Salad This watermelon feta salad is the perfect summer salad. Its fun, fruity, refreshing, and so easy to make. And did I mention its perfect for summer? Check out the recipe on my blog, heres the link: https://www.alphafoodie.com/herby-watermelon-feta-salad-with-cucumber/ Will you give this salad a try?", + "likes": 16005 + }, + { + "caption": "YAY or NAY? Creamy Lemonade I loved this refreshing and different Brazilian lemonade. It combines zippy fresh lemonade with creamy sweetened condensed milk for an equally creamy and refreshing summer drink. Its super easy to make it too. All the details are on my blog, check this link: https://www.alphafoodie.com/easy-brazilian-lemonade/ Will you give this lemonade a try?", + "likes": 8964 + }, + { + "caption": "YAY or NAY? Authentic Mexican Guacamole I love a simple, fresh authentic Mexican guacamole. The best part is that you just need a few ingredients and a couple of minutes to make it. It's great as a snack, for dipping tortilla chips and accompanying your Mexican-inspired dishes. The detailed recipe along with lots of tips (thanks to my dear Mexican followers) is on my blog, check this lin: https://www.alphafoodie.com/simple-fresh-authentic-guacamole-mexican/ What's your favorite way to eat guacamole?", + "likes": 12877 + }, + { + "caption": "YAY or NAY? Chickpea Curry I recently learned how to make this chana masala and I am loving it. Its a naturally vegan chickpea curry dish made with a spiced onion and tomato masala gravy and perfect for enjoying with naan or rice. All the details for the recipe along with lots of tips are on my blog, check this link: https://www.alphafoodie.com/chana-masala-vegan-chickpea-curry/ Would you try making this curry?", + "likes": 9914 + }, + { + "caption": "Watermelon or lemonade - whats your favorite? The detailed tutorial for this fun DIY is on my blog, check this link: https://www.alphafoodie.com/watermelon-keg-dispenser/ #watermelon #watermelons #watermeloncarving #watermelonjuice #fruitjuice #refreshing #stayfresh #freshjuice #juice #drinkfresh #summerdrink #summercooler #hydrating #drinktap #drinkdispenser #keg #foodtutorial #diyfood #reels #instavideo #foodtutorial", + "likes": 14505 + }, + { + "caption": "YAY or NAY? Pineapple Cucumber Salad This fruity pineapple cucumber salad is my latest favorite dish. Its refreshing, tropical, and the perfect addition to any summer get togethers! Plus its super simple to make - ready to enjoy in under 10 minutes. The detailed ingredients are on my blog, check this link: https://www.alphafoodie.com/fresh-and-fruity-pineapple-cucumber-salad/ Will you give it a try?", + "likes": 15081 + }, + { + "caption": "YAY or NAY? Authentic Moutabal - easy eggplant dip I love making this quick and easy moutabal. One of my favorite ingredients is eggplant (aubergine) and its simply delicious when made like this. Moutabal is perfect for eating with pita bread and enjoying with other mezze platters. All the details for this recipe are on my blog, check this link: https://www.alphafoodie.com/vegan-moutabal-aubergine-dip/ What other Lebanese dips do you like?", + "likes": 53590 + } + ] + }, + { + "fullname": "Channel Foods", + "biography": " Central hub to the tastiest food! Contact: DM or channelfoodsig@gmail.com", + "followers_count": 1527257, + "follows_count": 0, + "website": "", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "channelfoods", + "role": "influencer", + "latestMedia": [ + { + "caption": "Baked Potato bacon eggs ", + "likes": 3705 + }, + { + "caption": "Homemade bubble milk tea ", + "likes": 5019 + }, + { + "caption": "Watermelon jelly ", + "likes": 47469 + }, + { + "caption": "Steamed cake ", + "likes": 19721 + }, + { + "caption": "Easy breakfast recipe ", + "likes": 11399 + }, + { + "caption": "Potato sausage snack", + "likes": 4044 + }, + { + "caption": "Easy Chicken recipe!", + "likes": 48960 + }, + { + "caption": "Drumstick chicken rice ", + "likes": 17731 + }, + { + "caption": "Potato bites!", + "likes": 8491 + }, + { + "caption": "Dragon fruit jelly!!", + "likes": 56665 + }, + { + "caption": "Cloud bread Recipe: 3 large egg whites about 6 tbsp 2.5 tbsp sugar ~30g 1 tbsp cornstarch ~10g food coloring or flavoring Bake 300F/150C 25-30 min", + "likes": 7889 + }, + { + "caption": "Shrimp omelette ", + "likes": 5089 + } + ] + }, + { + "fullname": "Natasha Kravchuk", + "biography": " RECIPES YOU can count on # tag your yummy food #natashaskitchen As an amazon associate, I earn from qualifying purchases. Get recipes ", + "followers_count": 786398, + "follows_count": 91, + "website": "https://tap.bio/@natashaskitchen", + "profileCategory": 3, + "specialisation": "Public Figure", + "location": "", + "username": "natashaskitchen", + "role": "influencer", + "latestMedia": [ + { + "caption": "Today is our 18th anniversary. We married young but I love how weve grown together. Vadim, I love you more every day @vdmkravchuk and I love to spend time with you. Thanks for letting me finish your songs because you know I cant help myself. You loved me when I thought cooking was putting extra toppings on a frozen pizza . How did I ever score such an amazing husband? You are a gift from God and you make me so happy. Im very much looking forward to spending the rest of my days with you. ", + "likes": 40889 + }, + { + "caption": "I'd like to make an ANNOUNCMENT! ....Crisp Zucchini Bites with Garlic Aioli Dip are completely addictive (Click @natashaskitchen for the link in bio). RECIPE: https://natashaskitchen.com/crisp-zucchini-bites-with-aioli-dip/ #zucchinibites #zuchinnirecipes #zucchinicrisps #recipe #recipeoftheday #easyrecipes #foodblogfeed @thefeedfeed @thefeedfeed.baking @food52 #buzzfeast #buzzfeedfood #huffposttaste #f52grams #goodeats #instayum #bhgfood #todayfood #delicious #food #yummly #thekitchn #natashaskitchen", + "likes": 7651 + }, + { + "caption": "Crunchy Asian Salad with the BEST easy dressing (Click @natashaskitchen for the link in bio) RECIPE: https://natashaskitchen.com/asian-chopped-salad/ Thank you to @momsdish for sharing this tasty recipe! #salad #asiansalad #delicious #asian #chinese #takeout #foodblogfeed @thefeedfeed @thefeedfeed.baking @food52 #buzzfeast #buzzfeedfood #huffposttaste #f52grams #goodeats #instayum #bhgfood #todayfood #delicious #food #yummly #thekitchn #natashaskitchen", + "likes": 6072 + }, + { + "caption": "These homemade fresh Vietnamese Spring Rolls are easy to make and perfect for a light summer lunch or dinner. Youll love the Spring Roll dipping sauces. (Click @natashaskitchen for the link in bio). RECIPE:https://natashaskitchen.com/fresh-spring-rolls/ #vietnamesespringrolls #springrolls #appetizers #lunch #asian #dippingsauce #springwrap #recipeoftheday #easyrecipes #foodblogfeed @thefeedfeed @thefeedfeed.baking @food52 #buzzfeast #buzzfeedfood #huffposttaste #f52grams #goodeats #instayum #bhgfood #todayfood #delicious #food #yummly #thekitchn #natashaskitchen", + "likes": 12743 + }, + { + "caption": "Homemade fresh Vietnamese Spring Rolls are easy to make and perfect for summer gatherings or a light dinner tonight. NEW RECIPE: https://natashaskitchen.com/fresh-spring-rolls/ #springrolls #food #foodporn #foodie #foodstagram #instafood #natashaskitchen #foodphotography #foodvideos #yummy #vietnamesefood #homemade #summerrolls #healthyfood #smallchops #foodlover #springroll #streetfood #delicious #shrimp #asianfood #noodles #foodfilms #appetizer #spring #sauce #foodgasm #foodies", + "likes": 6416 + }, + { + "caption": "Keeping it super fresh for tomorrow's new recipe. lol ANY GUESSES? HINT: Tune in for tomorrow's live premiere on youtube at 9:30am MST. Subscribe on Youtube: https://www.youtube.com/user/natashaskitchenblog?sub_confirmation=1", + "likes": 5227 + }, + { + "caption": "There is no match for homemade chocolate chip cookies with soft and warm cookie dough, and gooey chocolate chips. The only recipe for Chocolate Chip Cookies that you will ever need. (Click @natashaskitchen for the link in bio). RECIPE: https://natashaskitchen.com/soft-chocolate-chip-cookies-recipe/ #chocolatechipcookies #bestchocolatechipcookies #cookies #dessert #softcookies #homemadecookies #recipe #recipeoftheday #easyrecipes #foodblogfeed @thefeedfeed @thefeedfeed.baking @food52 #buzzfeast #buzzfeedfood #huffposttaste #f52grams #goodeats #instayum #bhgfood #todayfood #delicious #food #yummly #thekitchn #natashaskitchen", + "likes": 6678 + }, + { + "caption": "Homemade Chicken and Broccoli is an easy 30-minute meal and it has the best stir fry sauce. (Click @natashaskitchen for the link in bio). RECIPE: https://natashaskitchen.com/chicken-broccoli-and-mushroom-stir-fry/ #stirfry #chickenbroccoli #chickenstirfry #foodie #food #dinner #instafood #foodporn #homecooking #chicken #veggies #healthyfood #foodstagram #yummy #cooking #healthyeating #homemade #yum #tasty #chinesefood #stirfryveggies #asianfood #broccoli #foodblogger #delicious", + "likes": 7034 + }, + { + "caption": "Peach Crisp is our favorite summer peach dessert. The peach juices bubbling under the crisp buttery crumble topping is completely irresistible! (Click @natashaskitchen for the link in bio). RECIPE: https://natashaskitchen.com/peach-crisp-recipe/ #peachcrisp #peach #peachdessert #peachcobbler #recipe #recipeoftheday #easyrecipes #foodblogfeed @thefeedfeed @thefeedfeed.baking @food52 #buzzfeast #buzzfeedfood #huffposttaste #f52grams #goodeats #instayum #bhgfood #todayfood #delicious #food #yummly #thekitchn #natashaskitchen", + "likes": 6169 + }, + { + "caption": "YES! This Corn Chowder recipe is sure to become a new favorite. (Click @natashaskitchen for the link in bio). RECIPE: https://natashaskitchen.com/corn-chowder-recipe/ #cornchowder #soup #summersoup #fallrecipes #chowder #cornsoup #easysoup #bestsoupever #recipe #recipeoftheday #easyrecipes #foodblogfeed @thefeedfeed @thefeedfeed.baking @food52 #buzzfeast #buzzfeedfood #huffposttaste #f52grams #goodeats #instayum #bhgfood #todayfood #delicious #food #yummly #thekitchn #natashaskitchen", + "likes": 9041 + }, + { + "caption": "Chicken Scampi Pasta has a lemon butter sauce that is light, vibrant, and so satisfying. If you are a pasta lover, this Chicken Scampi Pasta is a must-try. (Click @natashaskitchen for the link in bio). RECIPE:https://natashaskitchen.com/chicken-scampi-pasta/ #chikenscampi #scampipasta #pasta #chickenscampipasta #recipe #recipeoftheday #easyrecipes #foodblogfeed @thefeedfeed @thefeedfeed.baking @food52 #buzzfeast #buzzfeedfood #huffposttaste #f52grams #goodeats #instayum #bhgfood #todayfood #delicious #food #yummly #thekitchn #natashaskitchen", + "likes": 12348 + }, + { + "caption": "Chicken Scampi Pasta has a garlic butter sauce that is light, vibrant, and so satisfying. NEW RECIPE: https://natashaskitchen.com/chicken-scampi-pasta/ #scampi #foodporn #food #instafood #pescefresco #chickenscampi #foodie #foodlover #natashaskitchen #dinner #chicken #cucinaitaliana #foodvideos #foodfilms #italianfood #instagram #foodblogger #foodstagram #pasta #instagood #chickenpasta", + "likes": 12521 + } + ] + }, + { + "fullname": "Antonio Bachour", + "biography": "6 books. @thebestchefawards Best Pastry Chef 2018. @esquire Pastry Chef of 2019. Owner @bachourmiami Coral Gables Doral Design District Coming ", + "followers_count": 1156464, + "follows_count": 921, + "website": "https://www.booksforchefs.com/en/professional-books/515-bachour-gastro.html", + "profileCategory": 2, + "specialisation": "Chef", + "location": "", + "username": "antonio.bachour", + "role": "influencer", + "latestMedia": [ + { + "caption": "Smore Bonbons one of the new flavors at @bachourmiami ..manjari 64% chocolate ganache , graham cracker chocolate crumbs , marshmallows fluff .. Photo by @thelouiscollection #bachour #antoniobachour #bachourgastro #chocolate #bonbons #beautiful #instagood", + "likes": 7595 + }, + { + "caption": "This is our new cheesecake with valrhona inspiration raspberry whipped ganache and fresh berries that will be available at @bachourmiami next week . adapt chef @sergivela73 recipe that he made a few weeks ago for the @colectivo21brix in Barcelona. I tell you that it is a super creamy cheesecake with a Maria cookie base. Thank you chef Vela for the technique and recipe. @samirasaadeb @cherylfigueroa83 @valrhonausa @ponthier_officiel @sosaingredients #antoniobachour #bachour #bachourgastro #bachourmiami #cheesecake #beautiful #instagood #inspiration #summer #foodporn", + "likes": 17682 + }, + { + "caption": "One of my favorite recipe from my book Bachour Gastro : hazelnut Sable , Goat cheese cremeux, beet leather made with gellan and goat yogurt mousse . the beet jelly wraps around the goat's milk yogurt mousse. @booksforchefsofficial @rubenpictures . The link of how to get the book is in my Bio. #bachour #antoniobachour #bachourgastro #goatcheese #beautiful #instagood #cookbooks #yummy #foodporn", + "likes": 11006 + }, + { + "caption": "#Repost @hofmannbarcelona MASTERCLASS @antonio.bachour La semana pasada tuvimos el placer de tener con nosotros al gran maestro @antonio.bachour . Fue un autntico placer poder tenerte en casa y compartir pasin y profesin junto con todos los chefs y profesionales del sector que asistieron a la formacin. - MASTERCLASS @antonio.bachour Last week we had the pleasure of having with us the great teacher @antonio.bachour .It was a real pleasure to have you at our home and share passion and profession together with all the chefs and professionals in the sector who attended the training. - MASTERCLASS @antonio.bachour La setmana passada vam tenir el plaer de tenir amb nosaltres al gran mestre @antonio.bachour . Va ser un autntic plaer poder tenir-te a casa i compartir passi i professi juntament amb tots els xefs i professionals del sector que van assistir a la formaci. @rosarioblanco.studio #EscuelaHofmann #Hofmann #HofmannBcn #EscuelaDeCocina #chef #chefslife #cocina #reposteria #pasteleria #barcelona #school #hofmannbarcelona #futurechefs #food #michelinstar #estrellamichelin #antonionachour #bachour", + "likes": 15048 + }, + { + "caption": "New Cherry tart : pistachio frangipane, cherry pudding , cherry compote and fresh cherries so good ! @bachourmiami @samirasaadeb @cherylfigueroa83 @ponthier_officiel @sosaingredients #bachour #antoniobachour #bachourgastro #cherrytart #cherry #beautiful #instagood", + "likes": 9269 + }, + { + "caption": "Some of my new individual cakes for my class I made in Italy at @pianeta_dessert_school photo by @lonati_fotografia . Thank you always @sussushaka for help me to make this beautiful desserts !! Which one you will pick from this 10? I will pick all of them!! So good!! @sosaingredients @valrhona_italia @ponthier_officiel @montebiancogelato @pavonitalia next class August: Casablanca at @ecomab_officiel , Sept: Mexico @palaceresorts , South Africa @thestylishbakers New York @ecolevalrhona NY : Oct . Romania @icephotelschool #bachour #antoniobachour #bachourgastro #beautiful #instagood #foodporn #yummy", + "likes": 19042 + }, + { + "caption": "Bachours new coconut raspberry and strawberry tart this dessert is so beautiful but taste better thats how this look!! Coconut biscuit , valrhona inspiration strawberry and raspberry cremeux , strawberry jam , coconut vanilla whipped ganache , fresh raspberries and strawberries. raise your hands who wants to eat this dessert @samirasaadeb @cherylfigueroa83 @ponthier_officiel @sosaingredients @valrhonausa @montebianco.usa #bachour #antoniobachour #bachourgastro #bachourmiami #beautiful #berries #summer #miami #dessert", + "likes": 11592 + }, + { + "caption": "Bachours new like lime pieis available at @bachourmiami , lime biscuit soaked with lime syrup , key lime custard , coconut whipped ganache , raspberry jelly and fresh raspberries this is so good and fresh for this hot summer !! @samirasaadeb @cherylfigueroa83 @ponthier_officiel @sosaingredients #bachour #bachourgastro #antoniobachour #keylimepie #dessert #beautiful #instagood #summer", + "likes": 14736 + }, + { + "caption": "Do you like donuts? This is my Chocolate custard Doughnut (Bomboloni ) recipe in my book Bachour Gastro by @booksforchefsofficial @rubenpictures . We made a 70% Guanaja chocolate creamy custard to fill this beautiful donut this is so tasty . who would like to eat this now with a good coffee? @valrhonausa #bachour #bachourgastro #antoniobachour #bachourmiami #beautiful #instagood #doughnuts", + "likes": 19170 + }, + { + "caption": "Bachours Cherry is our new Petit Gateau at @bachourmiami vanilla bean mousse , Bing cherry compote , chocolate pain de genes photo by @thelouiscollection . @samirasaadeb @cherylfigueroa83 @ponthier_officiel @sosaingredients @montebianco.usa @valrhonausa #bachour #bachourmiami #bachourgastro #antoniobachour #cherry #beautiful #shiny #instagood", + "likes": 18422 + }, + { + "caption": "slide to the side to choose which one you like best? 1. Gianduja Croissant or 2. Plain ? I love .???? Bachours croissants @bachourmiami @yuselmontelongo @adriana.alvarez24 @samirasaadeb @cherylfigueroa83 #bachour #antoniobachour #bachourmiami #bachourgastro #croissant #beautiful #instagood", + "likes": 14958 + }, + { + "caption": "Bachours Petit Gateaux at @bachourmiami @samirasaadeb @cherylfigueroa83 @valrhonausa @ponthier_officiel @sosaingredients #bachourgastro #antoniobachour #bachour #beautiful #colors #instagood #inspiration", + "likes": 25883 + } + ] + }, + { + "fullname": "King Arthur Baking Company", + "biography": "Recipes & inspiration for food lovers everywhere! Tag your pics using #KingArthurBaking + visit the link to see what we're baking ", + "followers_count": 766234, + "follows_count": 1679, + "website": "http://bakewith.us/insta-kingarthurbaking", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "kingarthurbaking", + "role": "influencer", + "latestMedia": [ + { + "caption": "When the 3:00 p.m. droopy eyes hit, snack time is in order. This chocolate rendition of a classic pound cake gets the mocha treatment with one of our favorite ingredients: espresso powder. If you want the coffee flavor to REALLY stand out, swap out the water for coffee in the cake and the topping. Well pop a recipe you can grab a glaze from (just substitute the water in it with coffee!) and the recipe for this divine pound cake at the link in our profile >> @kingarthurbaking. Share your 3:00 snack faves with #KingArthurBaking", + "likes": 4629 + }, + { + "caption": "With an overnight rest in the fridge, the tang of this golden sourdough loaf is especially pleasing. (Thanks to an abundance of cold-loving acetic acids!) Enjoy a simple and satisfying meal by slicing one of these lovely loaves in half, spreading it with garlic-herb butter, and topping it with your favorite summer veggies. Find the recipe at the link in our profile >> @kingarthurbaking, and show us how you serve up your sourdough with #KingArthurBaking", + "likes": 2580 + }, + { + "caption": "Loaded with sweet caramelized onions and fresh herbs, this tender and rich brioche recipe from Kendra @kenmitt brings as much flavor as it does delighted surprise this loaf is #vegan! (But youd never know it!) Try the recipe and watch Kendra make it on the Flour Finals by tapping the link in our profile >> @kingarthurbaking, and share how you serve up your loaf with #KingArthurBaking.", + "likes": 3386 + }, + { + "caption": "Meet Blueberry Breakfast Cake, your next bake! If you need some convincing, just take it from this review by Annie F. of Belfair, WA: I love this recipe, just as its written. The cake is something between a blueberry muffin, a Dutch oven baby, French toast, and coffeecake. Serve this with scrambled eggs and you have a complete breakfast, and everyone is happy. All of that to say, I think the recipe is perfect! Try the recipe by following the link in our profile >> @kingarthurbaking, and share your cake with #KingArthurBaking.", + "likes": 14232 + }, + { + "caption": "When you pull a short and stout loaf of sourdough bread from the oven, you might think your sourdough starter wasnt active enough. But is it possible your starter was *too* active? With a knowledgeable and trusted Bread Coach like @breadwright on the other end of the phone, our own @davidtamarkin is about to find out. See what advice our Bread Coach has by tapping the link in our profile >> @kingarthurbaking, and share your next sourdough bake with #KingArthurBaking", + "likes": 3182 + }, + { + "caption": "Give your weekly sandwiches a glow-up with this beautifully golden yellow semolina bread. A sprinkle of sesame seeds on top adds just enough crunch to make each and every bite of your lunch (or breakfast toast deserves a glow-up too!) that much better. Find the recipe and shop our Semolina Flour at the link in our profile >> @kingarthurbaking, and share your loaf with #KingArthurBaking.", + "likes": 2675 + }, + { + "caption": "Our own PJ is always down to try a product. After several lackluster tests using sugar substitutes, she was beyond impressed to find that her baked goods made with our Baking Sugar Alternative were not only as good as the originals some were even better! Making her quick breads and muffins beautifully golden brown and creating wonderfully velvety cakes, no-sugar-added versions became her go-to. See how her tests went and grab a bag of Baking Sugar Alternative by tapping the link in our profile >> @kingarthurbaking, and share your sugar-free bakes with #KingArthurBaking.", + "likes": 1514 + }, + { + "caption": "You cant put something like #NationalCheesecakeDay in front of us and expect us not to have a cream-cheesy celebration! With a buttery cookie crust and tangy filling, NY Cheesecake is taking the spotlight. Find the recipe at the link in our profile >> @kingarthurbaking, and share what youre making for National Cheesecake Day with #KingArthurBaking", + "likes": 4858 + }, + { + "caption": "Stressing about your overflowing zucchini crop? To paraphrase our friends Timon and Pumbaa, Hakuna Frittata! It means No worries! Your zucchini will soon be a delicious frittata! With Parmesan cheese and onions, this savory dish could easily be served at dinner as well as brunch. Find the recipe at the link in our profile >> @kingarthurbaking, and share your zucchini-filled bakes with #KingArthurBaking", + "likes": 4462 + }, + { + "caption": "Less is more when it comes to highlighting fresh produce. This elegant Midsummer Berry Tart features a smooth cream cheese-orange filling and slices of fresh strawberries glazed with apricot jam. Its definitely one of our favorite sweet-but-not-too-sugary summer bakes! Bake this tart and see our other Sweet Not Sugary recipes by tapping the link in our profile >> @kingarthurbaking, and share your berry bakes with #KingArthurBaking.", + "likes": 6347 + }, + { + "caption": "@Erikajcouncils biscuits are renowned so much so that they can be ordered nationwide through her business, @bombbiscuitatl. Along with treasured recipes, Erika keeps the traditions and soul of Southern cooking at the forefront of her work. Shes here with some of her favorite tips on making better biscuits at the link in our profile >> @kingarthurbaking. Share your next batch of biscuits with #KingArthurBaking.", + "likes": 15161 + }, + { + "caption": "Few things are as festive or summery as the classic combo of tequila and lime. Now housed in a quick and easy cake recipe, enjoy this zesty duo the next time you need to serve up a sweet treat in a hurry! Find the recipe and the masa harina to make it at the link in our profile >> @kingarthurbaking, and share your cake with #KingArthurBaking", + "likes": 3820 + } + ] + }, + { + "fullname": "Vani Hari | Food Babe", + "biography": "Creator of FOODBABE.COM | Co-Founder of @truvani | New York Times Best-Selling Author | My new cookbook Food Babe Kitchen is here - get your copy now:", + "followers_count": 620882, + "follows_count": 1143, + "website": "https://linkin.bio/thefoodbabe", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "thefoodbabe", + "role": "influencer", + "latestMedia": [ + { + "caption": "Heres the truth about FDA Approved: Theres a BIG misconception that the FDA diligently reviews and approves new ingredients before we start eating them. Sadly this isnt the case. New ingredients are usually approved by the food manufacturer themselves, and NOT by the FDA. All an ingredient manufacturer has to do is HIRE THEIR OWN EXPERTS to claim its safe. This is the green light to start adding it to food products. Several FDA Approved products have been yanked from the shelves after they were found to be downright dangerous. But this doesnt happen overnight. History shows that it takes YEARS before the FDA acts and removes harmful products from the market. Something very serious needs to happen like deaths before the FDA takes action. And even then, they may not. Remember how Johnson & Johnsons talc powder was recently removed from the shelves after slews of cancer claims and cover-ups by the company? Well, the FDA didnt ban it. J&J voluntarily decided to stop selling it to stop lawsuits from piling up. Meanwhile, this controversial ingredient is banned in Europe. This just goes to show how little the FDA has done to protect our health. Tag your friends below to spread the word!", + "likes": 6313 + }, + { + "caption": " please repost if you stand with us.", + "likes": 6628 + }, + { + "caption": "Every August I get the end of Summer blues (hard wiring in my brain since I was a kid)so I am trying to find reasons why I like August. And I found one! A big one Figs are in Season! I love Figs like no other. I am always surprised that most folks have never even tried a raw fig. I remember convincing one of my best friends to eat one. I told her if you like Fig Newtons you will like raw figs! She was sold. And of course she loved them. PlusThe health benefits of Figs are tremendous!!!! Figs are considered a restorative food that brings instant vitality to your mind and body. If you havent tried fresh figs before, I hope you can find them where you are and try this delicious smoothie recipe soon! Food Babes Fig Smoothie Ingredients (serves 1): 3 to 4 figs, halved 1 frozen banana, peeled 1 teaspoon ground flaxseeds 1 tablespoon almond butter 1/2 to 1 cup almond milk optional: 1 scoop Truvani protein powder Directions: 1. Place all of the ingredients in a blender and blend to combine. Get more recipes like this in my New York Times bestselling cookbook: FoodBabeKitchen.com", + "likes": 1021 + }, + { + "caption": "Sprouts are one of the most nutrient dense foods on the planet. Their vitamin content is incredibly high and they increase the alkalinity of your body (remember, an alkaline body avoids diseases like cancer). Every time I enjoy sprouts, I notice a huge burst in energy. Sprouts have an enormous amount of live enzymes. Sprouts are a staple in my household and go beautifully in this refreshing summer salad from the Food Babe Kitchen cookbook! Hope you enjoy this superfood packed salad with friends and family. Sharing good nutritious meals like this with others can change the world, I know it! Swipe left for the recipe, or find it on page 140 in Food Babe Kitchen. Get over 100 more recipes like this in my New York Times best selling cookbook: FoodBabeKitchen.com", + "likes": 2458 + }, + { + "caption": "Some like to argue The Dose Makes The Poison and that small amounts of food additives wont hurt you. But the truth is Additives are added to almost every processed food - so you are likely eating SEVERAL of them at every meal and DOZENS of them in a day. This can add up very quickly! You might be eating Caramel Color (an ingredient linked to cancer) in your morning latte, breakfast oats, deli sandwich for lunch, and in the iced tea that washes it all down. Thats 4 doses of Caramel Color on a typical day. No one is evaluating whether this is safe. Not to mention how all of the different additives in your food may interact with each other in negative ways. Did you know when the preservative Sodium Benzoate is mixed with vitamin C it creates Benzene? This is a carcinogen. The best way to protect yourself is to eat Real Food, and stop buying products full of controversial chemical additives. To help, I give you everything you need in my cookbook: FoodBabeKitchen.com (only $16 on Amazon right now!) It includes over 100 REAL FOOD recipes plus a comprehensive grocery shopping guide that makes getting off processed food easy and delicious! Know someone who needs this? Tag them below!", + "likes": 10457 + }, + { + "caption": "I freaked out when I heard this news... but then I dug a little deeper. Everyone needs to know the truth about this cancerous chemical in our food. Read all slides please and share this!", + "likes": 29782 + }, + { + "caption": "Theres a lot of confusion and debate about what non-GMO and organic labels really mean. The labels are very different! Its crucial to know the difference if you want to pick out the healthiest and safest food for you and your family. Heres what to remember: Organic food is non-GMO, but non-GMO food isnt necessarily organic. Lets break it down... Non-GMO Project verifies that a product doesnt contain GMO ingredients. While that is good, its not the whole story about what the product contains, how it was produced, and where it came from. USDA Organic regulations prohibit any GMO ingredients in a certified organic product. Organic crops cannot be grown with synthetic pesticides. Non-GMO crops can be grown the same as conventional crops and can still be laden with toxic pesticide residue. Glyphosate (Roundup) is prohibited on organic crops. Non-GMO crops (such as non-organic wheat and non-organic oats) can be sprayed pre-harvest with Roundup. This herbicide accumulates in your body the more you are exposed to it and is linked to cancer. Organic ingredients arent processed with the neurotoxin hexane. Organic crops are prohibited from being fertilized with sewage sludge (biosolids) which is literally the treated waste thats flushed down the toilet, and waste from hospitals and industry. Organic meat isnt produced with growth-promoting drugs, like ractopamine. Organic animals arent fattened up with growth-promoting antibiotics. Antibiotics have been used for years, not just to fight infection, but to fatten up farm animals. The overuse of growth-promoting antibiotics is creating superbugs that could threaten the entire human population. All of this is why the Non-GMO label is NOT enough! When I have a choice, I choose certified organic food for these reasons and more! Subscribe to learn the truth about your food: FoodBabe.com/subscribe", + "likes": 21696 + }, + { + "caption": "Heres how to choose the best oats: Choose organic. The weed killer Roundup (and other pesticides) have been found in conventional (non-organic) oats in high amounts. When organic oats have been tested, there are negligible amounts of pesticides found in them compared to non-organic oats like Quaker. Choose minimally processed oats. I eat organic steel cut oats for breakfast most mornings of the week. Its easy to prepare in my slow cooker (directions are in Food Babe Kitchen!) and you can add a variety of healthy toppings like berries, hemp seeds, and nut butter. Try organic oat groats. These are the truest form of oats and contain more vitamins, minerals and nutrients than steel cut, rolled or instant oats. They are available in most health food stores in the bulk section. I love to use these for overnight oats, since you need to soak your oat groats before eating or cooking them. How do you like to prepare your oats? Tell me in the comments below! Get more grocery shopping tips when you subscribe: FoodBabe.com/subscribe", + "likes": 5074 + }, + { + "caption": "I challenge you. No news for a week. No reading, no watching, and see how your life dramatically improves. We create our reality. Dont let others do it for you. Dont look to authority to shape your life. You are your only authority. For more on this topic check out the @shawnmodel podcast with @michaelbbeckwith. Killlller podcast! Ill put the link in my bio. Please tag your friends below to share!", + "likes": 4097 + }, + { + "caption": "Reasons to add anti-inflammatory ginger root to your diet ASAP: Relieves headaches & pain Ginger is also great at reducing the pain of menstrual cramps, injuries and muscle pain its been shown to work even better than drugs! Fights cancer Some research indicates that ginger may be effective at fighting breast cancer and can kill cancer cells. Prevents viruses Ginger is anti-viral and can help keep you from getting sick. Soothes an upset stomach & prevents motion sickness Several studies have found that ginger is effective at relieving nausea and vomiting. Thats why your mom probably gave you ginger ale when you had an upset stomach as a child its a tried and true remedy. Helps digestion & reduces bloating I love to drink ginger tea after meals because it contains compounds that aid digestion, which keeps away bloating. Swipe left to watch me make ginger tea! Easy right? Do you know someone who needs some anti-inflammation and pain relief in their life? Please share this video!", + "likes": 3290 + }, + { + "caption": "Ultimately, the best snack isnt anything from a box. But when you need a store-bought alternative, here are some better options to replace Cheez-its made with TBHQ, Goldfish Crackers full of addicting ingredients, and processed Veggie Straws fried in unhealthy canola oil. These alternative snacks are easy to pack and dont contain white flour or white sugar, which are some of the most addicting and damaging ingredients in processed food. Its time to stop getting hooked on nutrition-less dead food! Big food has done enough damage to our health. Lets break their control together. Pick up Food Babe Kitchen today and get my Ultimate Pantry List as a bonus, with brand names of all the products I personally buy. This book contains everything you need to get off of unhealthy processed food for good: FoodBabeKitchen.com", + "likes": 8205 + }, + { + "caption": "That creamy, low calorie, probiotic promised goodness swirled into your cup and topped with your favorite goodies is one of the worst healthy treats to hit the franchise market, and Im here to tell you the cold hard facts (ha! no pun intended). The frozen yogurt from shops like Pinkberry, Menchies, and Yogurtland is a processed milk product mixed with some kind of refined sweetener usually white sugar, corn syrup, or dextrose, blended with natural or artificial flavorings, natural or artificial colors, stabilizers and thickeners like carrageenan other fillers like soy lecithin or cellulose gum (a.k.a. the stuff made from wood pulp). Swipe left to see a comparison! Before the mixture is frozen into an edible product, the yogurt ingredients come in a big box of pre-made liquid or powder. This is very similar to how most fast food franchises obtain their products in a box or a carton pre-made, pre-mixed, heavily processed and preserved. To witness just how processed frozen yogurt can be, I challenge you to go over to your favorite frozen yogurt joint and ask them to show you themselves. Youll see it looks NOTHING like yogurt and more like kool-aid, depending on the flavor. Its a rather disgusting sight to tell you the truth, and an exercise I conduct on occasion to remind myself not to eat that stuff. Tag your friends below to share the truth! Subscribe for breaking food investigations and health tips: FoodBabe.com/Subscribe", + "likes": 4911 + } + ] + }, + { + "fullname": "Eggnog and Igloo \ud83c\udf84\u2603", + "biography": "Eggnog is no longer seasonal!Stick Saver and Donut Lover! My sister Igloo likes anything frozen! Follow our Lifestyle page @solaceinnogginland ", + "followers_count": 340104, + "follows_count": 1483, + "website": "https://etsy.me/3np4xLa", + "profileCategory": 2, + "specialisation": "Public Figure", + "location": "", + "username": "eggnogthebulldog", + "role": "influencer", + "latestMedia": [ + { + "caption": "Tough decisions should never be made on Monday's... #thestruggleisreal. . Audio by @jimgaffigan. . #eggnogandigloo #sisters #mondaymood #mondaysbelike #motivationmonday #mondayvibes #lazydog #funnydogs #funnyreels #funnydogvideos #pubityreels #comedyreels #reels #reelsvideo #instagramreels #pawsup #dog #dogs #doggosdoingthings", + "likes": 6070 + }, + { + "caption": "Sisters from the same mister.... #blessed #NationalSistersDay Have a saintly Sunday everyone! . . . Sending all of our love and prayers to our sweet friends @macho_english_bulldog Our hearts hurt for you Please know how very much we love you and are praying for you during this difficult time #wearefamily. . . #eggnogandigloo #sisters #bestfriends #sayalittleprayerforyou #sistersday #sistersister #icanteven #barstoolsports #ghsealofcute #slpets #lovelulus #theellenshow #9gagcute #9gag #barked #thebarkedclub #pawsup #ellenratemydog #buzzfeedanimals #doggo #doggosdoingthings #doggosbeingdoggos #dog #dogs #weeklyfluff #sisteract", + "likes": 12657 + }, + { + "caption": "We don't deserve dogs... #ad Not many of you know this, but mom has struggled with anxiety and depression for several years. Our presence in her life, coupled with our loyalty and unconditional love has brought her a huge sense of safety, comfort and calmness, which she is forever grateful for. And in return, she has done the exact same thing for us! Both pets and their owners deserve healthy mental well-being and @zoetispetcare is committed to helping you achieve that by providing you with some incredible vet-approved resources! See the link in our bio to check out these resources and to enter to win your very own mental wellness kit for both you and your pet! Healthy minds harbor happy hearts! #thisispetcare", + "likes": 5859 + }, + { + "caption": "Welcome to my custom doghouse aka Eggnog apartment... Since we have some new followers, we wanted to throw it back to our very first tour of my personal puppy pad! Happy #throwbackthursday everyone! . . ** If you would like to build your own custom Eggnog abode the link to our professional blueprints is in our bio! All proceeds go to @stjude **. . . #eggnog #eggnogthebulldog #customhome #mtvcribs #hgtvhome #homegoals #housegoals #theellenshow #9gagcute #9gag #barked #thebarkedclub #pawsup #ellenratemydog #unilad #ladbible #buzzfeedanimals #doggo #doggosdoingthings #pupflix #doggosbeingdoggos #dog #dogs #weeklyfluff #pubitypets", + "likes": 20319 + }, + { + "caption": "#workoutwednesday bulldog edition... We are joining our sweet friends @halfhuskybros and officially putting our amazing agility to the test! Happy #WackyWednesday everyone! . . . We've been training all year long for this event so we can #goforthegold in #wellyspawlympics2021 How did we do @beefywells?? . . . #eggnogandigloo #sisters #levelup #redsolocup #obstaclecourse #dogagility #2021olympics #olympics2021 #tokyoolympics #dogtraining #bestinshow #dog #dogs #weeklyfluff", + "likes": 7201 + }, + { + "caption": "#TrueLove Tuesday.... #NationalLoveIsKindDay Tell us how you would react.... . . #igloo #igloothebulldog #doglove #unconditionallove #ilovemydog #dogmomlife #dogkisses #loveiskind #allthefeels #reels #reelsvideo #reelsinstagram #instagramreels #theellenshow #9gagcute #thebarkedclub #pawsup #thedodo #ellenratemydog #heyjenlookatme #doggosdoingthings #pubitypets #dog #dogs #weeklyfluff #weratedogs", + "likes": 41262 + }, + { + "caption": "B*tch better have my nuggets... #motivationmonday #chimkennuggers Happy #magicwindow Monday everyone! . . Audio by @hi.this.is.tatum . . . #eggnogthebulldog #eggnog #drivethru #nuggets #chickennuggets #chimken #chimkin #dogvideos #funnydogvideos #dogmemes #barstooldogs #dog #dogs #pubityreels #kalesalad #reels #reelsvideo #instagramreels #dogreels #weeklyfluff #9gagcute #thebarkedclub #doggosdoingthings #ellenratemydog #heyjenlookatme", + "likes": 30938 + }, + { + "caption": "Maybe she's barn with it... #NationalDayOfTheCowboy Happy #SaddleUp Sunday everyone! . . . #eggnog #eggnogthebulldog #cowgirl #giddyup #cowboylife #toystory #youvegotafriendinme #reels #reelsvideo #reelsinstagram #instagramreels #theellenshow #9gagcute #thebarkedclub #pawsup #ellenratemydog #heyjenlookatme #doggosdoingthings #pupflix #doggosbeingdoggos #dog #dogs #weeklyfluff #pubityreels #dogvideos #funnydogvideos #magicmike", + "likes": 14097 + }, + { + "caption": "Nothing like a #java jolt! Happy #flashbackfriday from the #BombCyclone! . . . Happy Birthday to our sweet friends @bb_and_her_bulldogs and @franklin_thebulldog! We love you! . . . #igloo #igloothebulldog #dingdong #zoomies #dogzoomies #zoomiesfordays #fridayvibes #coffeelover #coffeetime #theellenshow #9gagcute #9gag #barked #thebarkedclub #pawsup #ellenratemydog #heyjenlookatme #buzzfeedanimals #doggo #doggosdoingthings #doggosbeingdoggos #dog #dogs #weeklyfluff #custom #doghouse", + "likes": 11218 + }, + { + "caption": "Visions of sugar plums danced in her head... Happy #throwbackthursday from one sweet and sleepy little Eggnog.... . . Wishing a very Happy Birthday to our sweet friends @kingstonthebulldog13 @abcadorabulls @princesslola722 today! We love you! . . . #eggnog #eggnogthebulldog #christmasinjuly #christmascheer #dog #dogs #weeklyfluff #weratedogs #ellenratemydog #heyjenlookatme #puppygram #ilovemydog #puppydays #puppies #pups #puppiesofinstagram #puppylove #puppyoftheday #cutepuppy #dogs #cutepuppies #christmaspuppy #cutepuppiesofinstagram #weeklyfluff #weratedogs #pawsup #thebarkedclub", + "likes": 9397 + }, + { + "caption": "Let's be frank... there's a new sheriff in town.... #ad Feeling like one #hotdog with my @stellaandchewys Wild Weenies on this #nationalhotdogday When it comes to snacking on #stellaandchewys...everyone's a weiner! Happy WILD Wednesday everyone! #stellasquad #wildweenies. . . #eggnogthebulldog #eggnog #cowgirl #youvegotafriendinme #cowboyboots #sheriffdeputy #wildwildwest #reels #reelsvideo #instagramreels #viralreels #funnydogvideos #funnydog #funnyvideos #ilovemydog", + "likes": 36416 + }, + { + "caption": "Latest installment of #truestory Tuesday.... #neglected Tag a friend who can relate! . . . #eggnogandigloo #sisters #allbymyself #dogdrama #dogs #dramaqueens #doglife #dogmemes #reels #reelsvideo #reelsinstagram #instagramreels #theellenshow #9gagcute #thebarkedclub #pawsup #ellenratemydog #heyjenlookatme #doggosdoingthings #dogreels #animalsdoingthings #pubityreels #doggosbeingdoggos #dog #weeklyfluff #barstooldogs", + "likes": 10512 + } + ] + }, + { + "fullname": "adrianna guevara adarme", + "biography": ": cookbook author, recipe maker, los angeles click here for recipes", + "followers_count": 474519, + "follows_count": 1066, + "website": "https://linkinprofile.com/acozykitchen", + "profileCategory": 2, + "specialisation": "Author", + "location": "", + "username": "acozykitchen", + "role": "influencer", + "latestMedia": [ + { + "caption": "Food Photography Tips - I could talk about my love of food photography all day, but lets talk about light. I love taking photos in harsh, direct light thats been diffused with a sheet of diffusion. I edit the photos, organize them, and manage them using @microsoft365 OneDrive. It allows me to have access to all my photos from my phone. EASY! #microsoft365 #ad", + "likes": 2903 + }, + { + "caption": "basque cheesecake have you tried it? the easiest cheesecake you could ever make. zero crust makes this one super simple. and zero springform pan needed. light and airy with a caramelized burnt delicious flavor. recipe link in profile ", + "likes": 18540 + }, + { + "caption": "Inspiration! Where does it come from? How to organize it? For me I use @microsoft365 Excel to organize my ideas and flavor combinations. Inspiration comes from everywhere but mostly travel and eating out. After trips, I like to write lists of things Ive eaten, flavor combos that I fell in love with. And then when I need to, I can reference what those things are. Easy! #microsoft365 #ad", + "likes": 1600 + }, + { + "caption": "fried zucchini blossoms do you like? Y/N? i stuffed mine with a mixture of ricotta, lemon zest and mozzarella (SO GOOD) super crispy and delicious. recipe below! also: i got these blossoms at my local farmer's market. next up, flor de calabaza quesadillas! 10-12 zucchini blossoms 1/2 cup ricotta zest from 1/2 lemon 1/2 cup melty shredded cheese 4 basil leaves, torn salt and pepper 1 cup all-purpose flour 1/4 teaspoon kosher salt 1/3 cup cold sparkling water trim the zucchini blossoms, if needed. mix together the ricotta, lemon zest, shredded cheese, torn basil leaves and a few pinches of salt and pepper. transfer to a piping bag for easy stuffing. pipe each blossom with the filling whisk together the all-purpose flour, salt and cold sparkling water. dip the stuffed blossoms in the batter, allowing some of the excess to run off. transfer them to the hot oil, frying them for about 1 to 2 minutes per side. transfer to a paper towel and sprinkle with flakey sea salt. repeat with remaining blossoms! drizzle with honey if you want bc that's your business!", + "likes": 13464 + }, + { + "caption": "How to Write a Recipe - These are the general guidelines I follow when writing a recipe. From the order in which you should list out ingredients to providing a timeframe and a visual cue, these are in place to make the reader/baker more successful! I use @microsoft365 Word to write all of my recipes and then I cut and paste them into Wordpress. #ad #microsoft365", + "likes": 2653 + }, + { + "caption": "Lets build a summer cheese board which is the perfect thing to assemble, rain or shine. Head to @wholefoods to grab all of these essentials and follow these tips to make a super pretty summer cheese board. #sponsored In addition to the recipes on my page, Whole Foods Market is making things more fun and has teamed up with the @weatherchannels @stephanieabrams, and if it rains in more than 50% of the continental U.S. from 6/19 to 8/9, shell make the call, and youll have the chance to grab a Rain-Day Redo package filled with summer essentials. So make sure to follow along and click the link in my bio for more details. #WFMRainyDayRedo NO PURCH. NEC. Open to legal res of 50 US/DC, 18+ only. Valid 6/21 8/9/21. Void where prohibited. Msg&data rates may apply.", + "likes": 3713 + }, + { + "caption": "mini strawberry cake fresh strawberries are pured and mixed into this batter for a strong strawberry milk flavor and since there are no layers, it makes for easy decorating. link in profile ", + "likes": 14091 + }, + { + "caption": "How to Develop a Recipe The evolution of writing an initial blueprint of a recipe to testing and changing it along the way is one of my favorite creative processes. I love it so much. I like to start with a basic shell of a recipe and make tweaks, depending on texture and taste. I use @microsoft365 Word to keep up with the changes correctly. It ensures that no notes or changes are lost or missed, resulting in a recipe all of you hopefully love! #microsoft365 #ad", + "likes": 6534 + }, + { + "caption": "Tiramisu affogato is my new favorite quick, easy dessert to make rain or shine. first step is to head to @wholefoods to gather your ingredients so you can achieve this fun lil quick dessert. #sponsored In addition to the summer recipes on my page, Whole Foods Market is making things more fun and has teamed up with the @weatherchannels @stephanieabram. If it rains in more than 50% of the continental U.S. from 6/19 to 8/9, shell make the call, and youll have the chance to grab a Rain-Day Redo package filled with summer essentials. So make sure to follow along and click the link in my bio for more details. #WFMRainyDayRedo NO PURCH. NEC. Open to legal res of 50 US/DC, 18+ only. Valid 6/21 8/9/21. Void where prohibited. Msg&data rates may apply. Here are the ingredients youll need: 3 tablespoons mascarpone cheese 2 tablespoons heavy cream 1 tablespoon sugar Talenti ice cream (I chose Madagascar Vanilla Bean) 1 double shot of espresso 1 teaspoon cocoa powder, for garnish Ladyfingers", + "likes": 11849 + }, + { + "caption": "grilled grass-fed steak gyros with tzatziki sauce featuring my favorite grass-fed flank steak from @beefandlambnz that is so tender, naturally flavorful and delicious that it doesnt need much else to make your mouth water. just salt and olive oil, then slice and assemble! #sponsored #tastepurenature here is the link to the recipe: https://www.acozykitchen.com/grilled-grass-fed-steak-gyros", + "likes": 3548 + }, + { + "caption": "strawberries and cream cake layers of fluffy white cake with freshly sliced strawberries and a simple vanilla buttercream. this cake is so fresh tasting and perfect for summer time vibes. recipe link in profile! ", + "likes": 12132 + }, + { + "caption": "strawberry tres leches the best cake hands down will forever be my beloved tres leches. this is made even better by making strawberry milk. pour it on top, let it soak overnight, top with fluffy whipped cream. and enjoy your life. full recipe link here: https://www.acozykitchen.com/strawberry-milk-tres-leches", + "likes": 16128 + } + ] + }, + { + "fullname": "\ud835\udd10\ud835\udd22\ud835\udd29\ud835\udd26\ud835\udd2b\ud835\udd21\ud835\udd1e \ud835\udd0d\ud835\udd2c\ud835\udd25\ud835\udd1e\ud835\udd2b\ud835\udd30\ud835\udd30\ud835\udd2c\ud835\udd2b", + "biography": "The pastry chef that knows cake and has cake Virgo'93 #SlayingTheseCurves #GamerBabe", + "followers_count": 268956, + "follows_count": 211, + "website": "http://beacons.page/meelindaaj/", + "profileCategory": 3, + "specialisation": "Public Figure", + "location": "", + "username": "meelindaaj", + "role": "influencer", + "latestMedia": [ + { + "caption": "You can find this set on OF with a video among more exclusive posts #LinkInBio NoneNudeOF #SideBoob", + "likes": 15824 + }, + { + "caption": " Happy midsummer ", + "likes": 26229 + }, + { + "caption": "Counting down the days until my vacay start.. 3 more work days to go then its full on vacay mode #ALLnatural #cellulite", + "likes": 20918 + }, + { + "caption": "Casual Sunday #NappingSunday to be more exact. Ive been so tired today ", + "likes": 19229 + }, + { + "caption": "Been work all week and bad weather so no riding... But Im comforting myself that I will be able to ride my man the entire weekend #PunIntended #BikerBabe #Biker #Yamaha", + "likes": 12816 + }, + { + "caption": "Capture the moment ", + "likes": 24601 + }, + { + "caption": "Different point of view. #LetsFeelGood #InEveryPointOfView #OfOurselves #YesterdayOutfit", + "likes": 17696 + }, + { + "caption": "When its still sunny outside at 8oclock in the evening you know summer is just around the corner. ", + "likes": 19358 + }, + { + "caption": "Red is my favourite colour #TattooBetweenBreastPlayingHideNSeek #SWIPE", + "likes": 17925 + }, + { + "caption": "#summervibes", + "likes": 16397 + }, + { + "caption": "On my Sunday walk I found a quiet place by an abandoned house I needed this, been stuck in my apartment sick for day and finally I feel well ", + "likes": 24886 + }, + { + "caption": "Lets stay in bed for the rest of the day. ", + "likes": 20608 + } + ] + }, + { + "fullname": "Kim-Joy", + "biography": "Click link below to order my NEW baking book Celebrate with Kim-Joy, AND card game Kim-Joys Magic Bakery #GBBO vivienne@vivienneclore.com", + "followers_count": 327842, + "follows_count": 1080, + "website": "http://kimjoyskitchen.com/linktree/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "kimjoyskitchen", + "role": "influencer", + "latestMedia": [ + { + "caption": "The FIRST sneak peak into my new book...! This is a cake for the Day of the Dead Probably one of the trickier looking recipes in there, but one of my favourites! And its not all that tricky - the line between the black and white is created using baking paper to stop the colour going over the line. And you do need to flip the whole cake over for the anti gravity drips, but once its been in the freezer for a bit, its easy!! The cake isnt going anywhere! Like my other books, there are a selection of tasty cake recipes from red velvet to apple cake to creme brulee cake (including vegan and gluten free options!) that will work with this design, so you can pick your favourite. And just like before too, there arent just cakes - theres bread, pastries, mousses, smaller bakes, biscuits, all sorts...! More to come soon. I have actually received the ACTUAL BOOK in the post the other day and resisted opening it so far as been thinking of doing an Instagram live for the first unwrapping, what do you think? Would you tune in? Ive always had a bit of a mental block with Instagram lives cause of anxieties , but I want to do it, Im gonna do it!!!! . Photo by the ace @ellisparrinder (same as all my books cause hes amazing!), and wonderful props by @charlottelovely, and the one and only fabulous baking buddy @hebe_konditori published by @quadrillebooks . . . . #baking #bakinglove #ilovebaking #bakersofinstagram #cakedecorating #cakesofinstagram #dayofthedead #dayofthedeadcake #antigravitydripcake #recipebook #bakingbook #cakeideas #cakedesigns #cakestagram", + "likes": 9615 + }, + { + "caption": "Double jabbed!!! ", + "likes": 25295 + }, + { + "caption": "Raspberry PENGUIN pavlova, anyone? this bake is actually inspired by the raspberry pavlova card in Kim-Joys Magic Bakery, but in real edible form! And its full of cream and tons of fruit and a bit of fresh basil (or can use mint) to cut through the sugar. Nestle in chocolate marshmallow penguins for extra cuteness, then settle down to eat this whilst you play a game! Theres thunder and lightning over in Leeds right now (the cats have dashed in all wet and demanding food!), and this pavlova would be very welcome right now! Hope you all have lovely weather and food wherever you are right now Recipe coming soooon preorder links in bio xx . . . . #baking #pavlova #pavlovas #bakingvideo #bakingideas #bakersofinstagram #bakingdecoration #meringuecake #meringueideas #pavlovalover #pavlovadessert #foodvideos #foodvids", + "likes": 18788 + }, + { + "caption": "THANK YOU!! I have a sort of excitement mixed with nervousness after bringing out my new book and card game. Excitement cause Im super proud and these are all good things! And then nervous because Im thinking what your reaction is going to be, all the scary what ifs, and cause Im often not living in the moment - instead thinking of the NEXT THING when I take a break. Like a lot of us, I dont give myself time to celebrate the here and now. We all need to do that more but life does make it hard, everything is just a bit too fast. So what Im saying to you I guess, is remember that you are worthy, try to slow down, celebrate your achievements when they happen! I thought this photo was fitting because I am both happy/excited and nervous here. Happy Im hanging out in nature, but nervous because Im balancing on a rock whilst @nabiltravels is throwing rocks at me to create the splash and balance is poor - see last video but at least Im sort of in the moment! The other times Im truly living in the moment are when Im concentrated on a bake or a game. But sadly cant do that all the time!! But it does really help. Thank you to all of you who support me and have preordered already, I really really appreciate it more than you know. I smile so much reading your comments . . . #bakingbook #bakersofinstagram #ilovebaking #naturelove #inthemoment #mindfulness #mindfulnesspractice #mindfulnessmatters #inthenow #bekindtoyourself #tabletopgames", + "likes": 17666 + }, + { + "caption": "EXCITING NEWS!! Im very excited to tell you that I have a Magic Bakery card game available to preorder NOW! (link in my bio, and the first 250 orders get a free pin!) Ive been working on this magical co-operative card game for ages, along with the amazing team at @skyboundtabletop - since we by chance met at San Diego comic con back in 2019. You may know that me and @nabiltravels met through playing boardgames together, and Ive always loved how both baking and games bring people together in similar ways. So since 2019 Ive been working with @skyboundtabletop on getting the bakes just right, the right puns in there, and making sure its accessible so everyone can play and learn the rules quickly. I wanted the overall vibe of being in a magic bakery set in a forest, where all the customers are various animals wanting millefeuille, raspberry pavlova, macarons, etc! And you got to work together to bake their order otherwise they might go away! And theres that bit of fun chaos as there are different scenarios where for example, a cat sits on your cards and get in the way of your baking, or the mice switch the labels! I am so excited about this. So much excitement at the moment with my new book out, as well as this now too, my brain is fizzled Link in my bio! Click it, then click on Kim-Joys Magic Bakery - THANK YOU!! Thanks to the whole Skybound team, @kepneraptor for the amazing game design, @jamesmatthewhudson for getting this out there and being amazing and @housecatillustration for the illustrations that bring this game to life! And all the playtesters who make the game fabulous!! . . #bakinglove #cardgamesofinstagram #cardgames #tabletopgames #tabletopgaming #magicbakery #kimjoy #cooperativegames #cardgamesarefun #bakerylife #bakingfun #bakersgonnabake #gamenight", + "likes": 8155 + }, + { + "caption": "One of my favourite bakes I tested out at home for my new book Celebrate with Kim-Joy, and it made the cut! This is my phoenix cake to celebrate bonfire night - something a little bit different to the normal! Its decorated with a creme brulee top, rough gold edge, rice paper sail flames, fondant phoenix, swipes of coloured buttercream fire, and gold leaf. Inside Ive done various options for the cake and filling so you can mix and match! But for this cake I recommend the creme brulee cake recipe (delicious stiff but silky creme pat between layers, and lots of vanilla) to go with the theme but what I also love about this design, is you could do a similar thing but with different animals (dinosaurs!! ) and for different celebrations, and it can be simplified if you like! Imagine a sea themed one, with blue sails and a dolphin or mermaid splashing in? Probably without the brulee top. But instead you could put a jelly layer on top! As usual - Click the link in my bio to order, and all preorders help sooooo much . . . . #baking #bakinglove #bakersofinstagram #bonfirenight #phoenix #phoenixcakes #phoenixdesign #cakedesign #cakeideas #celebrationcake #celebrationcakes #cakedecorating #tallcake #ricepapersail #firecake #buttercreamcake", + "likes": 13801 + }, + { + "caption": "A little cake slicing action to brighten your Sunday the perfect way to cut a tall cake for lots of people is to cut right through the middle first, then slice into littler pieces from there! I didnt cut this cake (always feel the pressure !!!!) - instead it was fabulously sliced by my buddy @tulalotay . . . . #bakinglove #bakingathome #cakeslice #cakeslicing #cakecutting #cakecutting #cakecuttingtime #cakecut #tallcakes #birthdaycake #tallcakedesigns #colourfulcakes #kidscakesideas #cakeideas #bakingvideos", + "likes": 9242 + }, + { + "caption": "Mermaid/Unicorn dreams cake for a 4 year old girls birthday I dont always have a total plan in my head when I start making a cake, but a general idea of the main components! Was going to do a smooth watercolour buttercream effect for this cake, but after smoothing it over just once, it had these naturally super pretty cracks and dents, so I left it and highlighted these bits with edible gold paint to tie in with the rest of the cake! I really like this technique and will definitely do it more in the future! Im constantly learning new things about baking and I love that about it! The little pink meringue at the back also baked up with a little mouth so I couldnt resist giving it a surprise face baking is all about going with the flow and not making it perfect, just giving it some personality! Inside is a lemon and orange sponge, with vanilla (with a hint of almond extract) buttercream and fresh blueberries happy baking!!! . . . . #baking #cakedecorating #cakeideas #cutecake #birthdaycake #birthdaycakeideas #birthdaycakesforgirls #unicorncakes #mermaidcake #bakinglove #bakingideas #ilovecake #cakedesign", + "likes": 15329 + }, + { + "caption": "The book shoot DREAM team!! We spent two whole socially distanced weeks baking and shooting everything in my new book! We were all knackered by the end of it! Prior to that, I spent months developing the recipes and getting them just right - so there was no break for a looong time! But its an incredibly enjoyable process and amazing to be able to see everything come together on the book shoot. From left to right: @ellisparrinder (photographer making everything look ), @charlottelovely (sorting out the perfect props to go with the bakes ), @nabiltravels (nabil has helped out on all my previous book shoots, hes actually amazing at tempering chocolate and lots of stuff! Though this time just came at the beginning and end, and managed to sneak into the core picture hehe!!), @hebe_konditori (my super cool baking buddy/food stylist, the tidy to my messy )!! Also lots more people behind the scenes and the @quadrillebooks team . Altogether a fabulous team! Swipe to see a pic of my back seat at the end of the two week shoot! That new home gingerbread was the last bake we shot, so I brought it all the way back home with me on top of all my ingredients and equipment. Love this back seat picture, because I feel like it represents the hard work that went into this, and my jumbled brain trying to organise and think of too many things at once! you cant see my aching feet and food stained fingers, but thats there too Preorder link still in my bio thank you for all of you who have preordered so far!! . . . . #baking #bakingteam #recipes #recipebook #bakingbook #kimjoy #creativebaking #bakingideas #celebrate #celebratebaking #bakingtherapy", + "likes": 7798 + }, + { + "caption": "Happy PRIDE month I saw a tshirt with the phrase why be racist, sexist, homophobic transphobic, when you could just be quiet? And this is SO TRUE!!! We need less of those voices, and more kind voices! And more biscuits!!! These are edible shortbread by the way, Druid style inspired by @petecromer . . . #pridemonth #pride #pride2021 #pride #happypride #happypridemonth #pridemonth2021 #bekind #bekindalways #acceptance", + "likes": 11575 + }, + { + "caption": "MY NEW BOOK IS HEREEE its an absolute DREAM come true, tons of hard work, and Ive just loved the process of creating this so so much. Just like my other books, this one is full of colour, joy and puns to keep you going. Hopefully its a book you can escape into and find yourself in a different magical world, one where trees are made from candyfloss and dinosaurs live on cheesecakes. there are bakes for loads of different celebrations, all around the world! Its available to preorder right NOW! (link in my bio) and thank you so so much to those of you who have already preordered, and if you havent yet, I really appreciate it if you would like to! Baking is so amazing for our mental health, and is such a happy thing (even when things dont go to plan!), so Ive done everything I can to make this book embody that. Its not just a book of recipes, its a book of happiness, magic and embracing mistakes, and the creativity that comes from all of that combined. There are bakes for you if youre a beginner, as well as if youre advanced! You can also adapt so much and create your own magic. Loads of vegan and gluten free options too!! I love seeing all your recipes and photos from my previous books, and hope you love this one just as much! I dont want to go on about it for too long, but really so much love and hard work has gone into this and theres a bunch of super special people who have made it happen (all these people are truly fabulous!!! It also helps that Ive worked with most of them on my previous two books too, and it really is a dream team and winning formula!) - everyone at @quadrillebooks, @celinebilliejean (my wonderful editor ), @ellisparrinder (photographer of dreams ), @hebe_konditori (best ever baking buddy/food stylist ), @charlottelovely (prop perfection!) @aliciahousedesign (design/making everything come together!) @housecatillustration (illustrations to bring everything to life!), @marykatemcdevitt (title lettering ), hair&makeup @danni_hair_makeup Running out of space thanks again and happy baking everyone lots more to come! #baking #kimjoy #recipes #bakingbook #happybaking #cutebakes #bake", + "likes": 17604 + }, + { + "caption": "Hi from me and some of my family got to see them the other week after over a year and a half! my bros Kenneth and Kevan (all start with Ks!) and my mum who is outshining me with that red coat. and of course nabil, and Jade (Kenneths gf). None of them bake really, i need to get some time to teach them!!! It would be entertaining... ! . . . #family #familytime #reunited #happytimes #happy", + "likes": 17951 + } + ] + }, + { + "fullname": "SweetAmbs - Amber Spiegel", + "biography": "Hi! Im Amber Author of Cookie Art Mom of 2 Recipes, cookie decorating tools, online classes, & tutorials", + "followers_count": 1046964, + "follows_count": 375, + "website": "https://searchmysocial.media/sweetambs", + "profileCategory": 3, + "specialisation": "Artist", + "location": "", + "username": "sweetambs", + "role": "influencer", + "latestMedia": [ + { + "caption": "This is how I spent my morning #sweetambs #beachhouse #gingerbreadhouse #royalicingcookies", + "likes": 8746 + }, + { + "caption": "My friend Marlyn of @montrealconfections shares her version of a flamingo cookie Did you notice she used a simple leaf cookie to create the wing? She's so creative! #montrealconfections #royalicingcookies #flamingocookies #cookiedecorating", + "likes": 1240 + }, + { + "caption": "Here's yet another design inspired by my daughters' clothes! The idea came from a very colorful set of pajamas that Sidney got for her 2nd birthday. Become an All-access or VIP subscriber on Patreon for the full tutorial, supply list, and recipes to make these brush embroidery cookies. #sweetambs #sweetambscookies #royalicingcookies #brushembroidery", + "likes": 9412 + }, + { + "caption": "In addition to the self-portrait cookie I made for the #disneyyourselfcollab, I also made one for each of my daughters! Can you guess which Disney character inspired this portrait of my 2 year old? Thanks to @youcancallmesweetie and @burntcookiesbymurrah for hosting this collab!! #sweetambs #sweetambscookies #disneycookies #royalicingcookies", + "likes": 3236 + }, + { + "caption": "This cookie portrait of my daughter as Elsa from Frozen 2 is the third that I created for the #DisneyYourselfCollab hosted by @youcancallmesweetie and @burntcookiesbymurrah! This project was such a challenge but I enjoyed every minute! (and there were a LOT of minutes) You can see the other two portraits on my IGTV", + "likes": 8038 + }, + { + "caption": "My previous post was scheduled to publish this morning before I was made aware of the disturbing comments made by the VP of Arkon Mounts during a recent livestream so Im posting again. Im disgusted by what happened to @the.creative.siren. No person should have to deal with any type of harassment ever, ever, ever. I will not be associating myself with the company. Thanks to everyone who brought this to my attention.", + "likes": 8098 + }, + { + "caption": "Have you ever used modeling chocolate to decorate your cookies or cakes? I prefer the flavor over fondant which is why I used it on these brooch cookies Become an All-Access or VIP Subscriber on Patreon to watch the full tutorial (clickable link in my bio) https://www.patreon.com/posts/50034859 #sweetambs #sweetambscookies #broochoftheday #royalicingcookies", + "likes": 3299 + }, + { + "caption": "I really didn't know where this was going when I started these tie dye shark cookies but it worked out in the end And yes, the cookie is plastic It's a Notta Cookie for practicing. Get them at @theflourboxshop! #sweetambs #sweetambscookies #royalicingcookies #tiedye #sharks", + "likes": 6245 + }, + { + "caption": "You don't need an extensive cutter collection to make custom cookies! Here @montrealconfections shares how you can make gown cookie with a simple heart shape. #decoratedcookies #decoratedsugarcookies #royalicingcookies #montrealconfections", + "likes": 4562 + }, + { + "caption": "This might be the only song Ill ever use for all future videos Rainbow scratch art t-shirt cookie tutorial and supply list is on my blog! #sweetambs #sweetambscookies #rainbowcookies #royalicingcookies", + "likes": 4139 + }, + { + "caption": "Here's a look at how I made my portrait cookie for the #DisneyYourselfCollab hosted by @burntcookiesbymurrah and @youcancallmesweetie This portrait cookie is painted with a combination of powdered and gel food coloring from @chefmaster, @thesugarart, Crystal Colors, and @wiltoncakes The brushes are from @nycake, @sweetsticksau, and Wilton I made two other cookies - one for each of my daughters - which I'll be sharing soon ", + "likes": 13409 + }, + { + "caption": "It's fun to buy new cookie cutters but sometimes I like to challenge myself to use the cutters I already have to make a new design. I used the Long Fancy Plaque from @annclarkcookiecutters to make this Alice in Wonderland dress cookie. See the full tutorial on my blog! Clickable link in my bio https://www.sweetambs.com/tutorial/alice-in-wonderland-cookies/ #sweetambs #sweetambscookies #royalicingcookies #aliceinwonderland", + "likes": 6518 + }, + { + "caption": "My least favorite part of cookie decorating is mixing icing colors!! One of the reasons I started painting on royal icing is partially because of the versatility, but also because I just don't want to make all those colors How about you? Do you enjoy mixing colors? #sweetambs #sweetambscookies #galaxy #royalicingcookies", + "likes": 3686 + }, + { + "caption": "This was such a challenge but I'm so happy with how this portrait cookie turned out! I created this for the #DisneyYourselfCollab hosted by @burntcookiesbymurrah and @youcancallmesweetie This portrait cookie is painted with a combination of powdered and gel food coloring from @chefmaster, @thesugarart, Crystal Colors, and @wiltoncakes The brushes are from @nycake, @sweetsticksau, and Wilton", + "likes": 7043 + }, + { + "caption": "I'm so excited for the launch of Crypto Cookie from @beertreebrew and @uptown_bev!! This fruited sour was inspired by my orange cardamom cookie recipe and is made with delicious cookies baked by @upstatecookieshack New Yorkers can get it online at uptownbeverage.com! #sweetambs #sweetambscookies #cookiebeer", + "likes": 6430 + }, + { + "caption": "Have you ever had a complete baking fail?? Heres what happened when I didnt add enough gelatin to my April Fools dessert deviled eggs Watch til the end to see what it was supposed to look like!! Thats the last time I try to make a recipe from memory ", + "likes": 7345 + }, + { + "caption": "For this months #sweetnailscollab hosted by @burntcookiesbymurrah I went with an under-the-sea/Christmas In July theme The nails are Color Street nail strips from @sweetnailsbymurrah in Long Time No Sea and Mermaid You Look The cookie cutters, @chefmaster food coloring, and @thesugarart luster dust that I used to make these cookies are available in my global Bellys store (link in my bio) #sweetnailscollabjuly #sweetambs #sweetambscookies #royalicingcookies", + "likes": 2811 + }, + { + "caption": "@montrealconfections shares her shark cookie design perfect for your summer celebrations!", + "likes": 3952 + }, + { + "caption": "Have you ever made cookies to match your nails? I made these mermaid tail cookies with royal icing back in May as part of the #sweetnailscollab hosted by @burntcookiesbymurrah See the full tutorial and supply list on my blog at SweetAmbs.com", + "likes": 6161 + }, + { + "caption": "Tie dye sharks because why not?? Watch the replay of yesterdays livestream on Facebook or YouTube for the full tutorial! Filmed using my @arkonmounts Clamp base stand for DSLR camera, tablet, or phone. Use my affiliate discount code SWEETAMBS for 20% off mounts at Arkon.com! #sweetambs #sweetambscookies #sharkweek #shark #jaws #tiedye", + "likes": 33021 + }, + { + "caption": "You can put a watermelon theme on pretty much any cookie (right, @hanielas?) Watch the full tutorial and get the supply list for these watermelon cake cookies on my blog! #sweetambs #sweetambscookies #royalicingcookies #watermelon", + "likes": 7201 + }, + { + "caption": "I think it would be fun to make these rainbow scratch art cookies as a gift and let the recipient create their own designs! Rainbow nails are from Color Street @sweetnailsbymurrah Sculpting chocolate is from @fondarificfondant Colors are from @chefmaster", + "likes": 2980 + } + ] + }, + { + "fullname": "Sour Patch Kids", + "biography": "I'm sour, I'm sweet, I'm on a mission to find the Mystery flavor! Make your guess in the link below!", + "followers_count": 483587, + "follows_count": 115, + "website": "http://bit.ly/spkmystery/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "sourpatchkids", + "role": "influencer", + "latestMedia": [ + { + "caption": "Feeling a little ~dramatic~ today ", + "likes": 1835 + }, + { + "caption": "Soaking up the sun and sour dont text . . . . . #sourpatchkids #sourthensweet #sourcandy #beachvibes #beachday", + "likes": 3984 + }, + { + "caption": "Convinced the colors on my bottom half are simply different colored pants that I am wearing . . : @beastmode_germany . . #sourpatchkids #sourthensweet #sourcandy #twocolor #gummycandy", + "likes": 8103 + }, + { + "caption": "Always have your SOUR PATCH KIDS close by for those moments.", + "likes": 8024 + }, + { + "caption": "I didnt like how last year went so Im doing my 35th birthday over. You know what? Youre invited! Last 35 fans to comment at 3:50pm ET are getting added to my Close Friends list to celebrate in a BIG way...like exclusive access to buy this special BDay offer I only made 35 of ", + "likes": 8682 + }, + { + "caption": "Allow us to reintroduce ourselves . . : @sugardad.eu . . #sourpatchkids #sourthensweet #sourcandy #tropical #tropicalcandy #tweetmeme", + "likes": 9562 + }, + { + "caption": "Here it is, your final clue from PATCH HQ. Have you solved the mystery? Are you almost there? No time like right now to make your guess via the link in bio! 50 U.S., D.C. & PR 13+. Ends: 8/15/21. Void where prohibited. Rules & free entry: http://sourpatchkidsmystery.com.", + "likes": 3870 + }, + { + "caption": "I think I nailed it, right @oreo?", + "likes": 14388 + }, + { + "caption": "You ever have these SOUR PATCH Strawberries on a summer evening? Harry Styles has a lot to say on the subject. . . : @candyfunhouse . . #sourpatchkids #sourthensweet #sourcandy #Strawberry", + "likes": 8351 + }, + { + "caption": "We're less than a month away from our Mystery flavor reveal! Have you figured it out yet? . . . . . #sourpatchkids #sourthensweet #sourcandy #mystery #mysteryflavor", + "likes": 4607 + }, + { + "caption": "Real ones know #NationalSourCandyDay is every day . . . . . #sourpatchkids #sourthensweet #sourcandy #sourcandyday #candy", + "likes": 2867 + }, + { + "caption": "But also Monday, Tuesday, Wednesday, Thursday, Saturday and Sunday", + "likes": 43503 + } + ] + }, + { + "fullname": "DessertBae", + "biography": "Sweetest Desserts on Instagram TikTok: @dessertbae & @mealbae FL NYC CALI & Love Ice Cream @icecreambae Love Burgers @burgersbae", + "followers_count": 1144776, + "follows_count": 390, + "website": "http://www.instagram.com/cakesbae", + "profileCategory": 2, + "specialisation": "Blogger", + "location": "", + "username": "dessertbae", + "role": "influencer", + "latestMedia": [ + { + "caption": "DELICIOUS UBE PANCAKES!!!! WOULD YOU EAT THIS BEAUTY? #Dessertbae : @hangryblogger TAG SOMEONE WHO LOVES DESSERTS", + "likes": 3802 + }, + { + "caption": " Chocolate Or Birthday Cake Shakes?!? Which Are You Choosing? #dessertbae : @whatchewwant TAG A MILKSHAKE LOVER", + "likes": 7284 + }, + { + "caption": "HOMEMADE FRENCH TOAST Would you SMASH or PASS #dessertbae INGREDIENTS - Texas Toast Bread - Eggs - Butter - Cinnamon - Vanilla - Fresh Fruit & Honey for Topping INSTRUCTIONS - Start your griddle on a low-medium heat and start to make your French Toast Egg mixture. - In a large bowl crack your eggs, put in a splash of milk, and add a splash of vanilla. - Whisk the egg mixture until everything is well mixed. - Sprinkle in cinnamon and whisk some more. - Once your Blackstone is warmed up take a paper towel and spread around a little bit of vegetable oil. I do this to make sure that the surface won't stick to the french toast. - Dip your bread in the egg mixture and make sure both sides are covered! - Place the bread on the griddle and do this until your griddle is full, I was able to get a whole loaf of Texas Toast bread on my 36 inch griddle. - After a couple of minutes check to see if the egg mixture will is cooked and flip to the other side when ready. A long spatula from the Blackstone Accessory kit will make the French toast flipping so much easier! - Repeat the process until you are out of bread! - Serve with fresh cut fruit and drizzle of raw honey ENJOY! : @dessertbae TAG SOMEONE WHO LOVES FRENCH TOAST", + "likes": 9641 + }, + { + "caption": "Caramel French Toast Topped With Fruit!!!! WOULD YOU EAT THIS? #dessertbae : @forkmeetsfood TAG SOMEONE WHO LOVES FRENCH TOAST", + "likes": 8118 + }, + { + "caption": "BANANAS FOSTER BEIGNETS!!!!! Would You Eat These? #dessertbae : @grubspot TAG A BANANA LOVER", + "likes": 4517 + }, + { + "caption": " Cookie Crisp Marshmallow Treats Would you SMASH or PASS #dessertbae INGREDIENTS - 3 tablespoon butter - 1(10-oz.) bag marshmallows - 1 box of Cookie Crisp Cereal INSTRUCTIONS - Line a 9-x-13 pan with parchment paper and grease with cooking spray. In a large pot over medium-low heat, melt butter. Stir in marshmallows until mixture is melted. Remove from heat. - Immediately add Cookie Crisp Cereal l and stir with a rubber spatula until combined. Working quickly, press the mixture into a pan and press evenly. - Slice into Pieces and serve. - ENJOY! : @dessertbae TAG SOMEONE WHO LOVES COOKIE CRISP", + "likes": 9516 + }, + { + "caption": "9 Scoop Waffle Bowl Or 3 Scoop Cone? Which Are You Taking #dessertbae #icecreambae : @juanbiteatatime TAG A ICECREAM LOVER", + "likes": 9649 + }, + { + "caption": " These Freshly-Fried Malasadas!!! Flavors Like Guava, Ube, And Coffee Would You Give These A Try? #Dessertbae : @lasvegasfill : Las Vegas, Nevada TAG A DESSERT LOVER ", + "likes": 3953 + }, + { + "caption": "Chocolate, Vanilla, or Cherry & Vanilla Croissants Which would you go with first @7days_snacks_usa Available TODAY at Your Local WALMART #dessertbae FLAVORS - Chocolate Cream Filling - Vanilla Flavor Filling - Double Cherry & Vanilla Flavor Fillings : @dessertbae : @7days_snacks_usa TAG SOMEONE WHO LOVES CROISSANTS", + "likes": 1727 + }, + { + "caption": " These Pancakes With Seasonal Fruits And House-Made Whipped Cream!!!! #dessertbae : @foodninjaken TAG SOME ONE WHO LOVES PANCAKES", + "likes": 18329 + }, + { + "caption": "EASY 5 INGREDIENT CRME BRLE SMASH or PASS #dessertbae INGREDIENTS - 2 1/2cupsheavy whipping cream sugar - 1/4teaspoonsalt - 5large egg yolksat room temperature - 1/2cupgranulated sugardivided - 1 1/2teaspoonspure vanilla extract - 1/4cupgranulated sugar INSTRUCTIONS - Preheat the oven to 325 degrees F. - Add heavy cream and salt to a medium saucepan and heat over medium heat just until simmering. As soon as it begins to simmer, remove from heat and stir in the vanilla extract. Set aside to cool for 10 minutes. - Bring about 5 cups of water to a boil on the stovetop to use later in the water bath Place either (8) 4-ounce ramekins, (6) 5-ounce ramekins (my fav), or (5) 6-ounce ramekins in a roasting pan or two smaller baking pans; set aside. - Add the egg yolks and cup granulated sugar to a mixing bowl. Beat for 2 minutes. - Using a hand whisk and whisking constantly, slowly drizzle cup (eyeball it) warmed heavy cream into the egg mixture; whisk until completely incorporated. Repeat with another cup warmed cream. Once combined, slowly whisk in the remaining warmed cream until combined, whisking constantly. - Pour the custard into a large liquid measuring cup, Evenly divide the custard between the ramekins. Transfer boiling water to a separate (or cleaned) liquid measuring cup or pitcher. - Transfer the roasting pan with custard to the middle oven rack then immediately pour the hot water into the pan around the custard until it reaches about up the sides of the ramekins. - Bake at 325 degrees F for 25-45 minutes or until the center registers 170 degrees F on an instant read thermometer. The custard should be barely set, not liquid, but still jiggly all over. The baking time will depend on the depth of the ramekins; shallow 1-inch ramekins (5-6 ounces) will take closer to 25 minutes, deep 2-inch ramekins (4 ounces) will take closer to 45 minutes). - Remove the custards using tongs to a cooling rack and let cool to room temperature, 1-2 hours. Cover custards with plastic wrap and refrigerate for 4 hours up to 3 days before adding the sugar topping. : @dessertbae TAG SOMEONE WHO LOVES CRME BRL", + "likes": 10090 + }, + { + "caption": "RAINBOW COSMIC BLONDIES!!!!!! WOULD YOU EAT THIS? #dessertbae : @stickaforkinme TAG SOMEONE WHO LOVES DESSERTS", + "likes": 8926 + } + ] + }, + { + "fullname": "Recetas F\u00e1ciles y Deliciosas", + "biography": " Quieres comer delicioso? MI NUEVO LIBRO ", + "followers_count": 1796761, + "follows_count": 5030, + "website": "https://recetasgeniales.es/libro-recetas-geniales/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "recetasgeniales", + "role": "influencer", + "latestMedia": [ + { + "caption": " Deja tu Like y Comenta HOLA para que instagram sepa que quieres mas recetas deliciosas, Os contesto abajo Receta gracias a @dietaencasa Sigueme @recetasgeniales Sigueme @recetasgeniales Sigueme @recetasgeniales Disfruta en casa de estos bollitos Quieres comer en casa y disfrutar de +150 Recetas Deliciosas y Fciles? Entonces necesitas revisar el LINK azul de mi perfil @recetasgeniales Ingredientes para 4 bollitos: 1 zanahoria rallada 400g de avena 3 huevos Sal al gusto 1 cebolla Perejil Pimienta al gusto Pollo despechado Queso emmental Como lo hago? Comenta \"RECETAS\" Si quieres el paso a paso de esta super receta y mas ideas deliciosas #recetascaseras #recetasfit #comidasaludable #sano #cambiodehabitos #dietasaludable #queso #recetas #recetasaludable #recetassanas #recetasfitness #recetafit #recetafacil #adelgazar #deporte #bajardepeso #saludable #adelgazarsano #desayuno #desayunosaludable #comesano #cuerposano #patatas #papas #pollo #huevos #comer #comida #pasta #comidasana", + "likes": 16675 + }, + { + "caption": "Sigueme Deja tu Like y Comenta HOLA para que instagram sepa que quieres mas recetas deliciosas, Os contesto abajo Receta gracias a @vekalife Sigueme @recetasgeniales Sigueme @recetasgeniales Sigueme @recetasgeniales Queso fresco con 3 ingredientes Te gusta comer delicioso en casa y sin perder tiempo en la cocina? Pincha en el LINK azul de mi perfil @recetasgeniales y obtn +150 Recetas Fciles y Deliciosos Ingredientes: 4 Tazas de leche entera de vaca 1 cucharada de vinagre o zumo de limn Sal al gusto PREPARAMOS: Poner 4 tazas de leche en una olla a fuego medio alto y apagar el fuego justo antes de que empiece a burbujear. 2. Cuando apagues el fuego y la leche est caliente y no burbujeante agregar 1 cucharada de vinagre blanco . 3. MeZclar muy bien y dejar cuajar por 30 min . 4. Pasado los 30 min vas a notar que el queso se separ del suero . 5. Colar con la ayuda de un colador de tela, gasa, o franela de algodn . 6. Dejar colando durante 1 hora . 7. Agregarle sal, amasar o procesar y enmoldar. 8. Llevar al refrigerador o nevera durante 4 horas . 9. Disfrutar Comenta \"MAS RECETAS\" Si quieres los demas pasos y mas ideas deliciosas #pollo #recetasfit #comidasaludable #sano #cambiodehabitos #dietasaludable #papas #fitness #recetas #recetasaludable #recetassanas #recetasfitness #recetafit #recetafacil #adelgazar #deporte #bajardepeso #saludable #adelgazarsano #desayuno #desayunosaludable #comesano #cuerposano #comida #queso #huevos #comer #comida #patata #espaa", + "likes": 24709 + }, + { + "caption": " Deja tu Like y Comenta HOLA para que instagram sepa que quieres mas recetas deliciosas, Os contesto abajo Receta gracias a @emilioelchef Sigueme @recetasgeniales Sigueme @recetasgeniales Sigueme @recetasgeniales Quieres comer en casa y disfrutar de +150 Recetas Deliciosas y Fciles? Entonces necesitas revisar el LINK azul de mi perfil @recetasgeniales Ingredientes para 2 -3 personas: 1Para las pechugas: 1 pechuga de pollo 1/2 cebolla Sal y pimienta al gusto Aceite Opcional: cilantro Cebolla en polvo 1/2 taza de harina 2Para el relleno: Queso elemental Jamn York Queso rallado Como lo hago? Comenta \"RECETAS\" Si quieres el paso a paso de esta super receta y mas ideas deliciosas #championes #recetasfit #comidasaludable #sano #cambiodehabitos #dietasaludable #queso #recetas #recetasaludable #recetassanas #recetasfitness #recetafit #recetafacil #adelgazar #deporte #bajardepeso #saludable #adelgazarsano #desayuno #desayunosaludable #comesano #cuerposano #patatas #papas #pollo #huevos #comer #comida #pasta #comidasana", + "likes": 9867 + }, + { + "caption": " Deja tu Like y Comenta HOLA si amas esta receta y para que instagram sepa que quieres mas recetas deliciosas, Os contesto abajo Recipe @foodkagechris Sigueme @recetasgeniales Sigueme @recetasgeniales Sigueme @recetasgeniales Sndwich o bocadillo casero de doble queso Necesitas nuevas ideas para comer en casa barato y fcil? Tienes +150 Recetas Fciles y Deliciosas Pincha en el LINK azul de mi perfil @recetasgeniales Ingredientes para 1 Sndwich: 5 lonchas de jamn serrano o beicon o jamn de pavo o pollo 2 lonchas de queso elemental 2 rebanadas de pan 2 huevos batidos 2 hojas de lechuga 2 rodajas de tomate 2 lonchas de queso cheedar Tus salsas favoritas Aprende a hacer La Salsa Casera Genial en nuestro LIBRO Pincha en el LINK AZUL @recetasgeniales #tortilla #recetasfit #comidasaludable #sano #cambiodehabitos #dietasaludable #papas #fitness #recetas #recetasaludable #recetassanas #recetasfitness #recetafit #recetafacil #adelgazar #deporte #bajardepeso #sanoyrico #adelgazarsano #desayuno #desayunosaludable #comesano #cuerposano #patatas #pollo #huevos #comer #comida #sandwich #comidasana", + "likes": 14424 + }, + { + "caption": " Deja tu Like, Gurdalo y Comenta HOLA para que instagram sepa que quieres mas recetas deliciosas, Os contesto abajo Receta gracias a @lasrecetasdesimon Sigueme @recetasgeniales Sigueme @recetasgeniales Sigueme @recetasgeniales Receta Hamburguesa Secreta Quieres disfrutar de +150 Recetas Deliciosas y Fciles para hacer en casa cuando tienes poco tiempo? Entonces necesitas el libro que encontrars en el LINK azul de mi perfil @recetasgeniales Ingredientes para 4 hamburguesas: Comenta HAMBURGUESA si quieres ms recetas de hamburguesas Nuestro pan de hamburguesa casero (PARTE 1 en mi perfil) 500g de Carne molida 1 Cebolla rallada Ajo en polvo Sal y pimienta al gusto Aceite de oliva 1 cebolla cortada en juliana Salsa de queso o lonchas de queso derretidas Leche entera caliente Beicon o jamn de pavo o pollo a la plancha Como lo hago? Comenta \"RECETAS\" Si quieres el paso a paso de esta super receta y mas ideas deliciosas #hamburguesa #recetasfit #comidasaludable #sano #cambiodehabitos #dietasaludable #queso #recetas #recetasaludable #recetassanas #recetasfitness #recetafit #recetafacil #adelgazar #deporte #bajardepeso #saludable #adelgazarsano #desayuno #desayunosaludable #comesano #cuerposano #patatas #papas #pollo #huevos #comer #comida #hamburguesas #comidasana", + "likes": 27827 + }, + { + "caption": " Deja tu Like y Comenta HOLA para que instagram sepa que quieres ms recetas deliciosas, Os contesto abajo The best @les_delices_de_yas Sigueme @recetasgeniales Sigueme @recetasgeniales Sigueme @recetasgeniales Triangulos rellenos de pollo Te gusta comer delicioso en casa? Mira el LINK azul de mi perfil @recetasgeniales y prepara platos deliciosos, rpidos y fciles en casa Ingredientes: 6 Tortitas de trigo pequeas 1 Cebolla 1 pechuga de pollo en cuadraditos Especias al gusto, yo us Sal, pimienta, perejil y curry Tu salsa favorita Mozzarella rallada Cmo lo hacemos? Corta 1 cebolla en rodajas y cocina en una sartn. Agrega pollo cortado en trozos pequeos, perejil, luego agregue las especias (sal, pimienta, curry). Mezcla y cocina por 5 min. Pon la salsa de su preferencia, coloca una cucharada de relleno y luego agrega mozarella encima. Comenta \"YO QUIERO\" Si quieres ms ideas deliciosas y fciles como esta #recetadeldia #recetasfit #comidasaludable #sano #cambiodehabitos #dietasaludable #papas #fitness #recetas #recetasaludable #recetassanas #recetasfitness #recetafit #recetafacil #adelgazar #deporte #bajardepeso #saludable #adelgazarsano #desayuno #desayunosaludable #comesano #cuerposano #patatas #pollo #huevos #comer #comida #patata #comidasana", + "likes": 16064 + }, + { + "caption": " Deja tu Like y Comenta HOLA para que instagram sepa que quieres ms recetas deliciosas, Os contesto abajo Receta gracias a @emilioelchef Sigueme @recetasgeniales Sigueme @recetasgeniales Sigueme @recetasgeniales Nunca imaginaste comerte unos muslos de pollo as de deliciosos Te gusta comer en casa Barato, Delicioso y Fcil? Pincha en el LINK azul de mi perfil @recetasgeniales y disfruta de un 60% de descuento ahora mismo! Ingredientes para 5 muslos: Si ests buscando una opcin ms saludable, en vez de frer tus piernas de pollo, llvalas al horno a 180 grados por 20 minutos o en tu airfryer por 15 minutos a 180 grados 5 Muslos de pollo Aceite de oliva 3-4 Papas o patatas 100gr de pan rallado Opcional: perejil 150gr Queso rallado Sal y pimentn al gusto Pimentn Dulce y ajo en polvo al gusto Para el rebozado: Harina de trigo 2 Huevos Panko o pan rallado Cmo lo preparo? Comenta \"QUIERO RECETAS\" Si quieres el paso a paso y ms ideas deliciosas de recetas #pollo #recetasfit #comidasaludable #sano #cambiodehabitos #dietasaludable #papas #fitness #recetas #recetasaludable #recetassanas #recetasfitness #recetafit #recetafacil #adelgazar #deporte #bajardepeso #sanoyrico #adelgazarsano #desayuno #desayunosaludable #comesano #cuerposano #patatas #pollofrito #huevos #comer #comida #comidacasera #comidasana", + "likes": 24815 + }, + { + "caption": " Deja tu Like y Comenta HOLA para que instagram sepa que quieres ms recetas deliciosas, Os contesto abajo Receta del gran @beutelcooking Sigueme @recetasgeniales Sigueme @recetasgeniales Sigueme @recetasgeniales Aros de cebolla rellenos de queso Quieres comer en casa y disfrutar de +150 Recetas Deliciosas y Fciles? Entonces necesitas revisar el LINK azul de mi perfil @recetasgeniales Ingredientes para 2 personas: Si te ests cuidando y buscas una opcin ms saludable en vez de frer tus aros de cebolla llvalos al horno a 180- 200 grados por 20 min. Tambin puedes cocinarlos en tu airfryer a 180 grados durante 15 minutos. 3 Cebollas Queso elemental 150 grs de harina Ajo en polvo al gusto Pimienta al gusto Sal al gusto 1 cucharada de pimentn Dulce 1 huevo + Pan rallado + Harina Como lo hago? Comenta \"RECETAS\" Si quieres el paso a paso de esta super receta y mas ideas deliciosas #recetadeldia #recetasfit #comidasaludable #sano #cambiodehabitos #dietasaludable #papas #fitness #recetas #recetasaludable #recetassanas #recetasfitness #recetafit #recetafacil #adelgazar #deporte #bajardepeso #saludable #adelgazarsano #desayuno #desayunosaludable #comesano #cuerposano #patatas #arosdecebolla #huevos #cebolla #comida #patata #comidasana", + "likes": 9651 + }, + { + "caption": " Deja tu Like y Comenta HOLA para que instagram sepa que quieres mas recetas deliciosas, Os contesto abajo Receta gracias a @simplefood4you Sigueme @recetasgeniales Sigueme @recetasgeniales Sigueme @recetasgeniales Wrap crujiente de queso y carne Quieres comer en casa y disfrutar de +150 Recetas Deliciosas y Fciles? Entonces necesitas revisar el LINK azul de mi perfil @recetasgeniales Ingredientes para 1 wrap: 1Para la salsa de queso: Puedes poner salsa de queso que tengas del supermercado o hacerla casera, lleva al microondas por 40s: 10g de queso rallado 2 lonchas de queso cheedar Un poquito de leche Un poquito de aceite de oliva Sal al gusto 2Para el wrap: 2 tortillas de trigo Salsa de queso 40-50g de Carne picada 5 doritos o patatas Salsa roja Guacamole Aprende a hacer la Salsa Casera Genial en nuestro LIBRO Pincha en el LINK AZUL @recetasgeniales Jalapeos (si quieres un toque ms picante) Queso rallado Perejil al gusto Como lo hago? Comenta \"RECETAS\" Si quieres el paso a paso de esta super receta y mas ideas deliciosas #recetascaseras #recetasfit #comidasaludable #sano #cambiodehabitos #dietasaludable #queso #recetas #recetasaludable #recetassanas #recetasfitness #recetafit #recetafacil #adelgazar #deporte #bajardepeso #saludable #adelgazarsano #desayuno #desayunosaludable #comesano #cuerposano #patatas #papas #pollo #huevos #comer #comida #pasta #comidasana", + "likes": 28973 + }, + { + "caption": " Deja tu Like y Comenta HOLA para que instagram sepa que quieres mas recetas deliciosas, Os contesto abajo Receta gracias a @emilioelchef Sigueme @recetasgeniales Sigueme @recetasgeniales Sigueme @recetasgeniales Quieres comer en casa y disfrutar de +150 Recetas Deliciosas y Fciles? Entonces necesitas revisar el LINK azul de mi perfil @recetasgeniales Ingredientes: 1Para las pechugas: 4 pechugas de pollo 2 lonchas de tu queso favorito 1 loncha de pavo/pollo/jamn York Unas hojitas de espinaca Sal y pimienta al gusto Aceite de oliva 6 tiras de beicon Si te ests cuidando y buscas una opcin ms saludable sustityelas por Jamn serrano o jamn York 2Para la salsa: 1/4 de cebolla 3 dientes de ajo 4 tomates 2 tazas de caldo de pollo 1/2 queso crema Leche entera o crema Opcional: chile Como lo hago? Comenta \"RECETAS\" Si quieres el paso a paso de esta super receta y mas ideas deliciosas #recetascaseras #recetasfit #comidasaludable #sano #cambiodehabitos #dietasaludable #queso #recetas #recetasaludable #recetassanas #recetasfitness #recetafit #recetafacil #adelgazar #deporte #bajardepeso #saludable #adelgazarsano #desayuno #desayunosaludable #comesano #cuerposano #patatas #papas #pollo #huevos #comer #comida #pasta #comidasana", + "likes": 42322 + }, + { + "caption": " Deja tu Like y Comenta HOLA para que instagram sepa que quieres ms recetas deliciosas, Os contesto abajo Receta gracias a @javirosemberg Sigueme @recetasgeniales Sigueme @recetasgeniales Sigueme @recetasgeniales Patatas rellenas al horno Quieres +150 Recetas para hacer en casa y que sean Rpidas, Baratas, Fciles y Deliciosas? Descbrelas en el LINK azul de mi perfil @recetasgeniales Ingredientes: 3 papas o patatas 1 chorizo cortado en cuadraditos Aceite de oliva 2 cucharaditas de harina de trigo 150ml de leche entera Sal y pimienta al gusto Queso mozzarrella cortado en cuadraditos PREPARAMOS: Comenta \"QUIERO RECETAS\" Si quieres el paso a paso y ms ideas deliciosas de recetas #papa #recetasfit #comidasaludable #sano #cambiodehabitos #dietasaludable #papas #fitness #recetas #recetasaludable #recetassanas #recetasfitness #recetafit #recetafacil #adelgazar #deporte #bajardepeso #saludable #adelgazarsano #desayuno #desayunosaludable #comesano #cuerposano #patatas #pollo #huevos #comer #comida #patata #comidasana", + "likes": 16792 + }, + { + "caption": " Deja tu Like y Comenta HOLA para que instagram sepa que quieres mas recetas deliciosas, Os contesto abajo Receta gracias a @lugo_trainer Sigueme @recetasgeniales Sigueme @recetasgeniales Sigueme @recetasgeniales Quieres comer en casa y disfrutar de +150 Recetas Deliciosas y Fciles? Entonces necesitas revisar el LINK azul de mi perfil @recetasgeniales Ingredientes para 2 personas: 300g de pollo 6 lonchas de jamn de pavo 6 lonchas de jamn York Aceitunas negras Aceitunas rellenas de pimiento Organo en polvo Sal y pimiento al gusto Como lo hago? Comenta \"RECETAS\" Si quieres el paso a paso de esta super receta y mas ideas deliciosas #championes #recetasfit #comidasaludable #sano #cambiodehabitos #dietasaludable #queso #recetas #recetasaludable #recetassanas #recetasfitness #recetafit #recetafacil #adelgazar #deporte #bajardepeso #saludable #adelgazarsano #desayuno #desayunosaludable #comesano #cuerposano #patatas #papas #pollo #huevos #comer #comida #pasta #comidasana", + "likes": 7807 + } + ] + }, + { + "fullname": "Zach Rocheleau", + "biography": " The Best Low Calorie Recipes Nutritional Freedom @proteincookiebutter Creator 80% OFF Sale Recipe Books! ", + "followers_count": 376248, + "follows_count": 306, + "website": "https://flexibledietinglifestyle.com/steal-of-the-summer/", + "profileCategory": 3, + "specialisation": "Author", + "location": "", + "username": "theflexibledietinglifestyle", + "role": "influencer", + "latestMedia": [ + { + "caption": " Egg White Omelette Quesadilla Macros for Whole Egg White Omelette Quesadilla: 271 Cals, 3g Carbs, 8g Fat, 39g Protein Ingredients: 250g Egg Whites Everything Bagel Seasoning 42g Part Skim Mozzarella Green Onions Roasted Red Peppers Directions: 1 Preheat your stove top pan on a 7/10 heat. Once preheated, spray with non stick butter spray and add your egg whites and then your everything bagel seasoning on of the egg whites. Add cover on top of pan and cook till the top of the egg whites are no longer liquidy. 2 Then to one side of your quesadilla, add your mozzarella, red peppers and green onions. Flip over the other side to make the quesadilla. Cook on that side for about 3-4 minutes or till bottom is golden brown. Carefully flip and cook on that side for another 3-4 minutes. 3 Then plate the quesadilla, slice it up and pair with your fries from yesterdays post! Enjoy!", + "likes": 12223 + }, + { + "caption": " The French Fry Recipe I Eat Everyday! Macros for the WHOLE Batch: 302 Cals, 63g Carbs, 3g Fat, 7g Protein Ingredients: 350g Russet Potato Sea Salt Non Stick Butter Spray (added 3g Fat to the Macros for the sprays) Directions: 1 Take your russet potato and cut into what style fries you want. I cut mine into these wedge hybrids just because its easier. I use my crinkle cutter to do so as well. They are like $5 on amazon so its a great purchase in my opinion. Add them to a bowl of cold water for about 15 minutes. 2 After 15 minutes, drain the water and then spray the fires with non stick butter spray and toss in sea salt. Add to air fryer on 400 degrees F for 15 minutes. Keep in mind youll need to flip them after 8 minutes. Then its time to enjoy! That simple!", + "likes": 27322 + }, + { + "caption": " 44 Cal Soft & Chewy Chocolate Chip Protein Cookies! Macros for each Cookie: 44 Cals, 4.25g Carbs, 1.75g Fat, 5.5g Protein Ingredients (makes 18 Cookies): 60g Whey/Casein Blend Vanilla Protein Powder 40g PB Party @ProteinCookieButter Powder 30g All Purpose Flour 20g Almond Flour 10g Coconut Flour 5g Zero Cal Sweetener of your choice 4g Baking Soda Pinch of Sea Salt 100g Plain Non Fat Greek Yogurt 60g Sugar Free Maple Syrup 2 Large Egg 30 Mini Chocolate Chips Directions: 1 Preheat your oven to 350 Degrees F. Add all your dry ingredients into a bowl (except mini chocolate chips) and mix to avoid clumping. 2 Add your wet ingredients and mix till you have a cookie dough like consistency. Then fold in your mini chocolate chips. 3 Line your oven safe pan with parchment paper and then use your cookie dough scooper to add the cookie dough balls across the parchment paper. I have a medium size cookie scooper. Remember this dough should make 18 cookies. Leave enough room to press these dough a bit before baking! 4 Dip your fingers into a little bit of water and then press the cookie dough balls into shape of medium size cookies like the chewy chips ahoy ones. 5 Add to the oven for EXACTLY 4 minutes. Once done, they might seem underbaked which is fine! Let them cool on the pan for 15 minutes or so to set. Make sure to not use a spatula or anything to take them off the parchment until they have set. If you lift them off their original spot, when they set, they will more than likely shrink more than wed want. Once set, then its time to enjoy! Substitution deets in the comments below ", + "likes": 14446 + }, + { + "caption": " Flamin Hot Cheetos Mozzarella Sticks! Macros for each Mozzarella Stick: 129 Cals, 12g Carbs, 4.75g Fat, 9.75g Protein Ingredients (makes 12 Mozzarella Stick): 12 Light Mozzarella Stick (mine were 3g Fat per) 100g All Purpose Flour (only use 50g of it but have extra to make it easier to coat them with) Dash of Sea Salt, Garlic Powder 150g Flamin Hot Cheetos (this is the amount I actually used, not how much was in the bowl total) Large Egg 100g Egg Whites Directions: 1 Food process your flamin hot cheetos till they are a fine powder like consistency. Add those to a shallow bowl. In another shallow bowl, add your egg and egg whites. Whisk those together. In your last shallow bowl, add your flour, sea salt and garlic powder. Whisk those together. 2 Now use the left hand/right hand technique, add your mozzarella stick into your flour with your left hand. Coat well and shake off any of the excess. Then add the mozzarella stick into the egg bowl and coat with your right hand. Make sure all the mozzarella stick has been covered by the egg. Lastly, add to your cheetos bowl and coat well with your left hand. 3 Now repeat this process with that same mozzarella stick the double coat is important for the cheese to stay on the inside. Repeat this process for all your mozzarella sticks. 4 Add to a plate and add to the freezer for at least 2 hours. These need to be frozen solid so when you air fry them, the outsides will get crispy and the inside will be perfectly melty when its done cooking. If you dont let them freeze, the cheese will come spilling out and youll have a flat mozzarella stick. 5 Once frozen, preheat your air fryer to 390 Degrees F. THIS IS SUPER IMPORTANT! If you dont preheat it, the mozzarella stick will actually thaw out in the air fryer while its going from cold to the 390 Degrees F. 6 Once preheated, spray the tray with non stick cooking spray and then add your mozzarella sticks in there making sure none are touching. Spray the tops with non stick cooking spray and then air fry on 5 minutes. Once done, its time to enjoy those cheese pulls fooooo dayzzzzz!", + "likes": 9353 + }, + { + "caption": " Crispy Popcorn Shrimp! Macros per 10 Popcorn Shrimp: 138 Cals, 17g Carbs, 0.5g Fat, 16.5g Protein Macros for the WHOLE Batch (makes 100): 1381 Cals, 169g Carbs, 5g Fat, 165g Protein Ingredients: 2lbs Medium Peeled, Deveined Shrimp 100g Flour (only actually use 50g of it. Just have more in bowl to make it easier to coat sticks with) Sea Salt Garlic Power Black Pepper Onion Powder Large Egg 50g Egg Whites 150g Panko Directions: 1 First, youll need 3 shallow bowls for the coating of the shrimp. One bowl with the flour, sea salt, garlic powder, black pepper and onion powder. Dont be shy with the seasoning! Whisk to combine all the ingredients. 2 Next bowl will be the egg and egg whites. Once added, whisk those together. Lastly, add the panko to a bowl. 3 Now its time to coat the shrimp. I use the left hand/right hand technique to ensure my hands dont get super clumpy. Left for the dry ingredients and right for the wet. So take 6-8 shrimp and add to your flour. Coat them well and then shake off any excess before adding to the egg. 4 Now add to the egg bowl and use your right hand to make sure all the shrimp are coated with the egg. Then add to your panko bowl and use your left hand to coat the shrimp. Repeat this process for all your shrimp. 5 Now spray your air fryer tray with non stick cooking spray and add your shrimp to the air fryer. Make sure they have enough room to cook aka none are touching. Spray the tops with non stick cooking spray and then air fry on 360 Degrees F for 9 Minutes. 6 Repeat this process for all your shrimp and then its time to enjoy!", + "likes": 34328 + }, + { + "caption": " Buffalo Chicken Wings Macros for each Chicken Wing (each around 1.5oz): 79 Cals, 0g Carbs, 6g Fat, 6.8g Protein Ingredients (makes 18 Wings): 2lbs Frozen Chicken Wings Sea Salt Garlic Powder Black Pepper Franks Red Hot Buffalo Sauce Directions: 1 Add your wing to your air fryer on 390 Degrees F for 5 Minutes. This is to thaw them out before seasoning. 2 Now add to bowl and add your sea salt, garlic powder and black pepper. Toss till they have a nice coat on all of them. Dont need to go too crazy with the seasoning here because they will be getting a coat of buffalo later on. 3 Add back to the air fryer and cook for 15 minutes on 390 Degrees F. If your wings are bigger than these, youll probably need to do around 18-20 minutes. Just keep that in mind. 4 Once done, toss in your buffalo sauce and then add back to the air fryer on 390 Degrees F for 2 minutes and then its time to enjoy!", + "likes": 5291 + }, + { + "caption": " Salmon Fish Sticks Macros for each Fish Stick (Makes 12 Fish Sticks): 102 Cals, 8.5g Carbs, 2.75g Fat, 11g Protein Ingredients: 18oz Fresh Sockeye Salmon 100g Flour (only actually use 50g of it. Just have more in bowl to make it easier to coat sticks with) Sea Salt Garlic Power Black Pepper Large Egg 50g Egg Whites 100g Panko (only use 75g of it) Directions: 1 Slice your salmon into about 14 equal size strips. 2 Next, youll need 3 shallow bowls for the coating of the salmon. One bowl with the flour, sea salt, garlic powder and black pepper. Whisk to combine all the ingredients. 3 The second bowl will be the egg and egg whites. Once added, whisk those together. Lastly, add the panko to a bowl. 4 Now its time to coat the salmon. I use the left hand/right hand technique to ensure my hands dont get super clumpy. Left for the dry ingredients and right for the wet. So take one strip and add to your flour. Coat well and then shake off any excess before adding to the egg. 5 Now add to the egg bowl and use your right hand to make sure all of the salmon is coated with the egg. Then add to your panko bowl and use your left hand to coat the strip. Repeat this process for all your salmon. 6 Now spray your air fryer tray with non stick cooking spray and add your salmon to the air fryer. Make sure they have enough room to cook aka none are touching. Spray the tops with non stick cooking spray and then air fry on 360 Degrees F for 9 Minutes. 7 Repeat this process for all your salmon and then its time to enjoy!", + "likes": 11204 + }, + { + "caption": " Crispy Fish Sticks Macros for each Fish Stick: 76 Cals, 8.5g Carbs, 0.75g Fat, 9g Protein Ingredients: 18oz Fresh Cod 100g Flour (only actually use 50g of it. Just have more in bowl to make it easier to coat sticks with) Sea Salt Garlic Power Black Pepper Large Egg 50g Egg Whites 100g Panko (only use 75g of it) Directions: 1 Slice your cod into about 14 equal size strips. 2 Next, youll need 3 shallow bowls for the coating of the cod. One bowl with the flour, sea salt, garlic powder and black pepper. Whisk to combine all the ingredients. 3 The second bowl will be the egg and egg whites. Once added, whisk those together. Lastly, add the panko to a bowl. 4 Now its time to coat the cod. I use the left hand/right hand technique to ensure my hands dont get super clumpy. Left for the dry ingredients and right for the wet. So take one strip and add to your flour. Coat well and then shake off any excess before adding to the egg. 5 Now add to the egg bowl and use your right hand to make sure all of the cod is coated with the egg. Then add to your panko bowl and use your left hand to coat the strip. Repeat this process for all your cod. 6 Now spray your air fryer tray with non stick cooking spray and add your cod to the air fryer. Make sure they have enough room to cook aka none are touching. Spray the tops with non stick cooking spray and then air fry on 360 Degrees F for 9 Minutes. 7 Repeat this process for all your cod and then its time to enjoy!", + "likes": 11030 + }, + { + "caption": " The Viral Air Fryer Pasta Chips! Not going to lie, I was skeptical! But these are pretty damn cool! Soo easy to make and also crazy customizable Macros for the WHOLE Batch (Bowl I have in my hand is 1/3rd of the batch): 1972 Cals, 371g Carbs, 27g Fat, 60g Protein Ingredients: 440g Pasta of your choice Cooking Spray of your choice (added 8g Fat to Macros for the sprays I used) Sea Salt Garlic Powder 60g Baked Flamin Hot Cheetos (these are added in the macros) Directions: 1 Add some water and sea salt to a pot and bring to a boil. 2 Add your pasta and cook till tender. 3 Drain and then add your seasoning and cheetos. 4 Add half the batch to your air fryer and spray with non stick cooking spray. Shake around and then spray them again. 5 Air fry on 400 Degrees F for 10 Minutes. Makes sure at around the 4 and 7 minute marks to take out and shake them around to make sure they cook evenly. 6 Then thats it! Enjoy!", + "likes": 12925 + }, + { + "caption": " 24 Cal Onion Rings! Macros for the WHOLE Batch (makes about 25 Onion Rings): 633 Cals, 111g Carbs, 5g Fat, 25g Protein Macros per Onion Ring: 24 Cals, 4.5g Carbs, 0.2g Fat, 1g Protein Ingredients: 1 Large Onion (about 300g of Onion I used after slicing into rings) 60g All Purpose Flour (only used 30g of it but like to have more in the bowl to make it easier to coat) Salt, Pepper, Garlic Powder 100g Panko Bread Crumbs (only used 75g but like to have more in the bowl to make it easier to coat) 1 Large Egg 50g Egg Whites Directions: 1 Slice your onion horizontally (from top to bottom with the onion on its side) into about 2 centimeter thick slices. Youll notice the outside layers of the onion are pretty flimsy and weak so I choose to not use those 1-2 layers for the rings. 2 Now set up your 3 stations for the coating of the onion rings. First station is your all purpose flour, salt, pepper, and garlic powder. Mix together. 3 Next is your egg + egg white station. Whisk those together. 4 Last is your panko station. Add to your bowl. 5 The order for coating will be into the flour, then the eggs and last into the panko. I use the left hand dry, right hand wet technique to avoid my hands getting super clumpy. Its a game changer. 6 So take an onion ring and add to your flour. Then add to your egg making sure all the areas on the onions are covered. Then add to your panko covering the whole onion with panko. Repeat this process for all your onion rings. 7 Now spray your air fryer tray with non stick cooking spray and then carefully add your onion rings to the tray. In order to fit as many as I can in there, I will add the smaller rings inside of the bigger rings. Just make sure the smaller ones are not touching the bigger ones because they wont cook evenly if they are. 8 Spray tops of onion rings with non stick cooking spray and then Air Fry on 360 Degrees F for 7-8 minutes. Repeat this process for all your onion rings and then its time to enjoy!", + "likes": 8874 + }, + { + "caption": " Air Fryer Chocolate Krispy Kreme Donuts Macros for each donut (no icing) (makes 12): 130.5 Cals, 21.5g Carbs, 3.5g Fat, 3.25g Protein Macros for each donut (w/icing): 160.5 Cals, 28.5g Carbs, 3.5g Fat, 3.25g Protein Ingredients: (makes 12 Donuts) 220g of All Purpose Flour 60g Unsweetened Baking Cocoa 40g Sugar 2g Salt 1 Large Egg 120g Warm Whole Milk 40g Melted Butter 7g Instant Dry Yeast (1 packet) Glaze: (about 3/4th of it was used on the donuts) 120g Powdered Sugar 20g Unsweetened Vanilla Almond Milk Directions: 1 Add your warm whole milk, melted butter, egg and instant yeast to a bowl and whisk together. Set to the side. 2 Now add all your dry ingredients into a bowl and mix to avoid clumping. Then combine the wet with the dry and mix till your have a dough ball. 3 Next up is kneading the dough. I spray a little bit of cooking spray on my hands to make the dough a bit easier to work with. Now knead your dough for about 6-8 minutes. 4 Add the dough to a bowl thats been sprayed with non stick butter spray. Add plastic wrap on top and let rise for 2 hours. 5 After the 2 hours, the dough should have at least doubled in size. Add to your floured surface and knead the dough one more time for another 6-8 minutes. Then roll out until its about 1/5 of an inch. Then use your biscuit cutter to cut out the donuts. Bigger one for the donut and then the smaller one to cut out the middle. Carefully transfer the donuts to a pan covered in parchment paper to let sit till all 12 donuts are formed. Youll probably need to roll out the dough 3-4 times to get all 12 donuts. 6 Preheat your air fryer to 350 Degrees F. Once preheated, spray the tray with non stick butter spray. Then carefully add your donuts to the air fryer (I could fit 4) without deflating or changing their shape. Spray tops with non stick butter spray and air fryer on 350 Degrees F for 3 minutes. 7 Once done, dip in your glaze and let sit on cooling rack till icing has set. Then its time to enjoy! HIGHLY recommend eating these fresh aka when they are still warm from the initial air frying!", + "likes": 9002 + }, + { + "caption": " Bacon Mac & Cheese in Holy Matrimony with a PANINI! Macros for 1/6th of the Batch: 267 Cals, 34g Carbs, 7.5g Fat, 16g Protein Macros for the WHOLE Panini: 457 Cals, 74g Carbs, 9g Fat, 20g Protein Ingredients: 224g Elbow Pasta 360ml Unsweetened Almond Milk 40g All Purpose Flour 10g Nutritional Yeast 40g Yellow Mustard (optional) 90g Part Skim Mozzarella 90g 2% Sharp Cheddar Cheese 4 Slices Center Cut Bacon Ingredients: 2 Slices of Bread of your choice (mine was Sourdough and had 40g Carbs for 2 Slices) 1/6th of Bacon Mac & Cheese Recipe Directions: 1 Spray your stove top pan with non stick cooking spray and add your slices of bacon to it with the burner off. Then turn your burner on a 6/10 heat. Cook on each side till golden and crispy. Add bacon to paper towels to help them crisp up while cooling. 2 Next, add water to your stove top pot and bring to a boil. 6/10 heat should do fine with achieving this. Once boiling, add your macaroni and cook for about 6-8 minutes. Use colander and drain macaroni and see to the side. 3 Now take that same pot and add back to the burner. Add your almond milk, flour, nutritional yeast and yellow mustard. Mix until you have no clumps and it has thickened up. Now add your mozzarella and cheddar cheeses to the pot. Mix together till you have a thick cheese sauce. 4 Add your macaroni and mix. Then add your crushed bacon and mix together. And then BOOM its time to put together your panini! 5 Lay down one of your slices of bread and add your mac & cheese to it. Now add your top slice and press it down on top to help bring all the ingredients together. 6 Preheat your stovetop pan to a 6/10 heat and spray with non stick cooking spray. Then add your panini to the pan and add your burger press on top to help with the toasting of the panini. Flip after 3-4 minutes. Repeat this process for the other side. 7 Once done, slice in half and enjoy!", + "likes": 5963 + } + ] + }, + { + "fullname": "America's Test Kitchen", + "biography": "Where curious cooks become confident cooks. Testing recipes, equipment, and ingredients since 1993. #atkgrams Find recipes here:", + "followers_count": 1373095, + "follows_count": 1035, + "website": "https://linkin.bio/testkitchen", + "profileCategory": 2, + "specialisation": "Kitchen/Cooking", + "location": "", + "username": "testkitchen", + "role": "influencer", + "latestMedia": [ + { + "caption": "Layer this portobello burger with melty goat cheese and peppery arugula, top it off with a tomato slice and smoky grilled onion, and you have a meatless burger featuring an irresistible combination of flavors and textures. Grilled Portobello Burgers recipe link in bio.", + "likes": 1103 + }, + { + "caption": "While developing other potato salad recipes, test kitchen cooks found that seasoning the potatoes while they're hot maximizes flavor. So as we developed our all-American potato salad recipe, we splashed hot russet potatoes with white vinegar and found them to be more flavorful than other types of potatoes treated the same way. Get our All-American Potato Salad recipe by clicking the link in our profile.", + "likes": 2397 + }, + { + "caption": "This Boston cream pie has been called the best Ive ever had, wicked good, and A's and gold stars across the board. Heres our foolproof recipe. Link in bio.", + "likes": 3577 + }, + { + "caption": "Heres how to make really, really good garlic bread. Recipe link in bio.", + "likes": 3602 + }, + { + "caption": "Eastern style or Lexington style? Plate or sandwich? Use our recipe to choose your own N.C. BBQ adventure. Tap the link in our profile for our North Carolina Barbecue Pork recipe.", + "likes": 1683 + }, + { + "caption": "For scorching summer days, we wanted to create a frozen riff on the classic Negroni. Enter: The Florentine Freeze. Recipe link in bio.", + "likes": 3921 + }, + { + "caption": "We know what youre thinking: A recipe for a tomato sandwich? Just trust us here. To make the best tomato sandwich ever but also stay true to the classic, we turned to heirloom tomatoes, hearty white sandwich bread, and a good old mayonnaise. We gave the tomatoes a quick marinade and then used that marinade to further flavor the mayonnaise. Get our recipe by clicking the link in our profile.", + "likes": 6278 + }, + { + "caption": "Combine two in-season ingredients, corn and tomato, for the best summer salad. Tap the link in our profile for our Southwestern Tomato and Corn Salad recipe.", + "likes": 2259 + }, + { + "caption": "In most homemade fro yo, tangy taste and a creamy, smooth texture are mutually exclusive. We wanted both qualities in the same scoop. Heres how we did that with this strawberry version. Recipe link in bio.", + "likes": 2118 + }, + { + "caption": "Piadine: The rustic, tender-chewy rounds that you can make without yeast, lengthy rising times, or even your oven. They're tailor-made for folding around a flavorful fillingsweet or savory. A few of our favorite combinations are salami, fontina, and artichoke hearts; roasted red peppers, balsamic vinegar, arugula, and ricotta; and tomato mozzarella, basil, and olive oil. Tap the link in our profile for our recipe.", + "likes": 2162 + }, + { + "caption": "Made this for lunch and oh! my! gosh! Super tasty and a great way to use up fresh tomatoes and herbs from our garden. - Judith H., web member. Get our Fresh Tomato Galette recipe by clicking the link in our profile.", + "likes": 3288 + }, + { + "caption": "This refreshing kid-approved (and grown-up approved) limeade recipe is like a cool breeze on a hot summer day. Its packed with lime flavor and is the perfect slushy consistency. Frozen Limeade recipe from @testkitchenkids link in profile.", + "likes": 1852 + } + ] + }, + { + "fullname": "iRick Wiggins", + "biography": "* Keto enthusiast * Simple & delicious recipes * Lost 80 lbs with keto * Positivity ", + "followers_count": 638485, + "follows_count": 2151, + "website": "https://linktr.ee/Ketosnackz", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "ketosnackz", + "role": "influencer", + "latestMedia": [ + { + "caption": "Say YES if you would eat this keto breakfast #ThatsItPartner These @thatsit #KetoKick bars are the best Coffee Energy Bars At only 45 calories, 5g net carbs and 95mg Caffeine they are the perfect clean treat to satisfy your sweet tooth in the morning without drinking a 300 calorie coffee Use code: Snack25 for 25% off the perfect energy snack Keto Kick - Available on thatsitfruit.com (link in bio) #keto #lowcarb #ketobreakfast #lowcarbsnacks #ketosnacks #thatsit", + "likes": 828 + }, + { + "caption": "Say YES if you drink alcohol on keto! ", + "likes": 5907 + }, + { + "caption": "Say YES if you love Costco!! #keto #lowcarb #ketohaul", + "likes": 9806 + }, + { + "caption": "Say YES if you like salad with your ranch! #keto #healthy #salad #plantbased", + "likes": 5996 + }, + { + "caption": "EGG SALAD PICKLE BOATS Would you make your own egg salad or are you also too lazy? #keto #lowcarb", + "likes": 3226 + }, + { + "caption": "Cheese wrap hack!! What fillings would you add? To make it just add natural cheese to a non stick pan on medium heat until it gets slightly brown on the edges. Then remove pan from heat, let it cool down for a few mins, add your fillings, roll it up, & enjoy! #keto #lowcarb #ketorecipes #cheese", + "likes": 17463 + }, + { + "caption": "What do you get for breakfast on the go?! Or do you fast in the AM? #keto #lowcarb #ketobreakfast", + "likes": 9899 + }, + { + "caption": "Say YES if you would drink this Watermelon Mango Margarita in honor of National Tequila Day Ingredients: 2 shots mango infused @yavetequila 2 shots lime juice 3 shots fresh watermelon juice 1 shot keto simple syrup (or 4-8 drops liquid stevia) For the watermelon juice: Blend fresh watermelon & strain. For the simple syrup: Add 1 cup of granulated sweetener of your choice and 1/2 cup of water to small saucepan over medium heat. Stir until sugar is dissolved and let it cool down before adding to the cocktail mix. If you want to make more just remember the 2:1 sweetener water ratio Fill a cocktail shaker halfway with ice and shake well. Pour liquid into your favorite glass and enjoy! #21+ #SponsoredByYaVe #nationaltequiladay #margarita #ketococktails #keto", + "likes": 4127 + }, + { + "caption": "How much weight have you lost since starting keto?! Share your success stories in the comments! #keto #lowcarb #ketodiet #lowcarbdiet #weightloss #healthy #vegan #plantbased #transformation #facetofacefriday #ketotransformation", + "likes": 6458 + }, + { + "caption": "Say YES if you would eat this Keto Crunchwrap #HiloLifePartner If you miss tortilla chips @hilolifesnacks NAILED IT with their keto version Go check them out online or in select Costco locations!! #keto #lowcarb #hilolife #ad#ketoyourway #thehilolife #crunchwrap #ketocrunchwrap", + "likes": 3406 + }, + { + "caption": "What do you get at Chick Fil A?! Sometimes I get the Chicken Sandwich with no bun if I have the carbs to spare that day ", + "likes": 4134 + }, + { + "caption": "KETO @ WHOLE FOODS! Seriously though, would you eat those pickle flavored almonds or nah?! & has anyone tried them yet? #keto #lowcarb #wholefoods #healthy #ketohaul #ketosnacks", + "likes": 6416 + }, + { + "caption": "Say YES if you would eat this! To make it just cut out circles from slices of ham & cheese, sandwich them together with cheese in the middle, coat them in egg and crushed up pork rinds, and air fry at 400F for 10 mins (flipping halfway through). Dip in marinara and enjoy! #keto #lowcarb #ketorecipes", + "likes": 7990 + } + ] + }, + { + "fullname": "Kristen Kish \ud83c\udf08\ud83c\uddf0\ud83c\uddf7", + "biography": "I prefer adventure, efficiency, & blocking rude people READ Kristen Kish Cooking EAT @arlogreyaustin WATCH Fast Foodies on TruTV Tory@Bladepr.com", + "followers_count": 267129, + "follows_count": 418, + "website": "", + "profileCategory": 3, + "specialisation": "Chef", + "location": "", + "username": "kristenlkish", + "role": "influencer", + "latestMedia": [ + { + "caption": "A couple of weeks ago we had Mae come work with us (paid of course) @arlogreyaustin for 3 days. There is something about her, our deep similarities, and our conversation via zoom months ago where I felt completely compelled and excited to invite her in. Im sure many kids are great cooks and would be a great fit but this is not something I have ever done. We are a working kitchen, feeding people, and servicing paying guests. I take our space very seriously and having 16 year olds work with us just because is out of the ordinary. She had to work just as hard to meet expectations of the team and I in just a short amount of time, just as any permanent position holds. You did so well, some seasoned cooks that come to apply dont work as well as you did and you werent even interviewing for a job. You simply did what came natural, cared for Arlo Grey just as we do, took to our team teaching you, listened intently, & acted confidently. Mae you are exceptional, respectful, kind, funny, and talented. We are thrilled to have had you. Come back anytime - you are part of our family now. No matter what you choose to do in the near or far future, know that you have exactly what it takes to create whatever it is that you want for YOU ", + "likes": 4849 + }, + { + "caption": "I am so proud to be a @kalamataskitchen ambassador! Join me in congratulating @ess_thomas and team Kal & Al in the release of their first book! A journey of lessons in life, love, culture, adventure, introduction, food, and flavor! For small and big kids alike - we could all use what Kal & Al have to teach us. Check out @kalamataskitchen for all of the fun details ", + "likes": 5209 + }, + { + "caption": "Hey Chef, the 9 top no showed #IYKYK *probably best my mouth was covered up. EVERY. DINER. HAS. A. RESPONSIBILITY. #dontbelikethem", + "likes": 12978 + }, + { + "caption": "Happiness is @arlogreyaustin ", + "likes": 4722 + }, + { + "caption": "We have a small but mighty BOH team at Arlo Grey where the ladies are the majority. I came up with a lot of strong women backing me up in kitchens but I also had my share of unfortunate judgment and treatment because of my gender. The most proud Ive been opening my own restaurant is having amazing and talented women define our kitchen culture and what it means to be the change of the narrative on what a kitchen environment looks like. Pre-covid shutdown we had even more. Past and present kitchen AG ladies - I am SO PROUD of all of you and grateful for your talents, in the kitchen and beyond #reunitedanditfeelssogood #weloveyoutoochefalex :)", + "likes": 5955 + }, + { + "caption": "Home for one whole week. Its 91 degrees this afternoon. I thought today would be a nice afternoon to do some house stufflike pull weeds. We have a lawn care company who does ALL of the outside work but decided weed pulling was an activity we should do ourself (Why? I dont know?). Also, weeds are just green plants, please someone tell me why they need to be pulled!? #iknownothing #yayfriday", + "likes": 10759 + }, + { + "caption": "They say never to meet your idols in person.. I say when that idol is Stephanie Izard you should meet them, become friends, and champion their greatness that they have proven and shown to you time and time again. Long time admirer, great friend over many many years, and forever fan of all things girl and all things goat. So happy for you and your team @girlandthegoatla. A MUST visit - #LA youre very lucky. Happy opening day Chef and Team! #yeschef #womeninthekitchen #championthegoodones #topchef #winners #shef", + "likes": 10293 + }, + { + "caption": "#ad I am not shy about my 3 cups of coffee a day. My morning coffee whenever I am at home is my meditation, my hour of me time, and the only true routine I have. I miss it when its over, look forward to the next morning coffee time, and fully savor every second it takes to drink it. I started using a @nespressousa machine a few years ago the max effort is deciding which capsule to choose and the max return is me coming alive. I live my life with efficiency at its forefront and for me, Nespresso makes my mornings that much easier. Ill tell you, and I know so many can relate, I am not capable of much before I have my first couple of cups. This partnership with Nespresso is an extension of what I already do in my day to day and I am SO thrilled to have my personal favorite way of enjoying my coffee at home wanting to partner with me.Come along for our ride together for 2021! #NespressoPartner", + "likes": 9710 + }, + { + "caption": "Been in #LA working for the past couple of weeks and decided to do a staycation for the long weekend before going back to the grind tomorrow. This was perfect. Thank you @santamonicaproper, @tbdanner, @jlaracine, Chef Victor, Everett, & the entire team for such a warm, beautiful, delicious, and hospitable stay ", + "likes": 3171 + }, + { + "caption": "Southern California is rubbing off on me ", + "likes": 7721 + }, + { + "caption": "I smile different when were together Consider this my long weekend out of office notification. #happyfourth #besafe #fastfoodies #makingtv #Ineedabreak", + "likes": 10145 + }, + { + "caption": "Thanks for the hand @chefbrookew . Newly signed books @playaprovisions", + "likes": 13995 + } + ] + }, + { + "fullname": "dominiqueansel", + "biography": "Chef/Owner @DominiqueAnselBakery Created the Cronut. Shipping at DominiqueAnselOnline.com. @DominiqueAnselWorkshop is now OPEN in Flatiron! Links ", + "followers_count": 509460, + "follows_count": 367, + "website": "https://linktr.ee/Dominiqueansel", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "dominiqueansel", + "role": "influencer", + "latestMedia": [ + { + "caption": "Our final day of Summer March and all our fruit tarts here in SoHo. Beautiful.", + "likes": 3168 + }, + { + "caption": "August 1st, the start of a new month and that means its our 100th Cronut flavor for NYC to date: Pineapple Coconut. 100 months ago, 100 flavors ago, we started off the morning with just a few dozen Rose Vanilla Cronut pastries here in Soho, and weve never repeated a flavor since. Whats been your favorite flavor over the years?", + "likes": 7815 + }, + { + "caption": "My son - Remember when your imagination was so strong that it became your reality? And you convinced yourself you were really eating invisible food from your Papas chest? I hope you never lose that and keep the ability to turn nothing into something wonderful. Think out loud and make it come true. Now what did you imagine we were eating - ice cream or croissants? #celianansel", + "likes": 7439 + }, + { + "caption": "Our Brown Sugar DKA (Dominiques Kouign Amann) at @dominiqueanselworkshop. Looking golden, flaky, and absolutely beautiful. If youve had the original DKA in SoHo, definitely need to try its more brunette cousin, similar to a caramelized croissant with dark brown sugar, a bit of molasses and a tiny hint of coffee to give it a deeper richer flavor. Available daily here in Flatiron, and for preorder for pick-ups at DominiqueAnselWorkshop.com. ", + "likes": 3617 + }, + { + "caption": "One of my favorites at @dominiqueanselworkshop: our Brioche Bressane. A French classic from the Bresse region, this fluffy brioche is big enough for 2, with pockets of silky crme frache inside, and brushed with orange blossom water while still warm from the oven, giving it a fragrant floral flavor. Finished with a sprinkling of crunchy pearl sugar and star anise powder on top. Beautiful. Available daily here in Flatiron, and delivering on Doordash and Caviar now too.", + "likes": 1504 + }, + { + "caption": "Morning moment of zen. ", + "likes": 2270 + }, + { + "caption": "Good morning! One week post opening and @dominiqueanselworkshop is now ready to offer our full menu delivery to your door via @caviar and @doordash. Like this Honeycrisp apple rosette with puff pastry and frangipane. And (of course) all the croissants. ", + "likes": 4026 + }, + { + "caption": "Augusts Cronut for NYC: Pineapple & Coconut, filled with homemade pineapple jam and creamy coconut ganache. Starts Aug 1st in Soho. Preorders for Soho NYC pick-ups are at NYC.CronutPreorder.com. Shipping nationwide at DominiqueAnselOnline.com.", + "likes": 11247 + }, + { + "caption": "Good morning, SoHo! Our Summer March fruit tarts are looking beautiful. Available here at the Bakery on Spring Street through Sunday 8/1 only.", + "likes": 3275 + }, + { + "caption": "A closer look at our Honey-Roasted Peach Danish at @dominiqueanselworkshop. A juicy yellow peach half, lightly roasted with honey thyme, with silky pastry cream and almond frangipane, all set within a nest of golden flaky pastry crust. Beautiful. ", + "likes": 9813 + }, + { + "caption": "Good morning! Wanted to show you guys a closer look at our menu here at the Workshop, our new croissant counter inside our Flatiron NYC pastry kitchens. Its a celebration of all kinds of breakfast viennoiserie (croissants and all their flaky fresh-baked cousins!). Hope to see you guys here soon. Were open daily, 8am-4pm Mon-Fri, and 8am-6pm Sat-Sun. Definitely try to come by in the mornings if you can, before our more popular are sold out.", + "likes": 4248 + }, + { + "caption": "Its hard to pick a favorite when theyre all this beautiful. Our 9 different Summer March fruit tarts are here in SoHo through Sun 8/1 only. Preorders for a full set of all 9 tarts are up at DominiqueAnselNY.com/shop. Flavors include: * Raspberry & Basil Tart * Champagne Mango & Madagascan Vanilla Tart * Donut Peach & Honey Tart * Strawberry & Anise Mascarpone Tart * Maradol Papaya, Passion Fruit, & Lime Tart * Black Cherry & Elderflower Tart * Apricot & Almond Lavender Tart * Rambutan & Lychee Rose Tart * Pink Grapefruit & Jasmine Tart ", + "likes": 4625 + } + ] + }, + { + "fullname": "Los Angeles Foodie Guy \u270c\ufe0f\ud83d\ude0e\ud83c\udf54", + "biography": " The best eats from Los Angeles, So Cal & Beyond Tik/Tok lafoodieguy lafoodieguy@gmail.com Email us suggestions or business inquires", + "followers_count": 431444, + "follows_count": 236, + "website": "https://www.latimes.com/food/story/2020-05-31/black-owned-restaurants-in-los-angeles", + "profileCategory": 2, + "specialisation": "Blogger", + "location": "", + "username": "lafoodieguy", + "role": "influencer", + "latestMedia": [ + { + "caption": "Loaded Combo Plates || Hong Kong Express || Westminster, CA Video Credit : @grubwithgreg @grubwithgreg showing us where to get some AMAZING Chinese food combo plates! This is for the crowd south of LA and the special foodie willing to take the drive. Bring your appetite, maybe even the whole squad because they load your plate up enough for the warier fam at this spot! What would you stuff into your plate?! Like, comment or tag a friend who would love spot! #LAFoodieGuy #LAFG #westminster TAG A FRIEND WHO WOULD LOVE THIS", + "likes": 6689 + }, + { + "caption": "Blues Famous Rolled Tacos Blue Horchata || Blue Burro (@bluebur.ro) || Long Beach, CA Video Credit : @lafoodieguy Blue Burro models itself after those order-from-the-counter San Diego style taco spots like Mikes Taco Club and @bluebur.ros delicious flavor and prime quality will have you feeling like youre chillin on Newport Ave. in Ocean Beach with a shrimp and steak burrito. But you down have to travel three hours south because its right here in Long Beach! Blue Burro even has that iconic red cream sauce that Ive only ever seen from restaurants in SD. IYKYK. This place is bomb.com, no joke I would go here every weekend if there was one closer. The rolled tacos are perfect, the regular burritos and fries amazing. Run here, and where youre there tell them to open more. Thanks. Like, comment or tag a friend who would love spot! #LAFoodieGuy #LAFG #longbeach TAG YOUR LONG BEACH SQUAD", + "likes": 11817 + }, + { + "caption": "For Real. They dont miss. Like, comment or tag a friend who loves In-N-Out! #LAFoodieGuy #LAFG #innout", + "likes": 6644 + }, + { + "caption": "Bottomless Brunch Mimosas || Tacos N Miches (@tacosnmiches) || Downey, CA Video Credit : @lafoodieguy Round up the drinking crew!!! One of the best things to do on a work-free weekend is gather up the friends for some bottomless mimosas and a fun place to head to is @tacosnmiches where you can get these GINORMOUS glasses full of mimosa and they even have bottomless towers with brunch for only $40!! Cheers to that. So grab a big group and head down for some day-drinking fun! Tacos N Miches also has an amazing Taco Tuesday special which is endless Micheladas (in the XXL Glass or tower) and Tacos for $40!! Go to catch a Dodgers game and stay and drink for all nine innings! If you can walk out up right, that is! The only question is, would you get this drink all for yourself or share it?! Like, comment or tag a friend who would love love this XXL Mimosa! #LAFoodieGuy #LAFG #Downey TAG YOUR DRINKING BUDDIES ", + "likes": 19128 + }, + { + "caption": " HARD SUMMER GIVEAWAY Whats up, Foodie Fam!!!! FESTIVAL SEASON is finally back and we got 8 VIP Hard Summer tickets we want to toss your way because you deserve it!!! As always and most importantly, a big thanks to you all for riding along on this foodie journey!! Thank you!! SOOO, were giving FOUR lucky followers two VIP tickets each to @hardfest next weekend!!! ALSO, well be giving FOUR other random followers $25 credit grub at some Bomb spots. Thank you all for following along and here is all you have to do to win: 1 Be FOLLOWING LAFG, @chipsnchicks, @mariscoselpatron818, @angelstijuanatacos, @birrieriasanmarcos and @tacoselvenado 2 LIKE this post 3 TAG a friend youd take to the festival! 4 Not required but bonus entries if you mention our giveaway in your story! Thanks again for following along LAFG FAM well be picking the eight winners at random on SUNDAY (7/25)!!!! Good luck Food Fam and LIKE, COMMENT OR TAG SOME FRIENDS TO WINNN!!!! #LAFoodieGuy #LAFG", + "likes": 730 + }, + { + "caption": "FOLLOW @mazzakitchenla & enter to WIN a $100 GIFT CARD! Try their amazing Mediterranean-Middle Eastern Fusion, perfect for a delicious dinner date or night out with the Fam! To win, TAG some friends belowand FOLLOW @mazzakitchenla!!!! More tags = more entries! Well be picking the winner on Sunday, July 25th!!! Good luck, Food Fam! #LAFG #LAFoodieGuy", + "likes": 1569 + }, + { + "caption": "Birria Queso Fundido || Cilantro Lime (@cilantrolimedtla) || Downtown LA, CA Video Credit : @lafoodieguy Theres never a wrong time for some beefy, melted cheesy goodness so enter the Queso Fundido from @cilantrolimedtla nestled in a little food court in the Fashion District. Best as a shareable but eat it as above by stuffing it in a tortilla and then topping it with onion, cilantro and Some salsa. A few years ago, the chef-owner started offering his family recipes up and the rest has been history. If youre not getting this, grab their fried flautas stuffed with homemade chicken tinga and sharp cheddar. And if youre a fan of spiciness, put their Cry Baby sauce on everything. Its habanero salsa, FYI. Have you been to Cilantro Lime?! #LAFoodieGuy #LAFG", + "likes": 7879 + }, + { + "caption": "Probably two Michelin stars, tbh. Michelin dropping the ball. Like, comment or tag a friend whos dined at this fine establishment! #LAFG #LAFoodieGuy", + "likes": 16435 + }, + { + "caption": "Housemade Hickory Sauce, Lettuce, Pickle, Mayo Cheddar Cheese Burger || The Apple Pan || Los Angeles, CA Video Cedit : @lafoodieguy The Apple Pan is a delicious burger 100 percent of the time that doesnt try to do too much. Just a simple burger thats been killin it on the west side for decades now! Might even be up there as one of the best in LA. Chances are if you, your parents or your parents parents went to UCLA, they have heard of or been to the iconic Apple Pan! Two types of burgers, fries, tuna melt, grilled cheese and homemade pies is the whole menu and it couldnt be better. Even if youre one of those types that doesnt get Mayo on the burger like me, you get it on this burger and dont mind it. Make sure to ask for extra Hickory sauce on the side for the fries or burger. Dont forget the homemade pies with homemade fillings, crust and even homemade ice cream for pie a la mode. Cant wait until the U-shaped bar comes back so we can sit inside and get our sodas in the cones again. Have you been to The Apple Pan? Like, comment or tag a friend who loves burgers! #LAFoodieGuy #LAFG TAG A FRIEND WHO WOULD LOVE THIS ", + "likes": 7870 + }, + { + "caption": "Bacon, Birria, Grilled Peppers, Grilled Onions, Cheese, Eggs, Frijoles Jalapeo-Cheese-Wrapped Burrito || Birrieria San Marcos (@birrieriasanmarcos) || Van Nuys, CA Video Credit : @lafoodieguy Van Nuys has a NEW breakfast burrito and its from longtime favorite @birrieriasanmarcos!!! They been doing delicious birria for years now and they just added this to the menu and its bomb.com! A carousel of flavors and textures that work about as well as Leo DiCaprio in a Scorsese movie. Theyre only available at San Marcoss Van Nuys location every day from 9AM-12PM!! So get there early! Would you try this breakfast burrito?! Like, comment or tag a friend who would love this today! #LAFoodieGuy #LAFG TAG A FRIEND WHO LOVES BURRITOS ", + "likes": 3269 + }, + { + "caption": "Biscuits Gravy || Homemade Video Credit : @adventuresofafatguy Biscuits and gravy done right from scratch (at least the gravy) but still stunning none the less and you know you want to take a bite! Dont watch this in the morning because it might cause you to try to make this yourself or scramble out of the house to find a restaurant that will whip up some for you! This is definitely one of those meals the morning after a night out to soak up whatever alcohol is in your stomach. Wheres your go-to biscuits and gravy spot in LA?? Mention below! Like, comment or tag a friend who would love this in the morning! #LAFoodieGuy #LAFG TAG A FRIEND WHO LOVES BREAKFAST FOOD", + "likes": 2320 + }, + { + "caption": "Triple Cheeseburger || Los Lobos Burgers (@loslobosburgers) || Fontana, CA Video Credit : @lafoodieguy THICK smash burger time in Fontana because @loslobosburgers is opening up THIS Saturday (July 17TH) 5PM in Fontana at 8588 Sultana Ave. and the FIRST 15 people get a free double smash burger! If you dont get there that early or you do and one burger isnt enough, theyre also slanging triples, quads and might even accommodate whatever you want! Will you be there? Like, comment or tag a friend who lives in Fontana! #LAFoodieGuy #LAFG TAG A FRIEND WHO LOVES CHEESEBURGERS ", + "likes": 6765 + } + ] + }, + { + "fullname": "MICHELIN guide (official)", + "biography": "The Official MICHELIN Guide instagram Share your story #mystorywithmichelin", + "followers_count": 2431578, + "follows_count": 1517, + "website": "https://guide.michelin.com/", + "profileCategory": 2, + "specialisation": "", + "location": "Paris, France", + "username": "michelinguide", + "role": "influencer", + "latestMedia": [ + { + "caption": "Todays recipe is dedicated to a flavorful Mexican appetizer: Aguachile! Composed of tuna cooked in lime juice, this bright and refreshing dish takes it a step further by adding jalapeo and watermelon juice, giving it this ros color and spicy deliciousness! Val Cantu, chef-owner of @californiossf 2 Stars in the MICHELIN Guide San Francisco 2021 shares the secrets of fabrication of his summer version of watermelon aguachile. Measurement equivalents: 420g= 1 cup 80g= 1/2 cup 40g= 1/3 cup 20g= 1 tbsp 450g= 16oz Tip of the chef: This recipe can be made very easily with any sashimi-quality fish. Thanks for the recipe, @valmcantu ! Illustrations by @alice.vdw Share your version with us Tag @michelinguide and use #MICHELINGUIDEATHOME", + "likes": 2922 + }, + { + "caption": "We take you on a virtual visit to some of the most extraordinary-decorated establishments in the MICHELIN Guide selection. Today, it's the turn of MICHELIN Plate awarded restaurant @kodawariramen. You don't have to travel to Tokyo to feel like you're in the Land of the Rising Sun. The bustling vibe and narrow dimensions of this restaurant located in Paris are reminiscent of an eatery in historic Tokyo. Everything gives us the feeling of being in a Yokocho with the decoration and its unavoidable gadgets coming directly from Japan. Surprisingly enough, a soundtrack of Tokyo street ambience runs in loop inside the restaurant. Behind this true temple dedicated to Ramen, stands a former fighter pilot and airline pilot, Jean-Baptiste Meusnier; who has an overwhelming passion for Japanese culture and especially for its gastronomy, Ramen. There, the ramen made on site and served in delicious broths of Landes poultry, attract not only Japanese culture enthusiasts, but gourmets from every horizon. Paris, France #MICHELINrestaurants #restaurants #MICHELINPlate #designinterior #Raman #Japanesefood #GuideMICHELINFR", + "likes": 4160 + }, + { + "caption": "How do chefs around the world prepare one of the best summer sweet-and-savory fruit? Usually red when mature, this ingredient mostly made up of water can also come in a variety of colors, including yellow, orange, green, and purple. Grown worldwide for its edible fruits, many subspecies of tomatoes exist with different shapes and flavors. Despite botanically being a fruit, its generally eaten and prepared like a vegetable: raw, roasted cooked, mixed or as a side. This month, our culinary world tour continues by spotlighting this delicious ingredient sublimated by chefs based around the world. Get creative and turn those tomatoes into delicious foods and beverages! 1. Heirloom Tomatoes with Tofu, Fermented Green Tomato and Thai Chile Vinaigrette, Yuba, Thai Basil by chef @maryfrancesattea from @musketroom 2. Tart of small tomatoes, shellfish and goat cheese by chefs @lionel_beccat and @perretgallixugo from @esquisse_tokyo 3. Eggplant and tomato seeds by chef Maicol Izzo from @piazzettamilu Paola Di Capua / Piazzetta Mil 4. Tomato medley, iced consomm with elderflower and saffron, ice cream with overripe olive oil and blackcurrant mint by @annesophiepic chefpoirot 5. Tomato soup with tabasco and burrata cream by chef Valdir Oliveira from @cantalouprestaurante 6. Tomatoes, red tuna, pomegranate, arugula juice by chef Gianni Caruso from @restaurantlucana Gianni 7.Oven Toasted Tomatoes and Lardo on Burnt Ends Bakery Sourdough by chef @dpynto form @burntends_sg vince-lee #BasicsAroundTheWorld#cuisine#ingredient#tomato#foodlover#MICHELINrestaurants#MICHELINstars", + "likes": 11802 + }, + { + "caption": "The MICHELIN Guide takes you to Zagreb to discover the treasures of the capital city of Croatia, their chefs, their products and their producers. We take a closer look at the establishment @esplanadezagreb where Chef @anagrgicchef runs the kitchen of two restaurants Zinfandel's and Le Bistro Esplanade both distinguished with a Plate in the MICHELIN Guide Croatia 2020. On the threshold between East and West, Zagreb and its county offer a rich and stunning gastronomic scene marrying culinary influences from continental and Mediterranean countries. Among the restaurants of the city, two are housed in Esplanade hotel considered as one of the capital's most popular places for eating. While the French classic Bistro is a smartly dressed yet informal all-day place, the luxurious Zinfandel's restaurant effortlessly combines the elegance of a bygone era with the ambience of a contemporary dining room. Chef Ana Grgi Tomi prepares ambitious menus offering Croatian classics, like strukli, alongside modern European dishes. Cosmopolitan buzz of @zagrebtourist and @visitzagrebcounty may strike you. Zagreb, Croatia @filter.video.production ..#chefsworld#MICHELINrestaurants #zinfandels #lebistroesplanade#chef#gastronomy#MICHELINstar20#MICHELINGuideCR", + "likes": 1627 + }, + { + "caption": "Awarded a MICHELIN Green Star, @anaros40 is arguably one of the most stunning examples of the renewed tradition of sourcing local products. Fourteen years ago, the young woman took over her partners family restaurant in Kobarid - the now famous @hisafranko. Deeply anchored in the Soa Valley at the heart of the bucolic region of Western Slovenia, the chefs revolutionary cuisine is a testament to the natural beauty of her surroundings. A tribute to nature, her unique menu gives pride of place to regional products and offers mostly natural bio-dynamic wines. In addition to her own traditional backyard garden, Ana Ro gets her vegetables from farms where most of their strictly organic produce grow without watering; she also collaborates with several local foragers who bring her wonderful gems from the forests around Kobarid. Kobarid, Slovenia Suzan Gabrijan Illustration by @alice.vdw #MICHELINGreenStar #MICHELINSustainability #MICHELINrestaurants #restaurant #TwoMICHELINStars #chef #portrait #GuideMICHELINSVN", + "likes": 2329 + }, + { + "caption": "Sour explosion at @restaurantone! There, Chef Edwin Soumang works with fresh products from his 10,700 sq. ft. vegetable garden and his creativity shows off his talent to the full. Pickled pickles from last year's harvest with piccalilli Roermond, Netherlands . Repost Restaurant One #MICHELINrestaurants #restaurants #gastronomy #foodies #foodiegram #instafood #amuse #finedining #OneMICHELINStar #MICHELINGidsNL", + "likes": 4523 + }, + { + "caption": "Szara Kazimierz sits in the heart of Cracows Jewish Quarter and has a lovely enclosed rear terrace, as well as tables at the front overlooking the square perfect for the warmer weather! A mix of Polish and Swedish flavours reflect the owners heritage. Salmon tartare, capers, red onion, pumpernickel crumble and lemon mayo Cracow, Poland #MICHELINrestaurants #restaurants #gastronomy #foodies #foodiegram #instafood #salmon #tartare #pumpernickel #MICHELINPlate #MICHELINGuideMCE", + "likes": 2929 + }, + { + "caption": "Today's recipe is for the French chocolate flan ptissier, which is a custard tart made of puff pastry dating from the 13th century. Find the original taste of this childhood pastry whose flavor seems to have forever taken away! Yann Brys, pastry chef at @brachparis distinguished with a Plate in the MICHELIN Guide France 2021 shares the secrets of preparation of his version of chocolate flan. Measurement equivalents: 135g= 4.7 oz 15g= 0.5 oz 112g= 3.9 oz 18g= 0.6 oz 4cl= 1.3 fl oz 20g= 0.7 oz 25cl= 8.4 fl oz 65g= 2.3 oz 12g= 0.4 oz 16g= 0.6 oz 75g= 2.6 oz Tip from the chef: You can check the cooking of your pastry with a knife, its tip should come out without trace. Thanks for the recipe, @yannbrys! Illustrations by @alice.vdw Annabelle Schammes Share your version with us Tag @michelinguide and use #MICHELINGUIDEATHOME", + "likes": 5855 + }, + { + "caption": "A fruity dessert exquisitely executed, with a lightness of touch and an understated edge! The chef of @restaurantgordonramsay interprets the philosophy of Ramsays style impeccably. \"Strawberries and Cream\", wild strawberries, chamomile, Sarawak pepper London, United Kingdom . Repost Restaurant Gordon Ramsay #MICHELINrestaurants #restaurants #gastronomy #foodies #foodiegram #instafood #strawberry #dessert #ThreeMICHELINStars #MICHELINGuideGBI", + "likes": 13903 + }, + { + "caption": "Brush up your food terminology with us! If soups and stewed dishes make your taste buds sing, you may be pleasantly surprised how a specific stock used in Japanese cuisine can totally bolster your plates' savory. Based on meat, fish or vegetable, dashi can be found in various cultures, such as France with its bouillon and \"fond\" (broth), and China with its tang. But this smoky and sultry stock is especially the umami-loaded base for countless Japanese dishes like miso soup. Todays addition to the MICHELIN Guide Glossary is Dashi What dish have you already cooked with dashi? Take a peek at the new MICHELIN Guide App to find out how is composed dashi on the Japanese culinary philosophy. #MICHELINGuideGlossary #dashi #Foodlovestory#Foodlovers #Fooddiscovery", + "likes": 6231 + }, + { + "caption": "Inspired by a dish that is originally from the city of Hakodate on the island of Hokkaido, Ika Smen is the best-selling signature dish which tells as good as possible the story of @iyo.restaurant. This thinly sliced squid dipped in the egg yolk slowly flowing in the plate is enhanced with the expressive power of soba dashi sauce and caviar ; looking like carbonara in some ways. Would you be ready to eat this smen noisily as the Japanese tradition requires? Ika smen Milan, Italy . Bruno Taddel #MICHELINrestaurants #restaurants #gastronomy #foodies #foodiegram #instafood #somen #Japanesefood #OneMICHELINStar #guidaMICHELINIT", + "likes": 5464 + }, + { + "caption": "From an audacious little dressmaker to her globetrotting grandson, @cotestjacques awarded a MICHELIN Green Star has established itself as a fine dining institution in Burgundy, France. There, chef Jean-Michel Lorrain likes evoking nature in his regional dishes. Those are full of generosity and composed of high quality ingredients. In addition to sourcing their products from local producers, the entire team contributes to the harvest of fruits and vegetables in the 2000m2 garden facing the restaurant. There have also been several beehives for four years. They offer honey for breakfast and for the boutique of the establishment. As a passionate cook and wildlife enthusiast, chef Lorrain created an association for the defense of biodiversity two years ago, a parallel but complementary approach to the eco-responsible work undertaken at the restaurant. We have refocused our sourcing, always favoring quality. There is no way that proximity justifies lower quality!\" Joigny, France La Cte Saint-Jacques Illustration by @alice.vdw #MICHELINGreenStar #MICHELINSustainability #MICHELINrestaurants #restaurant #TwoMICHELINStar #chef #portrait #GuideMICHELINFR", + "likes": 2130 + } + ] + }, + { + "fullname": "Carlo's Bakery", + "biography": "Home of the #CakeBoss FAST & FREE SHIPPING ANYWHERE IN THE U.S. via @Goldbelly Tag pix for a chance to be featured on our IG #carlosbakery", + "followers_count": 2339694, + "follows_count": 455, + "website": "http://www.carlosbakery.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "carlosbakery", + "role": "influencer", + "latestMedia": [ + { + "caption": "Our Strawberry Rainbow Cake is available for order in Carlos Bakery stores or online with FREE nationwide delivery at CarlosBakery.com . Get it by the individual slice {shown here} or entire 6 cake . #regram @un_placer_comer . #carlosbakery #cakeboss #goldbelly #rainbowcake #strawberry #order #available #instores #instock #online #strawberryrainbowcake #rainbowfood #slice #dessert #cakesofinstagram #cakesofinsta #foodie #foodblogger #dessertbloggers", + "likes": 6079 + }, + { + "caption": "Can you believe its August already?! . Tag a friend who has a #Birthday this month and would love to celebrate with our 10 Chocolate Fudge Cake!! . Available online with FREE nationwide shipping at CarlosBakery.com . #carlosbakery #cakeboss #chocolate #chocolatefudgecake #happybirthday #birthday #birthdaycake #cakesofinstagram #freedelivery #nationwideshipping", + "likes": 4472 + }, + { + "caption": "One like for the Cannoli and a comment for the Lobster Tail, please. . They look so #yummy they deserve it! . Available in Carlos Bakery stores and online with FREE nationwide shipping at CarlosBakery.com . #regram @lexi.casebolt . #carlosbakery #cakeboss #cannoli #lobstertail #like #comment #bakery #pastries #pastriesofinstagram #pastriesfordays #pastrieslover #order #instores #online", + "likes": 7777 + }, + { + "caption": "S U N D A Y S were meant to be S W E E T!!! . Stop into your neighborhood Carlos Bakery and indulge!! We cant wait to see and serve you! . Visit CarlosBakery.com for a list of bakery locations, menus and hours . #regram @frank_garcia76 featuring our Santa Monica, CA Bakery . . #CarlosBakery #cakeboss #cakebytheocean #santamonica #santamonicaca #bakery #bakeshop #sunday #indulge #sweet #reels #reelsofinstagram #reelsoftheday #reelsvideo #reelsexplore #explorepage #reelsexplorepage", + "likes": 20834 + }, + { + "caption": "Whatever your taste, the BOSS has you covered . Our NEW line of K-cup Carlos Coffees was inspired by and pairs perfectly with all of our desserts. . Flavors include: Chocolate Fudge Cake Hazelnut Biscotti Dulce De Leche / Deulce De Leche Decaf Italian Rum Cake Vanilla Buttercream Raspberry Truffle Chocolate Cannoli Bada Boom Buddys Blend . Available at CarlosBakery.com with FREE nationwide delivery . #carlosbakery #cakeboss #coffee #kcups #kcup #desserts #ordernow #instock #decaf #caffeine #coffeelovers #coffeeloversclub #coffeelove #coffeetime #coffeegram", + "likes": 4915 + }, + { + "caption": "Happy Saturday!! . Our custom #cakeoftheweek goes to this @dannyduncan69 pop up shop replica cake that our Santa Monica bakery had the pleasure of creating. . YES- this is a cake!! . Contact your neighborhood Carlos Bakery today to bring the custom cake of your dreams to life . #carlosbakery #cakeboss #santamonica #california #santamonicaca #customcake #cakeoftheweek #cakesofinstagram #cakesofig #designercake #cake #bakery #dannyduncan #popupshop #truck", + "likes": 2088 + }, + { + "caption": " hands up in comments if you love Carlos Chocolate Chip Cookies . Grab some this weekend in Carlos Bakerys stores or online with FREE nationwide shipping at CarlosBakery.com . #carlosbakery #cakeboss #cookies #chocolatechipcookies #chocolates #cookiesandmilk #milkandcookies #weekend #yum #sogood #delish #comment #order #instores #online", + "likes": 5718 + }, + { + "caption": "#holycannoli even if youre not local to a Carlos Bakery store you can still get your hands on our world famous Cannolis because we ship them nationwide!! . Order at CarlosBakery.com for FAST & FREE shipping . #carlosbakery #cakeboss #cannolis #pastries #pastry #pastriesofinstagram #holycannoli #nationwidedelivery #freeshipping #cannoli #worldfamous #ordernow", + "likes": 6215 + }, + { + "caption": "Tag a friend to let them know all about our NEW assorted bite-size cake truffles!! . Flavors include: -Cookies N Cream: which is a moist chocolate cake filled with vanilla buttercream, rolled into a bitesize treat, and coated in crushed cookie crumbs. . -Fudge Rainbow: which is our famous rainbow cake combined with rich fudge icing and formed into a ball, filled with fudge and coated in rainbow and chocolate sprinkles. . Vanilla Confetti: which is a vanilla sprinkle cake filled with white buttercream and coated in confetti sprinkles. . Available to order at CarlosBakery.com with FREE nationwide shipping . #carlosbakery #cakeboss #goldbelly #cake #cakeballs #caketruffles #dessertsofinstagram #sweet #yummy #delish #nationwidedelivery #freeshipping #cookiesncream #fudgerainbow #vanillaconfetticake", + "likes": 4652 + }, + { + "caption": "Surprise someone and send them our Rainbow Surprise Cake!! . This classic Rainbow Cake has a FUN surprise! Cut open the cake to reveal an explosion of sprinkles! . Order at CarlosBakery.com with FREE nationwide shipping . #carlosbakery #cakeboss #goldbelly #rainbowcake #rainbow #surprise #sendsomelove #sprinkles #explosion #rainbowfood #cakesofinstagram #cakesofinsta #coolcakes #surprisesomeone", + "likes": 3874 + }, + { + "caption": "Summer diet?! Carrot Cake counts, right?! . Its made with freshly shredded carrots, finely chopped walnuts, and frosted with cream cheese icing. Yum! . Available in Carlos Bakery stores and online with FREE nationwide shipping at CarlosBakery.com . #carlosbakery #cakeboss #goldbelly #summerdiet #diet #summer #instores #online #freeshipping #nationwidedelivery #carrots #walnuts #creamcheesefrosting #cakesofinstagram #cake", + "likes": 5398 + }, + { + "caption": "The Ultimate Cake Boss Experience!! . Our 8 slice sampler pack has every cake you ever wanted to try in one sitting! . Oh Baby! Includes: . * 1 Rainbow * 1 Strawberry Pastel Rainbow * 1 Carrot * 1 Red velvet * 1 Confetti * 1 Rainbow Chocolate Fudge * 1 Chocolate Fudge * 1 Cookies & Cream . Order with FREE nationwide shipping at CarlosBakery.com . #carlosbakery #cake #slice #sliceslicebaby #cakesofinstagram #cakeslices #freeshipping #nationwidedelivery #cakesofinstagram #trythemall", + "likes": 3291 + } + ] + }, + { + "fullname": "Kathy Wakile", + "biography": "WifeMomCookBakerAuthor ExplorerLoverOfLaughter Believer Podcast EatLiveLoveIndulge @indulgebykathywakile Pizza is Life @pizzalove_201", + "followers_count": 450843, + "follows_count": 683, + "website": "https://www.goldbelly.com/indulge-by-kathy-wakile", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "kathywakile", + "role": "influencer", + "latestMedia": [ + { + "caption": "Lemon Granita with my @remington.college culinary arts students! Swipe for my recipe @indulgebykathywakile named for my Daddy Tonys Lemon Ice since it was his favorite summer treat. Inspired by the most incredible lemons found along the Amalfi Coast -so simple, so refreshing, so delicious #whenlifegivesyoulemons #culinaryarts #memphis #remingtoncollege #eatliveloveindulge", + "likes": 4449 + }, + { + "caption": "When Life Gives You My @remington.college Culinary Arts Students and I get in the kitchen! @remingtoncollegeculinaryarts #memphis #culinaryarts #eatliveloveindulge", + "likes": 2470 + }, + { + "caption": "Happy Saturday! #ragtop", + "likes": 9662 + }, + { + "caption": "[Greece] is the time, is the place, is the motion. [Greece] is the way we [were] feeling! #wanderlustwednesday #greece #kos #santorini #mykonos", + "likes": 18679 + }, + { + "caption": "Back from Vacation Back to Work Its great to have someone you can trust with your legal needs Contact Alex Cirocco @ciroccolaw", + "likes": 1940 + }, + { + "caption": "Blown Away!", + "likes": 5518 + }, + { + "caption": "Under the Myconian Sun", + "likes": 8752 + }, + { + "caption": " #mykonos #bougainvillea #takewalks", + "likes": 3546 + }, + { + "caption": "all good here #mykonos #greece", + "likes": 5713 + }, + { + "caption": "Blessed Grecian HolidayPart 3 Brittany & Niko Nicolaou Wedding Celebrations Such an Incredibly beautiful evening none of us will forget & the love that shared by all will stay with us Forever! God Bless this Beautiful Couple with a lifetime of Love & Happiness#biko #santorini", + "likes": 20569 + }, + { + "caption": " Magic Hour #biko #santorini", + "likes": 8998 + }, + { + "caption": "Beach DaysNew Friends @wet_stories_santorini #boho #Santorini #greece #tiedyed #rosallday ", + "likes": 2879 + } + ] + }, + { + "fullname": "Arman Liew", + "biography": " The Big Mans World ORIGINAL Healthy Recipes 2 x Cookbook Author Melbourne, AUSTRALIA @earthblokes CLICK FOR ALL RECIPES ", + "followers_count": 615301, + "follows_count": 151, + "website": "https://thebigmansworld.com/3-ingredient-paleo-vegan-coconut-crack-bars-keto-sugar-free-no-bake/", + "profileCategory": 2, + "specialisation": "Public Figure", + "location": "", + "username": "thebigmansworld", + "role": "influencer", + "latestMedia": [ + { + "caption": "Wanting all things coconut right now, like these NO BAKE COCONUT CRACK BARS! Secretly low carb and ZERO refined sugar, they are so good, you won't stop at one! Full recipe linked in my profile or swipe UP on my IG stories @thebigmansworld cravings be gone #ketodessert #vegansweets #cleansweetscookbook #coconut #paleovegan - - - - - https://thebigmansworld.com/3-ingredient-paleo-vegan-coconut-crack-bars-keto-sugar-free-no-bake/", + "likes": 3588 + }, + { + "caption": "Skipping the candy and chocolate aisle and making my own HOMEMADE KIT KAT BARS! NO baking required, you need just 5 main ingredients to make it and keto version included! Full recipe linked in my profile or swipe UP on my IG stories @thebigmansworld no red packaging needed #veganchocolate #ketodessert #cleansweetscookbook #kitkat #ketorecipes - - - - - https://thebigmansworld.com/healthy-no-bake-peanut-butter-kit-kat-crunch-bars-vegan-gluten-free/", + "likes": 6553 + }, + { + "caption": "Crisp edges and soft and chewy centers, these babies are the BEST EGGLESS CHOCOLATE CHIP COOKIES EVER! Made in just ONE bowl, they need pantry staple ingredients that you probably have right now! Full recipe linked in my profile or swipe UP on my IG stories @thebigmansworld always a cookie time. #vegancookies #glutenfreecookies #cleansweetscookbook #chocolatechipcookies #veganrecipes - - - - - https://thebigmansworld.com/eggless-chocolate-chip-cookies/", + "likes": 9790 + }, + { + "caption": "Proving that carbs and grains aren't needed for desserts, like in these ULTRA FUDGY BROWNIES! Secretly low carb and ZERO refined sugar, it's gooey, fudgy, and full of chocolate! Full recipe linked in my profile or swipe UP on my IG stories @thebigmansworld sink your teeth into this. #ketobrownies #glutenfreechocolate #cleansweetscookbook #fudgybrownies #ketorecipes - - - - - https://thebigmansworld.com/best-fudgy-keto-brownies/", + "likes": 5800 + }, + { + "caption": "Making an effort to up my fruit intake by whipping up this HEALTHY APPLE CAKE! NO eggs and NO dairy needed, it's moist, fluffy and has the best frosting! Full recipe linked in my profile or swipe UP on my IG stories @thebigmansworld this counts as a fruit salad #vegancake #glutenfreedessert #cleansweetscookbook #healthycake #paleovegan - - - - - https://thebigmansworld.com/healthy-apple-cake/", + "likes": 9204 + }, + { + "caption": "Made by THOUSANDS of you legends, time to re-make this MAGIC 2 INGREDIENT NAAN! NO yeast and a dough made 2 ways (original and keto option, swipe and see!) it's so soft and fluffy, and ready in minutes! Full recipe linked in my profile or swipe UP on my IG stories @thebigmansworld Naan time! #veganbread #glutenfreebread #cleansweetscookbook #naan #ketorecipes - - - - - https://thebigmansworld.com/2-ingredient-naan/", + "likes": 8015 + }, + { + "caption": "Keep the ovens off and count to 5 ingredients and make these NO BAKE CRUNCH COOKIES! NO baking, NO butter and NO dairy needed, they are crispy, crunchy, and just like STAR CRUNCH! Full recipe linked in my profile or swipe UP on my IG stories @thebigmansworld things that go crunch #vegancookies #glutenfreedessert #cleansweetscookbook #nobakecookies #veganrecipes - - - - - https://thebigmansworld.com/healthy-no-bake-chocolate-peanut-butter-crunch-cookies-vegan-gluten-free/", + "likes": 9803 + }, + { + "caption": "Stop making banana bread and switch things up to make this HEALTHY BANANA CAKE! NO refined sugar and NO dairy needed, it's moist, fluffy, and has the best ever frosting! Full recipe linked in my profile or swipe UP on my IG stories @thebigmansworld have a slice or three. #vegancake #glutenfreedessert #cleansweetscookbook #healthycake #paleovegan - - - - - https://thebigmansworld.com/healthy-banana-cake/", + "likes": 12110 + }, + { + "caption": "Dessert for breakfast is mandatory around here, like with these HEALTHY BREAKFAST BROWNIES! NO flour, NO eggs, and NO dairy needed, they are gooey, fudgy, and perfect to kickstart your morning! Full recipe linked in my profile or swipe UP on my IG stories @thebigmansworld breakfast is served #veganbreakfast #healthybreakfast #cleansweetscookbook #brownies #veganrecipes - - - - - https://thebigmansworld.com/healthy-four-ingredient-breakfast-brownies/", + "likes": 11862 + }, + { + "caption": "Time to fine the donut pans to whip up these HEALTHY BAKED BLUEBERRY DONUTS! NO yeast, NO refined sugar and two ways to make it- one way needs just 5 ingredients! Full recipe linked in my profile or swipe UP on my IG stories @thebigmansworld donut timeee. #ketobreakfast #vegandonuts #cleansweetscookbook #bakeddonuts #ketorecipes - - - - - https://thebigmansworld.com/baked-blueberry-donuts/", + "likes": 8711 + }, + { + "caption": "Truly one of the best cheesecakes you'll ever make is this BISCOFF COOKIE BUTTER CHEESECAKE! NO eggs and NO dairy needed, it's creamy, rich, and full of delicious Biscoff! Full recipe linked in my profile or swipe UP on my IG stories @thebigmansworld sink your teeth into this. #vegancheesecake #glutenfreedessert #cleansweetscookbook #biscoff #veganrecipes - - - - - https://thebigmansworld.com/biscoff-cheesecake/", + "likes": 14349 + }, + { + "caption": "When life hands you biscoff (aka cookie butter), throw it in a bowl and make these FLOURLESS COOKIE BUTTER COOKIES! NO white flour and NO grains needed, these cookies are soft, chewy, and elevate the biscoff! Full recipe linked in my profile or swipe UP on my IG stories @thebigmansworld always a cookie time. #vegancookies #glutenfreedessert #cleansweetscookbook #biscoff #paleovegan - - - - - https://thebigmansworld.com/cookie-butter-cookies/", + "likes": 7004 + } + ] + }, + { + "fullname": "Satisfying & Viral Videos", + "biography": " Mind Stretching & Satisfying", + "followers_count": 2406912, + "follows_count": 58, + "website": "", + "profileCategory": 2, + "specialisation": "Personal Blog", + "location": "", + "username": "stretchmymind", + "role": "influencer", + "latestMedia": [ + { + "caption": "How much do you think this mega yacht costs? @theyachtgame @nobiskrugsuperyachts #yacht #luxury #satisfying", + "likes": 1029 + }, + { + "caption": "The quickest way to cross the pond @adrienraza #satisfying #viral", + "likes": 16435 + }, + { + "caption": "This guy is insanely talented @parkourfocus #parkour #biking #satisfying", + "likes": 6715 + }, + { + "caption": "#satisfying #art #chess", + "likes": 6003 + }, + { + "caption": "Where did he go!?? @the3dumbbellz #viral #funny", + "likes": 4610 + }, + { + "caption": "A slug absorbing water Tag someone to remind them to drink water @naturepicturelibrary #nature #science #satisfying", + "likes": 4294 + }, + { + "caption": "Why is this SO SATISFYING? @crownpercussion #satisfying #viral #mesmerizing", + "likes": 12966 + }, + { + "caption": "Incredibly talented make up artist @mimles #makeup #art #satisfying", + "likes": 10437 + }, + { + "caption": "DIY indoor cloud ceiling Wow! @ratvandal #diy #satisfying", + "likes": 19275 + }, + { + "caption": "He was way too casual about that @trickshotcop @arompza3 #satisfying #basketball #trickshot", + "likes": 4423 + }, + { + "caption": "Fluoroscopy of a Dog Eating Food - Credit: Vet Digital X Ray (YouTube) #dogs #dogsofinstagram #science", + "likes": 10464 + }, + { + "caption": "An Umbrella Tree @brigrc #satisfying #amazing #travel", + "likes": 10246 + } + ] + }, + { + "fullname": "Mandy Merriman", + "biography": "Helping you build your Cake Confidence & love of baking! Best Selling Cookbook Cake Confidence Recipes | Classes | TV Segments | Tutorials", + "followers_count": 414517, + "follows_count": 752, + "website": "https://shor.by/Bakingwithblondie", + "profileCategory": 3, + "specialisation": "Author", + "location": "", + "username": "bakingwithblondie", + "role": "influencer", + "latestMedia": [ + { + "caption": "Make my PB Choc Cake a double . This is one of everyones favorite flavor and after that first bite, its hard to not see why! Rich Dark Chocolate Cake Layers Peanut Butter Buttercream Cocoa Buttercream Dark Chocolate Drips Mini Chocolate Chips & Reeses Cups and Swirls on Top! As for the drip - its allllllll about consistency and temperature. Its important to have a cold cake, and for your ganache to be slightly cooled off. If its too thick, add more heavy cream. If its too thin, add more chocolate melts. Thats it! Easy peasy . #bakingwithblondie #cakeconfidence", + "likes": 2965 + }, + { + "caption": "UGH. Tell me your least favorite part about baking without telling me your least favorite part of baking. On the flip side - Im glad my kitchen isnt any bigger or else Id have to clean more of it, too!!! In all seriousness, I love that my kitchen is where I can create, bake, and dream. I get to see whats in my head come alive through cake. Im so grateful I have this space to do what I do every single day, and although I do this almost every day, I still come back the next morning excited to create once again. PS - cookbook #2 is coming along so beautifully, and I cannot wait to show you guys what Ive been pouring my heart and soul into these days . Now tell me - are you a fan of the dish scene? Therapeutic? Or the worst part?", + "likes": 8111 + }, + { + "caption": "Youre a bright light with cake along the way. This is going to stick. One of my Dads very last text messages to me while watching one of my TV segments. Its been one year since our world stopped because of the accident, and although most things around me in my world may seem to keep on turning, theres a hole in my heart that keeps me from moving on. Its the strangest thing, really, how so many feelings can coexist in my mind. Grief and hope had never been in the same sentence for me before. They say it gets better. It does a tiny bit. And then it doesnt. And then it really doesnt. And then you find ways to still function, work, and press on. You find ways to get up and show up. Eventually theres times when you have a real smile again somehow. How can it already be a year? It just barely happened in my mind. I still dont understand why it happened. I dont think things like this happen for a reason. I dont think God was trying to teach us something from this. It just was a really sad thing that happened. I do know that God is good. He has held up the loved ones my Dad left behind in ways I didnt think would be possible. My mom, my brothers, my sister, my Dads family and friends - we all miss him terribly. How could we all be able to continue truly living with all this grief on our backs without some kind of strength and help that exceeds reason? Hes there. Angels are around us. They were there that day, and they continue to surround us. Thats what I cling to on days like this. God is with us in the good, and is with us during the unimaginable. I dont know how else I could have personally gotten through this so far. Love you, Dad. Your little blondie misses you so very much today and always. Thank you, everyone, for allowing me to share my feelings in this space. I know its not all cake and sunshine in my world. Cake is healing at times for me, but doesnt fix everything. So many of you have been through grief (recently or what still feels like your loss was recent) and I want you to know youre not alone, and your messages have given me strength. My heart continues to go out to you . Xo", + "likes": 9930 + }, + { + "caption": "Raise a glass to the weekend !!! I was a band geek in middle school, high school, and that extended my love of saxophone performance clear through college at Brigham Young University and beyond. In high school, after every concert, my friends and I would all pile into our little cars and head over to the nearest A&W for a frosty mug. It was an ice cold mug with a large handle that theyd fill clear to the top with frothing, foaming, tap root beer. Even better, it was refillable. We went so often that I still crave root beer after each of my performances in the Utah Wind Symphony (missing them these days!). My little family and I keep the tradition alive by stopping at a soda shop together after my concerts to share something sweet to drink. I dont mind one bit. Hope yall are having a good weekend If youre looking for a crazy delicious root beer cake & cupcake recipe, this goodie is in Cake Confidence (second edition preorder is already available ). This morning my choice of hydration was a little different (see my stories after my long run this morning). Im a huge fan of the newest flavor! ", + "likes": 3776 + }, + { + "caption": "I wore the wrong shirt for this one But hey! Pineapple and lemons both remind me of summertime, and we still have plenty of summer left, in my book. This is my pineapple upside down cake, but I decided to dress it all up with piped pineapples, @sweettoothfairy sprinkles, and maraschino cherries on top! I know you see different cakes of mine with certain frosting techniques on the outside, but dont be afraid to branch out and try something new as far as how you decorate your cake . You get to decide what it looks like on the outside, without having to worry about how delicious it is on the inside (I always have you covered there ). What fruits should I try piping next on the outside? Tip: Small star tips and a leaf tip with my pineapple buttercream (recipe in my Cake Confidence cookbook) #bakingwithblondie", + "likes": 5831 + }, + { + "caption": "You have 30 seconds to frost a dozen cupcakes What piping tip do you go for? Or any tip at all? Tell me! I love to reach for the Wilton 1M piping tip and do some quick rosettes. Chocolate rosettes are sooooo dreamy, no? This was the first way I learned how to frost a cupcake, and its still one I come back to when I need to frost them really quick for something . It also creates the perfect cake-to-frosting ratio when I make my cupcakes into cupcake sandwiches (break off the bottom and place it on top!) Chocolate Cupcakes with Cocoa Buttercream and mini chips #bakingwithblondie", + "likes": 7977 + }, + { + "caption": "Ice cream & cake, yay or nay? Okay, how about ice cream inspired cakes?? Im all for both! In fact, there are three brand new ones in my second cookbook . And Ive never seen them anywhere else, so its going to be super hard to keep them a secret while we wait! Until then, heres two ice cream cone inspired cake techniques, as well as FIVE ice cream inspired cake recipes: Neapolitan Cake Rocky Road Cake Banana Split Cake Hot Fudge Sundae Cake Orange Creamsicle Cake All of these recipes are in my first cookbook, Cake Confidence, and also in my SECOND EDITION of Cake Confidence that is coming out in October! Yall are already exploding the preorders on Amazon; hitting the best sellers list in multiple categories in the new releases! (Thank you!!!) Im so grateful you guys are as excited as I am about this second edition of a cookbook that has changed my life, and so many of yours! *My second edition of Cake Confidence (Fall 2021) and cookbook #2 (2022) are different cookbooks, but are both all kinds of . #bakingwithblondie #cakeconfidence", + "likes": 6453 + }, + { + "caption": "Biscoff > PB. Fight me. Okay? Dont fight me . But I love pairing cookie butter with so many different things! This time I did chocolate, but Ive made a few recipe-testing cakes this year when Biscoff paired beautifully with strawberry, pumpkin, banana, white chocolate, dark chocolate, raspberry, caramel, cream cheese, gingerbread, etc. I asked Ryan what hed pair Biscoff with and he said airplanes. Hes not wrong, right? What do you pair your Biscoff with? Chocolate cupcakes, Biscoff crumble, Biscoff buttercream, Biscoff drizzle, and a Biscoff cookie on top!", + "likes": 12558 + }, + { + "caption": "Wait, what? Thats right! You can pre-make your American buttercream, and this is how: (Save this for when you need to pre-make a lot of buttercream or would like to make it in advance anytime). : Make your buttercream as usual. : Wrap it twice in plastic wrap like I have in this video. : Place it just like this in the fridge for up to a week. If youre doing longer, wrap it again in aluminum foil and keep it in the freezer. : The buttercream changes consistency in the cold, so to bring it back to frosting-the-cake consistency, leave it out at room temp for an hour or two (length depends on your climate and kitchen temperature). : Unwrap, then place it in your stand mixer fitted with the paddle attachment. Whip on high speed until its light and fluffy again! Thats it! Have you tried this storage method before? Another method? Id love to hear it. #bakingwithblondie", + "likes": 21395 + }, + { + "caption": "Have you used your melon baller for this trick? Its my go-to for making the perfect scoop for my cupcake fillings! How: - Freeze your lemon cupcakes (covered) and then theyll easily scoop out with a melon baller. - Add your lemon curd filling to a drip bottle to easily add the filling to each cupcake (no mess!) - Press the cake scoop back on top to seal it off. - Pipe on a gorgeous Berry Buttercream swirl and top with fresh berries . This is my cake & buttercream flavor for tonights cake class, and is definitely one of my favorite summer flavors! Recipe is in my first & best selling cookbook, Cake Confidence . Find it on Amazon today to have it in your kitchen for your weekend baking ", + "likes": 12309 + }, + { + "caption": "How can you easily take a birthday cake up a few extra notches? Little embellishments! Chocolate mold pieces, sprinkles of all sizes, different sizes of piping tips and shades of buttercream, a variety of textures, a small drip of ganache, and even a teeny tiny mermaid tail snuck on top can make your little ones eyes light up They really make it extra special for those were celebrating! Lets talk molds and chocolate: Have you used chocolate molds to embellish a cake before? Not all molds and melting chocolate are created equal, so my biggest tip would be to find something that has a lot of give/squish, and make sure to tap your chocolate flat to fill in all the little spaces in the mold before it hardens. I love using @wiltoncakes & @sweettoothfairy bright white melts for fun details like the ones I used on this mermaid cake. Melt it in the microwave for 30 seconds and stir. Add 10 seconds, stir, and repeat until its melted. It wont seize if youre going slow and stirring between. I loved how this sweet little cake turned out! Its filled with chocolate cake and raspberry buttercream , for my nieces birthday in June. #bakingwithblondie", + "likes": 7725 + }, + { + "caption": "When was the last time you had a Frosted Circus Animal Cookie? These cookies remind me of being a kid, and I have a whole cake and recipe for you on my website inspired by them! (Its a pink and white striped little cutie ). Do you remember the Oreo ones I shared recently? Heres the fate of the other half of the two dozen! For these ones, I did: : Funfetti Cake base : Rainbow Nonpareils on a thin layer of buttercream. : Almond White Chocolate Pink & White Swirled Buttercream (Wilton 6B) : A pink little frosted animal circus cookie on top! So fun! So two batters, two different kinds of cupcake . Which would you choose? Cookies & Cream or Frosted Circus Animal Cupcakes? #bakingwithblondie #cakeconfidence", + "likes": 8514 + } + ] + }, + { + "fullname": "Lay's", + "biography": "The perfectly crispy chip that has been Americas favorite snack for more than 75 years.", + "followers_count": 972474, + "follows_count": 29, + "website": "http://snacks.com/", + "profileCategory": 2, + "specialisation": "", + "location": "Plano, Texas", + "username": "lays", + "role": "influencer", + "latestMedia": [ + { + "caption": "Doritos and Funyunsbut make em Lays chips.", + "likes": 7664 + }, + { + "caption": "Is it the Nori Seaweed from Thailand for you? Or are you feelin the Smokey Bacon from Canada? #InternationalFlavorFaceOff", + "likes": 6700 + }, + { + "caption": "Mentally were here...also physically were here. Tell us where youd take this Lays floatie and we might send you one! ", + "likes": 2713 + }, + { + "caption": "Yall. Arent. Ready. @doritos @officialfunyuns", + "likes": 8073 + }, + { + "caption": "To the people who eat Lays with ice cream, we see you and support you.", + "likes": 5515 + }, + { + "caption": "Is it just us, or does it suddenly feel like 1996? ", + "likes": 8884 + }, + { + "caption": "Is it just us or do Lays taste even better outdoors? : @mahjestiq @kyschweitzer @angiemonson @michael_theodore @amanda_worley", + "likes": 2582 + }, + { + "caption": "Were getting notes of pineapple and smoked ham would this fake flavor be an oh yeah or an oh no?\"", + "likes": 17196 + }, + { + "caption": "Red, white, blueand yellow. Happy 4th of July!", + "likes": 3386 + }, + { + "caption": "We go together like Bud Light and Lays Go to Bud Lights Twitter to see how you could win this cooler, beer, and chips for a year from Bud Light.", + "likes": 1960 + }, + { + "caption": "Happy Canada Day! Bet youd like to try these, eh?", + "likes": 9012 + }, + { + "caption": "Dill pickles and Lay's Dill Pickle chips on the same burger - Too much dill? Just right? Not enough? You tell us.", + "likes": 2714 + } + ] + }, + { + "fullname": "AmourDuCake", + "biography": "|Instagrammeuse franaise fan de cake design] INSPIRATION PAGE PARIS , FRANCE My blog and shop ", + "followers_count": 1179139, + "follows_count": 496, + "website": "https://amourducake.com/blogs/english-blog/my-no-bake-and-eggless-tiramisu", + "profileCategory": 3, + "specialisation": "Blogger", + "location": "", + "username": "amourducake", + "role": "influencer", + "latestMedia": [ + { + "caption": "YES OR NO?? Beautiful cake by @domsli22 Its so cute!!", + "likes": 2806 + }, + { + "caption": "YES OR NO?? My dream by @vikki.milash Its so delicious!!!", + "likes": 2461 + }, + { + "caption": "YES OR NO?? Amazing cake by @thecomelbakes Its so beautiful", + "likes": 7607 + }, + { + "caption": "YES OR NO?? Amazing cake by @harucake_ Its so cute!!", + "likes": 8838 + }, + { + "caption": "1, 2, 3, 4, 5, 6, 7, 8 OR 9?? Amazing cakes by @esfahan.cakeland Its so cute!!!", + "likes": 7363 + }, + { + "caption": "YES OR NO?? Do you want slice?? by @thepurplecupcake_ Its so cute!!", + "likes": 12084 + }, + { + "caption": "YES OR NO?? Ice cream production line by @jorgearteaga Its so satisfiyng !!!", + "likes": 26996 + }, + { + "caption": "YES OR NO?? Cake marbre by @cyril_lignac I love so much!!", + "likes": 5726 + }, + { + "caption": "YES OR NO?? Strawberry sandwich by @nao2748 Its so beautiful", + "likes": 10139 + }, + { + "caption": "YES OR NO?? Coconut by @pauline_cake Its so impressive !!", + "likes": 10922 + }, + { + "caption": "YES OR NO?? 101 roses tutorial by @fivetwobaker Its os impressive", + "likes": 10115 + }, + { + "caption": "YES OR NO?? Midsommar Cake Cookie Demo by @getsweetaf Its so impressive", + "likes": 9334 + } + ] + }, + { + "fullname": "Olive Garden", + "biography": "We're all family here. Dine in with us or order To Go Delivered Carside.", + "followers_count": 646265, + "follows_count": 1485, + "website": "http://bit.ly/ogorderonline", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "olivegarden", + "role": "influencer", + "latestMedia": [ + { + "caption": "Slice, slice, baby. #NationalCheesecakeDay", + "likes": 3606 + }, + { + "caption": "We like to call these our Lasagna triple threat. #NationalLasagnaDay", + "likes": 7882 + }, + { + "caption": "The grilled chicken gives this masterpiece a little something extra, don't you think? ", + "likes": 10152 + }, + { + "caption": "Tell us your order using only emojis. #WorldEmojiDay", + "likes": 11466 + }, + { + "caption": "Weekend plans: 1. Try every homemade soup on the menu 2. Try them again, because they're never-ending ", + "likes": 4246 + }, + { + "caption": "IYKYK Which $5 Take Home Entre is your favorite?", + "likes": 6201 + }, + { + "caption": "Which do you save for your last bite, or ?", + "likes": 5178 + }, + { + "caption": "Whats your favorite appetizer and why is it breadsticks?", + "likes": 5132 + }, + { + "caption": " this post if our To Go team knows you better than your own family.", + "likes": 3537 + }, + { + "caption": "Remember that time you went out to eat and didn't have any breadsticks? No? Us either. ", + "likes": 3826 + }, + { + "caption": "We don't know who needs to hear this, but our dipping sauce is Never-Ending now. ", + "likes": 4915 + }, + { + "caption": " this post if you've seen one of our photos in your feed and immediately ordered To Go ", + "likes": 2574 + } + ] + }, + { + "fullname": "Emmy", + "biography": "I like to make things and often wonder, Hmm...what does that tastes like?", + "followers_count": 348805, + "follows_count": 322, + "website": "https://youtu.be/tQYfTYNoZIw", + "profileCategory": 3, + "specialisation": "Digital Creator", + "location": "", + "username": "emmymade", + "role": "influencer", + "latestMedia": [ + { + "caption": "This is how we birthday. Thank you, Love. Its your bursting spirit that inspired it all. p.s. - I ordered the Serious Group Tie Dye Kit from @dharmatradingco and we were able to dye 10 kiddo and 9 adult shirts! The colors were brilliant and the kit includes everything (dye,soda ash, urea, squirt bottles, etc.) you need. ", + "likes": 5267 + }, + { + "caption": "Fingers covered in glue, we had the best time sticking the fringe on to our homemade piata. I cant wait to see yall smash it. Happy Birthday, Love. ", + "likes": 7816 + }, + { + "caption": "Cotton candy macaroni and cheese?! What say you? @kraftdinnerca", + "likes": 6680 + }, + { + "caption": "Can you guess the special ingredient in these fudgy brownie squares? ", + "likes": 9764 + }, + { + "caption": "My sprout holding edible flowers from our garden. Nasturtiums, borage, calendula, phlox, and tsai tsai.", + "likes": 5267 + }, + { + "caption": "Shark bait!", + "likes": 11120 + }, + { + "caption": "Playing with my favorite kiddos. ", + "likes": 4961 + }, + { + "caption": "Our garden strawberry haul. ", + "likes": 3152 + }, + { + "caption": "Garlic bread, anyone? ", + "likes": 11265 + }, + { + "caption": "Thank you @nagagardens for sending me the loveliest lychees. Fruity Fruits coming soon!", + "likes": 5250 + }, + { + "caption": "My kiddos aquascape i.e. pond water and plants in a old clamp jar. ", + "likes": 5181 + }, + { + "caption": "Hey Mama, I got a blurb in the @nytimes. They interviewed me and even took my picture. @kayanaszymczak", + "likes": 12656 + } + ] + }, + { + "fullname": "COOKIES CLOTHING", + "biography": " - SF: @cookiessfhaightst LA: @cookiesclothingla Barcelona: @cookiesbarcelona CustomerService@CookiesSF.com", + "followers_count": 871253, + "follows_count": 1387, + "website": "http://cookiessf.com/", + "profileCategory": 2, + "specialisation": "Clothing (Brand)", + "location": "", + "username": "cookiessf", + "role": "influencer", + "latestMedia": [ + { + "caption": "COOKIES SF handstyle, @friscoflows. - graffiti = real hip hop - - @cookiessf -", + "likes": 312 + }, + { + "caption": " - summer 21 - - @cookiessf -", + "likes": 2165 + }, + { + "caption": "The Santa Cruz Smoke Out 9/17 - tickets available now @berner415 bio - - @cookiessf -", + "likes": 1282 + }, + { + "caption": "@itsbizkitt Biggest Blogger In The - summer 21 - - @cookiessf -", + "likes": 1457 + }, + { + "caption": "@itsbizkitt , $ummer 21 @cookiessf.", + "likes": 2038 + }, + { + "caption": " - @cookiessf -", + "likes": 35186 + }, + { + "caption": "Sliding through Puerto Rico with @rrdblocks. - @cookiessf - - @sebikes -", + "likes": 3415 + }, + { + "caption": "@rrdblocks , @sebikes , @cookiessf.", + "likes": 3621 + }, + { + "caption": "@youngchop88, $ummer 21 @cookiessf.", + "likes": 1385 + }, + { + "caption": "@bdai2100 , @thethizzler , @cookiessf.", + "likes": 3304 + }, + { + "caption": "Wake n Bake with @doggface208 - @thefoocommunity - - @cookiessf - - @tiktok -", + "likes": 6456 + }, + { + "caption": "Pullin up like ... - @cookiessf -", + "likes": 8926 + } + ] + }, + { + "fullname": "noma", + "biography": "Pics and news from restaurant noma, Copenhagen. To book a table, visit our website:", + "followers_count": 811526, + "follows_count": 750, + "website": "https://noma.dk/reservations/", + "profileCategory": 2, + "specialisation": "Restaurant", + "location": "Copenhagen", + "username": "nomacph", + "role": "influencer", + "latestMedia": [ + { + "caption": "Beautiful zucchini flowers from @godis_gront prepped and ready to be blanched in a broth of lovage, lemon verbena, lemon thyme, and dried koji for our stuffed zucchini serving.", + "likes": 6828 + }, + { + "caption": "Game & Forest Season September 23 December 18, 2021 We are happy to announce that reservations will open for Game & Forest Season on Tuesday, August 3rd at 4PM (CEST-local Copenhagen time, 10AM EST). For this season we will be open for dinner Tuesday through Saturday, from September 23rd untilDecember18th. We will also offer lunch two Saturdays per month, serving the same menu as in the evening. We look forward to welcoming you this fall!", + "likes": 36100 + }, + { + "caption": "Last week our front of house team sat with our beekeeper, @kennethguldager , to learn more about the very fascinating life of bees. There are three types of bees that make up a colony: worker, drone, and queen (of which there is only one per hive). Within this hyper-organized hive are many types of worker bees, all of which are female and with very specific tasks at hand. Youve got cleaning bees to clean and polish the cells. Nurse bees to produce royal jellythe only food source for the queen. Building bees that excrete wax from glands in their abdomen and then use it to construct the combs. Guard bees that are positioned at the hive entrance, and only allow bees with a similar scent (pheremone); they also protect from invaders such as bumblebee and wasps. Fanning bees to cool and ventilate the hive. Foraging bees that collect nectar, pollen, water and propolis. And last but perhaps most important, scout bees to source new places to forage nectar and pollen and for future colonies. Each are vital to the success of the hive. If were lucky and all that falls into place, the queen will lay her eggs and the cycle continues with the next generation. Of course, no show and tell is complete without trying something new, and our team was lucky enough to taste some of the first honey that will be harvested from our hives later this summer.", + "likes": 7717 + }, + { + "caption": "The best of summer tomatoes", + "likes": 7105 + }, + { + "caption": "From the summer menu Lightly cooked peas with mushroom gel and cream These delicious peas are shelled twice; first from the husk, which is reserved for juicing and cooking the peas, and then shelled once more which results in a beautifully tender texture.", + "likes": 10911 + }, + { + "caption": "We recently visited Mai @maiskovflet , a weaving and basketry artisan, at her studio to learn more about her craft and how she creates some of the beautiful vessels we use for some of our dishes. We have been working with Mai since noma Australia, and this spring @mette_soberg reached out to her to create a basket for our courgette dumpling, one of the dishes from the summer menu. The inspiration for this piece was a nest, so it needed to feel wild and natural. The result is a wonderful handwoven basket with willow, pussy willow, hazel, willow bark, hair moss (skavgrs), and rush (equisetum hyemale). Visit our stories to learn more about Mais process!", + "likes": 2866 + }, + { + "caption": "Flowers in bloom, harvested from our garden. Which one is your favorite?", + "likes": 13735 + }, + { + "caption": "Kenneth, our beekeeper, came by the garden today to check in on our bees in preparation for harvesting honey later this summer. He inspects each frame to assess the general health of the hive. A happy queen means a happy hive, and ours is thriving this year.", + "likes": 4291 + }, + { + "caption": "From the summer menu Warm berry salad with fava beans and zucchini in elderflower sauce", + "likes": 6838 + }, + { + "caption": "Summer in the garden", + "likes": 6345 + }, + { + "caption": "Were so excited to announce Noma Projects and the launch of Project 001, nomas line of garums, coming later this year. This is the culmination of 18 years of knowledge, craft and experimentation channeled into a new endeavor. To bring Project 001 to life, we collaborated with design agency @gretelnyc and one of our long-time favorite artists, @davidshrigley . For first access to preorders and news on upcoming projects, visit the link in bio! Music: @stefanpasborg / Ibrahim Electric DOP: Mathias Nyholm Schmidt Editor: Rasmus Nyholm Schmidt", + "likes": 2124 + }, + { + "caption": "From the summer menu White asparagus with strawberries and salted magnolia blossoms", + "likes": 6497 + } + ] + }, + { + "fullname": "Flatlays for Creatives", + "biography": "Best FLATLAYS & BEYOND Karley & Ben DeCocker Food & Beverage Photography Recipe Development Join us and use #flatlaytoday", + "followers_count": 504571, + "follows_count": 1094, + "website": "http://flatlaytoday.com/", + "profileCategory": 2, + "specialisation": "Community Organization", + "location": "New York, New York", + "username": "flatlaytoday", + "role": "influencer", + "latestMedia": [ + { + "caption": "That Pie though Nectarine and Raspberry heaven!!! Came out perfect!!! Made with love by @foodie.yuki #flatlaytoday", + "likes": 3150 + }, + { + "caption": "Every day is cake day. why? Because mama deserves some sugar Made with love by @_jumorais_ - #flatlaytoday", + "likes": 3245 + }, + { + "caption": " Vegan Pesto Baguette Sandwich A classic turkey sub sandwich topped with a Dilly Garlic Pickle Spear, but make it vegan! Our friends at @clevelandkitchen Just launched their pickles boy they are soo good Recipe Ingredients: 1 large French baguette, cut into 6 in. pieces sliced in half. 5 oz. pack of Vegan Deli Style Turkey 1 oz. romaine lettuce 1 heirloom tomato, sliced 1/3 cup Vegan mayonnaise 2 tbsps. pesto sauce 2 Dilly Garlic Pickle Spears @clevelandkitchen Skewers, for serving Instructions: On the bottom part of each baguette slice, place a layer of vegan turkey slices. Top with sliced tomato and 1-2 leaves of lettuce. Spread vegan mayonnaise and pesto sauce on the top portion of the baguette. Place on top of the sandwich stack. Onto the skewer, thread a pickle slice and pierce through the sandwich. Serve & Enjoy! #flatlaytoday", + "likes": 1304 + }, + { + "caption": "Holy Chocolate Haven Tag your chocolate lovers to see this asap ! #flatlaytoday Video by @m.i.a.chocolate Music by Masego, Don Toliver - Mystery Lady", + "likes": 6333 + }, + { + "caption": "Naturally dyed crust with blueberry, beets, raspberry, carrots, turmeric and matcha. Ouh my Made with love by @saltedhoney.co #flatlaytoday", + "likes": 8401 + }, + { + "caption": "Absolutely in love with Robert Mondavi Private Selection 100% Cabernet Sauvignon (@robertmondavips)! I've never tasted a pure 100% Cabernet Sauvignon before - it's smooth and elegant with soft red and black fruit flavors and gentle tannins #RMPSPartner. This wine goes perfect with any type of cheeseboards and is our go to wine for gatherings with family and friends. A must have in your wine collection! #ad #For21+", + "likes": 1439 + }, + { + "caption": "We have been picking a ton of blueberries the last 2 weeks. Dang. Can't wait to make some delicious pastries and pies over the next few weeks. In the meanwhile here is one hot recipe for ya'll!! Mini Rustic Blueberry Galette. Voila! a lot of people asked for a recipe for the mini galettes.We just made a tiny little twist Check out the recipe below. Instead of topping up one single layer of puff pastry, cut it into 4-6 equal size pieces and follow the instructions as given below. Give it a try and let us know how you like it ouh and yes we had dessert for breakfast we couldn't resist . . . Recipe for 1 large Rustic Blueberry Gaellete . Ingredients: 1/4 cup honey 2 cups blueberries 1 tbsp cornstarch 2 tsp juice 1 tsp vanilla extract 1 sheet frozen puff pastry 1 egg , beaten coarse sugar (for sprinkling) vanilla ice cream (topping) . . Instructions: Preheat the oven to 380 degrees F. In a medium bowl, combine the blueberries, honey, cornstarch, lemon juice, and vanilla. On a floured surface, roll the puff pastry out into a rectangle about 1/4 inch thick. Place the pastry on a parchment lined baking sheet and place the blueberries over the pastry, leaving a 1 inch border. Fold the edges up and over the blueberries. Now, brush the edges of the pastry with egg and sprinkle with sugar. Transfer over to the oven and bake for 25 - 30 minutes or until golden brown. Let cool for a little bit and serve with vanilla ice cream. Enjoy!", + "likes": 4495 + }, + { + "caption": "The prettiest Ravioli ever Tag your pasta lovers to see this asap Video by @ch_ecco #flatlaytoday", + "likes": 17124 + }, + { + "caption": "Taking it to the next level as always Came out perfect! Video by @tortikannuchka #flatlaytoday", + "likes": 21329 + }, + { + "caption": "Food is art. Came out perfect!!! Made with love by @saltedhoney.co #flatlaytoday", + "likes": 10749 + }, + { + "caption": "Blackberry Cream Cheese Pastries Super easy & delicious goes perfect with coffee or tea!! Tag someone who needs to try this asap!! Recipe below: . . Yield: 12 servings Prep time: 20 minutes Cook time: 15 minutes Total time: 35 minutes . . Ingredients: 8 oz cream cheese, softened 1/3 cup sugar 1 teaspoon lemon juice 1 teaspoon vanilla 1-2 cups blackberries 1 package (17.3 oz) frozen puff pastry sheets (2 sheets), thawed 1 egg 1 tablespoon water. 1 tbsp sparkling sugar . . Instructions Preheat the oven to 400F. Line 2 baking sheets with parchment paper. In a small bowl, beat the cream cheese until smooth. Add the sugar, lemon juice and vanilla and beat until combined. Lightly flour a work surface and roll out each of the sheets of puff pastry to about a 10-inch square. Cut each piece into 6 rectangles, (12 rectangles total), about 5x3 1/2 each. Transfer the rectangles to the prepared baking sheets. Using a fork, prick the centers of the rectangles of puff pastry, leaving a 1/2 border unpriced around the edges. Mix together the egg and the water and brush over each of the rectangles. Sprinkle sparkling sugar around the edges. Take a spoonful of the cream cheese mixture and place it in the center of each rectangle of puff pastry, distributing equally among the pieces. Spread over the rectangle, leaving a 1/2 border. Top each with a spoonful of the blackberries spreading it evenly over the cream cheese layer. Bake the pastries for 15 minutes or until the pastry is golden brown. Transfer to wire racks to cool completely. Enjoy ", + "likes": 4608 + }, + { + "caption": "The prettiest Pavlova ever!! Yes yes and yes! Tag ya sweet tooth who needs some suga asap!! Made with love by @zoebakes #flatlaytoday", + "likes": 17840 + } + ] + }, + { + "fullname": "\ud83c\udf29The god of all things tasty \ud83c\udf29", + "biography": " Contentent Creator Based in Denmark Dm for partnerships US/EU Email : psybncmirc@gmail.com Primecode nordicchefs", + "followers_count": 1719755, + "follows_count": 561, + "website": "https://en.kreutzers.eu/customer/account/create/", + "profileCategory": 3, + "specialisation": "Video Creator", + "location": "", + "username": "thafoodheaven", + "role": "influencer", + "latestMedia": [ + { + "caption": "The McDonalds McPounder Who has smashes this burger ? By @foodcoma_eats Follow @thafoodheaven Follow @thafoodheaven Dont wanna miss any posts of ours ? TURN ON POST NOTIFICATIONS TAG a food lover ", + "likes": 5103 + }, + { + "caption": "[ Sponsored] Mold by @moldbrothers What do you think of this amazing technique to make Charcoal honeycomb savory tuile ? By @keith_pears More info about How to get a hold of these amazing molds over at @moldbrothers ", + "likes": 3601 + }, + { + "caption": "1 or 2 ? US T-Bone @paulcooks.de German Heifer Dry Aged T-Bone By @chef_phily From @kreutzers.eu Follow @thafoodheaven Follow @thafoodheaven Dont wanna miss any posts of ours ? TURN ON POST NOTIFICATIONS TAG a food lover Go to link in bio and get a permanent 20% Discount on all eatable products and 10 shipping discount for free. Its called the KREUTZERS PRIME membership, which usually costs 99 for 2 years. Insert the code: nordicchefs in PRIME CODE field at the customer registration (log in), and then you have 24 month PRIME for free. Shipps EU/Germany @kreutzers.eu", + "likes": 2807 + }, + { + "caption": "Cheese, panko, and bacon. That's such a great foundation right there By @foodkagechris Follow @thafoodheaven Follow @thafoodheaven Dont wanna miss any posts of ours ? TURN ON POST NOTIFICATIONS TAG a food lover ", + "likes": 11244 + }, + { + "caption": " By @twisted Save your 4 favourite Croque Monsieur recipes Follow @thafoodheaven Follow @thafoodheaven Dont wanna miss any posts of ours ? TURN ON POST NOTIFICATIONS TAG a food lover ", + "likes": 11151 + }, + { + "caption": "Ok this is the 1 Million question If you could choose ? 1,2,3,4 or 5 ? By @fat.sam.eats Follow @thafoodheaven Follow @thafoodheaven Dont wanna miss any posts of ours ? TURN ON POST NOTIFICATIONS TAG a food lover ", + "likes": 3061 + }, + { + "caption": "Such a beautiful thing to do for other people 1 or 2 ? By @cznburak Follow @thafoodheaven Follow @thafoodheaven Dont wanna miss any posts of ours ? TURN ON POST NOTIFICATIONS TAG a food lover ", + "likes": 4642 + }, + { + "caption": " By @mateo.zielonka Whats your favourite pasta technique ? Follow @thafoodheaven Follow @thafoodheaven Dont wanna miss any posts of ours ? TURN ON POST NOTIFICATIONS TAG a food lover ", + "likes": 6180 + }, + { + "caption": "TAG a real Meat Eater Love A Good Steak ? Follow @thafoodheaven", + "likes": 3613 + }, + { + "caption": "Everyday is a FRYDAY By @theskinnygirleats Totally NOT important information about French Fries Why is it callede France Fried In winter, when the river froze, the fish-deprived villagers fried potatoes instead. It's said that this dish was discovered by American soldiers in Belgium during World War I and, since the dominant language of southern Belgium is French, they dubbed the tasty potatoes French fries.", + "likes": 3981 + }, + { + "caption": "Butter Poached NY Strip Steak By @meatlikemike Love Steak ? Follow @thafoodheaven", + "likes": 7771 + }, + { + "caption": "How To Quinelle for the perfect forrest strawberry dessert By @nicolaj_____ @jensvincent At the beautiful @treetop_restauranten in Vejle, Denmark By @nordic_chefs Follow @thafoodheaven Follow @thafoodheaven Dont wanna miss any posts of ours ? TURN ON POST NOTIFICATIONS TAG a food lover ", + "likes": 3737 + } + ] + }, + { + "fullname": "Kitchn", + "biography": "Inspiring cooks, nourishing homes. Share your food photos by tagging us and using #thekitchn or #thewayweeat Click the link below for our recipes! ", + "followers_count": 1460427, + "follows_count": 838, + "website": "http://like2b.uy/thekitchn", + "profileCategory": 2, + "specialisation": "Kitchen/Cooking", + "location": "", + "username": "thekitchn", + "role": "influencer", + "latestMedia": [ + { + "caption": "Slaw is the unofficial side dish of summer, and the secret ingredient is Nakano Toasted Sesame Rice Vinegar. Find the light, tangy recipe at the link in our bio.", + "likes": 293 + }, + { + "caption": "What do you do when a spur-of-the-moment pie craving hits? Instead of the hassle of cutting in butter, chilling, rolling out, and crimping crust, @justintsburke made @erinphraners self-crusting blueberry pie, and it was MAGICAL. Find all the details at the link in our bio. (Image: @justintsburke) #thekitchn", + "likes": 1405 + }, + { + "caption": "Happy tomato pie season! @chadwickboyds version comes together quickly in the food processor, making it an easy, breezy dinner for warm August nights. Recipe linked in our bio! (Image: @joe.lingeman, Styling: @ameliarampe) #thekitchn", + "likes": 2452 + }, + { + "caption": "Legend (AKA @the_pastaqueen) says this Italian mac and cheese bake is 400 years old. But does it this centuries-old recipe hold up? Read all about it at the link in our bio. (Image: @saratane) #thekitchn", + "likes": 14817 + }, + { + "caption": "Welcome to our new series, Rampe It Up, where @ameliarampe takes an ingredient you probably already have in your pantry, and shows you how to level it up at home! What should Amelia rampe up next? Let us know in the comments, and tap the link in our bio for her crispy, cheesy polenta cakes recipe. #thekitchn", + "likes": 1741 + }, + { + "caption": "Blondie cravings through the roof (via @handletheheat) #thekitchn", + "likes": 3747 + }, + { + "caption": "Chilling a bottle of wine isnt a big deal as long as you remember to do it. But things happen. (Read: We forget.) Don't worry, we understand! That's why @riddley_s tested 6 different methods to find the best way to chill wine in a pinch and the winner only took 15 minutes! Find the answer at our link in bio. (Image: @joe.lingeman, Styling: @jesseszewczyk) #thekitchn", + "likes": 3206 + }, + { + "caption": "Happy National Friendship Day! What are your favorite food \"friends\"? Drop them in the comments (Illustration: @madeleinemcmichael) #thekitchn #nationalfriendshipday", + "likes": 1246 + }, + { + "caption": "Were brunching this weekend, HBU? Tap the link in our bio for a little inspiration, from Swedish pancakes to creamy quiches, and perfect donuts. (Image: @vegetarianventures) #thekitchn", + "likes": 1500 + }, + { + "caption": "Lobster changes a person (for the better!!). It took exactly one lobster roll for @norufus to become obsessed, and if you feel the same, you need to stop what youre doing and plan to make @sheela.m.prakashs recipe at home, stat. Find it linked in our bio. (Image: @norufus) #thekitchn", + "likes": 1756 + }, + { + "caption": "This creamy zucchini pasta is basically a summer fettuccine Alfredo, and thats an incredible thing. Recipe linked in our bio! (Image: @kimberleyhasselbrink) #thekitchn", + "likes": 10340 + }, + { + "caption": "It doesnt get much easier than a dump cake, and this peach version is one of our favorites. Find the recipe at the link in our bio. (Image: @ebkphoto, Recipe & Styling: @kristinavanni) #thekitchn", + "likes": 1762 + } + ] + }, + { + "fullname": "Feeding The Frasers", + "biography": "Just a girl who likes to cook hitched to a boy who likes to eat. Food for the 5x CrossFit Games Champ, Mat Fraser", + "followers_count": 401346, + "follows_count": 349, + "website": "https://feedingthefrasers.com/instagram-links/", + "profileCategory": 3, + "specialisation": "Chef", + "location": "", + "username": "feedingthefrasers", + "role": "influencer", + "latestMedia": [ + { + "caption": "A great snack or breakfast treat, this Double Chocolate Zucchini Bread with Peanut Butter Swirl is a subtly sweet take on the age old union of peanut butter and chocolate. Trick your kids into eating vegetables by giving them this delicious dessert bread, or just eat the whole loaf yourself. Trust me when I say that after one bite, itll be hard not to! #zuchinni #zuchinnibread #summerrecipes #traegergrills #traeger #yummyAF #FEEDINGTHEFRASERS - Click the link in bio for the full recipe details or visit www.feedingthefrasers.com/double-chocolate-zucchini-bread", + "likes": 10265 + }, + { + "caption": "The 2021 CrossFit Games is a tossup; anything can happen and no one knows who will be standing on the podium by the end of the competition. The only thing thats for certain is that even though you may not be working out, just watching these fit guys and gals will work up your appetite! If youre getting together with your fitness friends this weekend to tune into the CrossFit Games (or just watching by yourself between meetings at work), here are some of our favorite bites to cook up for the occasion. #crossfitgames #watchparty #menu #dayummm #yummyAF #FEEDINGTHEFRASERS - Click the link in bio for the full menu details or visit www.feedingthefrasers.com/Crossfit-games-menu", + "likes": 13490 + }, + { + "caption": "Need a side dish in a hurry? This Broccoli, Apple & Cheddar Salad with Dill Ranch Dressing comes together quickly and with so few ingredients, making it the ideal side dish for your next backyard barbeque or for busy weeknight dinners! Grab a few simple ingredients and toss up this fresh and crunchy salad. #broccolisalad #ranch #bbqrecipes #yummyAF #FEEDINGTHEFRASERS - Click the link in bio for the full recipe details or visit www.feedingthefrasers.com/broccoli-apple-cheddar-salad", + "likes": 3468 + }, + { + "caption": "This easy Sheet Pan Nachos with Carnitas & Roasted Pineapple dish takes carnitas to the next level. Picture it now: a plate piled high with crispy nachos covered in perfectly melted cheese, tender pulled pork, juicy pineapple and not one but TWO dipping sauces that will cool your mouth off from the slight spice of the carnitas.#carnitas #sheetpan #nachos #pineapple #yummyAF #FEEDINGTHEFRASERS - For the full recipe details, click the link in bio or visit www.feedingthefrasers.com/sheet-Pan-carnitas-nachos", + "likes": 8184 + }, + { + "caption": "Delicious salty meat, juicy melon, crumbly cheese, smoky nuts and fresh herbs. That basically sums up the ingredients list of this Melon & Prosciutto Salad, and if that doesnt convince you that you NEED to make it right now I dont know what will! Melon wrapped in prosciutto is a classic summer appetizer, and this salad takes that combo and runs with it. #summersalad #summerrecipes #melon #prosciutto #yummyAF #FEEDINGTHEFRASERS - Click the link in bio for the full recipe details or visit www.feedingthefrasers.com/melon-and-prosciutto-salad", + "likes": 4217 + }, + { + "caption": "Fresh vegetables, smoky grilled steaks, and a refreshing summery dressing, whats tastier than this Smoky Flat Iron Steak Salad (psst..the answer is nothing!)?? This protein-packed salad is more than just a side dish, you could serve this as the main course and no one would leave the table unsatisfied. Take my advice and ditch your boring old salads for this one that is not only mouthwateringly flavorful, but also healthy at the same time. Time to fore up the @traegergrills and bust out the fresh summer veggies. #traegergrills #traeger #smokysteak #steaksalad #summersalad #summerrecipes #yummyAF #FEEDINGTHEFRASERS - Click the link in bio for the full recipe details or visit www.feedingthefrasers.com/smoky-flat-iron-steak-salad", + "likes": 5931 + }, + { + "caption": "Beer, butter and old bay seasoning- this Athletic Brew Beer Shrimp has all three and it's the triple-threat of ingredients when it comes to a summertime shrimp dish. Tonight may be the perfect night to toss this together for a simple and very satisfying dinner on the patio. Crack open one cold @athleticbrewing for the dish, and one for yourself.. youve earned it! #shrimp #athleticbrewingco #nabeer #craftbeer #summerrecipes #yummyAF #FEEDINGTHEFRASERS - Click the link in bio for the full recipe details or visit www.feedingthefrasers.com/athletic-brew-beer-shrimp", + "likes": 2326 + }, + { + "caption": "Lets get real: granola is a top-tier food. It can be eaten for breakfast with yogurt, milk, fruit, it can be munched on as a midday snack, you can sprinkle it over the top of a smoothie bowl; there really are endless possibilities for what you can do with this tasty Berry Granola recipe. Sweet and salty, chewy and crunchy, whats not to love?? #granola #homemade #mealprep #yummyAF #FEEDINGTHEFRASERS - Click the link in bio for the full recipe details or visit www.feedingthefrasers.com/Berry-granola", + "likes": 3930 + }, + { + "caption": "Santa Maria Pork Loin Roast with Chimichurri... its whats for Friday Night dinner!! Gosh, these are some of my favorite flavors and we looooovee juicy pork with a nice fat-cap. If youre looking for a way to use up those summer herb garden gifts, look not further than this Basil filled chimichurri. #porkloin #pork #chimichurri #castironskillet #yummyAF #FEEDINGTHEFRASERS - Click the link in bio for SANTA MARIA PORK LION ROAST WITH CHIMICHURRI or visit www.feedingthefrasers.com/Santa-Maria-pork-loin for the full recipe details.", + "likes": 3172 + }, + { + "caption": "Well-fed foodies, the C O O K B O O K is here!! Feeding the Frasers: Family Favorite Recipes Made to Feed the Five-Time CrossFit Games Champion, Mat Fraser is now available for PREORDER!! - This has been in the works for over a year and it feels amazing to see the project take shape. Many long days of writing recipes, testing, cooking and photographing. I did it ALL and I cannot wait to share this labor of love with YOU. So excited to peel through these pages and cook these recipes again! - Click the link in bio to find a retailer nearest you or order online! PUBLISH DATE: January 25, 2022 from St. Martins Griffin.", + "likes": 31393 + }, + { + "caption": "If youre looking for something daayummmm good for dinner, look no further than these Huli Huli Party Wings. Everyone loves finger foods for dinner! A sweet-heat saucy wing dipped in a cool zesty citrus yogurt dipping sauce... What else would you like from a plate of wings?! #chickenwings #hulihulichicken #dayumm #yummyAF #FEEDINGTHEFRASERS - Click the link in bio to BROWSE ALL RECIPES and search for HULI HULI CHICKEN WINGS or visit www.feedingthefrasers.com/huli-Huli-chicken-wings", + "likes": 9375 + }, + { + "caption": "SATURDAY.. Meal prepped these AirCrisp Teriyaki Meatballs last night and now Im set for the day This super simple meal can be served with plain white rice or made into a stir fry. I made a quick stir fry with broccoli, snap peas, water chestnuts and cooked white rice and added extra teriyaki sauce to it all. Have a great weekend my fellow foodie friends #aircrisp #groundturkey #mealprep #mealprepideas #yummyAF #FEEDINGTHEFRASERS - Click the link in bio to BROWSE ALL RECIPES and search for AIRCRISP TERIYAKI MEATBALLS or visit www.feedingthefrasers.com/AirCrisp-teriyaki-meatballs", + "likes": 8427 + } + ] + }, + { + "fullname": "Zoe\u0308 Franc\u0327ois", + "biography": "Pastry Chef Zo Bakes on @magnolianetwork New Book: Zo Bakes Cakes My Bread Books @breadin5 Find RECIPES (www.zoebakes.com) links:", + "followers_count": 347469, + "follows_count": 2911, + "website": "https://linkinprofile.com/zoebakes", + "profileCategory": 2, + "specialisation": "Personal Blog", + "location": "", + "username": "zoebakes", + "role": "influencer", + "latestMedia": [ + { + "caption": "Banana Pudding 2.0 (pastry redemption ). My mistake was abundantly clear the second she dipped her spoon into the jar of pudding, but the moment was locked in place, cameras were rolling and there was nothing to be done but watch my adorable 3yo neighbor take a big bite of unsweetened whipped cream. It didnt end well for her and the whole crew, her parents, our visiting friends and I ended up rolling around in hysterics AND its all captured in Zo Bakes on @magnolianetwork ! Yes, it was a bit of a fail, but this weekend when I gathered all my neighbors to do an outdoor viewing of the show launch I made her the banana pudding again and she ate THREE of them. We danced into the evening and all was happy on our block again! Truth be told, I still like it with unsweetened whipped cream, but I will reserve that version for an older crowd! And we shall never speak of it again, I hope youve been enjoying the show, I love seeing your posts and the recipes youre making from it! Its a total thrill! There will be more episodes of Zo Bakes coming on Friday 8/6!!! #zoebakes #bananapudding #baking #kidsAreSoHonest #kids #pastry #magnolianetwork @joannagaines Banana Pudding recipe LINK in @zoebakes Profile! ", + "likes": 9835 + }, + { + "caption": "More episodes of Zo Bakes are up on @magnolianetwork / @discoveryplus! This moment started over a year ago and it all felt very intimate, just like having friends in my kitchen, because that's EXACTLY what it was. Me, the @in2itivecontent crew (who are now family), my friends, my sons, and neighbors baking and sharing food together. It's been a dream come true to create this show about what I LOVE so much and to do it with the farmers, millers, bakers, and chefs of Minneapolis, who mean so much to this community. Thank you, @joannagaines and @chipgaines for inviting me into your incredible Magnolia Network Family and allowing me to dance (I mean bake) my way around this inspiring city that is Minneapolis! The new episodes: Biscuit Bake - Meet @chefjustinsutherland from @handsome_hog , who shows me his famous (and ginormous) biscuits. Then it SNOWS just in time for a neighbor's BBQ, because that's how we roll in MPLS! I make accidental cobbler and I learn a valuable lesson about children and sweets! Making Meringue - My house has a ballroom on the top floor we converted into an apartment, where my dear friend & fellow food blogger, @stephanie.a.meyer, creates extraordinary food. It's like a foodie commune. She's having a party and I'm making dessert (as I do). To get inspiration I head to a church basement to meet local baker, Rachel @pieandmightymsp , who shows me her grandmother's Angel Pie and teaches me a whole new BAKING VOCABULARY. She is pure baking joy and absolutely hilarious. Oh, and I make my signature Pavlova from Zo Bakes Cakes for our Australian neighbors and the most famous pastry chef in town, @themichellegayer ! No pressure there! Decorating Cakes - It's my best friend's wedding anniversary and I want to bake her a cake inspired by her 1990s photo album. I head to @thecopperhen to get some ideas on how to do a more \"of the moment\" take on @chickenladymns cake. @mindajoy10, the pastry chef, shows me some techniques I'd never seen before (LOVE THAT) and I'll teach you a bunch of fun tricks too. The cake and buttercream recipes are from Zo Bakes Cakes! #zoebakes #zoebakescakes #magnolianetwork #baking", + "likes": 9457 + }, + { + "caption": "Lime Meringue Tart! This tart represents how I am feeling this week in anticipation of my show launching on @magnolianetwork this Friday. Its WILD! Im feeling all the feels of doing something brand new, putting myself out of my comfort zone and yet it feels just right and super exciting. The dessert representation of all of that had to have crazy meringue spikes that I set on FIRE! The only thing missing from it is champagne and that willl come on Friday when more Zo Bakes episodes finally land on the Magnolia Network app. I hope youll watch and share and bake with me. Thank you for all your love and inspiration on this journey, it honestly would not exist without you! Okay, I know youre here for this tart, which is the more sophisticated cousin to the Lemon Meringue Pie, which I also love with all my heart, but lime is just more interesting to me. I made this dramatic dessert in a tart pan (see stories for link to pan) that could be presented at the table, but you can always bake it in a regular tart pan or even a pie plate. The tart dough, lime curd and a 2-mile-high Swiss meringue are all on my website LINK TO RECIPE IN MY @zoebakes BIO! Then get out the blow torch and set it on ! #zoebakes #emilehenry @emilehenryusa #lime #tart #baking #giftideas #red #kitchenequipment #magnolianetwork #pastry #pastrychef #pie #meringue #baker #celebrate", + "likes": 26500 + }, + { + "caption": "A Chocolate Hazelnut Torte is the perfect picnic basket dessert. Add a bottle of wine, some fine cheese, BBQ and you have my idea of a perfect summer meal. #oregonorchardambassador @hazelnutgrowers Hazelnuts are one of my favorite companions with chocolate. Their distinct, almost buttery flavor naturally complements other ingredients by joining together in perfect harmony. Imagine the best, richest, most decadent chocolate hazelnut brownie in the world with a fancier name. This torte (cake) gets even better (and slightly gooey) when it is served at room temperature, so feel free to pack it in your picnic basket, even on these warm evenings. The candied hazelnut garnish is best reserved for cooler weather, but you can chop up roasted hazelnuts and toss them on top for a more casual garnish and a wonderful crunch. This cake is naturally gluten-free and thanks to the added hazelnuts is an excellent source of protein, omegas 6 and 9, vitamin-B complex, and FLAVOR! So, you can feel good about eating dessert first! Be sure to find a grocery location near you to stock up on delicious Oregon Orchard hazelnuts! You can also find the hazelnuts online and Ive provided a DISCOUNT CODE in my stories! LINK to the Chocolate Hazelnut Cake RECIPE in my @zoebakes Bio. #hazelnuts #OregonOrchard #OregonHazelnuts #OregonsNut #GoodnessGrownHere #chocolatehazelnut #cake #brownie #picnic #summerdessert #winepairing #zoebakescakes glutenfree", + "likes": 8288 + }, + { + "caption": "More episodes of Zo Bakes on @magnolianetwork coming this Friday 7/30! Thank you for all the LOVE and support about the show. You have no idea how much your notes and comments mean to me as I venture into this incredible adventure that is 100% uncharted territory. The new Magnolia Network App went live and its been super exciting to see all the shows come to life. Im grateful and humbled to be in the mix with the artists, designers, gardeners, restauranteurs and other passionate craftspeople that make up @joannagaines and @chipgaines Magnolia community. There are 10 more episodes of Zo Bakes first season and I hope you enjoy them as much as I loved making them. Youll visit my Minneapolis food community and come into my home. My boys are in the show, unscripted , and I could not be happier or prouder to have them by my side. My husband (30 years next month), Graham, stealthily avoided the camera, but he has been my support and foundation for all of this! (Thank you!!! ) Im working on him for any next seasons! If you havent seen my first episode, its up now and perfect for fruit pie season. Get out the vodka and come bake with me. Well, vodka optional, but do come bake with me! ~ the vodka will be revealed in the episode. @discoveryplus #zoebakes #magnolianetwork #joannagaines #pie #diy #baking", + "likes": 5496 + }, + { + "caption": "Just dropping this here because its going to be a scorcher today! Stay cool my friends. See previous post for info! #icecream #yousexything #hotsummer #sparkjoydaily #icecold #hotfudge #icecreamcone #wildgood", + "likes": 5561 + }, + { + "caption": "Let us deliver ice cold @wildgood joy to your door! Its the perfect summertime frozen dessert giveaway (details below) *. This summer I crave everything cold, creamy, sweet, delicious, and indulgent. Wildgood delivers on all of it and is 100% plant-based, only 2g fat and they are from my hometown of Montpelier, VT! #Sponsored Wildgood has so many great qualities, but for me it must start with the taste, and I just LOVE it. Ive tried each flavor and theyre all bold and super delicious. The surprise is how Wildgood gets such creamy texture and balance flavor, without any dairy. The secret is extra virgin olive oil! Mind blown. I think everyone knows the virtues and superpowers of the Mediterranean diet, based on olive oil, but not as ice cream. It is a masterful stroke of brilliance by Sotiris Tsichlopoulos, who brought the fruits of his familys Greek olive groves to the mountains of Vermont to create the worlds best-tasting ice cream with one goal in mind: to replace dairy with a healthy, sustainable, and delicious alternative. The result is a brand new, first-of-its-kind, plant-based frozen dessert made with the goodness of extra virgin olive oil. Wildgood sent me every flavor and I ate them in a cone, in a bowl, with and without hot fudge and finally layered all the flavors into a gorgeous dessert with ganache and cake to serve at a party. You can see all my serving suggestions in my stories. *GIVEAWAY ~ Wed love to spark a little wonder and awe by sending you some @Wildgood frozen dessert. Ive partnered with the Wildgood team to send EIGHT Cartons (a selection of all the flavors) of Wildgood ice cream, two ceramic ice cream bowls and a Wildgood Tote Bag to One lucky winner. Here is how to enter: 1. Like this post, because its ice cream folks! 2. Follow @Wildgood and me, youll find lots more tasty content. 3. Tag TWO friends who like ice cream, you are welcome to tag more. 4. USA shipping only (excluding HI and AK) shipping ice cream that far can get tricky! #wildgood #icecream #healthylifestyle #healthyeating #vegan #glutenfree #oliveoil #mediterraneandiet #summervibes #sparkjoydaily #instafood", + "likes": 3100 + }, + { + "caption": "How to decorate a cake with fresh flowers! #zoebakescakes", + "likes": 11605 + }, + { + "caption": "Birthday Carrot Cake with Fresh Flowers (from my garden) for my stepmother, Patricia! I have beautiful purple and blue Hydrangea that bloom every five years, if Im lucky. Im not much of a gardener, but my dad and stepmother are near masters at it. So, I thought who better to have these pretty hydrangeas on a cake than Patricia (aka Nana). Ive had several people ask how I go about decorating with fresh flowers, so I made a Reel to show the process. If the flowers are not edible you have to cover the stems with a special kind of florist tape before you jam them into the icing, see reel. Its super easy and fast to use. Ill link to the tape in my stories. Scroll to see the cake from all angles. The cake is the carrot cake with Cream Cheese Frosting from Zo Bakes Cakes. LINK TO RECIPE IN MY @zoebakes BIO. #zoebakescakes #cake #cakedecorating #cakesofinstagram #carrotcake #creamcheese #baking #summer #magnolianetwork #freshflowers #hydrangea #purple #pink #florist #weddingcake", + "likes": 11043 + }, + { + "caption": "Lemon Honey-Meringue pie! Its all about balance. You need the right ratio of meringue to lemon filling (if you know me, youll not be surprised by the skyscraper height of my meringue, compared to the filling) and it needs contrast of textures and flavors. The crust is flaky, but also tender (see 101 PIE CRUST video). The filling is smooth as silk and tart. The finishing touch is a giant pile of meringue made with honey instead of sugar and the best part happens with a blow torch. I know, Im so predictable, but I love my meringue and (see 101 MERINGUE video)! That burnt meringue is what gives it depth of flavor. And its just pure FUN! RECIPE LINK IN @zoebakes BIO! VIDEOS IN MY HIGHLIGHT ARCHIVES! For more about Pie Dough and how to create a lattice top, you can watch the first episode of Zo Bakes on the @magnolianetwork through the new app or on @discoveryplus. #pie #lemonmeringue #marthabakes #f52grams #meringue #piecrust #baking #imsomartha #recipeoftheday #lemon #zoebakes #magnolianetwork", + "likes": 11558 + }, + { + "caption": "Magnolia Network is LIVE!!! Woot! Zo Bakes Cookies ~ My first Magnolia Workshop is now on the Magnolia Network App! Download the new @magnolianetwork app and watch my Cookie Workshop series to learn all about the Fundamentals of Baking: Cookies There are 8 chapters that will guide you through some of my favorite recipes and help you create YOUR perfect cookie! #MagnoliaNetwork #MagnoliaWorkshops You can also stream the first episode of my show #ZoeBakes on @magnolianetwork on @discoveryplus with MORE EPISODES coming on July 30th ! I cant wait to share them with you, its getting sooooooooo close!! Huge congratulations to @joannagaines @chipgaines and their wonderful team for creating this outstanding network!!! Thank you for inviting me into your community of creators and giving us the space and platform to share our love of craft! What an honor to be part of such a beautiful, generous and talented group of makers! Thank you also to @chefaz and my crazy wonderful crew at @in2itivecontent for making the show and workshops that feel just like home! Wait, that is my home! #MagnoliaNetwork #cookies #sugarcookies #chocolatechipcookies #cookiesofinstagram #baking #bakingclass #brownie #fundamentals #howto #create #beauty #home #family #makers #zoebakes", + "likes": 3163 + }, + { + "caption": "Croquembouche on Bastille Day! I went through my archive and found the French-est dessert I could think of to mark this holiday. The Croquembouche is served at weddings and other occasions that deserve a dessert that pulls out all the stops and makes a BIG impression. There is nothing more festive than a tower of cream puffs (profiteroles), this one filled with mango pastry cream (you pick your flavor), dipped in caramel and assembled into a festive centerpiece. But, Im not done, I added some snowflake cookies (made with @sarah_kieffers olive oil sugar cookie dough) and spun up some sugar as a garland. Its a project, but super fun and you can watch the whole thing come together in my HIGHLIGHT video and recipe is on my website (LINK IN @zoebakes BIO). #croquembouche #zoebakes #bakingvideo #bastilleday #cakesofinstagram #cakeoftheday #imsomartha #christmas #christmasdecor #recipeoftheday #holidaydecor #holidayrecipes #caramel #f52grams #marthabakes #sparksjoydaily #beauty #creampuff #centerpiece #frenchfood #pastry #pastrychef #weddingcake #france", + "likes": 6550 + } + ] + }, + { + "fullname": "Danni Rose", + "biography": "100lbs downAuthorHomecook YoutuberPersonalityMomA church girl raised in my daddy's southern juke joint", + "followers_count": 243676, + "follows_count": 1088, + "website": "https://linktr.ee/thedannirose", + "profileCategory": 3, + "specialisation": "Digital Creator", + "location": "", + "username": "stovetopkisses", + "role": "influencer", + "latestMedia": [ + { + "caption": "#Redcupcocktail What happens when a hot toddy meets a lemon drop?? You get this delicious baby right here! Im sure we could all still use a little something to calm the nerves Chile! Whether you are vaccinated or NOT, it dont matter! This Vaccintini will surely help with all the madness happening right now! Its just what Dr. Danni ordered! Lol! 2oz. Honey Whiskey1 Lemon (Juice Of) Simple syrup ( for sweetness but optional) 1 oz. Triple SecLemon Seltzer Add all ingredients to a cocktail shaker or red cup, with ice.. mix together and boom! Issa good drank! #periodt #cocktails #food #drinks #migos", + "likes": 4156 + }, + { + "caption": "So, yesterday was #nationallasagnaday .. hunny.. my 3 meat lasagna recipe is a game changer.. I dont like ricotta cheese, its bland and un seasoned to me .. dont try to convince me otherwise, Ive had it 50 eleven times and its still not sopped up! So, I make a creamy cheese sauce to nestle in between the layers instead.. and a fantastic 3 meat sauce. Its truly better than your last relationship. I promise. Spend your time making this recipe, instead of chasing ppl who no longer want you. There I said it .. anywayz.. recipe is on my channel! Its an oldie but goodie #cheese #meat #food #youtube", + "likes": 6246 + }, + { + "caption": "Hunny, I dont know about you , but how this week has been going Im sure we could all use a little extra prayer and a lil juke joint communion .. 3 cocktails that will get u right where you need to be !! New video on my channel !! Link in bio! #food #cocktails #youtuber", + "likes": 5122 + }, + { + "caption": "Hunny! Its 5 oclock somewhere!! Decided to make a #RedCupCocktail for yall! One of my favorite cocktails .. #french75 .. when I drink this I just feel ... ummm.. sophisticated ...listen when you are out and about, and dont know what to tell the bar tender, tell them to make one of these, or just make it at home! So so good! Heres the recipe! Ingredients: 1 1/2 oz Gin, Juice or 1 Lemon 3/4 oz Simple syrup, 3 oz Champagne Directions: Combine gin, syrup, and lemon juice in a cocktail shaker filled with ice. Shake, and strain into a champagne glass. Top it off with Champagne. Stir it a little, and enjoy!", + "likes": 8858 + }, + { + "caption": "Woke up this morning feeling extremely grateful. Thank you God .. you continue to prove yourself faithful, daily.. and for that I am in awe of You, and will always be. Sending lots of big air hugs to those that need it today! God loves YOU, he hasnt forgotten you. Consider this post to be your reminder! Happy Monday!!", + "likes": 5511 + }, + { + "caption": "New recipe on my channel! Loaded Seafood Caesar Salad. Link in my bio!! #food #youtube #seafood #foodvideo", + "likes": 15490 + }, + { + "caption": "Hey yall! Im so excited about the new series PANIC! It was so engaging and exciting to watch! Now listen, before you snuggle up on the sofa and binge watch the new series.. I want you to make my delicious Sweet and spicy Joe sliders, with a coke slushy! These sliders were bomb yall! So head on over to prime pairings ( click the link in my bio) to see how I made them, and dont forget to watch @paniconprime available now on @amazonprimevideo !!! Link in my bio for the full recipe and video, or head on over to @amazonprimevideo YouTube channel and check it out!", + "likes": 2823 + }, + { + "caption": "Listen!!!!! We may not take a lot of pics together, but we friends in real life -@mrskevonstage .. yall today is @mrskevonstage bday!!!!!!!! This woman is the epitome of style and grace!!! She is a testimony, that God still answers prayers, because I prayed for a friendship like ours! Words cannot express how grateful I am that we met!! Listen, if you dont believe that great, caring, and loving ppl still exist in life, Im here to tell you that youre wrong. Because I am a living witness, after meeting this woman and her family, that they do. It has been such a joy, Melissa.. and I thank God for our friendship daily! Girlfriend, you are exceptional! And its such a pleasure being your friend! Thank you for all that you do, the way that you pour, the way that you give, and the way that you love and care, will never go Un noticed!, may God richly bless you, always, and forever! Yall go and wish @mrskevonstage a HAPPY BURFDAY!!!! Buy her merch too! PS.. Get you some friends that will drank port wine and listen to Kirk Franklin at the same time!! ", + "likes": 10517 + }, + { + "caption": "Did yall know that I posted a new recipe the other day on my channel ?? Mmhm.. sholl did. And its perfect for summer!! Simple and easy! Because we added parsley its healthy... because parsley is green.. and my mama said food thats green is healthy. #period .. Thank you @texaspetesauces !! I had a blast making this!! Link in my bio to my youtube channel guys! And be sure to subscribe yall! #food #texaspete #youtube", + "likes": 13682 + }, + { + "caption": "Good Mawnin!! Many of you have been asking for a spaghetti recipe! I have two on my channel already! Yes, both are #soppedup ..pick ya poison! .. NEW recipes dropping on my channel next week!! Im so excited to be back in the kitchen, with a ton of new recipes! Its about to be a good #jukejointsumma ... So, if you havent subscribed to my channel already, click the link in my bio!! We are almost at 1 million subscribers!!! Thank you, thank you, thank you!!Wow! My heart is full.. God bless all of you!! And these are our morning church announcements. Have a good weekend yall!", + "likes": 5341 + }, + { + "caption": "Chile, I find some of the best cuts of meat here in the sunny jungle, aka LA.. no matter where I live, ima always cook like Im back home. I couldnt resist these big ole meaty oxtails in the store.. so, I grabbed them and made them just like the recipe that I already have on my channel, and it was everything that I needed yesterday.. this dinner was better than some of yall relationships. But I digress... yes my oxtail recipe is already on my channel.. this recipe is not the Jamaican way, its not the traditional southern way.. its the #Soppedup way. Period", + "likes": 9819 + }, + { + "caption": "#fathersdaycookout.. Have yall tried my potato salad recipe? Now yall know... if the tata salad dont have paprika and chopped eggs sprinkled on top for decoration.. It aint right and you betta not eat it! .. Listen... I have all the tricks, secret ingredients and tips to make GOOD traditional southern style potato salad.. you dont need onion, bell pepper, and celery either.. trust me.. once you make it this way.. you wont go back! Be sure to check out my seafood potato salad recipe too!! Now , that one is definitely a game changer! Whew! Its potato salad crack! One of my favorite things to eat is potato salad with baked beans ... yup I have a good baked beans recipe too.. Check previous post .. both recipes are already on my channel! Link in bio!! Make it for Fathers Day!! #youtube #food", + "likes": 7053 + } + ] + }, + { + "fullname": "U\u0308mit Memisoglu", + "biography": "Original Cooking-Vlogs jeden Sonntag Every sunday | Her pazar Blog und Impressum:", + "followers_count": 637595, + "follows_count": 183, + "website": "https://umihito.de/links/blog/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "umihito.vlog", + "role": "influencer", + "latestMedia": [ + { + "caption": "[Werbung] Selbstgemachtes Eis mit der @GRAEF_elektrokleingeraete Eismaschine ist das beste, was man an diesen warmen Sommertagen machen kann Ich habe diesmal mithilfe des GRAEF Standmixers drei Sorten mit Kirsche, Schokolade und meinem persnlichen Favorit Zitrone gemacht Besonders mit selbstgemachten Waffelhrnchen aus der GRAEF Hrnchenmaschine ist das geschmacklich nicht zu toppen Selfmade ice cream with the @GRAEF_elektrokleingeraete ice cream machine is the best thing you can do during hot summer days With the help of the GRAEF blender I made cherry, chocolate and my personal favorite lemon ice cream Especially with self made waffle cones with the GRAEF waffle cone maker the taste is hard to beat Bu scak yaz gnlerinde @GRAEF_elektrokleingeraete dondurma makinesi ile, evinizde kolayca her trl dondurmay yapabilirsiniz Ben vineli, ikolatal ve favorim olan limonlu dondurma yaptm . Klahlarda GRAEF Klah makinesi ile evde yapnca daha bir lezzetli oluyor ", + "likes": 49255 + }, + { + "caption": "Heute gibt es gefllte Weinbltter (Sarma) mit Bulgur-Fllung statt Reis Davor Linsensuppe und dazu noch Kartoffelsalat. Ein tolles Men, was ich jeden Tag machen knnte Today we have stuffed grape leaves (Sarma) with bulgur stuffing instead of rice Before that some lentil soup and a potato salad next to it. A great menu, which I could make every day Bugn Elaz usul yaprak sarmas yaptm Elazda etli sarma kftelik bulgur ile sarlr. nden mercimek orbas, yannada amerikan salatas. Bence ok ho bir men oldu ", + "likes": 59260 + }, + { + "caption": "Heute gibt es einfache Baklava mit Grie und Engelshaar Fllung (Kadayif) Ich habe es jetzt auch zum ersten mal gemacht und htte nicht gedacht, dass es so gut sein wrde. Falls Ihr Desserts mit Zuckersirup mgt, msst Ihr das definitiv ausprobieren Dazu noch Kaffee und es ist perfekt Today we have some simple baklava filled with with semolina and kadayif I have also just tried it for the first time and didnt think that it would be this good. If you like desserts with sugar syrup, you definitely have to try this Toghether with coffe it will be perfect Bugn bayrama kolaylkla yapabileceiniz irmikli kadayfl baklava yaptm Bende ilk defa yaptm ve bu kadar gzel olacan tahmin etmezdim. erbetli tatl seviyorsanz kesinlikle denemelisiniz Yanna birde kahve olursa sper olur ", + "likes": 41624 + }, + { + "caption": "[Werbung] Mal wieder ein Tag mit @gazi_food Heute habe ich mit ambali als Dessert begonnen, den ich mit Joghurt von Gazi gemacht habe und mit Gazi Krem Kaymak dazwischen vervollstndigt habe. Danach habe ich mit der Gazi Tereya Butter, dem Gazi Kashkaval Kse und Auberginen Beendi gemacht, was ich mit leckeren Beyti serviert habe Darber kommt natrlich neben der Tomatensauce und dem Gazi Joghurt noch die heie Buttersauce, womit es quasi unwiderstehlich im Geschmack wird. Der Salat darf natrlich nicht fehlen und diesen habe ich mit gebratenem Gazi Grill- und Pfannenkse serviert, der perfekt zu jedem Salat passt Fehlt da noch was? Ich glaube nicht Another day with @gazi_food Today I used the Gazi yogurt to made ambali as dessert with Gazi Krem Kaymak in between to make it complete. Afterwards I made Beendi with Gazi Tereya butter, Gazi kashkaval cheese and eggplants, which I served with delicious Beyti On top of course I added the tomato sauce, the Gazi yogurt and the hot butter sauce, which makes it almost irresistable. Of course a salad is mandatory and here I addedd Gazi Grill- und Pfannenkse on top which is a perfect fit for every salad Anything missing? I dont think so Yine bir Gazi gn Bugn @gazi_food yourdu ile bir sokak lezzeti olan ambali tatls ile baladm. Gazi kaymak ile tadna tat kattm. Sonra Gazi tereya ve kakaval peyniri ile beendi hazrlayp enfes bir beyti ile servis yaptm zerine domates sosu ve Gazi yourdu koyup ve Gazi tere yan bolcana cozurdatarak zerine dktm. Bu sofra salatasz olmazd. Onuda kzartlm Gazi hellim peyniri ile servis yapp tamamladm Sofrada eksik olan bir ey varm? Yok herhalde ", + "likes": 67990 + }, + { + "caption": "[Werbung] Heute gibt es mit der @GRAEF_Elektrokleingeraete Contessa Siebtrgermaschine zur Fuball-EM einen Fuball-Kuchen mit Spinat als Zutat fr die grne Farbe und den besonderen Geschmack Vervollstndigt wird dieser mit meiner Variante des Irish Coffee GRAEF hat nmlich die Siebtrger-EM ins Leben gerufen, um die unterschiedlichen Kaffeekulturen der teilnehmenden Lnder und Austragungsorte vorzustellen. Da das kommende Halbfinale in Grobritannien stattfindet, begeben wir uns heute nach Irland. Tatschlich wurde zur Tea Time im 18. Jahrhundert meistens Kaffee serviert und mit rund 9000 Cafs im 19. Jahrhundert allein in London gehrten die Englnder zu den leidenschaftlichsten Kaffeetrinkern der Welt Um 1850 herum wurde Tee gnstiger und Kaffee trat in den Hintergrund, weshalb England und Irland zu den Teetrinkern wurden, als welche sie heute bekannt sind. Kaffee wird zwar noch immer serviert und getrunken, jedoch, weil sie ihn sehr lange ziehen lassen, deutlich bitterer und sogar schrfer als bei uns und daher etwas ungewohnt. Ein Getrnk was es zu uns geschafft hat ist jedoch der Irish Coffee und diesen habe ich zubereitet, wenn auch auf meine eigene Art. Normalerweise besteht der Irish Coffee aus einer Tasse starkem Kaffee mit braunem Zucker, Whiskey und Milch- bzw. Sahneschaum obendrauf, wo ich statt Whiskey selbstgemachten Karamell-Vanillesirup dazugegeben habe. Alternativ kann man auch fertigen Kaffeesirup aus dem Handel verwenden Das vollstndige Rezept, auch zum Vanillesirup, findet Ihr die nchsten Tage bei @GRAEF_Elektrokleingeraete. Auch so ist es ein leckeres Getrnk fr den nchsten Fuball-Abend, was dazu auch noch super aussieht. Neben dem GRAEF Multi-Zerkleinerer fr den Kuchen, habe ich fr den Espresso noch die GRAEF CM850 Kaffeemhle und die GRAEF Contessa Siebtrgermaschine benutzt, zu der es auch einen Blogbeitrag bei mir gibt, und zuletzt den GRAEF Milchaufschumer. Einige von vielen hochwertigen und top Produkten von GRAEF, die ich schon seit Monaten nutze. #GRAEFSiebtrgerEM #Graef #irishcoffee ", + "likes": 40882 + }, + { + "caption": "Ein Sommer ohne grne Bohnen? Geht gar nicht! Ich liebe im Sommer den Geruch von grnen Bohnen, Paprika-Dolma und gebratenen Spitzpaprika auf den Straen. So geht es vermutlich vielen Leuten. Heute riecht es bei mir auf der Strae nach frischen und warmen Pide-Broten und grnen Bohnen A summer without green beans? Definitely a no go! During summer I love the smell of green beans, pepper dolma and roasted peppers on the streets. I suppose thats the same for most people. Today my street smells like fresh pide bread and green beans Yaz aylar taze fasulyesiz olurmu? Bence olmaz! Ben yazn evlerden sokaa yaylan taze fasulye, biber dolmas ve biber kzartmas kokusunu ok severim. Eminim sizlerde yle dnenlerdensinizdir. Bugn bizim evden sokaa scack pide ve taze fasulye kokusu yaylyor ", + "likes": 53417 + }, + { + "caption": "[Werbung] Heute gibt es ein Men was perfekt zum Sommer passt Mit dem Sevenlex Turbo Grill habe ich zuerst frisches Brot (Bazlama) gebacken. Als Hauptspeise kommt Hhnerkeule und Kartoffeln aus dem Ofen dazu mit gegrillten Tomaten und Peperoni. Serviert wird das Ganze mit Reis und Cack. Damit ist es nicht nur ein leckeres Men, sondern auch eins, was den Magen bei den aktuellen Temperaturen nicht allzu sehr belastet Vor allem, wenn man das Brot selbst zuhause macht schmeckt alles nochmal besser. Den Sevenlex Turbo Grill kann man bei Alkapida.com bestellen @alkapidabv Today we have a menu that is a perfect fit for summer With the Sevenlex Turbo Grill I first made fresh bread (Bazlama). As the main dish I made chicken legs with potatoes in the oven, as well as grilled tomatoes and peppers. Its all served with rice and cack. With this its not only tasty, but also a light weight menu for a hot summer day Especially if you make your own bread at home it makes the food even better. The Sevenlex Turbo Grill can be ordered at Alkapida.com @alkapidabv Bugn yaz sofralarna yakr bir men hazrladm Sevenlex Turbo Grill ile scack taze bazlamalar yaptm. Frnda tavuk incik ve patates, kzlenmi domates ve biber. Pilav ve cack ile servis yaptm. Hem hafif hem lezzetli bir men oldu Ekmei evde yapnca ok daha lezzetli oluyor. Sevenlex Turbo Grilli Alkapida.com da sipari edebilirsiniz @alkapidabv ", + "likes": 47816 + }, + { + "caption": "[Werbung] Heute machen wir mit @Gazi_Food ein Tea Time Men Dafr findet man bei Gazi quasi alles was man braucht Mit Gazi Ezine Lezzeti Weichkse, dem neuesten Produkt von Gazi, machen wir leckere Poaa. Mit dem Gazi Ezine Lezzeti bekommt Ihr cremigen Weichkse mit 55% Fett, den man fr alles mgliche verwenden kann: Unterschiedliche Brek-Arten, Patile, im Sommer mit Melonen etc. Auch ohne weitere Zutaten wei es zu schmecken Mit Gazi Kashkaval und Gazi Ezine Lezzeti habe ich dazu noch leckere Pizza Poaa gemacht und den Gazi Kashkaval Kse zustzlich fr Ksebrtchen verwendet. Mit der Gazi Taze Peynir Frischkreme habe ich gebratene Spitzpaprika gefllt und in Scheiben serviert und den Gazi Joghurt fr einen Joghurt Salat verwendet. Natrlich darf etwas Ses nicht fehlen und fr die Biskuitrollen nutze ich deshalb Gazi Krem Kaymak fr die perfekte Kreme Gazi hat einfach so viele tolle qualitative Produkte, die sich unglaublich vielfltig einsetzen lassen und dazu auch noch super schmecken Bugn @Gazi_Food ile ay saati Bir ay saati mens hazrlamak iin Gazide gerekli olan btn rnleri bulmak mmkn Gazinin yeni bir rn olan Gazi Ezine Lezzeti ile lezzetli bir poaa yaptm. Tek poaa deil, her eyde kullanlabilir: Breklerde, patilede, zellikle yaz aylarnda karpuz yannda ve kahvaltda Gazi Kashkaval ve Gazi Ezine Lezzeti ile ok lezzetli bir pizza poaa yaptm. Yine Gazi Kashkaval ile Almanyada ok sevilen Ksebrtchen yaptm. Gazi Taze Peynir ile kzartdm krmz biberleri doldurup, dilimleyerek servis yaptm. Gazi Yourtu ile havu salatas yaptm. Tabiiki bir ay saati mens tatlsz olmaz Gazi krem kaymak ile muzlu rulo pasta yapp ay saati mensn tamamladm. Gazinin yle rnleri var ki, usta ellerde bir elmas gibi ilenilebilir ", + "likes": 67912 + }, + { + "caption": "[Werbung] Heute wird koreanisch gekocht mit @kfood.fan und koreanischen Produkten von @kshop4949 (k-shop.eu/de) Die Korea Agro-Fisheries und Food Trade Corporation (aT) und die Korean Ministry of Agriculture and Food hat mich gebeten traditionelle und leckere koreanische Produkte in Deutschland vorzustellen und genau das mache ich heute Zuerst mache ich Chicken Wings die ich mit der Gochujang Soe von Sempio mariniere. Es ist im eine scharfe Paprika-Paste mit einem slichen Aroma, was durch den fermentierten Reis und Zwiebeln kommt, ohne Zucker, knstliche Stoffe, Gluten usw. Dazu kommt die Korean Fried Chicken Soe der Marke Sempio, was dem Hhnchen den Geschmack wie im koreanischen Restaurant gibt. Es ist eine Kombination aus Soya-Soe, Knoblauch, Ingwer und weiteren Zutaten. Dadurch bekommt es erst seinen charakteristischen Geschmack. Wer will kann es aber auch als Dip nutzen Dazu kommen die Skartoffel-Glasnudeln von Ottogi. Vermicelli, die nach koreanischer Tradition 100% aus Skartoffelstrke hergestellt werden und mit der s-scharfen Gochujang Soe sowie Sesam eine tolle Beilage wird Was in einem koreanischen Men nicht fehlen darf ist Kimchi, hier von der Marka Jongga. Kimchi ist normalerweise vermentiertes Gemse, hier fermentierter Chinakohl, was mit Gewrzen nochmal verfeinert wird. Kimchi schmeckt nicht nur, sondern hat auch viele anerkannte gesundheitliche Vorteile, weshalb es sowohl in Korea, als auch hier sehr beliebt ist Dazu serviert habe ich noch Skartoffeln aus dem Ofen, gebratene Karotten, Paprika, Pak Choi, Brokoli, sowie je ein Ei mit einer speziellen Zubereitung in einer Kelle. Zuletzt noch ein Gurkensalat, wie man es auch aus der koreanischen Kche kennt ", + "likes": 48451 + }, + { + "caption": "[Werbung] Heute gibt es Wirsingrouladen (Sarma) mit Hhnchen, Gemse und Reisfllung. Dazu noch Kartoffelpree, Brotstangen, Salat und Cack. Fr die Extraschrfe bei der Zubereitung nutze ich den HORL 2 von @horl1993 Es ist eines der besten Kchengadgets, die man sich zulegen kann und mit Sicherheit etwas, was in keiner Kche fehlen darf. Whrend ein normaler Wetzstein viel bung und Geduld bentigt, kompliziert ist und dem Messer bei selbst kleinen Fehlern schaden kann, braucht man mit dem HORL 2 keine Vorkenntnisse und kann selbst mit den edelsten Messern nichts falsch machen. Je nachdem, was man schrfen mchte whlt man die Seite mit 15 oder 20 Winkel, bringt das Messer magnetisch an, sodass es automatisch perfekt ausgerichtet ist und nutzt dann den den Rollschleifer. Dieser kommt mit einer Diamant-Schleifseite und einer Keramik-Abziehseite zum gltten nach dem Schleifen. Hier braucht man nur ansetzen und ganz locker losrollen. Damit hat man ein perfektes Ergebnis innerhalb weniger Minuten mit konstantem Schleifwinkel, was aufgrund der beiden unterschiedlichen Winkel der Magnethalterung Kchenmesser jeder Qualitt und Art abdeckt Viele Leute schleifen Ihre Damastmesser erst wenn sie komplett abgestumpft sind oder nutzen alle paar Wochen oder Monate einen teuren Schleifservice, wo man sich den rger, die Zeit und das Geld mit dem HORL 2 komplett sparen kann. Man kauft es sich nur einmal und hat damit ein Kchenwerkzeug fr ein ganzes Kchenleben und darber hinaus, da der Diamantschleifstein aufgrund des Werkstoffes quasi ewig hlt. Nicht nur fr Hobby- oder Profikche, sondern fr jeden Haushalt halte ich den HORL 2 fr ein perfektes Kchengadget, was auch als Geschenk sicher super gut ankommen wrde. Auch mir wurde das damals von einem Kollegen empfohlen ", + "likes": 78458 + }, + { + "caption": "[Werbung] Wir kochen heute mit @HelloFreshDe ein leckeres Lachsfilet in Teriyakisoe mit Sesamspinat, Avocado und Basmati-Reis. Das ist eines von drei Gerichten, die ich mir fr diese Woche ausgesucht habe 50 Euro auf die ersten 4 Boxen mit dem Code: HFUMIHITO Das geht bei HelloFresh ganz einfach: Auf der Webseite oder in der HelloFresh App eine eigene Box zusammenstellen, Anzahl der Personen (2-4) und die Anzahl der Gerichte (2-5) pro Woche whlen. Je nach Prferenz whlt HelloFresh automatisch abwechslungsreiche Gerichte fr euch aus. Alternativ knnt Ihr aus wchentlich mehr als 30 neuen Gerichten jede Woche selbst auswhlen. HelloFresh schickt euch am ausgewhlten Tag ein Paket mit sehr frischen und qualitativ hochwertigen Zutaten und eine auch fr Anfnger geeignete Rezeptkarte dazu. Wie das dann aussieht, seht Ihr im Video So spart man viel Zeit, denn das Einkaufen & das Was koche ich heute? fllt weg. Dazu kommt, dass die Gerichte nicht nur lecker schmecken, sondern auch gesund sind, da jedes Rezept perfekt abgestimmt ist und fr genug Abwechslung gesorgt ist. Damit verhindert man auch Lebensmittelverschwendung, da die Menge der Zutaten genau auf die Gerichte abgestimmt ist, was automatisch auch Geld spart. Passt es euch an bestimmten Wochen nicht knnt Ihr im Kalender gezielt eure nchsten Lieferungen jederzeit pausieren Falls Ihr neugierig seid oder HelloFresh einfach mal ausprobieren mchtet, knnt ihr gerne meinen Rabattcode: HFUmihito nutzen um 50 Euro bei den ersten 4 Boxen in DE zu sparen (Gilt auch fr AT mit 55 und CH mit mit 85 CHF auf die ersten 3 Boxen). #hellofreshde #hellofreshfoodies #familienrezepte Today I made salmon with teriyaki sauce, spinach & basmati rice with @HelloFreshDE At the HelloFresh website or with the app you can configure your own box and choose out of various weekly renewing dishes HelloFresh sends you only the freshest ingredients & a simple to make recipe for a good price every week Even if youre new to cooking, you can easily make a fantastic menu that can impress everyone. Especially for people with limited time for shopping it is an ideal service ", + "likes": 47668 + }, + { + "caption": "[Werbung] Heute machen wir der @EraTec_de Heiluftfritteuse Hasselback-Kartoffeln Daneben kommen gefllte Champignons, wie ich sie schon vorher einmal gemacht hatte, aber da in der Heiluftfritteuse mit Luft gekocht wird und kein Wasser ausgelassen wird, ist es geschmacklich einfach super und nochmal intensiver So gut wie es aussieht und schmeckt, drfte das fast jedem schmecken. Aufgrund der eingesetzten Technik braucht man zum kochen oder frittieren auch deutlich weniger l und kann hier wirklich alles mgliche mit kochen. Selbst fr Pommes ist das ideal und definitiv gesnder als das herkmmliche frittieren, da man nichts hinzugeben muss era-tec.de Today we use the @EraTec_de Airfryer to make hasselback potatoes Next to that we have stuffed mushrooms as I made it in the past, but because the airfryer cooks with air and the mushrooms dont lose any water, it has an even better and stronger taste As good as this looks and tastes, pretty much anyone should like it. The integrated technology allows to cook or fry with much less oil and to cook pretty much anything. Even for french fries its ideal and definitely much healthier than regular frying as you dont have to add anything to it era-tec.de Bugn @EraTec_de Scak Hava Fritznde dilimlenmi patates (Hasselback patates) Yannda daha nce de yaptm mantar dolmas, ama bu frnda hava ile piirdii iin hi suyunu brakmadan tam kvamnda, btn lezzeti iinde kalarak, gerekten sper oldu Hem grnts ile hem tad ile herkesin beenecei bir lezzet. Ayrca piirme tekniinden dolay ok daha az ya ile her trl yemek piirilebilinir. Patates kzartmas iin de ideal era-tec.de ", + "likes": 54546 + } + ] + }, + { + "fullname": "Dessi", + "biography": "Loving life with Bobby & baby Rose Honey Nutrition for Babies Paleo Baking 5 Ingredient Semi-Homemade & Keto Meal Prep by @FlavCity Cookbooks ", + "followers_count": 101344, + "follows_count": 392, + "website": "https://linktr.ee/Dessi_art", + "profileCategory": 3, + "specialisation": "Artist", + "location": "", + "username": "dessi_art", + "role": "influencer", + "latestMedia": [ + { + "caption": "From the BG, with love Rose was a trooper and a great traveler the entire trip!", + "likes": 16368 + }, + { + "caption": "Happy 2nd Birthday to our Rose Honey Bunny ", + "likes": 23272 + }, + { + "caption": "Happy Mothers Day to all the lovely moms ", + "likes": 20155 + }, + { + "caption": "Those two crack me up ", + "likes": 12305 + }, + { + "caption": "Full vacation mode @beachesresorts", + "likes": 11045 + }, + { + "caption": "Birds, butterflies and tropical plants #whenyouwearfp", + "likes": 10578 + }, + { + "caption": "Me & my mini me ", + "likes": 21915 + }, + { + "caption": "Crushing life at 21 months! South Florida", + "likes": 14204 + }, + { + "caption": "An emotional farewell to this beautiful city that has been my home for the last twenty years. I came here full with hopes and dreams and accomplished more than I could imagine! This is where I graduated college, got my first job, met my true love Booby, discovered I was an artist, bought our first home, started FlavCity, published our first cookbook, gave birth to Rose Honey! My heart is full of gratitude for this gorgeous city that has has inspired me to paint its magnificent city scapes and given me so much! Featuring here one of my favorite paintings and that is how I will always think of Chicago - summer heat, long walks by the lake and river cruises Now heading south to tropical paradise, the ocean, the beach and the sun! A place where I hope to connect more with nature and be more of a human being and a little less of a human doing!", + "likes": 18804 + }, + { + "caption": "Merry Christmas to all!! Love & Light! Photo credit: @arthuralmassy", + "likes": 14777 + }, + { + "caption": "Weve officially outgrown our two bedroom condo in Chicago and its time to move to a bigger place! We spent a lot of time looking for the perfect home where we can continue to create, cook, live and raise Rose Honey and weve decided to build a house in sunny Florida! Bobby and I cant wait to start designing our dream kitchen with @decorilla. Ill be sharing some ideas on stories and will need your input, so stay tuned! We certainly hope @arthuralmassy and @johnny_p_flavcity will move too!! Photo credit: @everythingerica ", + "likes": 16977 + }, + { + "caption": "The holidays are getting sweeter every day! Christmas cookies made with almond flour, butter, maple syrup and keto white chocolate and sprinkles for frosting! Get the recipe (link in bio): https://www.flavcity.com/christmas-cookies/", + "likes": 2714 + } + ] + }, + { + "fullname": "Georgetown Cupcake", + "biography": "Official IG of Georgetown Cupcake | Home of TLC's DC CUPCAKES & CUPCAKE CAM LIVE | DC | Bethesda | NYC | Boston | LA | Atlanta | Nationwide Shipping", + "followers_count": 578811, + "follows_count": 4, + "website": "http://georgetowncupcake.com/", + "profileCategory": 2, + "specialisation": "", + "location": "Washington D.C.", + "username": "georgetowncupcake", + "role": "influencer", + "latestMedia": [ + { + "caption": "Heads up! Today & tomorrow only - Enter code AUG2021 on georgetowncupcake.com & receive 20% off any cupcake order! Build an assortment of your favorite flavors or choose from one of our seasonal Dozens! *Code expires at 11:59pm ET 7/30/21.", + "likes": 6392 + }, + { + "caption": "Only 1 week left to try our July seasonals - including our NEW Strawberry Shortcake Coconut Creme Cheesecake and Chocolate Sundae Order online for nationwide overnight shipping, delivery, or pick-up on georgetowncupcake.com!", + "likes": 2871 + }, + { + "caption": " Which is your favorite flavor? ", + "likes": 5680 + }, + { + "caption": "Summer = Blueberry Cheesecake #julyflavors #georgetowncupcake ", + "likes": 3837 + }, + { + "caption": "", + "likes": 2923 + }, + { + "caption": "Happy Saturday! ", + "likes": 7846 + }, + { + "caption": "TGIF! ", + "likes": 2214 + }, + { + "caption": "Heads up! Today and tomorrow only: Enter code SUNNY21 on georgetowncupcake.com for 20% off any cupcake order! Order for nationwide overnight shipping, delivery, or pick-up! *Code expires 11:59pm ET on 7/15.", + "likes": 1609 + }, + { + "caption": "NEW FLAVOR ALERT! Butterscotch Waffle Cone CHEESECAKE Available through the end of July! Order online at georgetowncupcake.com!", + "likes": 5911 + }, + { + "caption": "Its that time of year! @sharkweek is here! Celebrate with our FIN-tastic #SharkWeekDozen Order online for overnight nationwide shipping, delivery, or pick-up at georgetowncupcake.com! #sharkweek #georgetowncupcake ", + "likes": 2724 + }, + { + "caption": "TGIF! ", + "likes": 4031 + }, + { + "caption": "Happy #4thofjuly!!! ", + "likes": 10661 + } + ] + }, + { + "fullname": "joythebaker", + "biography": "Author of three cookbooks + a magazine Creator @drakeoncake Classes with me @thebakehousenola Products with @williamssonoma", + "followers_count": 493060, + "follows_count": 955, + "website": "http://tap.bio/@joythebaker", + "profileCategory": 2, + "specialisation": "", + "location": "New Orleans, Louisiana", + "username": "joythebaker", + "role": "influencer", + "latestMedia": [ + { + "caption": " from this pan of Pork, Plum, and Pistachio Rice which happens to be one of the best dishes of summer. Substitute ripe peaches or pitted cherries or roasted cashews its delicious every single way. This oldie but goodie JtB recipe is linked in the profile.", + "likes": 1234 + }, + { + "caption": "Save this for dinner this week! One Pot French Onion Pasta that I generally top with way too much Parmesan cheese and fresh herbs. in the profile! xo", + "likes": 4104 + }, + { + "caption": "Mr. Steal Your Girl / Mr. Steal Your Trader Joes Cheetos.", + "likes": 2041 + }, + { + "caption": "Soak the red beans. Read the Sunday links. Hydrate. Sunscreen. Banish the Sunday Scaries playing outside.", + "likes": 2502 + }, + { + "caption": "This weekend the invitation is to unlock life skill no. 64: homemade fresh fried yeasted doughnuts. Recipe linked like we do!", + "likes": 5628 + }, + { + "caption": "This Cucumber Cilantro Margarita is new on the site and its fresssshhhhhh, friends! Happy Friday! recipe linked in the profile. Xo!", + "likes": 3179 + }, + { + "caption": " from the DeCadillac sisters in Puerto Vallarta.", + "likes": 1152 + }, + { + "caption": "A drink with a snack and me, a snack.", + "likes": 4020 + }, + { + "caption": "So far in Mexico weve eaten one poison beach apple like bozos but healed our very selves with toothpaste and tequila, pia coladas and this coconut we smashed on the beach, the sound of crashing waves and a little oyster cat. Everything is fine - I put on a dress, how are you? (Dont eat stranger fruit.) cc: @dean.renaud and @heywhitneya ", + "likes": 7270 + }, + { + "caption": "Smoked Salmon Tea Sandwiches Stir a bunch of fresh herbs into softened or whipped cream cheese. I like chives, dill, and parsley. Lemon zest is nice, too. Add a good sprinkle of sea salt and cracked black pepper. Spread herbed cream cheese on a few slices of white bread and a few slices of wheat bread. Top one of the slices with a thin layer of smoked salmon and fresh spinach leaves. Sandwich the white and wheat slices. Trim the crust to be fancy. Cut in half or quarters and chill until serving. Thats brunch! Happy Sunday, friends! xo", + "likes": 3962 + }, + { + "caption": "Good morning from me in my stretchy pants with my Single Lady Banana Chocolate Chip Pancakes. Its a lifestyle. Get into it. (Your weekend pancake recipe linked in the profile obvi.)", + "likes": 3207 + }, + { + "caption": "A little photo album from Seattle summer 2019 with one of my very favorite people to cook with, @ashrod. The fresh tomato tart she inspired is perfect for these July days and the recipe is linked in the profile for you! xo", + "likes": 3138 + } + ] + }, + { + "fullname": "Samantha | healthy recipes \ud83e\udd51", + "biography": " Personal page: @sssammyb Healthy dishes that will make your taste buds dance! My recipes & Free eBook below:", + "followers_count": 557790, + "follows_count": 282, + "website": "https://linkinprofile.com/withpeanutbutterontop", + "profileCategory": 2, + "specialisation": "Blogger", + "location": "", + "username": "withpeanutbutterontop", + "role": "influencer", + "latestMedia": [ + { + "caption": "Its the time of the year to take all the cooking outside! Toss these YOGURT MARINATED FAJITA LIME CHICKEN KEBABS on the grill & enjoy time out on your deck this evening! . Yogurt Marinated Fajita Lime Chicken Kebabs marinated in a fajita lime yogurt combination that helps to make them crispy on the outside, yet tender and juicy on the inside. Recipe is on the blog: https://www.withpeanutbutterontop.com/yogurt-marinated-fajita-lime-chicken-kebabs/ . Direct link is in my bio: @withpeanutbutterontop - then tap this photo!", + "likes": 3796 + }, + { + "caption": " CILANTRO LIME SHRIMP & AVOCADO SALAD - one of my favorite easy summer salads that is bound to be your new favorite, too! . This salad is packed full of fresh vegetables & tender, zesty bites of shrimp! Its very easy to make, light and refreshing in flavor, and can be made in minutes. The perfect low-calorie meal or side dish if you're looking for something simple and quick. PERFECT for your upcoming family festivities! . Recipe is on the blog: https://www.withpeanutbutterontop.com/cilantro-lime-shrimp-and-avocado-salad/ . Direct link is in my bio. Tap the link & then this picture!", + "likes": 12572 + }, + { + "caption": " Grilled Bruschetta Chicken with Zoodles is the perfect healthy dish to make now that tomatoes are back in season! Not only is this dish easy to make, but it is also light and filling. Grilled chicken topped with melted mozzarella cheese, fresh tomato-loaded bruschetta and a tangy, sweet balsamic glaze. This is delicious served over zoodles (spiralized zucchini), over a salad, or with your favorite pasta! Recipe is on the blog: https://www.withpeanutbutterontop.com/grilled-bruschetta-chicken-with-zoodles/ Direct link is in bio. Tap link & then this photo!", + "likes": 1839 + }, + { + "caption": "Looking for the perfect date night recipe? Then look no further! This GARLIC BUTTER SHRIMP WITH ASIAGO RISOTTO is easy to make, full of flavor, and guaranteed to win your date over within the first bite! Restaurant quality made right at home! . Tender, juicy garlic butter shrimp cooked to perfection and served tossed with super creamy asiago and asparagus risotto. . Recipe is on the blog: https://www.withpeanutbutterontop.com/garlic-butter-shrimp-with-asiago-risotto/ . Tap link in bio & then this pic!", + "likes": 2386 + }, + { + "caption": " This Creamy Parmesan Mushroom Orzo with Garlic Butter Scallops dish is a hearty & delicious dinner option if youre looking for some inspiration in the kitchen! Or if youre looking to wow your spouse and (hopefully) your kids! . Loaded with mushrooms, spinach, and freshly grated parmesan cheese with plenty of creamy, garlic parmesan cheese sauce for your favorite dipping bread! This is traditionally a side dish, but can secretly double as a main dish by adding your favorite protein. Ready in under 30 minutes! . So grab your forks and your favorite dipping bread. Its time to take a load off and indulge! Hell, curl up in your jammies with a bowl of this on the couch if you must. No judgements here. My husband and I had this several nights in a row in such a fashion. You do you! . Recipe is on the blog: https://www.withpeanutbutterontop.com/creamy-parmesan-mushroom-orzo-with-garlic-butter-scallops/ . Tap link in bio & then this pic!", + "likes": 5255 + }, + { + "caption": " CHICKEN FLORENTINE - an easy 30-minute meal that is true comfort food at its finest. Creamy spinach sauce simmered with juicy, tender chicken breast. Serve this over your favorite pasta, cauliflower rice, spaghetti squash, or zoodles! . Dont forget to toast your favorite loaf of bread to wipe your plate clean! Its THAT good! . Recipe is on the blog: https://www.withpeanutbutterontop.com/date-night-chicken-florentine/ . Tap link in bio & then this photo. Recipe is available in the printable recipe card at the bottom of my post.", + "likes": 4842 + }, + { + "caption": "CAJUN LIME CHICKEN AVOCADO CORN SALAD! this salad is packed with so much flavor! Creamy, light and drizzled with a Cilantro Lime Dressing. Its quick and easy to make and perfect for your next get together. Light on the calories coming in at only 202 calories per 1 cup serving. . Great for: Meal prep School or work lunches As a main dish or side dish . Recipe is on the blog: https://www.withpeanutbutterontop.com/cajun-lime-chicken-avocado-corn-salad/ . Direct links to each individual recipe can be found via the link in my bio: @withpeanutbutterontop", + "likes": 7469 + }, + { + "caption": " CHICKEN STROGANOFF - is irresistibly delicious with golden, tender chicken breast smothered in a creamy, buttery, garlicky, and savory mushroom sauce. The perfect dinner option that your whole family will love. Comes together in 30 minutes or less & is best served over egg noodles, rice, or mashed potatoes! . Recipe is on the blog: https://www.withpeanutbutterontop.com/best-chicken-stroganoff-recipe/ . Tap link in bio + then this photo! Full recipe is available via the printable recipe card at the bottom of my blog post!", + "likes": 7058 + }, + { + "caption": " CREAMY BACON PARMESAN GNOCCHI! Do I even need to explain this one to you or are you already drooling at the photos? . Tender on the inside & super crispy on the outside potato gnocchi in a super creamy garlic parmesan sauce with bacon & spinach! Pairs perfectly with chicken, shrimp, or salmon to make this a complete an delicious weeknight or date night meal! ALL IN 20 MINUTES! . Dont forget to bake your favorite rolls or bread to soak up any leftover sauce! . Recipe is on the blog: https://www.withpeanutbutterontop.com/creamy-bacon-parmesan-gnocchi/ . Direct link is in my bio: @withpeanutbutterontop - tap this photo and scroll down to the printable & adjustable recipe card!", + "likes": 3738 + }, + { + "caption": "Simplify your upcoming holiday with my Easy Sheet Pan Easter Dinner! 4 recipes, 2 sheet pans & in 1 hour! Yes, you read that right. An entire meal that is perfect for a family of 4! Or if youre a family of 2 & enjoy leftovers like my husband and me. . Pineapple ham with a brown sugar glaze, cheesy scalloped potatoes, garlic butter carrots, and garlic parmesan asparagus. . Easy full dinner is on my blog: https://www.withpeanutbutterontop.com/easy-sheet-pan-easter-dinner/ . Tap link in my bio: @withpeanutbutterontop & then this photo! Scroll through to find helpful cooking tips, additional side dishes, and the printable & adjustable recipe card! . HAPPY EASTER EVERYONE!", + "likes": 1699 + }, + { + "caption": " CREAMY PEPPER JACK BROCCOLI WITH BACON - a delicious recipe made with fresh broccoli, crispy bacon, and creamy pepper jack cheese sauce. Making it the ultimate low-carb, keto-friendly side dish to any meal. . The broccoli and bacon are pan-fried and then baked in a creamy, garlic butter pepper jack cheese sauce all in one pan. Which makes for an easy side dish or meal, followed by an easy clean up. Because no one enjoys a recipe that results in a sink full of dishes. Save those lengthily messy kitchen days for special occasions or holidays. . Recipe is on the blog: https://www.withpeanutbutterontop.com/creamy-pepper-jack-broccoli-with-bacon/ . Tap the link in my bio & then this pic!", + "likes": 3930 + }, + { + "caption": "Garlic Parmesan Ricotta Zoodles Tender zucchini noodles tossed in a creamy garlic parmesan ricotta cheese sauce that is not only delicious, but very easy to make. . Guilt-free, low-carb, vegetarian-friendly, gluten-free, and comes together in 20 minutes or less! . Recipe is on the blog - direct link is in my bio! . https://www.withpeanutbutterontop.com/garlic-parmesan-ricotta-zoodles/", + "likes": 3442 + } + ] + }, + { + "fullname": "rachel", + "biography": "making healthy food taste good wife to jord + mama to ezra + brody cookbook author, investor + podcast host IG LIVES every tuesday 5pm ET", + "followers_count": 449783, + "follows_count": 264, + "website": "http://tap.bio/rachlmansfield/", + "profileCategory": 3, + "specialisation": "Public Figure", + "location": "", + "username": "rachlmansfield", + "role": "influencer", + "latestMedia": [ + { + "caption": "and the carpenters are moving to ..i pushed for malibu but jord wanted a little closer to good pizza and bagelsand its a braaannnd new built. started with a knock down that went from a pile of dirt to the home for our next chapter with our family. there is SO much more well be sharing about the process. like some how designing a home like we know the beep we are doingand watching my pinterest boards come to real life. stay tuned for more and let us know what you want to see/hear about #carpentersarecookingupahome", + "likes": 5623 + }, + { + "caption": "your new not so boring chicken recipe is here -YOGURT MARINATED MOROCCAN CHICKEN! i swear this is one of those chicken recipes that actually makes me crave chicken for oncei make marinate with yogurt, moroccan tomato sauce (the one i used is linked on blog recipe) plus spices and crisped it over the stove. oh and see those dreamy noodles next to it? the scoop on those is coming this week LINK TO FULL RECIPE IS IN MY BIO + rachlmansfield.com/delicious-yogurt-marinated-chicken/ #rachleats #glutenfree #chicken #chickenrecipes #dinnerideas #healthyrecipes #wholefoods #feedfeed", + "likes": 4064 + }, + { + "caption": "copycat RUBIROSA TIE DYE PIZZAAA!okkkk guys if you know about this pizza, you know its one of the best combos ever. we used tomato sauce, vodka sauce, mozzarella + a fresh pesto drizzle on top when its cookedwe also did this over the grill too because you guys know our love affair with grilled pizza for the scoop on hoe we grill pizza, head on over to: rachlmansfield.com/how-to-make-the-best-grilled-pizza/ #rachleats #pizza #grilledpizza #cookingvideos #tutorial #rubirosa #tiedye", + "likes": 3327 + }, + { + "caption": "BANANA BREAD WAFFLES BABY!i swear putting the batter in the blender is the ultimate game changer friends. these even pushed me out of my usual pancake comfort zone what youll need: gluten-free rolled oats banana creamy nut butter egg non-dairy milk vanilla extract baking powder FULL RECIPE: rachlmansfield.com/easy-gluten-free-oatmeal-blender-waffles or link in my bio! #rachleats #glutenfree #waffles #blender #dairyfree #easyrecipes #cookingvideos", + "likes": 3553 + }, + { + "caption": "BLUEBERRY CRUMB CAKE PANCAKE SKILLET! truly the two best breakfasty foods together. we have crumb cake and pancakes with blueberries in this recipe and its fool proof guys LINK TO RECIPE IS IN MY BIO + rachlmansfield.com/insane-blueberry-crumb-cake-pancake-skillet/ #rachleats #easyrecipes #feedfeed #wholefoods #pancakes #crumbcake #breakfastideas", + "likes": 5808 + }, + { + "caption": "things worth turning your oven on for: CHOCOLATE CHIP COOKIE STUFFED BROWNIESyuppp they are as heavenly as they sound. i was walking around whole foods earlier and the craving for these randomly hit me. headed to the cookie aisle, picked up @simplemills crunchy chocolate chip cookies and put these bad boys to use. usually i snack on them but this time i doubled my flourless brownie recipe and stuffed cookies between each layer need i say more?! LINK TO BROWNIE RECIPE IS IN BIO + rachlmansfield.com/healthy-flourless-brownies/ #rachleats #glutenfree #brownies #simplemills #simplemillspartner #dairyfree #wholefoods", + "likes": 4573 + }, + { + "caption": "TRADER JOES HYPE SERIES PART this weeks line up: 1. SPICY PORKLESS PLANT-BASED SNACK RINDS 2. KEY LIME KETTLE POPCORN 3. PEANUTS FOR THE CHOCOLATE ICE CREAM welcome to the new thursday series over here where well be trying *all* the trader joes items you see in stores and hear about and wonder if theyre actually goodwere giving our blunt and honest reaction and tbh this has been so fun to do!! if you ever have requests, comment them below. #rachLtraderjoeshype #traderjoesreviews #traderjoes #traderjoesfinds #traderjoeshaul #groceryhaul #foodreview", + "likes": 1374 + }, + { + "caption": "my DEEP DISH OATMEAL COOKIE SKILLET is here babyand shes truly a beaut if i do say so myself. its gluten-free, nut-free and vegan-friendly and it sounds almost too good to be true but its noooottscoop your fave ice cream on top if you know whats good for your soul guys. LINK TO RECIPE IS MY BIO + rachlmansfield.com/oatmeal-chocolate-chip-cookie-skillet/ #rachleats #glutenfree #dairyfree #oatmealcookies #easyrecipes #cookiesofinstagram", + "likes": 5452 + }, + { + "caption": "CATS OUT OF THE BAG!the carpenter crew is moving out of hoboken later this fall!! (j will be dragging me by a leash) there is so much more to share but i cannot keep it in my pants any longer now the real question - where do you think we are moving?!?! #CarpentersAreCookingUpAHome (is this too long?) send ideas #homerenovation #homeremodel #homedesign", + "likes": 5892 + }, + { + "caption": "because every salad needs a *crunch* with a killer dressing VEGETARIAN GREEK SALAD FRIENDS! link to recipe is in my bio with the homemade tahini yogurt dressing and crispy chickpeas tutorial #rachleats #glutenfree #easyrecipes #feedfeed #wholefoods #healthyrecipes", + "likes": 1790 + }, + { + "caption": "oh my goshhhh this is the salad that can get anyone to eat salad guys - VEGETARIAN GREEK SALAD with CRISPY CHICKPEAS + TAHINI YOGURT DRESSINGthe dressing alone is beyond and those crispy chickpeas? heck yes theyre actually crunchy and so flavorful. and a solid snack to have on it too. i also like to add a lamb burger or chicken with mineLINK TO RECIPE IS IN MY BIO + rachlmansfield.com/vegetarian-greek-salad-with-tahini-yogurt-dressing/ #rachleats #glutenfree #easyrecipes #greeksalad #wholefoods #healthydinner #healthyrecipes", + "likes": 5176 + }, + { + "caption": "made for the GRILLED PIZZA lifeif you have a grill, please invite us over and we will grill you the ultimate pizza FEAST! we put this line up together a couple weeks ago and now youll understand why i consumed 8 slices at dinner and we had no leftovers pies: clam pie, vodka pie, sausage pie + a farm veggie pie with goat cheese. we usually grab crust at a local italian speciality store and/or some farm stands sold it too with their own flour which was so cool! its so fun to get creative with these pies. we have a full grilled pizza tutorial on my blog too: https://rachlmansfield.com/how-to-make-the-best-grilled-pizza/ #rachleats #grilledpizza #feedfeed #wholefoods #pizza #easyrecipes", + "likes": 4453 + }, + { + "caption": "pretty sure if we ever go to send out holiday cards.. any option we have will include foodBTW there are TWO major updates coming your way soon. one is tomorrowany guesses?! (and no.. not pregnant)#carpentercrewpartyof4", + "likes": 6097 + }, + { + "caption": "how to set this week up for success: make this vegan CARROT CAKE BANANA BREAD for snacking all week longits topped with a homemade cream cheese frosting and some extra pecans (always need a crunch!) and its my personal fave carrot cake ever. the banana adds just the right amount of extra sweetness too. LINK TO FULL RECIPE IS IN BIO + rachlmansfield.com/vegan-carrot-cake-banana-bread-with-cream-cheese-frosting/ #rachleats #glutenfree #feedfeed #veganrecipes #carrotcake #bananabread #dairyfree", + "likes": 7227 + }, + { + "caption": "anyone else *always* beg for little bites muffins in their lunches growing up?! (or even now...) well these are a homemade take on the party cake verison - BIRTHDAY CAKE PANCAKE MUFFIN STYLE! i am still in awe over how flipping delicious these turned out. and to be honest - it's all because of the @krusteaz buttermilk pancake mix. that mix does no wrong in the kitchen. these mini muffins are perfectly soft and cakey and fluffy and the full recipe is up on my blog for you!! LINK IS IN BIO + rachlmansfield.com/copycat-little-bites-party-cake-muffins/ #rachleats #makekrusteaz #ad #birthdaycake #pancakes #muffins #easyrecipes", + "likes": 2693 + }, + { + "caption": "truly the only cookie recipe youll ever need: THE EVERYTHING YOU ARE CRAVING COOKIES! think of these as a kitchen sink meets PMS meets pregnancy meets munchies craving and you will 100000% swoon over these bad boys LINK TO FULL RECIPE IS IN MY BIO!", + "likes": 3027 + }, + { + "caption": "hellllooo drumroll please. the EVERYTHING YOU ARE CRAVING COOKIES are here!theyre sweet, theyre just the right amount of salty and they are PACKED with so many faves like crunchy potato chips, marshmallows, chocolate pretzels + moreaka everything i was craving. *swipe to see the absolute crazy good inside of these* LINK TO RECIPE IS IN MY BIO + rachlmansfield.com/the-everything-you-are-craving-cookies/ #rachleats #glutenfree #cookies #wholefoods #easyrecipes #feedfeed", + "likes": 5904 + }, + { + "caption": "the ultimate homemade GRANOLA BARS! chocolate chip peanut butter granola bars because this flavor is superior to any other granola bar IMOand the best part? theyre made with only 4 ingredients. theyre vegan and gluten-free and tbh youll be absolutely obsessed with making your own after you try these. LINK TO RECIPE IS IN MY BIO + rachlmansfield.com/vegan-chocolate-chip-peanut-butter-granola-bars/ #rachleats #glutenfree #plantbased #feedfeed #wholefoods #easyrecipes #granola #granolabars", + "likes": 3768 + }, + { + "caption": "WHIPPED RICOTTA TOAST IS HERE! the toast of the summer (and of jords dreams) with a twist you do not want to skip out on. comment if you are making this asap + dont forget to tag me when you do FULL RECIPE: rachlmansfield.com/how-to-make-epic-whipped-ricotta-toast/ #rachleats #ricottatoast #easyrecipes #cookingvideos", + "likes": 9426 + }, + { + "caption": "the only dessert you need to worry about right now: gluten-free MONSTER COOKIE BROWNIESbrownie base topped with a thick monster cookie layer that is just too die for. plus theyre dairy-free and FUDGYYYY LINK TO RECIPE IS IN BIO + rachlmansfield.com/best-ever-gluten-free-monster-cookie-brownies #rachleats #glutenfree #wholefoods #brookies #dairyfree #feedfeed #easyrecipes", + "likes": 4465 + }, + { + "caption": "our full LOBSTER SALAD ROLL review from east hampton to montauk!whats your fave?! #lobsterroll #lobster #summer #foodreview #hamptons #foodcrawl", + "likes": 3497 + } + ] + }, + { + "fullname": "Cook's Illustrated", + "biography": "Game-changing recipes for curious cooks. Part of the @testkitchen family. #cooksillustrated Find recipes here", + "followers_count": 1129378, + "follows_count": 154, + "website": "https://linkin.bio/cooksillustrated", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "cooksillustrated", + "role": "influencer", + "latestMedia": [ + { + "caption": "Gazpacho is a beloved summertime soup, as its cold and refreshing while still being rich and satisfying. We upgrade the classic dish by grilling the tomatoes, lending a smoky, charred quality. Tap the link in our bio to sign up for a free trial and get the recipe for Grilled Tomato Gazpacho.", + "likes": 679 + }, + { + "caption": "Has making baguettes at home always intimidated you? Were here to guide you through every step. Tap the link in our bio to get the recipe by @wordloaf.", + "likes": 1863 + }, + { + "caption": "Jelly doughnuts are nostalgic, but they rarely taste as good as they look. Ours are moist but light with a tender chew and restrained sweetness, thanks to a careful balance of fat, sugar, and moisture in the dough. Tap the link in our bio to sign up for a free trial and get the recipe for Jelly Doughnuts by @appetito611.", + "likes": 1357 + }, + { + "caption": "Pro tip: When making pasta salad, if you cook the pasta until its a little too soft, it will have just the right tender texture as it cools and firms up. Tap the link in our bio to get the recipe for Italian Pasta Salad.", + "likes": 1502 + }, + { + "caption": "Our pizza al taglio has an airy, tender crumb with a crisp bottom crust. Tap the link in our bio to sign up for a free trial and get the recipe for Pizza al Taglio with Arugula and Fresh Mozzarella by @wordloaf.", + "likes": 1270 + }, + { + "caption": "Everybody needs a good dustpan and brush set. Tap the link in our bio to read our review and see our top pick.", + "likes": 424 + }, + { + "caption": "A great crumb cake should have a rich dough topped with thick chunks of lightly spiced crumb topping. Opting for a reverse creaming method results in a cake crumb thats ultrafine and velvety. Tap the link in our bio to get the recipe for New York-Style Crumb Cake.", + "likes": 2893 + }, + { + "caption": "After just a few minutes of cooking, the haddock absorbs the brightness of the white wine and the broth is enriched by the fish. Tap the link in our bio to get the recipe for Pesce AllAcqua Pazza for Two.", + "likes": 4317 + }, + { + "caption": "Wow, wow, wow. So delicious, so summery Perfection all around, -Karen K. Tap the link in our bio to sign up for a free trial and get the recipe for Esquites.", + "likes": 5182 + }, + { + "caption": "This crisp, deeply satisfying Korean snack is packed with a whole bunch of scallions and relies on just a handful of simple pantry ingredients. Tap the link in our bio to get the recipe for Pajeon.", + "likes": 6354 + }, + { + "caption": "We pack a full pound of berries into our foolproof raspberry curd for bright fruit flavor. Tap the link in our bio to sign up for a free trial and get the recipe for Raspberry Charlotte.", + "likes": 2069 + }, + { + "caption": "Inspired by @icecreamgracies in Somerville, MA we steep whole coffee beans so that they contribute great coffee flavor without adding the coffee color. Tap the link in our bio to get the recipe for White Coffee Chip Ice Cream.", + "likes": 2411 + } + ] + }, + { + "fullname": "Secrets To A Perfect Cake \ud83c\udf70", + "biography": "Bake Like A Chef With Taste And Love Become an extraordinary pastry chef in your kitchen! Start your baking journey with Bakelikeachef", + "followers_count": 648409, + "follows_count": 6, + "website": "https://linktr.ee/bakelikechef", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "bakelikechef", + "role": "influencer", + "latestMedia": [ + { + "caption": "YAY or NAH? Gorgeous chocolate cupcakes by @nm_meiyee Would you like to taste it? Start your baking journey with @bakelikechef @oaklingsbakingschool", + "likes": 3881 + }, + { + "caption": "Left or right? Stunning cakes by @kelseyelizabethcakes Tag a friend who needs these fridge? Start your baking journey with @bakelikechef @oaklingsbakingschool", + "likes": 4213 + }, + { + "caption": "YAY or NAH? Stunning two tier cake by @tortikannuchka Outcome is perfect! Love every detail! What do you think? Start your baking journey with @bakelikechef @oaklingsbakingschool", + "likes": 6088 + }, + { + "caption": "YAY or NAH? Gorgeous Pavlova by @bakesbymichelle Crispy and chewy meringue with a caramel drizzle, topped with pillowy cream, caramelised sliced bananas and pecan crumb Who wants a slice? Start your baking journey with @bakelikechef @oaklingsbakingschool", + "likes": 6400 + }, + { + "caption": "YAY or NAH? Stunning cake fridge by @flavourtownbakery What would you do if you come home and your fridge is full of cakes? Start your baking journey with @bakelikechef @oaklingsbakingschool", + "likes": 12800 + }, + { + "caption": "YAY or NAH? Gorgeous 3 tier wedding cake by @nyuta_zelenskaja Decorated with fresh berries, chocolate, roses and eucalypt What do you like the most about this decoration? Start to your baking journey with @bakelikechef @oaklingsbakingschool", + "likes": 7812 + }, + { + "caption": "YAY or NAH? Next level creation by @tortikannuchka It looks so beautiful! Love it What do you think? Start your baking journey with @bakelikechef @oaklingsbakingschool", + "likes": 13956 + }, + { + "caption": "YAY or NAH? Stunning cake by @kulik_ova Decoration looks so delicious! Perfect What do you think? Start your baking journey with @bakelikechef @oaklingsbakingschool", + "likes": 8387 + }, + { + "caption": "YAY or NAH? 50 year anniversary cake! By @katymikitenko Such a wonderful cake! What do you think? Start your baking journey with @bakelikechef @oaklingsbakingschool", + "likes": 21127 + }, + { + "caption": "YAY or NAH? Gorgeous Buttercream flower cake by @yunaflower_cake Love this technique! What do you think? Start your baking journey with @bakelikechef @oaklingsbakingschool", + "likes": 7315 + }, + { + "caption": "YAY or NAH? Wonderful berry chessecake by @saoripan Who wants a bite? Start your baking journey with @bakelikechef @oaklingsbakingschool", + "likes": 2474 + }, + { + "caption": "YAY or NAH? Gorgeous cupcake flower tabel by @bakesinbloom It's so corolful! Love it! What do you think? Start your baking journey with @bakelikechef @oaklingsbakingschool", + "likes": 11148 + } + ] + }, + { + "fullname": "epicurious", + "biography": "Click here for the recipes ", + "followers_count": 791331, + "follows_count": 367, + "website": "https://likeshop.me/epicurious", + "profileCategory": 2, + "specialisation": "Food & Beverage Company", + "location": "", + "username": "epicurious", + "role": "influencer", + "latestMedia": [ + { + "caption": "Even though I have a full collection of high-end knives, I often reach for my Dexter cleaver to do a task that might otherwise require two or three separate tools, says Hsiao-Ching Chou (@mychinesesoulfood), whose mother taught her the value of a good bone-cracking, garlic-thwacking, fish-filleting, vegetable-dicing cleaver at their family's Chinese restaurant. A well-made cleaver will last a lifetime and might just become your go-to knife. Buy one for yourself now at the link in bio. Photo and Prop Styling @j_deleo", + "likes": 12838 + }, + { + "caption": "Our top recipes are all about keeping it quick and easy. Whether it's a 15-minute pasta sauce made from burst tomatoes or a rich, cedar plank-grilled salmon, our readers have been falling for simple, flavorful, summer cooking. And dont forget the sweets! Our assembly-only ice cream cake/icebox cake hybrid recipes and crispy-topped peach cobbler are standouts, too. Check out all the top recipes at the link in bio. Photo @chelsealouisekyle, Food Styling @acstockwell", + "likes": 3009 + }, + { + "caption": "Keep cool with this frozen take on the Rosalita from @prizefighterbar. A margarita usually calls for orange liqueur, but the Rosalita uses bittersweet amaro. Freeze the ingredients in a glass jar for at least an hour before you plan to serveyou'll have fewer things to prep and a less diluted drink, too. Check out the link in bio for the recipe. Photo @j_deleo, Food Styling @gatton_michelle", + "likes": 1462 + }, + { + "caption": "Can boiling eggs be cute? This adorable tool will save you from the monotony of monitoring your eggs, and it's just as functional as it is charming. All you need to do is toss the NobleEgg Egg Timer Pro into a pot of room-temp water with your eggs and bring it to a boil. Watch this gadget's tummy slowly change from red to white as you cook your eggs to perfection. Check out the full review from Justine Lee at the link in bio and get one for yourself. Photo @travis.rainey", + "likes": 2893 + }, + { + "caption": "Salmon shines in summer. Try smoked on top of toast, slow-roasted with ripe tomatoes, or grilled for quick-cooking kebabs. Weve put together a collection of 49 of our favorite recipes featuring this tender fish, including salmon that's been poached and torn over a corn and tomato salad, charred on the grill, and shaped into burger patties. Follow the link in bio to get cooking. Photo @emmafishman, Food Styling @acstockwell", + "likes": 2423 + }, + { + "caption": "A decanter brings out the best of a bottle of wine, but who has the space for those wide, swooped contraptions, or the time to clean them? This carafea weeknight-friendly option thats dishwasher safe and doesnt take up too much spaceis a better alternative. While it doesnt expose the wine to quite as much air as a formal, wide-bottomed decanter does, using this carafe does help to aerate wine significantly more than just taking the cork off the wine and letting it sit, says @maggiejhoffman. Check it out for yourself at the link in bio, and you might just find yourself getting another one for those upcoming dinner parties. Photo @travis_rainey", + "likes": 971 + }, + { + "caption": "You need something sweet, and you need it now. Weve got you. Epi editors have put together a collection of 87 easy desserts that can help satisfy your sweet tooth fast. Whisk together a simple and bright lemon curd for drizzling over scones, ice cream, or even just a handful of ripe berries. One-bowl cakes and skillet cookies are easy bakes that are worth turning on the oven, just for a little bit. For the heat averse, weve also got plenty of ice cold sweets, too. Bookmark the link in bio for any future dessert emergencies. Photo @j_deleo, Food Styling @rebeccajurkevich", + "likes": 1816 + }, + { + "caption": "A no-cook dinner party? Its possible. Epis Matthew Zuras proves you can put together a delicious spread even when you cant turn on the oven. Let flavor-filled summer produce shine in simple sides, like this tomato and watermelon salad topped with crunchy corn nuts. Cold soups, cured fish dishes, and yes, deliciously cool desserts are totally doable, too. Check out The Menu at the link in bio. Photo @j_deleo, Food Styling @curlygirlcooks", + "likes": 1261 + }, + { + "caption": "Need something to bring to a party but cant bear to turn on the oven? @kendrakendrakendras formula for any-way-you-like-it icebox cake will become your go-to method for making an easy, show-stopping summer dessert from now on. The secret: Add ice cream and jam to the mix. Bookmark the link in bio for future dessert needs. Photo @j_deleo, Food Styling @gatton_michelle", + "likes": 3190 + }, + { + "caption": "Get relief from the heat with an ice-cold drink. This Amaretto Sour Slushy by @natashadavidxo and @jroertel is an easy make-ahead frozen cocktail that stays chilled even on a hot day. Plus, you dont even need a fancy slushy machine to make it happen. Head over to the link in bio to find out how to make this at home ASAP. Photo @j_deleo, Food Styling @gatton_michelle", + "likes": 2015 + }, + { + "caption": "When theyre ripe, tomatoes don't need much. Toss them with herbs and cook slowly to make a tomato confit, perfect for pasta and bruschetta. Serve thick slices on toast, alongside watermelon for a salad, or simply tossed with fresh herbs. Chop cherry tomatoes for pizza toppings, salads, and even a no-cook puttanesca. For endless options for salads, soups, salsas, pastas, pastries, and much more, head over to the link in bio. Photo @chelsielcraig, Food Styling @csaffitz", + "likes": 7075 + }, + { + "caption": "Youll love your daily coffee even more when you dont have to vacuum up after it. Adding a single drop of water to your unground beans right before grinding can cut down on those wispy flyaways that end up all over your counter. Yes, it really is that easy, and there's actual science behind this simple technique. But how does it work? Head over to the link in bio to learn all about it. Photo @j_deleo, Food Styling Cybelle Tondu", + "likes": 2234 + } + ] + }, + { + "fullname": "Delicious Miss Brown\ud83c\udf3b", + "biography": "Hey Cousins! Watch #DeliciousMissBrown on @FoodNetwork Sundays at 12 pm EST! Judge #SpringBakingChampionship #CharlestonSC #Gullah", + "followers_count": 195925, + "follows_count": 874, + "website": "http://kardeabrown.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "kardeabrown", + "role": "influencer", + "latestMedia": [ + { + "caption": "Im home and back in the kitchen!!! For dinner tonight I whipped a big ole pot of Seafood Gumbo. Made with a classic creole dark roux, roasted garlic stock, crab meat, crab legs, shrimp and spicy andouille sausage!!! Cousins.do yall want the recipe??? #deliciousmissbrown season 5 premieres in 3 weeks!!! #foodnetwork @foodnetwork #neworleans #Gumbo", + "likes": 6990 + }, + { + "caption": "The Great Chocolate Chip Cookie Debate.. Which is better? Soft & chewy or thin & crispy? I like my chocolate chip cookies .fresh out of the oven, slightly under baked, soft and chewy! Sound off in the comments cousins And this recipe is on foodnetwork.com/deliciousmissbrown #deliciousmissbrown #foodnetwork #cookie #recipe", + "likes": 7438 + }, + { + "caption": "Transparency moment. My weight has fluctuated practically my entire teenage and adult life. And sometimes I can be really hard on myself about that (and being in the public eye doesnt make it any easier). Ive tried every diet you can think of but of course diets arent sustainable. But what is sustainable is complete self acceptance. Once you learn to love yourself through and throughyou are not as easily swayed by superficial things. I have to constantly remind myself (and Im also reminding you) that you are ENOUGH no matter what. You gotta love the skin youre are in I also have to thank these wonderful ladies for making me look and feel so beautiful every morning these past few weeks @jacquemgidocosmetics @falonjaloi @lavidaloza @fullerfarmer", + "likes": 9167 + }, + { + "caption": "Its #DeliciousMissBrowns 2ND BIRTHDAY!!!!! Cousins thank you all SO MUCH for supporting the show over the past 2 years! Its been such a beautiful journey.Im just grateful for it all. As the old saying goes, It will only get better with time. (Ill be taking a walk down memory lane in my stories) @foodnetwork #foodnetwork #hair @falonjaloi #makeup @jacquemgidocosmetics #jumpsuit @eloquii #wardrobestylist @lavidaloza", + "likes": 10488 + }, + { + "caption": "Perfectly fried Pork Chops served with buttery cheap white bread (and a little hot sauce). this what I call GOOD EATIN !!! Want this recipe? You gotta wait just a few more weeks for Season 5 Its around the corner cousins! Thanks for your patience #deliciousmissbrown #foodnetwork", + "likes": 7383 + }, + { + "caption": "Good times with great people!!! So @duffgoldman and @johnnapgoldman invited us over for Patty melts and onions rings tonight! So not only can Duff bake but he makes a MEAN patty melt!!!! Sooooo delicious ! Awww I just love these people Thanks for bringing us together @foodnetwork", + "likes": 10922 + }, + { + "caption": "It is a hot one today !!! Perfect day for grillin! Try my creamy shrimp pizza on the grill!!! Gas, charcoal or even an indoor grill works Ingredients 3/4 pound medium shrimp, deveined with tails removed 1/2 teaspoon oregano 2 tablespoons olive oil Kosher salt and freshly ground black pepper 3 tablespoons unsalted butter 3 tablespoons all-purpose flour, plus more for rolling dough 2 cloves garlic, grated 1 1/2 cups milk 1/2 cup grated Parmesan 1 pound frozen pizza dough, thawed All-purpose flour, for dusting 1 cup deli mozzarella (part-skim, low-moisture), grated Red pepper flakes, for sprinkling 3 tablespoons chopped fresh parsley Directions Preheat a grill pan over medium-high heat. Sprinkle the shrimp in a bowl with the oregano, 1 tablespoon olive oil, 1/2 teaspoon salt and a pinch of pepper. Heat a skillet over medium-high heat, then add the butter and let melt. Add the flour and cook, 1 minute. Add the garlic and continue to cook, whisking, 1 minute more. Whisk in the milk and cook until very thick, 2 to 3 minutes. Stir in 1/4 cup Parmesan and remove from the heat. Season with a pinch of salt and pepper. Preheat the broiler to high. Roll out the pizza dough on a lightly-floured work surface into two 10-inch ovals. Brush the grill pan with the remaining tablespoon olive oil. Grill the dough on both sides until there are grill marks, 2 to 3 minutes per side. Remove the crusts to a sheet tray. Add the shrimp to the grill pan and grill on both sides until fully cooked, pink and opaque, about 4 minutes total. Spread the white sauce on the dough in an even layer. Scatter the shrimp over the sauce. Sprinkle with the mozzarella and the remaining 1/4 cup Parmesan. Place under the broiler until the cheese is melted and bubbly, keeping a close eye so it doesn't burn, 2 to 7 minutes. Sprinkle the red pepper flakes and parsley on top before serving. #deliciousmissbrown #pizza #recipe", + "likes": 9674 + }, + { + "caption": "I heard it was #SprinkleDay from the Queen of sprinkles herself @mollyyeh !!!! Lets celebrate with my Confetti Ice Cream Sandwiches!!! Swipe left for the #recipe #deliciousmissbrown #foodnetwork", + "likes": 2558 + }, + { + "caption": "Thankful to call this place home #Charleston #homesick sound on", + "likes": 3230 + }, + { + "caption": "Free to be who I wanna be UNAPOLOGETICALLY.. #Free #Dress @farmrio", + "likes": 7995 + }, + { + "caption": "Totally giving 70s vibes today and I love it !! Thanks to the team #makeup @jacquemgidocosmetics #hair @thelaurabelle_ @falonjaloi !!!! # #dress @eloquii", + "likes": 9797 + }, + { + "caption": "#Repost @foodnetworkmag When Kardea Brown was growing up on Wadmalaw Island outside Charleston, SC, shed often gather with family beneath the Spanish mosscovered tree in her great-grandfathers yard, and they would spill endless buckets of boiled crab, shrimp, sausage, corn and potatoes onto a newspaper-lined table. Like crawfish boils in Louisiana and clambakes in New England, Low Country boils are a regional summer stapletheyre super fun. These days Kardea carries on the tradition with her girlfriends, hosting a boil right on the beach whenever they visit. Its the best kind of communal eating, she says. Instead of breaking bread, were breaking crab. Swipe for her recipe! #foodnetwork #foodnetworkmagazine", + "likes": 4762 + } + ] + }, + { + "fullname": "Marcus Samuelsson", + "biography": "Ethiopia>Sweden>Harlem. Always #chasingflavors", + "followers_count": 594689, + "follows_count": 2385, + "website": "https://campsite.bio/marcuscooks", + "profileCategory": 3, + "specialisation": "Chef", + "location": "", + "username": "marcuscooks", + "role": "influencer", + "latestMedia": [ + { + "caption": "I am so excited to present this talented group of incredible New York-based chefs who are each contributing a plant-based recipe to @VogueMagazine #MetGala that reflects their unique take on modern American cuisine. Please welcome this year's #MetGalaChefs: Fariyal Abdullahi, Nasim Alikhani, Emma Bengtsson, Lazarus Lynch, Junghyun Park, Erik Ramirez, Thomas Raquel, Sophia Roe, Simone Tong, and Fabian von Hauske!", + "likes": 2233 + }, + { + "caption": "It's such a fun experience to teach Zion something new. His excitement is contagious! I could barely get him out of the water when I took him paddle boarding this weekend.", + "likes": 5296 + }, + { + "caption": "Reopening @roosterharlem has been a moment we've been waiting for since the minute we closed. I can't tell you how good it feels to step into the restaurant and have it buzzing with the energy of our staff and guests. And now we're able to welcome back some of our incredible musicians such as @singharlem here, who are bringing that positive energy up another notch! Join us for this celebration of food, music and community.", + "likes": 803 + }, + { + "caption": "Ive always loved this photo of Zion from a visit to my hometown in Sweden. Hard to believe that was already a few years ago! I know this past year and a half has been especially hard on families that are separated by geography and I keep thinking how those reunions are going to be extra sweet!", + "likes": 8732 + }, + { + "caption": "If you know, you know. #yeschef #borkborkbork", + "likes": 8892 + }, + { + "caption": "This week on @thismomentpodcast, @jasontmbk and I are revisiting an episode with former US Vice President, @algore. Hear about how he became one of the most recognizable environmentalists, the result of An Inconvenient Truth, and COVID's impact on wildlife and social injustices. Click my link in bio to check it out!", + "likes": 943 + }, + { + "caption": "I'm always so proud when I see young culinary talent springboard from one of my restaurants to pursue their dreams. Aristide, also known as @Chef.Ariwms, was a line cook at @RoosterHarlem with his own fresh lemonade business on the side, and now he's making his debut on #Chopped! Tune in and cheer him on on August 3rd. #redroosterfamily", + "likes": 3041 + }, + { + "caption": "I just left the Bahamas and I'm already craving the Crispy Bird Sandwich topped with hot pepper mayo from @StreetbirdNYC On The Beach. Can't wait to get back!", + "likes": 2936 + }, + { + "caption": "Zion's recent birthday sent me down the rabbit hole of looking at his baby photos. Sometimes it feels like a million years ago and sometimes I swear it was just yesterday. Parenting should have a pause button!", + "likes": 8325 + }, + { + "caption": "Are you a chicken sandwich aficionado like me? This beauty is from our new @StreetbirdNYC outpost in Las Vegas! Come get your fix at @resortsworldlv at @famousfoodslv.", + "likes": 1616 + }, + { + "caption": "Bring your appetite because everything on the menu at @RoosterOvertown is as good as it looks thanks to Chef Tristen @EppsandFlows and his great team! Click link in bio to make a reservation.", + "likes": 2396 + }, + { + "caption": "#TBT to joining @HodaandJenna on the @TodayShow yesterday from my new restaurant in Nassau, @MarcusBahaMar Fish + Chophouse. Click the link in my bio to get the recipe for this delicious Red Snapper with Smoked Tomato & Fennel Broth. @HodaKotb and @JennaBHager, your table is ready!", + "likes": 1546 + } + ] + }, + { + "fullname": "Gaz Oakley \ud83c\udff4\udb40\udc67\udb40\udc62\udb40\udc77\udb40\udc6c\udb40\udc73\udb40\udc7f", + "biography": "personal - @gazoakley cooking show, recipes & cookbooks", + "followers_count": 603702, + "follows_count": 272, + "website": "https://linktr.ee/gazoakley", + "profileCategory": 3, + "specialisation": "Chef", + "location": "", + "username": "avantgardevegan", + "role": "influencer", + "latestMedia": [ + { + "caption": "One of my favourite evening meals..my rich & meaty jackfruit shepherds pie click the link in my bio if you want the recipe Gaz #VEGAN", + "likes": 14551 + }, + { + "caption": "Sticky Sesame Puff Tofuwith Pak Choi & Greens grown in my garden! Click the link in my bio if you want the recipe! A simple but super tasty dish. Happy Friday! Gaz ", + "likes": 21525 + }, + { + "caption": "Grilled Courgette Super Green Salad with orange dressing, click the link in my Instagram bio if you want the recipe! Gaz #VEGAN", + "likes": 6274 + }, + { + "caption": " Harissa Roasted Eggplant with Creamy Hummus Mash link in bio for the recipe Gaz #VEGAN", + "likes": 13329 + }, + { + "caption": "just me picking the peas I grew from seed proudddddd!!! Amazing recipe with them coming soon. Starting growing my own food has been one of the best things Ive ever done and wish I did it soon. Alsoooo why arent we taught how to do it in school???? Crazzzy - luckily theres great books and teachers on YouTube!! Anyways have a good weekend, cook one of my recipes & watch my cooking show on YouTube please Gaz", + "likes": 10671 + }, + { + "caption": "Caramelised Onion & Squash Ravioli, with Sage & Caper Butter Sauce Ive been making pasta from scratch since I was a kid. the process is so therapeutic & rewarding. Who wants me to do a little vegan pasta from scratch MasterClass on my YouTube show? Gaz #VEGAN Plates from @nomliving ", + "likes": 12834 + }, + { + "caption": "Sweet Smoked Paprika Infused Carrots & Tabboulehclick the link in my bio for the recipe. Make veg the heroGaz #VEGAN", + "likes": 5813 + }, + { + "caption": "not sure what was funny but I do know this pizza BANGED! Or maybe Im laughing at the epic fail that occurred in my new video on YouTube click the link in bio to see! Gaz #VEGAN", + "likes": 7973 + }, + { + "caption": "Little fusion of my two favourite things, Indian Spices & Pizza. CLICK THE LINK IN MY BIO TO MAKE THESE INCREDIBLE INDIAN STYLE PIZZAS. Big love Gaz #VEGAN", + "likes": 15013 + }, + { + "caption": "ad| Persian Style Beet Burger with charred aubergine & sumac pure. Using @merchantgourmet amazing aromatic Persian-Style Quinoa & Lentils. Incredible summery, easy to make burgers for you to try when the weather is good click the link in my bio for the recipe. Gaz #VEGAN", + "likes": 6345 + }, + { + "caption": "AD | Its National BBQ Week and Ive got a beautiful summer dish for you, Herb Crusted Stuffed Portobello Mushrooms with an ice cold bottle of @rekordeligcider Pink Lemon so refreshing & reminiscent of pink lemonade LUSH. Perfect food & drink for the warmer weather! Link in bio for the recipe! Use my code SUMMER10 for 10% off your Rekorderlig order on @Revldrinks. Big love Gaz #VEGAN @rekorderligcider #RekorderligPinklemon #TasteOfSummer #BeautifullySwedish Drinkaware.co.uk", + "likes": 4400 + }, + { + "caption": "click the link in my bio for the full written recipe. Gaz #VEGAN", + "likes": 4231 + } + ] + }, + { + "fullname": "Rick Martinez", + "biography": "James Beard Nominee, 2x IACP nominee, cook, host, author, My cookbook, MI COCINA, comes out Spring 22", + "followers_count": 226271, + "follows_count": 2141, + "website": "https://www.youtube.com/watch?v=fMUZkOX1Z1I&t=126s&ab_channel=BabishCulinaryUniverse", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "rick_andrew_martinez", + "role": "influencer", + "latestMedia": [ + { + "caption": "BIRRIA episode 2 of Prubalo is up! There is not a word to capture how incredibly grateful I am to be working with such talented people. @seabasortega @juanchvz98 @gerry.cruz @diegomedrano @bradacash WE DID IT! You guys are amazing. And HUGE thank you to @the_goat_mafia for letting us tell this story! Link to the video is in my profile!", + "likes": 5207 + }, + { + "caption": "I AM BEYOND EXCITED! My new show PRUBALO is up and I am so proud, so grateful and so happy to be able to show everyone how incredibly beautiful Mexico, Mexicans and the food we eat really is. Huge thank you to @bingingwithbabish for letting me tell this story. And to @seabasortega @seabassfilms for your INSANELY GORGEOUS CINEMATOGRAPHY!!! And to @gerry.cruz for helping us develop the stories we are going to share. And to @juanchvz98 for your amazing camerawork! I am so full of love atm. Link to the show in my profile!", + "likes": 24980 + }, + { + "caption": "I AM SO EXCITED! Sweet Heat got nominated for 2 @iacppix (International Association of Culinary Professionals) awards! Congrats to all of the 2021 nominees! See you in Birmingham @emcdowell @csaffitz @dan_kluger @maneetchauhan @hawahassan @susanspungen @abrowntable @jakecohen @rayisle @genevieve_ko", + "likes": 9454 + }, + { + "caption": "Thinking about those tacos in Guadalajara. ", + "likes": 5185 + }, + { + "caption": "Missing these quesadillas de carne asada!", + "likes": 5627 + }, + { + "caption": "Happy Fathers Day to my role model, super hero, friend, and daddy. You are the best and I cant wait to take Choco up to meet you!", + "likes": 7693 + }, + { + "caption": "Some days you need an ice cream sandwich... dipped in chocolate topped with gingery berries inside a concha. Recipe link in my bio. : @juliagartland : @samanthaseneviratne :Molly Fitzsimmons", + "likes": 11969 + }, + { + "caption": "Buen fin! Carne asada. @35agave : @ren_fuller", + "likes": 11130 + }, + { + "caption": "I love grilling burgers and cooking outside. Yesterday I taught a grilling class for @foodnetworkkitchen and made spicy pork burgers with gochujang slaw.", + "likes": 2645 + }, + { + "caption": "Carne asada del rancho.", + "likes": 7134 + }, + { + "caption": "Post shoot treat. Rol de Canela. GRACIAS @artesanos_bakerymazatlan ", + "likes": 5312 + }, + { + "caption": "I never knew I needed a go to BBQ Chicken Sandwich, but here we are... and those pickles! @food52 recipe in profile, vid on YouTube", + "likes": 7580 + } + ] + }, + { + "fullname": "Lily | Recetas F\u00e1ciles y Sanas", + "biography": "Experta en recetas faciles y saludables.MEGABUENO! mi tea @lilyshop.us envios USA Miami - @talentounlimited Libros, videos, Nesletter ", + "followers_count": 1006445, + "follows_count": 701, + "website": "http://beacons.page/recetaslily/", + "profileCategory": 3, + "specialisation": "Public Figure", + "location": "", + "username": "recetaslily", + "role": "influencer", + "latestMedia": [ + { + "caption": " la#RECETA mega buena TORTA DE NARANJA EN LICUADORA mis libros los encuentras en recetaslily.com/shop Ya te uniste a mi TELEGRAM? Que esperas? Vente! Link en mi bio Buscame como recetaslily https://t.me/recetaslily #recetaslily #comidasana#comida#ricoysano#cocinaencasa#cocinar#comidasaludable#comidacasera#mealprep#comidareal#comidafitness#comidas#cocinasaludable#cocinando#recetafacil#torta#postresaludable#fit#miami", + "likes": 6585 + }, + { + "caption": "Si aun no has probado esta receta, hoy es un buen dia! Y dejas algunas para tu semana (meal prep) Acompaas estas galletas con mi Blend de tea blanco y es una delicia cargada de antioxidantes que refuerzan tu sistema inmunolgico , tan importante estos das ya probaste mi te? lo encuentras recetaslily.com/shop ____________________________________ Porfa me dejas sugerencia en los comentarios de que videos te gustara ver? Estoy aprovechando estos das para grabarles muchas cosas pero quiero saber que necesitas ? #comesano #miami #Galletas #saludables #postres #dulces #recetasaludables #galletaspersonalizadas #galletasdemantequilla #cookies #cookies #cookiesofinstagram #cookingvideos #recipes", + "likes": 5734 + }, + { + "caption": "30 A los 30 primeros comentarios envio receta por Mensaje directo! COMO TODOS LOS SABADOS! Amo enviarte este mensajito de sbado pero Si no te ha llegado .. NO LLEGASTE TARDE! vente a mi canal Youtube RECETASLILY Vente mis historias! haciendo click en la foto de @recetaslily en el link de mi perfil VENTE!! Y unete a mi telegram! Que ya esta publicado para ti NUEVA Receta TRES LECHES SALUDABLE SIN GLUTEN sin leche condensada sin azcar sin harinas refinadas Sin gluten bajo en carbohidratos muy facil de hacer mega bueno ! YouTube RECETAS LILY SIGUEME EN TELEGRAM [RECETASLILY] https://t.me/recetaslily Y TODOS LOS sabados TE LLEGA EL LINK A TU TELEFONO y durante la semana te comparto recetas COMPRA mis libros en recetaslily.com/shop mega buenisimas!! . . . . #salud #comesano #sano #saludable #comersano #comesaludable #saludables #recetassaludables #cocinar #cocinafacil#recetas #miami #recetasquenofallan #3leches #tresleches", + "likes": 23070 + }, + { + "caption": "Cul te provoca? Cuando armas y planificas tus menus comes saludable y rico todos los das! Que te parece este menu? Encuentra mas menus en mi libro #mealprep Mis libros digitales los consigues en recetasLily.com/shop Si entra hoy ahorras comprando los 4 ebook en paquete promocional! #menu #comidasaludable #recetas #mealplan #desayunosaludable #almuerzos #cena #snacks #postres #miami", + "likes": 5176 + }, + { + "caption": "Esto tambin funciona para el coliflor y brcoli mis libros digitales los encuentras en recetaslily.com/shop #comesano #saludable #sanoyrico#comersano #comesaludable #saludables #recetassaludables #cocinar #cocinafacil#comidacasera #miami #receta #recetafacil #recetasrapidas #recetasquenofallan #vegetales", + "likes": 10941 + }, + { + "caption": "Te anotas a este da 7? Seguimos con mas? Mug cake de calabaza mega bueno Mis libros digitales los encuentras en recetaslily.com/shop #7ingredientes 1 yema de huevo 1 cucharada de mantequilla derretida 1 cucharadas de monk fruit 1/2 cucharada de extracto de vainilla 2 cdas de pure de calabaza 3 cucharadas de harina avena 1/4 cucharada de polvo de hornear Opcional: nueces 1/2 cdta canela . . . . . #comesano #saludable #sanoyrico#comersano #comesaludable #saludables #recetassaludables #cocinar #cocinafacil#comidacasera #miami #receta #recetafacil #recetasrapidas #recetasquenofallan #mugcake", + "likes": 5227 + }, + { + "caption": "Heladito con solo 3 ingredientes!! #Megabueno Quien de anota? #comesano #ricoysaludable #miami #icecream #saludable #recetas #helado #chocolate #postres", + "likes": 7477 + }, + { + "caption": "Me hice una hidratacin con @maybeautymiami Esta es una receta diferente pero un tips mega bueno para las que la necesiten! Por que me la hice? -Ahora ahorro tiempo al momento de secarme el cabello - utilizo el shampoo y acondicionar sulfato free que me ayuda a que perdure -utilizo agua fria para el cabello Se las recomiendo, yo me la hago cada 4 meses! Preguntas frecuentes: Quien me la hace? @maybeauty_hair Esta en Miami y hace giras por varias ciudades de USA Que producto usa? Sus propios productos que pronto podras pedirlos desde varios paises para aplicarlos tu misma en casa porque es muy fcil. Cuanto cuesta el tratamiento? Todo depende de tu cabello y el largo Para que tengas una idea La mia cuesta $200 En el salon Pero si quieres hacertelo en casa puedes comprar los productos y el tutorial Pregunten en @maybeautymiami #hidratacion #cabellolargo #hairstyle #hair", + "likes": 6941 + }, + { + "caption": "30 A los 30 primeros comentarios envio receta por Mensaje directo! COMO TODOS LOS SABADOS! Amo enviarte este mensajito de sbado pero Si no te ha llegado .. NO LLEGASTE TARDE! vente a mi canal Youtube RECETASLILY Vente mis historias! haciendo click en la foto de @recetaslily en el link de mi perfil VENTE!! Y unete a mi telegram! Que ya esta publicado para ti NUEVA Receta BOMBAS O BOLITAS DE PAPA SIN FREIR facilitas! ! economicas Faciles sin freir Mega buenas! YouTube RECETAS LILY SIGUEME EN TELEGRAM [RECETASLILY] https://t.me/recetaslily Y TODOS LOS sabados TE LLEGA EL LINK A TU TELEFONO y durante la semana te comparto recetas COMPRA mis libros en recetaslily.com/shop mega buenisimas!! . . . . #salud #comesano #sano #saludable #comersano #comesaludable #saludables #recetassaludables #cocinar #cocinafacil#recetas #miami #recetasquenofallan #papa", + "likes": 12904 + }, + { + "caption": "Recomiendo ver el video paso a paso que esta en mi canal de Youtube RecetasLily porque hay detalles para que el pudin te quede perfecto LIKE Y COMPARTE como le llaman en tu pais a este postre? SACA LOS INGREDIENTES QUE SEGURO LO TIENES EN CASA MARQUESA DE CHOCOLATE 5 tazas de leche 4 cucharadas de almidon de maiz 1/2 taza de cacao en polvo 1/2 taza de endulzante (use monk fruit) 1/4 taza de chocolate negro 8-10 Galletas maria sin azucar 1 banana (opcional) Para mezcla de cafe: 1 cda de endulzante 2 cucharadas de cafe en polvo 1 chorrito de ron 1 taza de agua Si es para ninos : 1/2 taza de leche, 1 chorrito de vainilla 1 cda de endulzante Preparacion en el video. . . . . #comesano #saludable #sanoyrico#comersano #comesaludable #saludables #recetassaludables #cocinar #cocinafacil#comidacasera #miami #receta #recetafacil #marquesadechocolate #postressaludables", + "likes": 10854 + }, + { + "caption": "Estas a dieta pero eres panqueca lover ? Aqui tengo solucin Pancakes cebra - Con solo 4 ingredientes - super facil - Sin azcar refinada - muy ligera Si no tienes frutos rojos hazla con canela y endulzante Es mega buenisima! Da 6: una semana de postres saludables Compartela!! Comparte esta receta con alguien !! Compra hoy! Mis recetarios en recetaslily.com/shop . . . . #comesano #saludable #sanoyrico#comersano #comesaludable #saludables #recetassaludables #cocinar #cocinafacil#comidacasera #miami #receta #recetafacil #recetasrapidas #recetasquenofallan #postres #pancakes", + "likes": 9894 + }, + { + "caption": "Estas a dieta pero amas los dulces cremosos de limn ? Aqui tengo solucin Saca los limones , que vamos a hacer : Carlota de limn saludable y refrescante - Con solo 5 ingredientes - En solo 5 minutos super facil - Sin azcar refinada - muy ligera y baja en caloras y con muchos nutrientes Es mega buenisima! RECETA Ingredientes 300 g de yogur griego 1 cucharada de vainilla 50ml jugo de 2-3 limones Ralladura de piel de limn o naranja 3 cucharadas de endulzante (monk fruit) 8 galletas Maria sin azcar Da 5: una semana de postres saludables Compartela!! Comparte esta receta con alguien !! Compra hoy! Mis recetarios en recetaslily.com/shop . . . . #comesano #saludable #sanoyrico#comersano #comesaludable #saludables #recetassaludables #cocinar #cocinafacil#comidacasera #miami #receta #recetafacil #recetasrapidas #recetasquenofallan #postres #limon", + "likes": 9901 + } + ] + }, + { + "fullname": "The Food Nanny", + "biography": "Lizi Heaps Author*Rescuing Family Dinnertime*Meal Planning* Order my Ancient Grain #Kamut and French Salt Keep Cooking", + "followers_count": 188444, + "follows_count": 812, + "website": "http://thefoodnanny.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "thefoodnanny", + "role": "influencer", + "latestMedia": [ + { + "caption": "We are headed home from France tomorrow! We wish everyone out there could have been with us! Had a ball!! Ate, walked, shopped, biked, enjoyed fabulous art and appreciated the eye candy everywhere we looked! Such stunning architecture and breath taking views everywhere! Enough memories to last a lifetime! Made new fabulous relationships we will treasure Thank you to all the wonderful Fannies who joined us here in France! Both groups were such a great time!! Each Fannie just added to the whole experience! We fell in love with everyone!! We will see you all back home on the farm! So happy we had all of you along for the journey! Hope everyone has had a wonderful summer! We will give more details about next summers France trip soon!! Trip itinerary is not posted for security reasons! Cant wait to get home to our families and Fannies! Going to give Fannie and Moose a big hug too! (Hope they still remember me) #thefoodnanny #kamut #paris #trips #girlstrip #friends #family #eating #fun #love", + "likes": 6657 + }, + { + "caption": "We love France !!! Our first group was full of such amazing women and Fannies!!! We hope more of you can join us next year ! ", + "likes": 4728 + }, + { + "caption": "Loving these Fannies! Are we lucky or what to be able to come to France once a year and have a getaway with a few of our beautiful followers First they had to be lucky enough to have signed up fast !!! We took the first 21 girls! Its been so much fun! Most of these ladies have been waiting to come since last summer! Covid knocked the trip out! We are excited to meet another group in a few days! We will repeat the trip with 30 more new women! The weather is not perfect but it actually enhances the experience !!! So excited for tomorrow! Going to Cordon Bleu cooking school for A demonstration tomorrow and tasting amazing food Thanks to all the spouses in our lives who supported and encouraged us to make this trip a reality!!super special! Wish everyone could be here with us! Love you all #thefoodnanny #france #baskets #kamut #girlstrip #kamut", + "likes": 7014 + }, + { + "caption": "Living the American Dream Happy July 4 th everyone Thankful for this great country we live in My little farm life has changed me for the better ", + "likes": 6279 + }, + { + "caption": "Liam loves Watermelon! Liam is a good eater! He likes most every vegetable, eats salad and almost everything I put on the table! We talk about good eating habits around here on a daily basis! For instance: *Do not sit down with a bag of potato chips. Put some on your plate! *Do not snack after every meal. Eat when its meal time so you dont end up snacking in between. *Have a snack in the afternoon if you are hungry before dinnertime! A cookie, a piece of fruit, some yogurt, popcorn, a few nuts, cheese and cracker. *Try to eat before 7 pm unless your main meal is in the afternoon. If so, eat a light dinner! Here in America we are accustomed to eating our heavier meal at dinner thats why we try to not eat after 7 pm. *When the kitchen is closed everyone be done. Dont eat after dinner unless its a small serving of dessert and not every night! *when eating out share your food! *Everyone needs to get plenty of exercise. Walking is super healthy! *Make sure to eat a balanced diet with plenty of greens! If you look down and there is nothing green on your plate for your main meal you need to make sure to add that. *Make meat choices smaller and vegetables more important! *When ordering fast food for the kids have them share French fries or get a kid meal! *Push your plate back when you are satisfied, not stuffed or full! Practice portion control which is eating less! These are just a few basic healthy ideas that we teach around here on a daily basis! Liam and the rest of us all wish everyone a happy 4th of July!! Stay safe and enjoy your traditions! Eat more watermelon! ***Swipe to see the comment that I got my message is actually opposite !!!! Im trying to teach you how to have a healthy relationship with food and learn good eating habits and teach your children *** Keep Cooking Your Family Is Worth It Me !!!!! #thefoodnanny #kamut #kids #portioncontrol #family #healthylifestyle #familydinner #dinnertime", + "likes": 14812 + }, + { + "caption": "What do we love to eat every single day? Our Homemade Kamut Bread! We make it fresh in our own kitchens! Then we freeze the loaves for another day! So we always have fresh bread available. Its the true life!! ", + "likes": 4737 + }, + { + "caption": "Some of our most favorite foods are cake and ice-creampotatoes and gravy pie a la Modebread and butter These foods are like a great marriage! We like to say here at the Food Nanny that our White Kamut Flour and French Salt are the perfect marriage too ( most beautiful you will ever see ) You just cant make our bread without our French Salt! Its perfection! 2 ancient whole foods! organic, never been modified, pure strain, both straight from the earth, having been developed with the warmth of the sun, the wind and the rain! Pure products. Pure love! Its the greatest food marriage for real! Then we add another natural whole food, honey. Then a little water, yeast and butter for taste and our bread is the most delicious bread you have ever tasted! If you havent tried baking it yet we promise you too can do this! We made the recipe easy for you to follow and the results are always delicious! Try baking some today and give your family the biggest treat ever! Kamut and French Salt. FOREVERand ever Always with our hand made dough hook forever too #thefoodnanny #kamut #bread #baking #salt #marriage #baking #cooking #love", + "likes": 3337 + }, + { + "caption": "Fathers Day is almost here and I cant help but post about my Dad!!!! I dont know how I got lucky to have BOTH parents my best friends !!!! The love I have for this man is beyond deep. I cant imagine loving him more!! When I told my parents I wanted to bring back The Food Nanny and start the Instagram right away they both cheered me on !!!! My dad was instantly making plans with the kamut farmer etc !!!! He has been working non stop behind the scenes to help my dreams come true He has taught me the importance of working hard, giving it all youve got everyday no matter what !! Everyday he says being grateful for each day is most important!!! He wants everyone to know the importance of family dinner. He wants it to be easy for everyone to get their hands on kamut flour! He wants to support the dough hook man because hes job tanked during corona and knows you cant get better kitchen products hand made He wants to help EVERYONE, each one of my siblings and their dreams too!! It doesnt matter who you are he wants to cheer you on! He is the most giving and most incredible man !!!!!! I couldnt be more thankful for him !!!! Love you Sr. Mr. Food Nanny AKA dad ! #thefoodnanny #kamut #dads #fathersday #countryliving #countrygirl #daddysgirl #parents #fanily #familydinner", + "likes": 8606 + }, + { + "caption": "My new hat needs a permanent spot on the Instagram I love that all the kids were saying I wasnt legit unless I had this hat I have lived in the mountains in a very small town since I was 2 years old. When we moved here there were about 150 people now its much bigger Moving back about 2 years ago something felt different! I wanted to embrace the land more than ever! Raising chickens and cows for starters have changed me for the better! I feel like I am giving back a little more Thankful Chris supports me daily with all my crazy ideas on the new Food Nanny Farm #thefoodnanny #kamut #flour #summer #cows #farm #cowgirl #cowboys #rodeo #country", + "likes": 6963 + }, + { + "caption": "One of the first kitchen tools we bought in France was the French Rolling Pin! Mom is obsessed with Julia Child who favored the French style pin which is a hardwood dowel with no handles. Professionals prefer this style as it gives them a better feel for the dough. We are obsessed with our French Pin which we believe is the perfect size decorated with Copper ends. The Copper adds just a touch of elegance to the pin which gives it a kitchen art touch that we are so in love with Julia used to keep her Rolling Pins in a copper stock pot which is so dreamy who could imagine it! We keep ours in an old antique olive oil pot from Italy!! Whatever you have around the house that calls you place your gorgeous pin or pins in it and relish in this beautiful-hand made tool!! This Pin is hand made right here in our own back yard by Dough Hook Man @nuquestutah USA Made !! *We still have pre orders going for this beauty! Get someone a gift or buy one for yourself!!!! Julia Child was obsessed with France , the food first, and all things Kitchen! She loved her country more, but appreciated the detail of their cooking and kitchen art. We are twins! We feel exactly the same way! Get on board with us and relish in fabulous kitchen art from thefoodnanny. Each piece of ours will fill your days with happiness!!! Baking never looked better! PS. We go to Julias favorite Kitchen Store in Paris on our France trip! Its memorable! #thefoodnanny #kamut #kitchendesign #kitchen #kitchentools #rollingpin #dough #flour #baking #cooking #kitchenart", + "likes": 3610 + }, + { + "caption": "The paintings that Jan @strawberryjanart painted for my mom and I are an absolute treasure ! There is soul in these painting, we felt it instantly !!! I just cant say it enough Im connected to this jersey cow , she has changed me forever for the better I give her hugs and kisses and she gives back to me in a million different ways, including keeping me well grounded !! *The cream is a huge extra bonus #thefoodnanny #kamut #cows #jersey #country #cows #cream #boots #countrygirl", + "likes": 6225 + }, + { + "caption": "Smooth like butter Eating Fannies butter all day EVERYDAY Cant stop wont stop Fresh off the farm ", + "likes": 6840 + } + ] + }, + { + "fullname": "Our Food Stories", + "biography": "Nora Eisermann & Laura Muthesius Berlin based Foodstylist and Photographer #ourfoodstoriesstudio Check out our latest recipe:", + "followers_count": 1045128, + "follows_count": 369, + "website": "https://kolonnenull.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "_foodstories_", + "role": "influencer", + "latestMedia": [ + { + "caption": "A little video from our latest photoshoot - will share the recipe for this wonderful gluten-free summer cake with you guys on the blog soon! #ourfoodstories_countryside ____ #cakelove #summercake #layercakes #glutenfreerecipes #glutenfri #glutenfrei #glutenfreecake #momentslikethese #magicalmoments #dreamyaesthetic #countrysidelife #countrysideliving #foodphotography #foodvideos #foodvideo #foodstylist", + "likes": 2090 + }, + { + "caption": "Werbung|Advertisement We are so excited to team up with@kolonnenull a non-alcoholicpremium wine brand from Germany. All their wines are vegan and contain a maximum of 0,3% residual alcohol content. We tested the Ros Sparkling 2020 and the Burgundy Cuve 2020 and loved them both! The Ros Sparkling has a gentle balance - slightly sweet with a lively acidity and was the perfect match with our gluten-free chocolate-cherry cake and a wonderful refreshment during these hot summer days. You can buy all the wines in their own online shop, the link is in our profile and in stories.Cheers! #kolonnenull ___ #magicalmoments #momentslikethese #summermoments #gatheringslikethese #gathering #nonalcoholic #wineglass #tablesetting #tabledecor #tablestyling #foodstylist #foodphotographer", + "likes": 3919 + }, + { + "caption": "These delicious gluten-free oat tarts which poached rhubarb and meringue can be easily made with berries too Its one of our favorite summer recipes, because its so easy to make. Get the recipe on the blog, link is in profile. Happy Monday! #ourfoodstories ____ #magicalmoments #dreamyaesthetic #momentslikethese #summermoods #glutenfreerecipes #glutenfreefood #glutenfri #foodphotographer #foodstylist #germanfoodblogger", + "likes": 8106 + }, + { + "caption": "Werbung/Advertisement We've enjoyed a wonderful summer evening on the terrace and made these deliciousdrinks with the @belvederevodka Heritage 176 next to a gluten-free cauliflower pizza. The cocktail is called Belvedere Air and is made with Belvedere Heritage 176, honey, almond milk, lemon juice and mint, perfect for a cozy summer evening Get both recipes on the blog, link is in profile. #EnjoyResponsibly #BelvedereVodka #MadeWithNatur ____ #summerevenings #summerevening #dreamyaesthetic #dreamymoments #momentslikethese #terrassengestaltung #terrasse #terracedesign #tinekhome #outdoorfurniture #gardeninspiration #glutenfreefood #glutenfreerecipes #glutenfri #glutenfrei #foodphotographer #foodstylist", + "likes": 5794 + }, + { + "caption": "Another photo of this delicious summer pavlova Get the recipe on the blog, link is in profile. Hope you had a good start into the week guys! #ourfoodstories ____ #foodphotographer #foodstylist #germanfoodblogger #pavlovacake #summerfoods #summerrecipes #stilllifephotography #glutenfreerecipes #glutenfri #glutenfrei #glutenfreedessert #dreamyaesthetic #chasinglight", + "likes": 11152 + }, + { + "caption": "Favorite summer pavlova Get the recipe on the blog, link is in profile. Happy Friday! #ourfoodstories ____ #countrysidelife #countrysideliving #summerhouse #summergarden #gardeninspiration #magicalmoments #dreamyaesthetic #foodphotographer #foodstyling #pavlova #pavlovacake", + "likes": 7254 + }, + { + "caption": "Have you already tried the recipe for these delicious gluten-free oat tarts? They are super simple to prepare and perfect for all these summer picnics Get the recipe on the blog, link is in profile. #ourfoodstories_countryside ____ #glutenfreerecipes #glutenfrei #glutenfri #glutenfreefood #oattart #foodstyling #foodstylist #germanfoodblogger #foodphotographer #momentslikethese #magicalmoments #dreamyaesthetic #summerfoods #countrysidelife", + "likes": 7943 + }, + { + "caption": "First peonies from our garden #ourfoodstories_countryside ____ #peonies #peonyseason #pfingstrosen #blumenstrau #flowerbouquet #blooooms #countrysidelife #countrysideliving #dreamyaesthetic #magicalmoments #momentslikethese", + "likes": 6731 + }, + { + "caption": "The elderflowers are still in full bloom here, so if you havent made a delicious syrup yet, get the recipe on the blog - link is in profile #ourfoodstories_countryside ____ #elderflower #elderflowersyrup #holunderbltensirup #germanfoodblogger #foodstylist #foodphotographer #foodstyling #momentslikethese #dreamyaesthetic #magicalmoments #countrysideliving #countrysidelife", + "likes": 11210 + }, + { + "caption": "Happy Sunday Get the recipe for these gluten-free oat tarts with poached rhubarb and meringue on the blog, link is in profile. #ourfoodstories_countryside ____ #gatheringslikethese #gathering #tablesetting #tabledecor #tabledecoration #outdoorliving #foodstyling #foodstylist #ruffinowines #foodphotographer #dreamyaesthetic #magicalmoments #countrysideliving #countrysidelife", + "likes": 11318 + }, + { + "caption": "The strawberry season is in full swing, so here you go for our favorite iced strawberry cake recipe Get the recipe on the blog, link is in profile. #ourfoodstories_countryside ____ #countrysidelife #countrysidewalks #gardeninspo #gardeninspiration #summervibes #momentslikethese #foodphotographer #foodstylist #germanfoodblogger #summerrecipe #strawberrycake", + "likes": 9006 + }, + { + "caption": "From a dreamy spring evening in the garden Happy Monday guys! #ourfoodstories_countryside ____ #summerlove #gatheringslikethese #gathering #outdoordining #outdoorphotography #timelesslinen #outdoorcooking #countrysidelife #countrysideliving #onthetable #tablesetting #tablesettingideas #tabledecor #momentslikethese", + "likes": 8964 + } + ] + }, + { + "fullname": "Cooking Light", + "biography": "Share your photos with us using #thenewhealthy Join All-Access", + "followers_count": 1410187, + "follows_count": 187, + "website": "http://cookinglight.com/instagram/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "cookinglight", + "role": "influencer", + "latestMedia": [ + { + "caption": "If there were a gut health Olympics, this salad would take home the gold medal. Not only does it include healthy probiotics courtesy of the kefir dressing, its also full of healthy prebioticsfiber-full vegetables that your gut bacteria feasts on. Click the link in our bio for the recipe! ", + "likes": 1220 + }, + { + "caption": "We're giving the one-cup summer dessert an upgrade with a bit of Hawaiian flair. The result? A tropical dessert that fits the clean eating bill and uses just 5 ingredients. Click the link in our bio for the recipe! ", + "likes": 829 + }, + { + "caption": "The sweet potato keeps its superfood status in this healthy recipe for oven fries. A sprinkling of grated orange peel adds a zesty note. Click the link in our bio for the recipe! ", + "likes": 659 + }, + { + "caption": "This is a tastier version of those strawberry shortcake bars from the ice cream truck. The crust is salty, buttery, and slightly tarta perfect crunchy match to the creamy and sweet white chocolate filling. Click the link in our bio for the recipe! ", + "likes": 1501 + }, + { + "caption": "Upgrade your pickle game with these crunchy and zesty fast-fix pickles. Great for topping tacos, stir fries, salads, or snazzing up an appetizer board, these crunchy pickles deliver a pop of flavor to everyday dishes. Click the link in our bio for the recipe!", + "likes": 1079 + }, + { + "caption": "Refreshing the coconut flakes in a bit of coconut oil gives them a lovely sheen and makes the salad incredibly aromatic. The lime juice and zest bring the whole thing together. Click the link in our bio for the recipe.", + "likes": 636 + }, + { + "caption": "This loaded veggie bowl gets a touch of smoke from the chili-spiced sweet potatoes and roasted bell pepper and plenty of zing from fresh lime. Chili powder and lime also give toasted almonds an addictive crust. Click the link in our bio for the recipe! ", + "likes": 2001 + }, + { + "caption": "Simple, bright, and balanced, this salad pairs perfectly with grilled fish or chicken. Click the link in our bio for the recipe: Golden Beet Salad with Avocado and Feta ", + "likes": 1137 + }, + { + "caption": "These tacos are a perfect blend of Mexican street corn (also called elote) and quick-cooking skirt steak. If you have frozen corn, blister the kernels in a skillet over high heat first. Click the link in our bio for the recipe! #tacotuesday ", + "likes": 1857 + }, + { + "caption": "Infused with a rich corn broth, this corn- and mushroom-studded risotto is a stellar way to celebrate the seasons harvest. Feel free to sub in your favorite mushrooms; steer clear of large portobellostheir dark gills will discolor the finished dish. Click the link in our bio for the recipe!", + "likes": 1994 + }, + { + "caption": "No need to track down a food truck to get your Mexican street corn fixyour air fryer turns out a fantastic batch. A quick turn halfway through cooking yields crispy, juicy corn that soaks up the tasty garlic-lime butter like a champ. Click the link in our bio for the recipe! ", + "likes": 3700 + }, + { + "caption": "Spaghetti squash is a great lower-calorie, lower-carb alternative to pasta. The end result here is a veggie-based meal that you can quickly throw togethera nice alternative to salads when you want to fill up on vegetables. Click the link in our bio for the recipe!", + "likes": 5326 + } + ] + }, + { + "fullname": "Hailey Peters", + "biography": "Helping others build a new style of life -65lbs @ home Wife Pug Mom Ex-Cosmetologist Chocolate + Wine + Coffee Ready to do it with you", + "followers_count": 251038, + "follows_count": 4409, + "website": "https://msha.ke/happyhealthyhailey", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "happyhealthyhailey_", + "role": "influencer", + "latestMedia": [ + { + "caption": "The moment youve alllllll been waiting for 4 ingredient pancakes! In a blender add: 1/2 cup oats 3/4 cup almond milk 1 small ripe banana 1/2 scoop protein powder (I did cookies and cream shakeology) Dash of Cinnamon (optional) Blend all together until you have batter and pour into small pancakes on heated and oil sprayed pan. I added a few chocolate chips to them after I poured them. Cook on LOW-MEDIUM until golden, flip, and patiently wait again while my pancakes were cooking I cut up a chicken apple sausage link and sauted it in another pan until heated through. Topped pancakes with a little butter, the sausage pieces, and maple syrup!", + "likes": 4974 + }, + { + "caption": "Bread pudding for breakfast in bed (grandma Lucys recipe), an amazing church service, a couples massage, cheesecake, 9 holes of golf, and an icecream date with the nieces all with a good lookin husband by my side! Theres not a better way to celebrate a birthday I feel like I say this every year but Im pretty positive 27 is going to be the best yet Thank you for the birthday wishes!! ..", + "likes": 14402 + }, + { + "caption": "Be patient evolving takes time", + "likes": 2030 + }, + { + "caption": "What a PERFECT way to start this beautiful Saturday! We slept in, had our morning beverages in bed while diving into my bible study, then I pressed play to my boxing workout wrapping up week 4 of this program, followed by getting ready for the day and devouring this DELCIOUS brunch! I tried a new recipe and I will for sure be sharing this with you! 4 ingredient pancakes! Now diving into some work because it fills my cup to do this every day and we have a NEW month starting tomorrow so lots of revamping happening I hope you all have the best weekend! #32weeks #thirdtrimester #healthypancakes #brunch #athomeworkouts #fitness #momtobe", + "likes": 5224 + }, + { + "caption": " : Bell pepper Ground burger Onion (optional) Taco seasoning Corn Black beans Cheese Toppings: Bolthouse farms yogurt ranch Avocado Salsa Plain nonfat Greek yogurt If using your oven, preheat to 350. I used an airfryer. Cut the tops off of your peppers and take middle out. Meanwhile, add burger and onion to medium heat pan and saut until cooked. Add a packet of taco seasoning, water according to directions, corn, and black beans. Sauted together for a few minutes to warm everything evenly, Remove from heat, and then add approx a cup of shredded cheese and stir in. Put your peppers into a oven safe dish, Fill your (raw) peppers with taco mixture, add a cup of water to bottom of dish and cover with foil. Place into airfryer or oven at 350 for 20-25mins. Remove foil, top cheese, and put back into oven or airfryer for 5 mins. Top with desired toppings and enjoy! !", + "likes": 3411 + }, + { + "caption": "Its been a hot minute since Ive introduced myself and I see some new faces here! Heres a few things about myself and maybe Ill learn something about you too! 1. I was born and raised in South Dakota and now my seeds are planted here married to my middle school crush! Tyson runs his family construction company here and I can work from anywhere plus my family is also here so this always has been and will remain our home as of now! 2. We love to travel! Growing up neither one of us traveled and over the past years of me earning trips with my biz we have had the opportunity to see more of the world and now its our favorite thing to do! 3. I grew up a farm girl and sports girl. I played all sports (basketball being my favorite) and I had horses, dogs, sheep, pigs, goats, cattle, and was involved in 4H! 4. I used to be a cosmetologist for 6 years who worked 6 days a week 8am-7pm commuting 60 miles a day for work, and one day took the leap to share my story of transforming my health with at home workouts + supplements/nutrition that worked for me after many years of struggling. 4 years later I now I get to do as a full time job and Ive never been happier! 5. Im currently 31.5 weeks pregnant with our little miracle baby and I still cant believe Im going to be mom! Ive shared our story on my IGTV videos and Im forever grateful God gave us this blessing! Im also beyond excited to watch Tyson be a daddy, Im not sure how Ill emotionally handle watching it 6. I love cooking/baking, fashion, Christian music, hot baths, dessert, summer weather, riding horse, being an aunt, golfing with Tyson, going out to eat, and sipping a glass of dry red wine. 7. Stella is our first baby who stole our hearts. Shes a 4 year old pug and I love her so much it hurts. She snores and naps 98% of the day & shes the best cuddler! 8. Im the oldest of 3 siblings, my sister is 17 months younger than me and my brother is 6 years younger! We all live within 30 minutes from eachother. 9. Im not a picky eater all at, but anything mint+chocolate, beef stew, or goulash I cannot handle 10. Im out of fun facts so lets hear if we have anything in common! ", + "likes": 7757 + }, + { + "caption": "Its been a hot minute since Ive introduced myself and I see some new faces here! Heres a few things about myself and maybe Ill learn something about you too! 1. I was born and raised in South Dakota and now my seeds are planted here married to my middle school crush! Tyson runs his family construction company here and I can work from anywhere plus my family is also here so this always has been and will remain our home as of now! 2. We love to travel! Growing up neither one of us traveled and over the past years of me earning trips with my biz we have had the opportunity to see more of the world and now its our favorite thing to do! 3. I grew up a farm girl and sports girl. I played all sports (basketball being my favorite) and I had horses, dogs, sheep, pigs, goats, cattle, and was involved in 4H! 4. I used to be a cosmetologist for 6 years who worked 6 days a week 8am-7pm commuting 60 miles a day for work, and one day took the leap to share my story of transforming my health with at home workouts + supplements/nutrition that worked for me after many years of struggling. 4 years later I now I get to do as a full time job and Ive never been happier! 5. Im currently 31.5 weeks pregnant with our little miracle baby and I still cant believe Im going to be mom! Ive shared our story on my IGTV videos and Im forever grateful God gave us this blessing! Im also beyond excited to watch Tyson be a daddy, Im not sure how Ill emotionally handle watching it 6. I love cooking/baking, fashion, Christian music, hot baths, dessert, summer weather, riding horse, being an aunt, golfing with Tyson, going out to eat, and sipping a glass of dry red wine. 7. Stella is our first baby who stole our hearts. Shes a 4 year old pug and I love her so much it hurts. She snores and naps 98% of the day & shes the best cuddler! 8. Im the oldest of 3 siblings, my sister is 17 months younger than me and my brother is 6 years younger! We all live within 30 minutes from eachother. 9. Im not a picky eater all at, but anything mint+chocolate, beef stew, or goulash I cannot handle 10. Im out of fun facts so lets hear if we have anything in common! ", + "likes": 7757 + }, + { + "caption": "Its crazy how fast time is already flying by with this little nugget, and I know it doesnt slow down once they are in your arms I remember a few months ago my shower date feeling so far away, yet here we are and it was the most perfect day! A HUGE thank you to @brooke.mohnen @jessicakendres & @jesfrederick for everything they did making today absolutely amazing!! We are so blessed and thankful!! Showered in love and so excited to meet Baby Peters in September! . . . #babyshower #31weeks #31weekspregnant #momtobe #septemberbaby #thirdtrimester", + "likes": 27164 + }, + { + "caption": "Chicken Bacon Ranch Quesadilla 90 calorie Flatout Wrap Cooked grilled chicken (I also had diced onion cooked with mine) Bolthouse Farms yogurt ranch Shredded cheese Bacon bits ENJOY!", + "likes": 6822 + }, + { + "caption": "The freedom of my being in control of my own work schedule with the flexibility like this is exactly what kept me in hustle mode building my business on the side of salon life The commitment and sacrifices are so worth it and Im so glad I never gave up on my vision of what I wanted my days to look like. We had the best pool day and I love being their aunt more than theyll ever know Can summer last forever? . . Swimsuit: @walmart & sunglasses are in the link in my bio if you swipe over to my amazon favs!", + "likes": 11868 + }, + { + "caption": "Workouts are a lot like life in general.. some days you struggle hard, you feel weak, you feel like a beginner, you want to give up, you question why you showed up, you wonder if its worth it, you simply just dont feel it that day.. but then you have days where you feel strong, youre proud of yourself, you have high energy, youre mood is up, you feel ambitious, you set goals even higher that day Yesterday was a hard workout day for me and honestly my whole day was a little down, but today I feel strong as ever and was really feeling my workout. My daily reminder, no matter how I feel, is to show up. Because honestly the days I dont like it are the days I need it most. If I only showed up when I felt amazing and ambitious my consistency would be garbage, and consistency is the key to advancing forward towards change Fun fact: I HATE leg day, its my least favorite day but it was on my workout calendar so I accepted the challenge and got it done. 28 minutes later feelin proud and strong! Ill share todays workout in case you need a sweat sesh too! . ! ( ) Comment when youve done it #30weekspregnant #athomeworkouts #legday #amazonfashion #7monthspregnant #momtobe #fitness #health #workoutclothing #", + "likes": 6601 + } + ] + }, + { + "fullname": "Alex", + "biography": " The BEST food from New York & beyond! : Queens, NYC Daily food pictures! Follow 5boroughfoodie on TikTok! : @alexobed ALL original content", + "followers_count": 355834, + "follows_count": 87, + "website": "", + "profileCategory": 3, + "specialisation": "Blogger", + "location": "", + "username": "5boroughfoodie", + "role": "influencer", + "latestMedia": [ + { + "caption": "Feast your eyes on @harlempublics CHORIZO MAC & STEEZ! : @harlempublic : Harlem, NYC : Follow 5boroughfoodie on TikTok!", + "likes": 5466 + }, + { + "caption": "Treat your self to ALL the PIZZA at @tfs.ny! This PIZZA has their Greek Pizza, Cheeseburger Pizza, Buffalo Chicken & Butter Chicken Pizza. : @tfs.ny : Queens, NYC : Follow 5boroughfoodie on TikTok!", + "likes": 3307 + }, + { + "caption": "The perfect WEEKEND FEAST at @roosterharlem! Yep! Chicken & Waffle - Fried Chicken Leg, Maple Hot Sauce. Lenox Smash Burger - Double Patty, Aged Cheddar, Sweet Onion, Lettuce, Tomato, House Sauce. Crispy Bird Sandwich - Buffalo Chicken, Cheddar, Charred Onion, Pickles. : @roosterharlem : Harlem, NYC : Follow 5boroughfoodie on TikTok!", + "likes": 1942 + }, + { + "caption": "You cant go wrong w/ a delicious CHEESESTEAK from @fedoroffsroastpork! Sliced Prime Steak, Cheese Whiz, Onions & Peppers. : @fedoroffsroastpork : Williamsburg, Brooklyn NYC", + "likes": 8486 + }, + { + "caption": "These BBQ CHICKYS N CHIPS are LOADED w/ Boneless Fried Chicken, French Fries & ALL the SAUCE! : @chickys_nyc : Queens, NYC : Follow 5boroughfoodie on TikTok!", + "likes": 3974 + }, + { + "caption": "These delicious GIANT BBQ BRISKET TACOS from @hometownbarbque are topped w/ Queso, White Onion & Pickles! : @hometownbarbque : Brooklyn, NYC", + "likes": 2734 + }, + { + "caption": "BURGER GOALS w/ the DOUBLE PIG BEACH BURGER! Brisket Short Rib Burger blend, White American Cheese, Secret Sauce, Pickles on a Martin's Potato Roll. : @pigbeachnyc : Gowanus, Brooklyn NYC", + "likes": 15711 + }, + { + "caption": "Check out the BRISKET OF BEEF SANDWICH from @milanomarketwestside! Beef Brisket, Melted Swiss & Cheddar Cheese w/ Garlic Butter on Ciabatta. I asked for Mayo & BBQ Sauce! : @milanomarketwestside : Upper West Side, NYC : Follow 5boroughfoodie on TikTok!", + "likes": 23484 + }, + { + "caption": "Delicious RASTA JERK CHICKEN PASTA from King Sunshine Jerk Center in the BRONX, NYC! Creamy Pasta tossed with Caribbean Style Jerk Chicken & Sauted Bell Peppers. : King Sunshine Jerk Center : Bronx, NYC", + "likes": 8273 + }, + { + "caption": "Another reminder to try the DEVOUR MUTZ FRIED CHICKEN SANDWICH! Fried Chicken, Mozzarella Sticks, Sweet Chili Sauce & a touch of Mayo! : @devour.friedchicken at @ornellasastoria_ : Astoria, Queens NYC : Follow 5boroughfoodie on TikTok!", + "likes": 5044 + }, + { + "caption": "The CUBANO SANDWICH at @courtstreetgrocers! Bacon Fat confited Pork Shoulder, Heritage Ham, Swiss, Sour Pickles, Mayo, Yellow Mustard. : @courtstreetgrocers : Brooklyn, NYC : Follow 5boroughfoodie on TikTok!", + "likes": 9240 + }, + { + "caption": "The CHICKEN GRILLED CHEESE at @thebarnqueens w/ a perfect side of SOUP for the DIP! : @thebarnqueens : Astoria, Queens NYC : Follow 5boroughfoodie on TikTok!", + "likes": 22294 + } + ] + }, + { + "fullname": "Thatnursecancook\u2122\ufe0f", + "biography": "Cookbook Author Recipe Developer Thecookingnurse1@gmail.com Ebooks, Youtube, Recipes, & more ", + "followers_count": 384321, + "follows_count": 194, + "website": "https://www.thatnursecooks.com/", + "profileCategory": 3, + "specialisation": "Kitchen/Cooking", + "location": "", + "username": "thatnursecancook", + "role": "influencer", + "latestMedia": [ + { + "caption": "Curry Oxtail: you having it with gungo peas & rice or kidney beans & rice? Gungo peas me everytime please! . . . Subscribe to my YouTube channel: Thatnursecancook (recipe is there) link in bio! Trouble finding it? Type: thatnursecancook curry oxtail into the search bar on youtube! . . . . . #jamaica #jamaicanfood #eatingthecaribbean #caribbeanfood #caribbean #westindies #876 #jamaicanfood876 #islandfood #islandvibes #Guyana #haiti #Antigua #Anguilla #ABCislands #TurksandCaicos #saveurmag #thespruceeats beachfood #yaadmantings #virginislands #caymanislands #Belize #Barbados #bestcaribbeanfood #curry #curryoxtail #riceandpeas", + "likes": 9960 + }, + { + "caption": "Cmon stop playing and them curry them oxtail! I trim some of the fat on the oxtail so my gravy isnt too oily. I blend 3 different curries for max flavor: Jamaican Choice, Chiefs, Betapac, and /or Portland Mills. Sometimes I toast the curry, simply depends on what mood Im in. Makes no difference to me. Once your food is well seasoned and youve cooked your oxtail for about 2 hours, thats more than enough time to fully cook the curry. If you havent tried it yet, youre missing out! Recipe video is on YouTube: thatnursecancook curry oxtail. The green stuff? Youtube: thatnursecancook epis . . . . . . #jamaica #jamaicanfood #eatingthecaribbean #caribbeanfood #caribbean #westindies #876 #jamaicanfood876 #islandfood #islandvibes #Guyana #haiti #Antigua #Anguilla #ABCislands #TurksandCaicos #saveurmag #thespruceeats beachfood #yaadmantings #virginislands #caymanislands #Belize #Barbados #bestcaribbeanfood #oxtail #curry #ilovecurry", + "likes": 23868 + }, + { + "caption": "What do you bring home when you visit your home country? I brought back fried fish, roast breadfruit, some pudding, drops, and gizzada I fried this breadfruit and had it with brown stew porgy and plantain. I swear enjoying the treats you brought home from vacation is the cherry on top! Hit the link in bio for the recipe and subscribe to my YouTube channel: thatnursecancook . . . . . . #jamaica #eatingthecaribbean #caribbeanfood #westindianfood #yaadmantuesday #traveljamaica #islandfood #Grenada #haiti #Antigua #Stkitts #Stvincent #trinidad #Stlucia #cuba #essenceeats #tsrfoodies #nytcooking #thatnursecancook #dominica #caymanislands #Belize #Barbados #bestcaribbeanfood #homecookedmeal #jamaicanfood #huffposttaste #brownstewfish #pescatarian #breadfruit", + "likes": 9328 + }, + { + "caption": "I brought home some roast breadfruit from Jamaica, cut it into four, fried some, and froze the rest! I couldnt wait to have it with some nice brown stew fish. Brown sugar method reigns supreme for me. I bought some Porgy and froze it before we left so I thawed it out and brown stewed it. Im usually a fan of Red or Yellow Tail Snapper, but Porgy is a close second. Hit the link in my bio for the recipe and subscribe to my YouTube channel: thatnursecancook (video is there too) . . . . . . #jamaica #eatingthecaribbean #caribbeanfood #westindianfood #yaadmantuesday #traveljamaica #islandfood #Grenada #haiti #Antigua #Stkitts #Stvincent #trinidad #Stlucia #cuba #essenceeats #tsrfoodies #nytcooking #thatnursecancook #dominica #caymanislands #Belize #Barbados #bestcaribbeanfood #homecookedmeal #jamaicanfood #huffposttaste #pescatarian #friedfish", + "likes": 18565 + }, + { + "caption": "Its a beautiful Saturday for some Ackee & Saltfish with callaloo, fried dumpling, and fried plantain, wouldnt you agree? . . . . . #jamaica #eatingthecaribbean #caribbeanfood #westindianfood #yaadmantuesday #traveljamaica #islandfood #Grenada #haiti #Antigua #Stkitts #Stvincent #trinidad #Stlucia #cuba #essenceeats #tsrfoodies #nytcooking #thatnursecancook #dominica #caymanislands #Belize #Barbados #bestcaribbeanfood #homecookedmeal #jamaicanfood #huffposttaste #ackeeandsaltfish #frieddumplings", + "likes": 4780 + }, + { + "caption": "..No I didnt eat enough ackee & saltfish in Jamaica. How many dumpling can you manage in one sitting? . . . Head to thatnursecooks.com (link in bio) for the youtube video & recipes!", + "likes": 16316 + }, + { + "caption": "Im declaring multiple streams of happiness ", + "likes": 14723 + }, + { + "caption": "We had a blast in Jamaica and we cant wait to do it again. As promised, I uploaded a full review of the resort we stayed in, and I just dropped an entire vlog on YouTube of our stay in Jamaica. Head to my website at thatnursecooks.com to check it out!!! Link in bio!!", + "likes": 6249 + }, + { + "caption": "Jamaica is not just a place to vacation to me. I was born in London, but Jamaica is the place i feel most connected to my roots. My children had the opportunity to meet their great grandmother for the second time. What a blessing. My grandmother handed some family recipes down, and gave me all her recipe secrets! Being here is more than just the photo ops, its about teaching my children where their ancestry lies and allowing them to know and understand that they descended from kings & queens. Truly knowing who they are and what type of blood runs through their veins. Id encourage all of my peers to continue to visit the country that our parents came from, keep our culture alive by teaching your children all about our food, music, and customs. Contribute to the local economy by patronizing the businesses owned by the countrys citizens, and most importantly, dont let our culture die with our generation. ", + "likes": 17427 + }, + { + "caption": "The great debate ", + "likes": 1356 + }, + { + "caption": "Someone said we cooked a great life together. Ill toast to that . . . . . #blacklove #millennialmarriage #blackgirlstravel #blackcouples #jamaica #visitjamaica #traveljamaica #876 #caribbeanfood #islandvibes #jamaicanfood #millennialparenting", + "likes": 23017 + }, + { + "caption": "How mi look? Cleannnnnnn! . . . . . . #traveljamaica #blackkidstravel #kidtravel #jamaica #jamaicanfood #eatingthecaribbean #caribbeanfood #caribbean #westindies #876 #jamaicanfood876 #yaadmantings #travelnoire", + "likes": 10699 + } + ] + }, + { + "fullname": "Bien Tasty", + "biography": " Recetas y quizzes", + "followers_count": 4243194, + "follows_count": 13, + "website": "http://buzzfeed.bio/bientasty", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "bientasty", + "role": "influencer", + "latestMedia": [ + { + "caption": "Un postre facilsimo y delicioso! Te contamos en este nuevo video, cmo hacer unas paletas de arroz con leche rellenas que te encantarn! Dale clic al link que tenemos en la bio Y NO TE LAS PIERDAS ", + "likes": 5891 + }, + { + "caption": "1, 2?... o quiz TODAS? Cuntanos en los comentarios cuntas de stas recetas ya has probado Ve a la bio para hacer este quiz!", + "likes": 3133 + }, + { + "caption": "De hierro, cermica, tefln... sabes para qu sirve cada uno? En este video te enseamos todo lo que necesitas saber de *sartenes* Dale clic al link en la bio para que te enteres! O si lo prefieres, puedes ir directamente a nuestro canal de YouTube ", + "likes": 4029 + }, + { + "caption": "Pongamos tus conocimientos a prueba! Haz el quiz dndole clic al enlace que tenemos en la bio ", + "likes": 2544 + }, + { + "caption": "LAS MEJORES TIRAS DE POLLO! No puedes perderte este video que hicimos para ti Es la mejor receta para hacer tiras de pollo frito con salsa BBQ... suena delicioso, no? Dale clic al link en la bio o directo en nuestro canal de YouTube!", + "likes": 10531 + }, + { + "caption": "Descbrelo haciendo el quiz con el link que tenemos en la bio! ", + "likes": 1191 + }, + { + "caption": "Tienes una freidora de aire en casa? No vas a poder creer todos los postres y botanas de pltano que puedes hacer con ella! Crrele al link en la bio para ver las recetas completas! O si lo prefieres, puedes ir directamente a nuestro canal de YouTube ", + "likes": 9233 + }, + { + "caption": "De verdad, no te lo vas a querer perder. Crrele al link que tenemos en la bio para que empieces a conocerlos todos ", + "likes": 1436 + }, + { + "caption": "Subimos un video que te va a encantar! Aprende a hacer este exquisito y tan amado platillo: EL RISOTTO! Conoce todos los tips, trucos y secretos que necesitas saber para que seas todo un chef Dale clic al enlace que tenemos en la bio para que veas el video completo o si lo prefieres, directamente en nuestro canal de Youtube ", + "likes": 9268 + }, + { + "caption": "DULCES CASEROS! Te enseamos a hacer riqusimos dulces hechos con cscaras de ctricos Qu esperas? Dale clic al enlace que tenemos en la bio para que veas la receta completa o si lo prefieres, directo a nuestro canal de Youtube!", + "likes": 14815 + }, + { + "caption": "Cul ser tu opcin ideal? Descbrelo haciendo este quiz que tenemos en el link en bio! ", + "likes": 1593 + }, + { + "caption": "Pescado entero, salmn, pez espada... En este video te enseamos los BSICOS para asar pescados a la parrilla. Una forma exquisita y deliciosa de hacer recetas para los fines de semana Si quieres ver estas 3 recetas y explicaciones, dale clic al enlace que tenemos en la biografa o directamente a nuestro canal de Youtube ", + "likes": 6482 + } + ] + }, + { + "fullname": "Sharing Delicious Food", + "biography": "Healthy Snacks Trending Food Videos . Get healthy recipes ", + "followers_count": 1663293, + "follows_count": 20, + "website": "https://healthyfitnessmeals.com/peanut-butter-banana-overnight-oats/", + "profileCategory": 3, + "specialisation": "Personal Blog", + "location": "", + "username": "befitsnacks", + "role": "influencer", + "latestMedia": [ + { + "caption": "Peanut butter overnight oats get recipe with link in our bio @befitsnacks", + "likes": 561 + }, + { + "caption": "Asparagus stuffed chicken breast low card and so good! recipe link in our bio @befitsnacks", + "likes": 1897 + }, + { + "caption": "Grilled chicken breast with avocado salsa recipe link in our bio @befitsnacks", + "likes": 1820 + }, + { + "caption": "Baked Feta Pasta dish by @cookingwithayeh Jump in your kitchen & make this asap! Youll need: 500g cherry tomatoes 8 garlic cloves 180g block of feta 400g pasta 1/4C EVOO (with some extra) 1 tsp dried oregano Handful fresh basil S&P", + "likes": 3154 + }, + { + "caption": "This Creamy Mediterranean chicken recipe is so good you would want to add it to your weeknight dinner rotation recipe link in our bio @befitsnacks", + "likes": 1028 + }, + { + "caption": "Crispy Rice with Spicy Salmon This is inspired by a dish at NOBU and was surprisingly simple to make and SO DELICIOUS! What you need: Sushi-grade salmon (I used 12 slices of salmon sashimi which made enough for 8 portions) Spicy sauce: 1 heaped tbsp Japanese mayo 1/2 tbsp sriracha 1/2 tbsp sesame oil 1/2 tbsp soy sauce Spring onions, finely sliced Jalapeo, finely sliced Sushi rice, cooked and tightly packed in a container - leave the fridge overnight to firm up Groundnut oil for frying By @londonbruncher", + "likes": 10836 + }, + { + "caption": "Italian Pasta by @themodernnonna . 2-3 teaspoons olive oil 3 small thinly sliced garlic cloves 1.5 cups cherry tomatoes cut in half 1 tablespoon sun-dried tomatoes optional freshly chopped basil to taste 3 leaves pinch of salt for the tomatoes chilli flakes optional boiling salted water for the pasta pasta of choice 2-3 tablespoons pasta water for the sauce Please note : The pasta water should be a salty as the sea as this is your only chance to flavour your pasta. Chilli flakes are optional Add your pasta to boil and In the meantime start the sauce. Add the olive oil to a cold pan on the stove with the garlic and sun-dried tomatoes. The reason we do this is so that it comes up to temperature together in the oil gets infused with the garlic. Turn the heat on medium-high and as soon as the oil gets hot add in the cherry tomatoes. You want them to sizzle. Add a pinch of salt and stir everything for 2-3 minutes. The moment the cherry tomatoes are nice and soft and the garlic isnt burnt the sauce is ready and turn the heat off. Add your cooked pasta with a bit of the starchy pasta water and gently stir it together. Serve with fresh basil, parm and a touch of olive oil is optional. Enjoy ", + "likes": 5240 + }, + { + "caption": "Peanut butter oatmeal breakfast recipe link in our bio @befitsnacks", + "likes": 1141 + }, + { + "caption": "Tuscan stuffed chicken breast recipe link in our bio @befitsnacks", + "likes": 684 + }, + { + "caption": "Love this by @lindseyeats . Burst cherry tomato pasta! It is so summery, quick to come together & just so delicious. You'll make your own sauce with fresh garlic & basil tossed with your go-to pasta. It starts off with a quick sizzle in olive oil, garlic and your tomatoes. Youll stir them until they burst, add a lil bit of pasta water, fresh sliced basil, your pasta and finished off with shaved parmesan. It is p.e.r.f.e.c.t.i.o.n! ", + "likes": 7368 + }, + { + "caption": "Keep (low carb) Tuscan shrimp. its so good! Get the recipe with link in our bio @befitsnacks", + "likes": 2573 + }, + { + "caption": "Grilled Chicken and avocado salad get recipe with link in our bio @befitsnacks", + "likes": 959 + } + ] + }, + { + "fullname": "Carina Wolff", + "biography": "writer/journalist, cookbook author subscribe to my newsletter good mood food partnerships: Britt@smithsaint.com", + "followers_count": 274394, + "follows_count": 256, + "website": "https://searchmysocial.media/kalememaybe", + "profileCategory": 2, + "specialisation": "Blogger", + "location": "", + "username": "kalememaybe", + "role": "influencer", + "latestMedia": [ + { + "caption": "Mini Plant-Based Guac Quesadillas!! Anyone remember these from last year? I used street taco sized tortillas and filled them with them plant based cheddar and a makeshift guac made with avocado, red onion, cilantro, and lime! Fry in a pan for a couple minutes on both sides. You can use olive oil but butter works really well too if you eat dairy. Covering the pan helps the cheese melt too! Obviously same thing can be done with regular sized tortillas and regular cheese ", + "likes": 4825 + }, + { + "caption": "Tomato, Peach and Halloumi Salad topped with fresh mint! Summer in a bowl, sweet and savory, tangy and light, crisp and delish!! RECIPE 3 large heirloom tomatoes 2 peaches 1 tbsp red wine vinegar 1 tbsp olive oil 8 oz halloumi, cut into 1-inch squares Small handful of fresh mint leaves Core tomatoes and cut into wedges. Add to a large bowl with a pinch of salt and toss. Set aside to marinate. Cut peaches into slices, and set aside while you make the halloumi. Heat a pan on medium-high heat and add olive oil. Add the halloumi slices, and cook for 2-3 minutes on each side until just golden. Transfer the peaches and the halloumi to the bowl with the tomatoes, and toss with red wine vinegar. Serve topped with fresh mint and a little cracked pepper", + "likes": 3837 + }, + { + "caption": "Two fried eggs over Greek yogurt with Citrusy Chimichurri! Ever since I started making lbr, (a Turkish dish of egg over yogurt), Ive really started to enjoy eating eggs with yogurt. It might sound weird at first, but add a little bit of garlic and salt, and its a savory heaven. For this dish, I used my Citrusy Chimichurri from a recent salmon dish from my newsletter (Ill link to it in my bio) and I just spooned it over the eggs and the yogurt and topped it with a little bit of aleppo pepper. I dont heat the yogurt up before: I just spread it on the bottom of the bowl and top it with the warm fried egg", + "likes": 4888 + }, + { + "caption": "Green Goddess Shrimp Salad with Pearl Couscous and Grilled Romaine!!!! Seafood + grilling + refreshing herbs = a summer dream Recipe released on my newsletter today (link in bio!!)", + "likes": 7958 + }, + { + "caption": "Shes my cherry pie Saw this idea from @celineyrs, and I thought it was so cute! Made a cauliflower crust pizza and made little cherries out of cherry tomatoes, chives, and basil. Happy Monday from me and my cherry pie to you! (Although if youre singing the Warrant song in your head, I dont recommend looking up the meaning of the lyrics, they do NOT apply to this post )", + "likes": 7777 + }, + { + "caption": "Miso Carrot Dip with Charred Scallions!! I love dips! They make me think of fun times and dinner parties and lots of laughter and eating. This one is totally plant based and is an exclusive for paid subscribers of my newsletter link in bio!! ", + "likes": 2041 + }, + { + "caption": "Butternut Squash, Caramelized Onion, and Feta Galette with sage, zaatar, and hot honey!! Made this one earlier this year, and Im still so in love with these flavors (which were inspired by @clodagh_mckenna). I finally typed out the full recipe this time! RECIPE GALETTE DOUGH (recipe from Tartine) 1/2 tsp salt 1/3 cup very cold water 1 1/2 cups plus 1 tbsp flour 1 stick butter + 2.5 tbsp butter, very cold GALETTE FILLING 1 yellow onion, sliced and eight sauted or caramelized 1 cup cooked squash (toss in oil and bake at 425 for ~30 min) 1/4 cup feta A few leaves of fresh sage Zaatar (a Middle Eastern spice blend, my fave to buy is @zandzdc) Hot honey (like spicy honey. Love @mikeshothoney!) Everything but the bagel seasoning To prepare dough, mix the salt into the cold water. Cut butter into 1-inch pieces. Add the flour & butter pieces to a food processor, and pulse until a ball forms. Transfer to a flour lined surface and form into a 1-inch thick disk using your hands. Wrap in plastic and chill in fridge for at least 2 hours. Let cool slightly before working with dough. When youre ready to use the dough, preheat oven to 425 F, and use a rolling pin to shape into a rough circle, about 1/8 in thick. Transfer the dough carefully to a parchment paper-lined baking sheet. Add the sauteed onions to the center of the dough, leaving a 3-inch border like a pizza crust (youll fold this over). Layer with the butternut squash, feta, sage, and a sprinkle of za'atar. Fold the crust over, and brush with an egg wash. Sprinkle with bagel seasoning & za'atar. Bake for 30 minutes until edges are golden brown, and then drizzle with hot honey!", + "likes": 7827 + }, + { + "caption": "Banana Split Overnight Oats!! Creamy overnight oats, banana, walnuts, and a homemade chocolate sauce topped with shredded coconut!optional, but encouraged and totally plant based!! Dropping the recipe today on my newsletter, good mood food! Subscribe at the link in my bio to get the recipe delivered straight to your inbox! Or stay tuned for the link in bio in just a few hours", + "likes": 1857 + }, + { + "caption": "A California Greek Salad like kinda, but not fully This was a clean out the fridge situation inspired by some Greek flavors and also California produce! Chickpeas, chopped tomatoes, chopped red onion, chopped kale & romaine, feta, lemon, olive oil, red wine vinegar, and some salt, pepper, aleppo pepper, and a lot of dried oregano No recipe here because I made it on a whim, but it doesnt really need one! Put as much of each as your heart desires and taste test just dont forget to massage your kale!!", + "likes": 5784 + }, + { + "caption": "All the herbs and all the crunch for this avocado toast Toasted sourdough with avo mash, feta, bb radishes, pumpkin seeds, hemp seeds, dill, basil, aleppo pepper, and a big squeeze of lemon", + "likes": 3778 + }, + { + "caption": "Peach Lemonade Slushy, because its peach season, baby!! I made this beverage as part of the #PrimaPeachChallenge (details on the challenge & recipe for the drink below!). This drink tastes amazing with booze or as a virgin drink, so take your pick! Whats most important is its star ingredient, peaches!! I used @PrimaWawona peaches in this recipe they are fresh, juicy, and tasty, just as a perfect peach should be. If youre a peach fan, you should join the #PrimaPeachChallenge. All you have to do is share your creative, picturesque content of the ways youre enjoying Prima Peaches all summer long, and youll have chance to win some cash. For more info, go to https://prima.com/primapeachchallenge PEACH LEMONADE SLUSHY RECIPE (serves 4) 3 peaches, cut into slices 1 cup lemon juice (about 5 large lemons) 2-3 tbsp honey (2 for a tangier drink, 3 for sweeter) 5 cups ice Optional: Alcohol of choice (I suggest gin or vodka, but whiskey could work too! Use 1.5 shots per serving, you can blend in or mix later if some people dont want it spiked) Add everything to a blender, and blend until smooth! Garnish with a fresh peach slice #ad", + "likes": 2517 + }, + { + "caption": "Salmon with Citrusy Chimichurri and Pickled Shallots!!! Full recipe is out on my newsletter today I also talk a little about the origins of chimichurri, my family background, and as always, some fun recipe recs and general life chat! Get the recipe through the link in my bio, or go to www.goodmoodfood.news. OR, if youre a true KMM fan, and youre subscribed to my newsletter, head straight to your inbox ", + "likes": 7751 + } + ] + }, + { + "fullname": "Arielle Lorre \ud83d\udc96", + "biography": "wellness stuff without the bs @theblondefilespodcast on Dear Media @theblondefileshelps ", + "followers_count": 254843, + "follows_count": 795, + "website": "https://linktr.ee/ariellelorre", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "ariellelorre", + "role": "influencer", + "latestMedia": [ + { + "caption": "What I eat on a plant based day! matcha (or coffee) latte with pistachio milk coconut yogurt with fruit and granola @gomacro MacroBar veggie, sweet potato and rice bowl vegan ricotta and zucchini pasta homemade snickers ice cream bar This month, 10% of net proceeds from the august sales of @gomacro Double Chocolate + Peanut Butter Chip bars will go to the Sheldrick Wildlife Trust We visited the elephant orphanage in Africa a couple years ago and adopted an elephant, Maktao! Go to my stories to see him I love @gomacro for their commitment to providing nutritious delicious plant based bars & also their commitment to giving back #gomacropartner", + "likes": 3463 + }, + { + "caption": "Instead of monthly goals Im doing weekly goals (more manageable IMO) so this week they are: 2 meditations a day 10 mins breath work each morning journal for 5 mins each evening work out daily (still in vaca mode ) drink all the water front load my week so I can take Friday or part of Friday off stay off my phone for an hour in the morning and an hour before bed These are really simple things that make me feel my best but that I have been seriously slacking on. I got off my game on vacation and have been struggling with consistency so Im holding myself accountable here! What are your goals? x", + "likes": 7122 + }, + { + "caption": "This dairy free sweet corn & ricotta pasta is the dish you need this summer I eyeballed the ingredients but its pretty foolproof and you can adjust the flavors to your liking! INGREDIENTS: Pasta of choice Ricotta of choice (I used Kite Hill) 2 cups sweet corn 2 cloves garlic Olive oil Fresh basil Crushed red pepper Salt and pepper DIRECTIONS: Cook pasta and and save about 1 cup of pasta water Separately, saut chopped garlic in olive oil on low heat until it starts to cook Add corn and continue to cook Once corn is cooked, add about 1/2 cup ricotta and pasta water 1/4 cup at a time, stirring frequently (it should be creamy but not wet) Season to your liking with salt and pepper Garnish with crushed red pepper and fresh basil Leave a if youre gonna try this ", + "likes": 7575 + }, + { + "caption": "Today I am happy, joyous and free; plugged into my purpose but detached from outcomes. Content with where I am while working towards where I could to be. Trusting in something bigger than me and seeking that guidance daily. Getting the answers when I get still. Keeping it simple and just doing the next right thing. It took so much work to get here but it feels so good this is your reminder to tune out the noise and the distractions and work on youits the most important relationship you have ", + "likes": 6153 + }, + { + "caption": "TBF MERCH IS HERE!!! I have been living in this since I got samples (weve been working on this since the winter) and Im so excited to see you guys wear it Featuring my tongue in cheek slogan WELLNESS STUFF (bc who doesnt love wellness stuff) - complete with matcha and cookies ofc - the merch comes in the comfiest, softest crew neck sweatshirt and shorts, in pink or egret. We wanted cute but subtle you know? Its perfect Sizing is XS-XL - I wear a M top because I like it oversized, and S shorts. Oh ya theres international shipping too! available on shop.dearmedia.com Which color are you gonna get?? Thanks for always supporting TBF!! xx", + "likes": 4998 + }, + { + "caption": "New solo episode: I Put Fat in My Face + General Q&A! In this episode Im talking about my recent procedures I did with Dr. Mascar, as well as discussing my trip to Greece and taking random questions from Instagram like what influencer drama I can share; how I deal with eating and exercise during and post traveling; how I resist alcohol on vacation; my go-tos to deal with anxiety; my best bloating tips; why I decided to be open about beauty procedures, and more! Lmk if you have questions (after you listen of course) @theblondefilespodcast", + "likes": 5454 + }, + { + "caption": "Thats a wrap on Greece we went to Athens, Poros, Spetses, Hydra, Milos, Folegandros, Ios, Naxos and Mykonos and they were all spectacular in their own way. Im talking a little bit about it on this weeks podcast but lmk if you have any travel qs, I know a lot of you have trips planned! x", + "likes": 5347 + }, + { + "caption": "Mykonos ", + "likes": 6953 + }, + { + "caption": "Monday in Milos hits different ", + "likes": 7311 + }, + { + "caption": "A few from Sptses ", + "likes": 6499 + }, + { + "caption": "sightseeing in Athens before we head to the islands tomorrow Ive always been fascinated by Ancient Greek history so this was amazing to finally see ", + "likes": 6991 + }, + { + "caption": "good morning so Ive been doing 10 minutes of breath work following my meditation in the morning and holy %#!@ I know Im late to the game here but it has been absolutely amazing in helping me feel grounded and present, in reducing anxiety and I actually feel sort of naturally high after (in a good way) so theres that I truly believe a constant desire to grow spiritually and having the discipline to do whats uncomfortable in order to grow is what sets me up for success in other areas of my life So if youre looking for new things to try (maybe less intimidating than TM) breath work is a quick, easy practice that you can add on to your routine. Ill link what Ive been doing in my stories! Happy Monday ", + "likes": 5893 + } + ] + }, + { + "fullname": "Manda - HOME COOK", + "biography": "Foodie + Naturalista Masters Grad @mandajesshome Get Your Cookbooks", + "followers_count": 219650, + "follows_count": 903, + "website": "https://359177.e-junkie.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "mandajesspanda", + "role": "influencer", + "latestMedia": [ + { + "caption": "Whats your S/Os favorite dish? . With my honeyyy . The lucky man behind the plates! My fianc loves to eat and is obsessed with my cooking so it keeps me inspired to try new things and to keep cooking! His favorite food is Italian so I usually put my own Trini-Caribbean spin to those types of dishes and he and I can both enjoy them!! Whats your honeys fave food/dish?", + "likes": 2325 + }, + { + "caption": "Whos making this one!? . As promised, heres how I made my recent Jerk Salmon! I like to switch things up a little here and there so I dont get tired of any specific flavor and I did just that by adding the smoked BBQ seasoning. It gave it a nice, light smoky flavor to the delicious jerk . This salmon is soooo juicy and pairs well with everything. You guys have to try this one! If you do, let me know! ", + "likes": 4832 + }, + { + "caption": "Drop a if this looks good to you!!! Jerk Salmon & Veggies over Rice and Peas served with Avocado . Volume 1 and 2 Cookbooks out NOW! Link in bio ", + "likes": 8300 + }, + { + "caption": "Recipe below! ARE YOU TRYING THIS ONE?! Creamy Creole Loaded Potatoes using all @tonychacheres products!!!! So delicious!!! #Ad #PassAGoodTime #Tonychacheres . RECIPE : 3 tablespoons Tonys Seafood Marinade Tonys More Spice Creole Seasoning, to taste 20 colossal shrimp - peeled but tails left on Olive oil 5 large Russet Potatoes 1 (14oz) kielbasa sausage link, cut into cubes 1/2 small red pepper, diced 1 stick of butter 1/4 cup sour cream 1 cup shredded white cheddar cheese 1 cup milk 1 tablespoon Tonys ranch dressing 1/3 cup Tonys Alfredo sauce Sliced Green onions, to taste In a large bowl, combine Tonys Seafood marinade and 1 teaspoon Tonys More Spice Seasoning to defrosted shrimp and allow to marinate in the fridge at least 30 minutes. Preheat oven to 400 degrees. Wash potatoes then dry them. Poke holes around them and rub with olive oil. Bake for about 1 hour until cooked through. Upon removal, leave oven on, but lower to 350. They will go back in later. Heat a medium-sized, non-stick skillet over medium heat. Add your cubed kielbasa sausage and red peppers and cook until lightly browned. Set aside. In the same pan, add your marinated shrimp and cook about 2 minutes each side until shrimp are cooked/pink. Set aside. Once the potatoes are cooked, slice them in half and scoop out the centers into a bowl leaving a little behind against the skins to keep them sturdy. Once all the potatoes are scooped into the bowl, add the Tonys More Heat Seasoning (I added about 2 teaspoons), butter, sour cream, shredded cheese, milk, and Tonys ranch dressing. Combine/mash well until desired creaminess. I like mine a little firm as it makes for easier scooping. Lay your potato shells out into a pan. Scoop the mashed potato mixture evenly into each potato skin. Spoon the cubed sausage/pepper mixture on top then drizzle the Tonys Alfredo sauce over each of them. Top each potato with 2 shrimp then sprinkle the top with a little extra More Heat! Bake at 350 for about 15 minutes or until warmed through. Top with sour cream and chives and enjoy! ", + "likes": 4436 + }, + { + "caption": "Comment YES if you want my Green Seasoning recipe . Volume 1 and 2 Cookbooks in bio ", + "likes": 5995 + }, + { + "caption": "How do you feel about chicken breasts? . I love them when theyre cooked right!!! (Like this ) Juicy, flavorful inside and lightly crusted savory outside! ", + "likes": 11990 + }, + { + "caption": "How does this look to you?? Cajun Brown Sugar Salmon Sandwich!! . Volume 1 and 2 Cookbooks out NOW! Link in bio ", + "likes": 8506 + }, + { + "caption": "Hey loves! I shared in my stories a few weeks ago how Ive been using the @Teamiblends Greens SuperFood Blend to boost up my smoothies and Ive continued to use it and love this stuff! Ive been feeling so energized since using it . Its perfect for adding in the nutritional value of veggies without the taste. I add a little to my smoothies and dont even notice its in there . Tastes great, natural, and super convenient! CodePanda20 for 20% OFF! #teamipartner #ad", + "likes": 303 + }, + { + "caption": "1, 2, 3, or 4!? Which of these dishes is worth cleaning the entire kitchen!? I need some help . Volume 2 and 2 Cookbooks out NOW! How I Maintain My Figure and Natural Hair ebooks out too! Link in bio ", + "likes": 9466 + }, + { + "caption": "Whos going to give this one a try!? . Heres how I made my recent spicy Jerk Chicken dish with Cheddar Sauce, Sweet Corn Rice, and Plaintains! This was soo easy to make but had such amazing flavor . . #jerkchicken #jerksauce #cheese #cheesesauce #plantain", + "likes": 26693 + }, + { + "caption": "YOU HAVE TO TAKE 1 THING OFF OF THIS PLATE Whats it gonna be?! . Throwback to this beast of a dinner . Stew Beef, Mac and Cheese, Trini Style Arroz Con Gandules, and Macaronni Salad! CHECK OUT MY COOKBOOKS FOR THESE RECIPES! Link in bio ", + "likes": 8829 + }, + { + "caption": "Crab Cakes, Jerk Shrimp, Asiago Ranch Mashed Potatoes W/Shrimp Gravy, and Lemon Herb Asparagus ", + "likes": 5955 + }, + { + "caption": "Was this helpful? Chimichurri Jerk Whole Chicken . Do yourself a favor and make this!!!! . Tips!: 1. I cook my chicken in an airtight pot for 30 minutes covered at 350 then baste it, then cook another 30 minutes at 395 covered and then baste it, then cook another 30 minutes covered at 395 before taking it out and basting it. I then uncover it and broil it for about 5-10 minutes at 525 or until browned to my desired color! 2. Clean your chicken first - this doesnt mean you have to get rid of all the fat unless you want to. The fat actually cooks down and makes for an extra flavorful gravy . 3. The chimichurri marinade I used is from @havenskitchen and the jerk marinade was from @gracefoods . 4. The heavy lid makes a difference! It traps in all the moisture which keeps the chicken from drying out. My pan is from @crockpot ", + "likes": 15441 + }, + { + "caption": "How do you feel about cooking a whole chicken? Love it or find it intimidating?? . Lemon Cajun Whole Roast Chicken and Potatoes over Onion Rice (recipe for rice in vol 2 in bio) and Green Beans . I use to be so afraid of cooking a whole chicken but now I love it!!! It always comes out sooo juicy and its a great way to load flavor and have variety in the pieces. I started cooking mine in a crock pot that has a super tight and heavy lid and the steam action that does must be magic bc theyve been coming out so tender . I mixed a blend of seasonings, lemon juice, and olive oil for this bird and oh my gahhhhh ", + "likes": 8883 + }, + { + "caption": "You guys making this one?? . As promised! Heres how I made my recent Chicken Cheesesteak Sandwiches!! They were .", + "likes": 5658 + } + ] + }, + { + "fullname": "Hits Blunt", + "biography": "The Original @hitsblunt Home to the original hits blunt wraps 21+ #hitsblunt social@hitsblunt.com", + "followers_count": 3056389, + "follows_count": 122, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "hitsblunt", + "role": "influencer", + "latestMedia": [ + { + "caption": "USA getting smoked during the Olympics", + "likes": 107794 + }, + { + "caption": "2021? Best comment gets pinned ", + "likes": 82811 + }, + { + "caption": "Check yall steaks ", + "likes": 86490 + }, + { + "caption": "Parents watch your kids!! Be responsible!! People be letting their 2 year old kids and pets get into their stash.. read story below On Memorial Day weekend, a 6-year-old girl ate a THC gummy after mistaking it for candy. Now that she's fully recovered, her mom-Morgan McCoy from Pensacola, Florida-is calling for safer packaging of marijuana edibles. McCoy stepped out to visit her sister, and one of the other guests jumped into the pool after their 2-year-old child. The parent was fully clothed and had a package of Faded Fruits Hawaiian Punch gummies in their pocket; there was one gummy left in the package. The parent changed clothes and put the gummy package in a dresser. When McCoy's daughter went to change, she came across the bag \"and, like any 6-year-old would... she ate the candy,\" says McCoy. McCoy later learned that the gummy had 50 mg of THC, the psychoactive compound in marijuana. For comparison, 10 mg of THC is the industry norm, said Morgan Fox, media relations director at the National Cannabis Industry Association, to Today. McCoy returned and found the kids sleeping, and she wasn't concerned until the parent suggested her daughter \"may have taken a THC gummy,\" she says, adding that her daughter couldn't open her eyes. \"She was completely non-responsive and when I laid her down she kind of braced herself like she felt like she was falling.\" Soon she started seizing, and McCoy called an ambulance for her daughter. Eventually, though, her daughter recovered and went home. McCoy says was \"one of the scariest moments\" of her life. \"Had there been more than ONE [gummy] in that package, it is more than likely that I would not have my daughter today,\" she said. Now she's calling for regulation surrounding marijuana packaging. She notes how the government puts \"child locks\" on many different things, ranging from Tide Pods to vitamins, but THC products aren't regulated. \"We as parents are standing Idly by while these companies are targeting our kids with what can be deadly doses of THC,\" she said on Facebook. \"THC is a MEDICATION and needs to be packaged as such. Period.\"", + "likes": 54805 + }, + { + "caption": "True", + "likes": 95955 + }, + { + "caption": "its 7 am Rn where my wake and bake crew at? ", + "likes": 184188 + }, + { + "caption": "5 stars ", + "likes": 156012 + }, + { + "caption": "Lucky charms kief ", + "likes": 41717 + }, + { + "caption": "It do be raining for the last 3 weeks ", + "likes": 57210 + }, + { + "caption": "Omw to uhaul ", + "likes": 55458 + }, + { + "caption": "Lmaoo ", + "likes": 115364 + }, + { + "caption": "Me asf ", + "likes": 119846 + } + ] + }, + { + "fullname": "Nicole Aniston", + "biography": "Ahimsa Cannabis Compassion @sugartaco @atanawellness FNS Reiki Intuitive Hybrid Twitter: XnicoleanistonX", + "followers_count": 3312842, + "follows_count": 318, + "website": "https://linktr.ee/Atana", + "profileCategory": 2, + "specialisation": "Public Figure", + "location": "", + "username": "realnicoleaniston", + "role": "influencer", + "latestMedia": [ + { + "caption": "Whats the FIRST THING you do upon waking? I start with rebounding (100 or so jumping jacks, to kickstart my lymphatic system) followed by 1200mg of coconut charcoal + water, then celery juice + lemon, shilajit + tea, and a huge power-packed smoothie! I call it the Lineup of Beverages LOL... anyone who knows me, knows I have to have multiple beverages, almost all day long. Whats the weird & healthy thing you like to have in the mornings? - #vegansofig #plantbased #ahimsa #kindness #fun #compassion #love #equality #detox #atana #longevity #crueltyfree #creation #lively #healing", + "likes": 71500 + }, + { + "caption": "Do you remember summers as a kid, waking up & immediately putting on your swimwear to hit the pool, river, lake, or sprinkler? Ive been feeling it this morning... I hope Monday has greeted you warmly (no pun intended, but its already 90 here), and that your week unfolds exactly to your liking! I love you and know this beautiful day will yield to you an amazing result thats only dependent on HOW YOU FEEL about it, so I hope you smile and know youve got more creative control that you thought you did. - #vegansofig #plantbased #ahimsa #moksha #freedom #love #kindness #compassion #kshama #forgiveness #healing #hemp #happyhybrid #upliftment #joy #infinitebeing #light #equality", + "likes": 172482 + }, + { + "caption": "Good morning to YOU, beautiful... Its your day, and I hope you take full advantage of your ability to KNOW your strengths, trust in the importance of your personal desires, and acknowledge that you are so worthy of everything you want!", + "likes": 163748 + }, + { + "caption": "These people. This plant. Just a few of my favorite people in the entire world, together celebrating our love for a plant that continuously brings the world more relief, healing, awareness, community, and joy than any of us couldve ever anticipated. Thank you @spennerhere @kokid951 @reyyofsunshiine and everyone who works with @remedyroom420 for an amazing Kushstock and the ongoing love and compassion that reassures me every day that this plant was SO INTENDED for our well-being. ", + "likes": 40631 + }, + { + "caption": "Ready to get #Fit this summer? Peak performance starts with @fleshlight #Fit and #Flex, my two exclusive products that can help whip your lower half into shape and prepare you for the stamina and strength you might just need for those steamy summer nights ahead... hehe... Top by @aloyoga", + "likes": 111523 + }, + { + "caption": "The best thing Ive been practicing lately has been actively loving my truest, most authentic self, and each decision I choose, while not apologizing or taking offense when someone isnt satisfied with it... truly something Ive never felt so fully until recently when I realized it DOESNT matter how youre perceived by an onlooker with their subjective lenses of personalized experience and belief. You dont NEED empathy, nor sympathy, but compassion; only you are in charge of unconditionally providing that compassion for yourself to an extent which no other could possibly offer, nor should they be relied upon for understanding. No one is wrong in their judgement of another, just as the one being viewed in judgement isnt wrong for existing as they are, without need for involvement or consideration for outside opinion. You are whole and complete, as you are, when you are, without exception. -Have a beautiful weekend... I love you! Photo by @mattreiterphoto - #vegansofig #plantbased #ahimsa #moksha #compassion #love #kindness #cohesion #lawofattraction #magic #soul #spirit #growth #atman #crueltyfree #organic #purusha #prakriti #reiki #mediumship", + "likes": 100034 + }, + { + "caption": "How many different ways could you imagine using the yoga trapeze with me? - #vegansofig #plantbased #crueltyfree #kindness #fun #love #equality #forgiveness #play #lila #moksha #atman #yoga #kshama Photo by @mattreiterphoto", + "likes": 91207 + }, + { + "caption": "I hope youre having as much fun this weekend as we are at The Dome of Healing (aka my house)... sending you ALL the love in my heart in hopes that you feel it deeply enough to trigger love to emanate from yours as well. Photo by @mattreiterphoto", + "likes": 156374 + }, + { + "caption": "Good morning beautiful soul... how are you? I hope your weekend coming to a close brings you more excitement than anticipation for the unforeseen events yet to unfold in the week ahead. In recent times Ive been focusing on, more than ever before, the willingness to accept my emotions as they come without judgement, therefore letting the less favorable emotions to pass more quickly, but also on how to welcome in a more predictable emotional experience for myself, simply by getting EXCITED about things not yet tangible. Creating future outcomes is often easier than we allow ourselves to expect because weve been taught to fight everything, struggle harder than necessary, and compete with others because we we believe there is a limited supply of everything we desire. All of this is a fallacy to the soul who understands how plentiful the Universe is and how to attract magnetically the experiences that will yield the most joyous creations. I recommend that you start GETTING EXCITED NOW, because the miraculous events that you cannot yet imagine coming into play for you are UNDOUBTEDLY approaching and will only quicken with a conscious, decisive choice to feel excitement for their unfolding and trust that however they occur is precisely for your greatest good. - @mattreiterphoto", + "likes": 151528 + }, + { + "caption": "Plant based diet + heavy leg exercises = extremely high sx drive I hope youre having an amazing day... I have SO MUCH love for you and truly hope that upon reading this, your smile and know how incredible you are! @mattreiterphoto - #vegansofig #plantbased #ahimsa #moksha #forgiveness #freedom #love #compassion #crueltyfree #kindness #equality #unity #atman #soul #light #patience #gratitude", + "likes": 105216 + }, + { + "caption": "Full of coffee, sativa, and gratitude this weekend... I hope you have a beautiful day. Yes thats a Dwight Schrute hoodie... lol.", + "likes": 99785 + }, + { + "caption": "Good morning beautiful! I hope your excitement for the day flows through you like a rushing wellspring of pure inspired action! Have a wonderfully blessed day... - @mattreiterphoto", + "likes": 60094 + }, + { + "caption": "Sending you ALL the love today in hopes that your weekend keeps getting better and better... @mattreiterphoto", + "likes": 117643 + }, + { + "caption": "Straight off the camera... Wearing stunning handmade body beads by talented universal creator @chocolate_yoga to whom I am so grateful for... ALL credit goes to @mattreiterphoto for the artistry, composition, lighting and incredible friendship. Thank you so much... - #love #kindness #cannabiscommunity #sativa #indica #flower #cbd #vegansofig #plantbased #ahimsa #moksha #atman #kshama #crueltyfree #peace #unity", + "likes": 90815 + }, + { + "caption": "Hey you... Youre amazing, and I hope thats EXACTLY how you feel. Cultivating a better relationship with YOU can begin simply with the way you speak to yourself: I love finding new words and phrases to better describe the reality of what Im experiencing, rather than choosing to state things that belittle my opportunities to expand. Have you ever said to yourself man up, stop being a baby, or I need to grow up? Ever stated I deserve better, why arent things improving?, or this always happens to me? These phrases are related, in that the initial perspective of the one diminishing their innocence or vulnerability is likely projecting the phrases spoken to them by a guardian or authority figure, which then brings about the same subjectively negative experiences of stagnancy and instability. Ive made it my mission lately to find new phrases for the old paradigmatic approach to motivation. For example, man up can feel gentler and trigger more inspired action in phrases such as I have the confidence and strength to achieve what I desire. Ive replaced I hate doing/going/being etc... with I will be present and aware of the things that bring me joy while Im doing the things that will soon no longer be in my reality. I dont like these things about this person can easily be tamed by focusing on and choosing to state their likable tendencies! Everything spoken, including the statements you direct to or about yourself, has a definable polarity, and therefore negative statements can always be swapped for a softer phrase. What you choose and how it feels in your body maps out your future experiences with that which you speak negatively of, so try choosing more pleasant words and optimistic stances and youll be AMAZED at how wonderfully your perceived blockages are cleared from your path! - @mattreiterphoto", + "likes": 92662 + } + ] + }, + { + "fullname": "Herb", + "biography": "Scroll. Smoke. Repeat. NFS. 19+ / 21+ ", + "followers_count": 1371991, + "follows_count": 419, + "website": "https://linkin.bio/herb", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "herb", + "role": "influencer", + "latestMedia": [ + { + "caption": "Now that's what I call friendship tag a friend who's always got your back! by @cozcy", + "likes": 67247 + }, + { + "caption": "@smoke put me in coach ", + "likes": 3859 + }, + { + "caption": "it's called giggle grass for a reason find our favorite strains for when you need a good laugh in bio!", + "likes": 2217 + }, + { + "caption": "teamwork makes the dream work by @cliffordprinceking via @milk", + "likes": 30095 + }, + { + "caption": "start the week with a treat what's your go-to Monday motivation strain? @dna_genetics x @urbanremo x @_stonegrove_", + "likes": 17132 + }, + { + "caption": "Take a break : @5x36am", + "likes": 21162 + }, + { + "caption": "@everyday_rx you got a better dude? I need to upgrade", + "likes": 16930 + }, + { + "caption": "Do you live in Canada? You could help shape the future of the industry! Organigram wants to hear what you think and you could even win some prizes! Learn more in bio", + "likes": 2900 + }, + { + "caption": "Sorry, not sorry Credit: @thisisronen", + "likes": 14373 + }, + { + "caption": "Thats deep Credit: markuleone (TikTok)", + "likes": 6777 + }, + { + "caption": "Too many chicken nuggets? Click the link in bio to find out how this type of could help", + "likes": 8346 + }, + { + "caption": "stop and smell the flowers with @discovercannabist discover highly curated products just for you! Follow @discovercannabist to learn more.", + "likes": 6933 + } + ] + }, + { + "fullname": "New Era Cap", + "biography": "Founded in 1920 in Buffalo, NY. A global brand of sport, culture, style, and self-expression for 100 years. #NewEraCap", + "followers_count": 1387627, + "follows_count": 326, + "website": "https://newer.ac/PowerRangers", + "profileCategory": 2, + "specialisation": "Brand", + "location": "", + "username": "neweracap", + "role": "influencer", + "latestMedia": [ + { + "caption": "Go, go Power Rangers! Shop the full collection now with select styles available exclusively at neweracap.com Click link in bio to shop. ", + "likes": 15165 + }, + { + "caption": "Tonights the night. Get ready to celebrate the future of your team with the Official On-Stage Cap of the NBA Draft at neweracap.com. Link in bio to shop. ", + "likes": 5468 + }, + { + "caption": "In Episode 1, 2021 NBA Draft Prospects @jalensuggs & @evanmobley4 meet up in Los Angeles to discuss the upcoming NBA Draft, how they wear their favorite hats & challenge each other to a game of CAPS.", + "likes": 1429 + }, + { + "caption": "Congratulations to the @bucks on winning the NBA Finals! Get your Official NBA Authentics: Finals Champion headwear & apparel collection, today. Select styles available exclusively at neweracap.com. Click link in bio to shop. ", + "likes": 5901 + }, + { + "caption": "New year, new goals. Start the season off in style with the Official Cap of NFL Training Camp. Shop the full collection at neweracap.com. Click link in bio to shop!", + "likes": 1648 + }, + { + "caption": "The MLB Americana 9FIFTY, a new clean look to celebrate Americas Pastime. Exclusive to neweracap.com. Link in bio to shop.", + "likes": 13704 + }, + { + "caption": "A new legacy starts now. More Space Jam: A New Legacy caps just dropped at neweracap.com. Click in bio to shop. ", + "likes": 6779 + }, + { + "caption": "Winners get special treatment. Celebrate the championships of your favorite MLB and NFL Teams with the World Champions Collection. Available now at neweracap.com. Link in bio to shop ", + "likes": 19164 + }, + { + "caption": "The cap that takes the field in Denver tonight, shop the Official On-Field Cap of MLB All-Star Game at neweracap.com. Link in bio to shop ", + "likes": 4602 + }, + { + "caption": "Take your team along for the ride with the Space Jam: A New Legacy x NBA Exclusives Collection now available at neweracap.com. @wbstyle Click link in bio to shop ", + "likes": 20717 + }, + { + "caption": "The moment of truth. Get ready to celebrate the future of your team with the Official On-Stage Cap of the NBA Draft at neweracap.com. Click link in bio to shop ", + "likes": 8063 + }, + { + "caption": "Seen on the field, now added to your collection. The San Francisco Giants City Connect Collection is available now at neweracap.com Link in bio to shop.", + "likes": 12410 + } + ] + }, + { + "fullname": "Dabbing Granny", + "biography": "Life is all about peace, love, and happiness at my age I am a cannabis advocate and silly entertainer. Positive vibes only ", + "followers_count": 1318825, + "follows_count": 286, + "website": "https://gofund.me/d2dbe901", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "dabbing_granny", + "role": "influencer", + "latestMedia": [ + { + "caption": "Tonights @megatokebyyetsbackup is some Patient Zero", + "likes": 1506 + }, + { + "caption": "Some of you already know what happened to my friend @mamasglass. I have put her and @mercglass go fund me link in my bio. Please if nothing else consider sharing", + "likes": 1118 + }, + { + "caption": "Packed tonights @megatokebyyetsbackup with some Punch Breath night night..", + "likes": 4145 + }, + { + "caption": "Lets do a giveaway Sharing is caring I have a GREEN @official_vlab HALO to give away. Rules are easy: 1 MUST BE 21+ and live in US 2FOLLOW @official_vlab 3Tag a friend in the comments RANDOM WINNER WILL BE PICKED 4:20 WEDNESDAY AUGUST 4th GOOD LUCK EVERYONE", + "likes": 6576 + }, + { + "caption": "Should have worn a bib for this @liquidkarmaofficial combo Packed my @megatokebyyetsbackup with some HighOctane Og ", + "likes": 11728 + }, + { + "caption": "Packed tonights @megatokebyyetsbackup with some Mai Tai. A nice way to end a day of ", + "likes": 6083 + }, + { + "caption": "Packed tonights @megatokebyyetsbackup with some HighOctane OG night night", + "likes": 4109 + }, + { + "caption": "Hope youre having a magikal Friday stopped by @buku_loud and picked up some tasty rosin.", + "likes": 2349 + }, + { + "caption": "@boomsback4026 sighting at Sonic", + "likes": 1406 + }, + { + "caption": "Packed tonights @megatokebyyetsbackup with some wedding cake. Sending yall big clouds of bedtime love ", + "likes": 3126 + }, + { + "caption": "Hows this for a morning dab? @dabxusa", + "likes": 29710 + }, + { + "caption": "Packed this afternoons @megatokebyyetsbackup with some Patient Zero. This bud is really my latest favorite strain ", + "likes": 9177 + } + ] + }, + { + "fullname": "\"BIG SMOKEY\"", + "biography": " THE KING OF CANNABIS EXOTICS ACTOR C.E.O HOST INFLUENCER OF THE DECADE 13X AWARD WINNING BREEDER I MAKE PEOPLE FAMOUS ", + "followers_count": 626361, + "follows_count": 7092, + "website": "http://loudpacksjay.me/", + "profileCategory": 3, + "specialisation": "Entrepreneur", + "location": "", + "username": "loudpacksjay", + "role": "influencer", + "latestMedia": [ + { + "caption": "HEARD HE GOT A NEW CHAIN ..... I BOUGHT A NEW CAR HELLLL0000", + "likes": 11847 + }, + { + "caption": "We stopped keeping score a long time ago", + "likes": 15355 + }, + { + "caption": "I REMEMBER WHEN THEY USED TO LAUGH , NOW I HIT THE GAS WHEN I PASS ..... HELLL0000 THIS NOT A RENTAL OR A LEASE PINK SLIP JAY BABAYYYYYYY (OPENING THE ENGINE FROM THE BACK SO THE KIDS CAN TAKE PICTURES)", + "likes": 12337 + }, + { + "caption": "Ain't no hood like FATHER HOOD ", + "likes": 4099 + }, + { + "caption": "join the winning team and shit on the competition #BIGSMOKEORNOSMOKE #BIGSMOKEYFAM #IFITAINTGOLDLABELTHENPULLTHECABLE #IFITAINTGOLDLABELTHENGETITOFFTHETABLE #SAYNOYOLAMIDS", + "likes": 47342 + }, + { + "caption": "I coach to win ", + "likes": 2515 + }, + { + "caption": "LAS VEGAS ARE YOU READY FOR @bigsmokeyfarmss to be exclusively sold @jardin_lasvegas the #1 shop in NEVADA ", + "likes": 29037 + }, + { + "caption": "Thank God for all your blessings - BIG SMOKEY", + "likes": 27969 + }, + { + "caption": "WAIT UNTIL THE END MY SON @jjthegreat22qb had to hawk that lil boy WHO WAS HE WAVING TO", + "likes": 17465 + }, + { + "caption": "They could have all the money on the world and still couldn't be this fly -BIG SMOKEY", + "likes": 21421 + }, + { + "caption": "I NEVER DOUBTED MYSELF EVEN WHEN THE ODDS WERE AGAINST ME -BIG SMOKEY", + "likes": 23809 + }, + { + "caption": "#BIGSMOKEORNOSMOKE", + "likes": 15332 + } + ] + }, + { + "fullname": "All the Smoke", + "biography": "#AllTheSmoke weekly video podcast featuring the brash and unapologetic NBA champions, Matt Barnes and Stephen Jackson.", + "followers_count": 471311, + "follows_count": 755, + "website": "http://s.sho.com/ATS97", + "profileCategory": 2, + "specialisation": "Podcast", + "location": "", + "username": "allthesmoke", + "role": "influencer", + "latestMedia": [ + { + "caption": "Respect to one of the greatest to touch a Legendary performance last night @jadakiss | #AllTheSmoke", + "likes": 6703 + }, + { + "caption": "Tune-in for @fatjoes ep. of #AllTheSmoke this Thursday ", + "likes": 4533 + }, + { + "caption": "Melos #AllTheSmoke ep. drops on August 19th ", + "likes": 26312 + }, + { + "caption": " @traeyoung has already made a name for himself in this league", + "likes": 6179 + }, + { + "caption": "#AllTheSmoke | @joytaylortalks", + "likes": 4813 + }, + { + "caption": "", + "likes": 28213 + }, + { + "caption": "The people love Skip #AllTheSmoke | @joytaylortalks", + "likes": 21915 + }, + { + "caption": "Social media can be a and a #AllTheSmoke | @joytaylortalks", + "likes": 5583 + }, + { + "caption": "", + "likes": 14538 + }, + { + "caption": "No inspiration, just devastation #AllTheSmoke | @emmanuelacho", + "likes": 3130 + }, + { + "caption": "When you realize youre packaged goods #AllTheSmoke | @emmanuelacho", + "likes": 4546 + }, + { + "caption": "#AllTheSmoke | @joytaylortalks", + "likes": 13391 + } + ] + }, + { + "fullname": "420 Influencer", + "biography": "Follow my 420 adventure,where I test out new 420 gadget... follow my back up @jackey420_backup!! Live every night on Twitch", + "followers_count": 767308, + "follows_count": 1201, + "website": "http://www.twitch.tv/jackey_420/", + "profileCategory": 3, + "specialisation": "Video Creator", + "location": "", + "username": "jackey_420", + "role": "influencer", + "latestMedia": [ + { + "caption": "@mjarsenal Saturn orbital series", + "likes": 11450 + }, + { + "caption": "@littlehighd8 swimming time", + "likes": 3302 + }, + { + "caption": "@hitokilaser golden laser thingy", + "likes": 8279 + }, + { + "caption": "I always help out my @linglingvgang #cucumbermask", + "likes": 3789 + }, + { + "caption": "Im back. Still a little vacation", + "likes": 4859 + }, + { + "caption": "@cloud.dreamers box", + "likes": 3717 + }, + { + "caption": "@littlehighd8", + "likes": 17919 + }, + { + "caption": "@kade_day @stillsmokinglv2 glass", + "likes": 7906 + }, + { + "caption": "@blackmarketdispo glass @stillsmokinglv2", + "likes": 33163 + }, + { + "caption": "@mjarsenal glass functions @sauced.supply", + "likes": 6566 + }, + { + "caption": "@masonbritestash this Mason jar is ", + "likes": 11881 + }, + { + "caption": "watermelon sugar @pucksaz", + "likes": 27091 + } + ] + }, + { + "fullname": "STRIKES \u272a", + "biography": "Fighting in October in Miami Florida on @celebrityboxing1 Pay per View | @netflix | @mtv |", + "followers_count": 1094914, + "follows_count": 3049, + "website": "https://youtu.be/q3LtDLvF4VM", + "profileCategory": 3, + "specialisation": "Actor", + "location": "", + "username": "officialstrikes", + "role": "influencer", + "latestMedia": [ + { + "caption": "@birrieria_gonzalez Proud sponsor of my fight on Celebrity Boxing Hands down best Birreria in Los Angeles ", + "likes": 41070 + }, + { + "caption": "Live life Fu*k what they say ", + "likes": 35799 + }, + { + "caption": "@celebrityboxing1 October 2nd in MIAMI Florida pay per view @viietmamiii @mami_mila24 @e.q___ @coachedgarcruz BLING BY @iceblingshop SHIRTS BY @redleticsusa @jaybeesportz wrap!", + "likes": 3542 + }, + { + "caption": "SAVE DA DATE! OCTOBER 2 MIAMI #ONSIGHT ", + "likes": 4023 + }, + { + "caption": "F**k you @iamkmfgind #TSA @worldstar #Funny #Prank #Viral #wshh", + "likes": 2110 + }, + { + "caption": "Ive been Gucci homie #miami Vibes ", + "likes": 20088 + }, + { + "caption": "I aint got no time to sleep ", + "likes": 9746 + }, + { + "caption": "Clout chasers be fake balling ", + "likes": 4199 + }, + { + "caption": "Hawaii OAHU Vibez", + "likes": 3611 + }, + { + "caption": "Everyday progress ", + "likes": 22470 + }, + { + "caption": "I worked Acted on @dababy Music Video Gettin to da bag ", + "likes": 3940 + }, + { + "caption": "I guess you can say I go hard ", + "likes": 22351 + } + ] + }, + { + "fullname": "\u2665 \ud835\udcae\ud835\udcc9\ud835\udcb6\ud835\udcce \ud835\udc3b\ud835\udcbe\ud835\udc54\ud835\udcbd, \ud835\udcae\ud835\udcc9\ud835\udcb6\ud835\udcce \ud835\udc35\ud835\udcc1\ud835\udc52\ud835\udcc8\ud835\udcc8\ud835\udc52\ud835\udcb9 \u2665", + "biography": " / / : @realllyjen : @reallyfitwithjen", + "followers_count": 175079, + "follows_count": 208, + "website": "https://linktr.ee/DragonJen710", + "profileCategory": 2, + "specialisation": "Personal Blog", + "location": "", + "username": "dragonjen710", + "role": "influencer", + "latestMedia": [ + { + "caption": "Never had to show off only had to show up @realllyjen", + "likes": 25938 + }, + { + "caption": "Doing good & looking even better @realllyjen", + "likes": 37163 + }, + { + "caption": "Way they hittin you, the DM lookin violent @realllyjen", + "likes": 36948 + }, + { + "caption": "This trip to Tijuana was definitely one for the books I reunited with one of my older brothers after 4 long yrs & I FINALLY got to meet my oldest brother @gabe.hdz FOR THE FIRST TIME #bloodbrothers #reunited", + "likes": 16020 + }, + { + "caption": "Tryna sneak a toke while in TJ aint that easy but fuck staying sober lol If you know.. you know ", + "likes": 22733 + }, + { + "caption": "Real over bad but this a two for one", + "likes": 23625 + }, + { + "caption": "Cant wait to tell my kids this was their mom (pinches suertudos lol)", + "likes": 31610 + }, + { + "caption": "Happy 21st Birthday to the REALEST on my team @yoboykeeev We literally lived thru hell together but even after all the bs life put us thru... look at us now It was dope af seeing you grow up and turned into the man you are today! Youre out here chasing your dreams, I know dad would be sooo proud I aint the best role model but just know Ill always be here for you bro... right or wrong Im riding with you. I got your back, more than your spine do . . Fun fact... hes the one that gave me the *DragonJen710* name... the one who got me high af for my first time & turned me into a stoner lol he even taught me how to roll my own shoutout to my twin!", + "likes": 24620 + }, + { + "caption": "I like when money makes a difference but dont make you different ", + "likes": 25400 + }, + { + "caption": "Keep your head high and your middle finger higherrr @realllyjen", + "likes": 37860 + }, + { + "caption": "Im finally back up in dis bitch lol I went MIA for a few months... I was literally going thru it. I didnt feel like myself. Ive always said everything starts with you! When you feel good you do good. But when you dont, shit can really go sideways. I took a break from posting for that same reason, mental health is important! Ive been working on myself, and boiiii Ive been working hard af to bounce back from all of this, and you know what... IM FCKN PROUD OF MYSELF ! Im feeling more MEEE each day that goes by Remember, self care isnt selfish. If you need to take a break from shit so you can get back in tuned with yourself... DO IT ! Go love yourself! Social media aint going nowhere. Sometimes all we need is to sit back for a bit to realize how far weve came but dont forget to get tf up and keep going right after, feel me? . . I will be filming a video explaining everything with detail but for now... bihhh Im back I missed yall!! Hows everyone been?", + "likes": 40118 + }, + { + "caption": "He sees me lookin pretty every time he scroll up (I was high af lol)", + "likes": 39794 + } + ] + }, + { + "fullname": "Comfortably High", + "biography": " Medical Patient News, Memes, and More", + "followers_count": 352821, + "follows_count": 616, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "comfortablyhigh", + "role": "influencer", + "latestMedia": [ + { + "caption": "Give me a sec it will come back to me", + "likes": 5565 + }, + { + "caption": "If you dab, you need to follow @premierbangers ", + "likes": 7634 + }, + { + "caption": "wheres the bottle of water?", + "likes": 18164 + }, + { + "caption": "Smoke what?", + "likes": 8447 + }, + { + "caption": "All around me are familiar faces", + "likes": 7403 + }, + { + "caption": "People that wake up and smoke Indica are considered space rangers in my book. A different breed.", + "likes": 15503 + }, + { + "caption": "Excellent", + "likes": 7389 + }, + { + "caption": " addict", + "likes": 9234 + }, + { + "caption": "Here, this will make it better. Art: @tombjorklundart", + "likes": 9995 + }, + { + "caption": "They called me a madman.", + "likes": 9000 + }, + { + "caption": "Rainbow Road is that you? ", + "likes": 17874 + }, + { + "caption": "When you want to get a little high Art: @levelheady", + "likes": 8034 + } + ] + }, + { + "fullname": "Leafly", + "biography": "The world's most trusted #cannabis information resource. A follow confirms youre 21+ | 19+ ", + "followers_count": 653743, + "follows_count": 599, + "website": "https://linkinprofile.com/leafly", + "profileCategory": 2, + "specialisation": "Health & Wellness Website", + "location": "Seattle, Washington", + "username": "leafly", + "role": "influencer", + "latestMedia": [ + { + "caption": "That good good. Link in Bio for first-time growers . : @gudgardens", + "likes": 1518 + }, + { + "caption": "Sour Tangie When you want a creative, elevating buzz and strong citrus overtones Link in Bio for strain info . : cannadelphia215", + "likes": 5403 + }, + { + "caption": "It's not too late to light upLink in Bio . : @meowy_jane", + "likes": 5095 + }, + { + "caption": "Let your hair down . : @fourseascannabis : Grateful Puff Ambrosia @apothecaryextractsco : @leary_glass", + "likes": 2514 + }, + { + "caption": "FIRE . : @replaymediaok : #DRAGO by @alterra_wellness", + "likes": 13980 + }, + { + "caption": "Real strategies for real change. Link in Bio ", + "likes": 1507 + }, + { + "caption": "Head in the clouds . : @surface_area999", + "likes": 14570 + }, + { + "caption": "How are you consuming today? . : @yo_bridge", + "likes": 1806 + }, + { + "caption": "ICE CREAM RUNTZ . : @teamterpene", + "likes": 8571 + }, + { + "caption": "Do you know what to look for in a nug? Link in Bio . : @alykben", + "likes": 8572 + }, + { + "caption": "Smooth like budder . & : @dream_solventless : Grape Cream Cake live rosin bred by @__harrrypalms__ @bloomseedco and pressed by @rosinevolution100", + "likes": 3435 + }, + { + "caption": "OREGON we see you! What on this list have you been smoking? Link in Bio ", + "likes": 11460 + } + ] + }, + { + "fullname": "Weedmaps", + "biography": "Weedmaps is a community where businesses and consumers can search and discover cannabis products. Content intended for 21+ only.", + "followers_count": 530606, + "follows_count": 899, + "website": "https://linkin.bio/ig-weedmaps", + "profileCategory": 2, + "specialisation": "Website", + "location": "", + "username": "weedmaps", + "role": "influencer", + "latestMedia": [ + { + "caption": "This is how we summer Tag someone who needs this floating weed bar in their life.", + "likes": 6687 + }, + { + "caption": "One day, champions will no longer be persecuted for consuming cannabis. Lets keep changing hearts, minds, and policies around the world until #cannabis stigma and all of its results are things of the past ", + "likes": 4623 + }, + { + "caption": "Whats your on-the-go choice? (if you can only choose one)", + "likes": 6116 + }, + { + "caption": "If you could only choose 3 items from this clothes line, what're you picking? ", + "likes": 2758 + }, + { + "caption": "This Epoxy Cannabis River Desk is so cool who else wants one?! (Table by: @alivedesk @iamkyleschmid) : @j_dago", + "likes": 16613 + }, + { + "caption": "Let us hear some of your best high stories ", + "likes": 1404 + }, + { + "caption": "Does mango really enhance your high? Is there truth behind this mango and weed legend? Let us know if youve tried this combo in the comments below.", + "likes": 5135 + }, + { + "caption": "A friendly reminder ", + "likes": 4896 + }, + { + "caption": "Joints by the campfire always hit different Who else agrees? ", + "likes": 4899 + }, + { + "caption": "Tell me you love weed, without telling me you love weed.", + "likes": 4260 + }, + { + "caption": "Ready to paint 'happy little trees' while enjoying trees that make us happy ", + "likes": 3864 + }, + { + "caption": "Ice Cream Sundank (with extra trichomes) who else wants a bowl? #NationalIceCreamDay #IceCreamDay", + "likes": 5941 + } + ] + }, + { + "fullname": "The Combo King", + "biography": "THE COMBO KING I am a medical marijuana patient NOTHING FOR SALE!! @cletus_dabber backup page NO MINORS!!!! CONTENT INTENDED FOR ADULTS!!!", + "followers_count": 403979, + "follows_count": 953, + "website": "https://youtu.be/m8K8F3Y3lTQ", + "profileCategory": 3, + "specialisation": "Video Creator", + "location": "", + "username": "southerndabber_420", + "role": "influencer", + "latestMedia": [ + { + "caption": "MIDAS TOUCH . . This gold @hitokilaser device is fit for a king. SMOKING WITH LAZER BEAMS", + "likes": 6011 + }, + { + "caption": "I GO BIG . . Have you ever seen a functional slurper this size? Well now you have thanks to @bearquartz", + "likes": 10312 + }, + { + "caption": "IN THE CLOUDS . . Im not a fan of dry pipes so this H2OG from @sunakin420 is perfect for me because its smooth as can be.", + "likes": 10389 + }, + { + "caption": "BLINKER, 10 PUFFS, BLINKER CHALLENGE? 10 seconds on a cart , 10 pulls off something rolled (joint or blunt) and another 10 seconds on a cart. In one breath. #10X10x10smokingchallenge . . TAG SOMEONE WITH BIG LUNG. . .", + "likes": 9819 + }, + { + "caption": "GIVEAWAY!!!! Heres your chance to win a Thick Ass RECYCLER from@thickassglass Heres how to enter: 1. Follow @thickassglass& @southerndabber_420 2. Like this post! 3. Tag THREE friends in the comments! Get 2 BONUS entries when you share this post to your story and tag @thickassglass Must be 18+ to enter! WINNER SELECTED 7/21 . . BE CAREFUL WITH FAKE ACCOUNTS TRYING TO MESSAGE YOU. @southerndabber_420 OR @thickassglass WILL BE THE ONLY ACCOUNTS TO LET YOU KNOW YOU WON. CHEERS, MUCH LOVE AND GOOD LUCK!!!", + "likes": 4432 + }, + { + "caption": "SMOKIN WATERMELON FRUIT SALAD . . I got 20 @drhempsupply x @kingpalm prerolls stuffed in a watermelon for the perfect fruit salad.", + "likes": 12692 + }, + { + "caption": "ROVE 710 LIT KIT . . This LIT KIT from @rovebrand.us is a kit with a variety of some of there products to get you lit. FLOWER, PREROLLS, CONCENTRATE, CARTS AND MORE it got me lit thats for sure. . . CHEERS AND MUCH LOVE YALL", + "likes": 2585 + }, + { + "caption": "NO RECLAIM IN MY RIG!! . . I like to play with my bears from @bearquartz lol. Now on my big dabs, instead of the oil going into my rig it now goes into another hot banger. LMAO . . FROSTED BEAR & FLAT BOTTOM PRO BANGERS - @bearquartz", + "likes": 4729 + }, + { + "caption": "YES I INHALE", + "likes": 8380 + }, + { + "caption": "2 GRAM COMBO . . A gram of diamonds and a gram of rosin at the same time blew my mind. . . PUTTING SMOKE IN THE AIR AT @smokerschoicelakeelsinore", + "likes": 8295 + }, + { + "caption": "CUTTING TAR 5 JOINTS AT A TIME WITH THE @tarcutter AND TRYING TO BE COOL DOING IT. LOL Cheers and much love yall!!", + "likes": 5349 + }, + { + "caption": "AN 1/8 IN 10 BOWLS . . Im at it again, this time with my new bong and 3.5 grams in my 2 Five shooter bowls from @lungdoctorsmokeshop . . CHEERS AND MUCH LOVE YALL", + "likes": 8893 + } + ] + }, + { + "fullname": "9SITR \ud83d\udcab", + "biography": "#LLPS THEY FEAR WHAT THEY CANT UNDERSTAND #MAYOROFTHESTREETS GO STREAM NOW ", + "followers_count": 226455, + "follows_count": 358, + "website": "https://youtu.be/D1lPU6CkFTY", + "profileCategory": 3, + "specialisation": "Musician/Band", + "location": "", + "username": "rahswish", + "role": "influencer", + "latestMedia": [ + { + "caption": "I am HIM SALUTE TO THE OG @joebudden & THE WHOLE PODCAST MATTER FACT TAG JOE BUDDEN TELL HIM I GOT A VERSE FOR HIM ONA GANG #IAMNOTONEOFTHEM #LLPS #WOOFOREVER", + "likes": 6950 + }, + { + "caption": "POP SMOKE DAY #LONGLIVETHEWOO", + "likes": 41875 + }, + { + "caption": "FROM ME GETTING U ON YA FIRST STAGE EVER AT SOBS TO U TAKING ME ON TOUR , YA ENERGY NEVER CHANGED RN4L ! BEFORE N DURING THE FAME U REMAINED THE SAME REAL WOO SHIT HAPPY WOO DAY TO MR. 1 OV 1 HIMSELF @realpopsmoke WE MISS U DOWN HERE THIS SHIT JUST AINT THE SAME #LONGLIVEPOPSMOKE", + "likes": 47437 + }, + { + "caption": "WE WAS REALLY OUTSIDE PERFORMING A UNRELEASED SONG THEY KNO THIS WAS ONE OF YA FAVORITES FAITH OUT NOW @realpopsmoke TRACK #6 BRUSH EM SONG OF THE SUMMER #LONGLIVEPOPSMOKE ", + "likes": 30272 + }, + { + "caption": "U KNO HOW WE ROCK WOOSKI AT MIDNIGHT WE GOING UP & GIVING THEM FAITH @realpopsmoke TRACK #6 BRUSH EM OFFICIAL RELEASE SONG OF THE SUMMER IM STAMPING IT NOW #LLPS", + "likes": 24267 + }, + { + "caption": "EVERY TIME THE REAL NIGGAS LINK UP ITS A CELEBRATION @kpshotit ", + "likes": 22848 + }, + { + "caption": "LET ME KNOW IF YA THINK WE SHOULD PERFORM THIS TOMORROW @dread_woo @quelly_woo MAKE SURE YA GO GET THE LAST OF THEM TICKETS IN @sotalented BIO ITS GON B A MOVIE 2M ", + "likes": 5988 + }, + { + "caption": "TOMORROW @ 3PM TRENDING TOPIC OFFICIAL VIDEO RELEASE #MAYOROFTHESTREETS WHAT VIDEO YALL WANT NEXT OFF THE PROJECT ", + "likes": 7958 + }, + { + "caption": "NEW INTERVIEW OUT NOW W/ @camcaponenews ON YOUTUBE MAKE SURE YALL TUNE IN ", + "likes": 8398 + }, + { + "caption": "THAT MAYOR OF THE STREETS OUT NOW ITS FRIDAY IM FEELING GOOD SO WE OUTSIDE IF YOU IN LA COME OUTSIDE SOMEBODY CLUB GETTING FUCKED UP TONIGHT ", + "likes": 12574 + }, + { + "caption": "NAH THIS MIGHT BE THE FUNNIEST NIGGA OUTSIDE @rayyyrayyy___ #MAYOROFTHESTREETS OUT NOW ", + "likes": 7005 + }, + { + "caption": "MAYOR OF THE STREE-NEE-NEETS JUST DROPPED MAKE SURE YA GO GET THAT NOT NOW RIGHT NOW WE FUCKING THE CITY UP WIT THIS WATCH ME WORK #MAYOROFTHESTREETS #THISISWOO ", + "likes": 11476 + } + ] + }, + { + "fullname": "Lil Moco", + "biography": " YouTube.com/lilmoco tonights fight!", + "followers_count": 249221, + "follows_count": 2344, + "website": "https://wbc.vivetv.network/events/july-2021/cuentas-pendientes/", + "profileCategory": 1, + "specialisation": "", + "location": "", + "username": "lifeofmoco", + "role": "influencer", + "latestMedia": [ + { + "caption": "Me and my princess out here catching the Florida vibes ", + "likes": 6102 + }, + { + "caption": "Benjis gonna be a heartbreaker ", + "likes": 2961 + }, + { + "caption": "Mis princesas ", + "likes": 2203 + }, + { + "caption": "NEW MUSIC VIDEO HOMIES! L i n k i n B i o. #beatboxfreestyle", + "likes": 11100 + }, + { + "caption": "New Video Tomorrow @ Noon Homies! ", + "likes": 7885 + }, + { + "caption": "I had a blast racing the jet skis with the homies! Hit up @sunblastjetskirentals if you live in Las Vegas/SoCal/AZ! ", + "likes": 5203 + }, + { + "caption": " ", + "likes": 12090 + }, + { + "caption": "Amazing art by @blkjaxtattooshack RIP #vanessaguillen ", + "likes": 8034 + }, + { + "caption": "Email, call, text. It takes a few minutes. So heartbreaking every time I think about it, if this was your daughter or son how would you deal with it? Lets apply the pressure, we have a voice we just have to put in the work to let it be heard. ", + "likes": 2306 + }, + { + "caption": "This is depressing, this is someones dad providing for his family...just more bs he has to worry about...i grew up selling paletas with my dad and I lost count how many times we got robbed at gun point for selling in the wrong neighborhoods...This shit isnt new! Social media is making us aware , Idk even know what to say , my prayers out to the family. **GOFUNDME link IN MY BIO**", + "likes": 8515 + }, + { + "caption": "So fucking sad...heartbreaking....fuck any politician and anyone with power who isnt speaking on this story and demanding answers from that military base. We need a full investigation on this murder...they only give a fuck about us when they want our vote but dont expect us to show up for you if youre not worried about our brothers and sisters getting killed and mistreated. #justiceforvanessaguillen ", + "likes": 6998 + }, + { + "caption": "My tamal about to pop @themorena702 is a strong woman, 3 down...7 more to go ", + "likes": 13174 + } + ] + }, + { + "fullname": "NowThis Weed", + "biography": "Legalization, decriminalization, recreationkeep up with the latest evergreen news. Follow @nowthisnews for more ", + "followers_count": 363753, + "follows_count": 50, + "website": "https://linkin.bio/nowthisweed", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "nowthisweed", + "role": "influencer", + "latestMedia": [ + { + "caption": "Bernard Noble was arrested and sentenced to 13 years of hard labor for carrying the equivalent of two joints of weed now, hes teaming up with @fabnewyork to launch a new cannabis brand for social change with @curaleaf.usa & @fab5freddy #cannabis #weed #socialchange", + "likes": 502 + }, + { + "caption": "For Sha'Carri Richardson, a positive drug test closed the door on her chances of participating in the Tokyo Olympics but it has brought a lucrative opportunity for her in the weed industry. According to TMZ, the cannabis vape company Dr. Dabber has offered Richardson $250k to test dab rigs and vape pens as a resident 'doctor' for the brand. Richardson has not publicly commented on the offer. After finishing first in the 100-meter race in June at the U.S. track and field trials, Richardson tested positive for THC, the psychoactive component of cannabis. She was stripped of her win and suspended, losing her chance to compete in that event at the Olympics. While she still could have competed as part of the 4x100-meter relay team, Team USA didn't select her. Richardson's situation has become a rallying cry, prompting many fans and fellow athletes to call on the IOC and other sporting bodies to revisit their draconian cannabis policies, which many see as out of step with the times. According to data compiled by Business Insider, recreational cannabis is legalized in 18 states and Washington, D.C., and medical marijuana is legal in 37. More states are expected to follow suit in the months and years ahead. #news #olympics #legalize #weed #socialjustice", + "likes": 12085 + }, + { + "caption": "In a June 1 company blog post, Amazon said it will no longer test individuals for cannabis as part of its 'comprehensive drug screening program.' The lone exception will be for positions regulated by the Dept of Transportation, such as truck drivers. Amazon says, however, it will 'continue to do impairment checks on the job and will test for all drugs and alcohol after any incident.' In relaxing its anti-cannabis drug policies, Amazon said its public policy division is also re-evaluating the tech giant's position on cannabis with regard to its advocacy efforts. 'And because we know that this issue is bigger than Amazon, our public policy team will be actively supporting The Marijuana Opportunity Reinvestment and Expungement Act of 2021 (MORE Act)federal legislation that would legalize marijuana at the federal level, expunge criminal records, and invest in impacted communities,' Amazon said in its post. 'We hope that other employers will join us, and that policymakers will act swiftly to pass this law.' #cannabis #weed #amazon #drugtests", + "likes": 16888 + }, + { + "caption": "In a new interview with Men's Health (@menshealthmag), musician @travisbarker opened up about his struggles with PTSD after surviving a 2008 plane crash that took the lives of 4 others, including 2 of his good friends. The longtime @blink182 drummer says the experience is also what convinced him to get sober after years of smoking an 'excessive' amount of weed and using prescription drugs. 'If I wasnt in a crash, I would have probably never quit,' Barker said. Despite surviving the plane crash, Barker was badly burned in the incident and required 26 surgeries and 11 weeks of hospitalization in its aftermath. He told Men's Health that the experience continues to weigh on his mental health. 'I couldnt walk down the street. If I saw a plane [in the sky], I was determined it was going to crash, and I just didnt want to see it,' Barker said. Barker told Mens Health he might get on a plane again someday and looks forward to sharing the experience with his children. I have all the love I need in my house,' Barker said, referring to his family. 'It will never make sense why my friends are gone, or the pilots, but all I can do is carry on. I cant regret anything. Im 100 percent supposed to be here. #ptsd #mentalhealthawarenessmonth #mentalhealth #blink182", + "likes": 7287 + }, + { + "caption": "George Jung, a.k.a. Boston George, has passed away at the age of 78 in Massachusetts. Jung was a major cocaine smuggler throughout the '70s and '80s for the Medelln Cartel. According to TMZ, Jung was part of an operation that was responsible for 80% of the world's cocaine distribution and raking in $420M per week. Jung served nearly 20 years on drug charges before being released in 2014. His life was famously portrayed by Johnny Depp in the 2001 cult classic film Blow,' which itself was based on Bruce Porter's 1993 nonfiction book, 'Blow: How a Small-Town Boy Made $100 Million with the Medellin Cocaine Cartel and Lost It All.' #georgejung #bostongeorge #johnnydepp #blowmovie", + "likes": 6809 + }, + { + "caption": "Did you know chewing gum makes up nearly 100,000 tons of plastic pollution every year? When French students Hugo Maupetit and Vivian Fischer learned that fact, they created a design proposal outlining a way to repurpose chewed gum into colorful recycled skateboard wheels. The initiative would work by installing gum boards in areas with high foot traffic, like in city centers or local skateparks. Once boards are filled up, the gum would be transferred to a factory, where it could be cleaned, molded, and dyed before a machine finally shapes it into the base of a wheel. Maupetit and Fischer designed their concept at Lcole de design Nantes Atlantique. In an interview with Yanko Design, they said they want to ensure that materials in use stay in use and become more sustainable in the long run. Their proposal even cited Mentos and Vans as hypothetical brands that could take the initiative to greater heights. #plasticpollution #pollution #gum #chewinggum #skateboards #earthday", + "likes": 3831 + }, + { + "caption": "Activists from D.C. Marijuana Justice handed out free joints to people with a vaccination card as part of a Joints for Jabs initiative on 4/20. The organizers also used the event as a way to educate folks on the citys existing cannabis laws #dcmarijuanajustice #cannabis #weed #activism #jointsforjabs #vaccinated", + "likes": 3958 + }, + { + "caption": "On Tuesday, a group of pro-cannabis activists that go by the name Who Are We Hurting traveled to Australia's Parliament in Canberra with AU$420,000 in cash. The money was both a nod to the date, 4/20, as well as a visual metaphor for what they say is the billions Australia is costing itself by not embracing more permissive cannabis policies. Jenny Hallam, a woman who avoided drug-related charges in 2019 for supplying medical cannabis to terminally ill individuals, spoke on Tuesday. Cannabis has been saving lives for years, and now it can save the economy, she said. #cannabis #420 #weed #drugpolicy #cannabiscommunity", + "likes": 1919 + }, + { + "caption": "With more states legalizing cannabis, the resulting market could be one characterized by equity and justice or by politically influential corporate interests, a.k.a. Big Weed To listen to Who Is? on the iHeartRadio app, Apple Podcasts, or wherever you get your podcasts, click the link in our bio #cannabis #bigweed #weed #420 #happy420 #whois", + "likes": 575 + }, + { + "caption": "This stunning footage shows a woman swimming through a river in Utah in a detailed mermaid costume. The mermaid, @vivianbeck, was filmed by her husband Bryan Beck. They shot the clip in December, but the river is reportedly fed by warm springs so it didnt feel too cold. Beck regularly posts videos of herself in a mermaid costume on TikTok #stunning #mesmermizing #mermaid #mermaids #swimming", + "likes": 1959 + }, + { + "caption": "These drug policy advocates are speaking out as the Biden administration looks to extend a war on drugs policy first introduced during the Trump administration #bidenadmin #drugpolicy #drugs", + "likes": 515 + }, + { + "caption": "@jaleelwhite is the latest celebrity to get in on the cannabis industry. White, who famously played Steve Urkel on the '90s sitcom 'Family Matters,' has partnered with 710 Labs for a new cannabis venture, ItsPurpl. Specifically, the business will offer its own variations on Purple Urkle (@purpleurkle), a strain of cannabis popular in California. ItsPurpl is set to launch on when else? 4/20. #jaleelwhite #cannabis #steveurkel #itspurpl #purpleurkle #weed", + "likes": 5269 + } + ] + }, + { + "fullname": "Blunts & Blondes", + "biography": "Bookings: kevin.gimble@unitedtalent.com / max.freeman@unitedtalent.com MGMT: @schamback", + "followers_count": 167530, + "follows_count": 2378, + "website": "http://deadbeats.lnk.to/PutDownTheLiquor", + "profileCategory": 3, + "specialisation": "Artist", + "location": "", + "username": "_bluntsnblondes", + "role": "influencer", + "latestMedia": [ + { + "caption": "Life is good", + "likes": 3242 + }, + { + "caption": "HARD SUMMER thank yall so fuckin much for makin my first time so insane!", + "likes": 7573 + }, + { + "caption": "Cant take me anywhere", + "likes": 4604 + }, + { + "caption": "DEADROCKS VIDEO DUMP!", + "likes": 7640 + }, + { + "caption": "Dubsteps Most Wanted", + "likes": 13094 + }, + { + "caption": "PUT DOWN THE LIQUOR IS OUT NOW WITH BAWLDY! ", + "likes": 3617 + }, + { + "caption": "Having a pizza with ur logo on it show up to the greenroom when ur high as hell is a real treat", + "likes": 14525 + }, + { + "caption": "I smoke the blunts", + "likes": 7781 + }, + { + "caption": "I got to debut my collab with @ZedsDead at DeadRocks this past weekend and holy shitttt", + "likes": 5362 + }, + { + "caption": "THANK YOU SOOOO MUCH DEADROCKS", + "likes": 7034 + }, + { + "caption": "THE LOUD IS OUT NOW WITH NITTI GRITTI! SPARK UP ", + "likes": 9271 + }, + { + "caption": "New one dropping this Friday with my boy Nitti Gritti! Get ready for The Loud! ", + "likes": 3929 + } + ] + }, + { + "fullname": "The Witch of the Forest \u263e", + "biography": "Witchcraft tips + guidance Empowering your inner Witch SPELLS HERBS TAROT ASTROLOGY RITUALS Pre-order my new book! Closed for readings", + "followers_count": 461882, + "follows_count": 788, + "website": "https://linktr.ee/thewitchoftheforest", + "profileCategory": 2, + "specialisation": "Author", + "location": "", + "username": "thewitchoftheforest", + "role": "influencer", + "latestMedia": [ + { + "caption": " E O Essential oils are the oils extracted from natural elements like herbs, plants, flowers and stems. They can often be used in spells as a substitution from actual dried herbs. Beware of low quality oil that are not 100% made from natural material. Always check the ingredients as impure oils wont have the same magickal properties as pure oils. Its important undiluted essential oils are not used directly on the skin as they can seriously irritate it. They must be diluted by a carrier oil like grape seed or sunflower oil first. As I rule, I use 5-6 drops of essential oil for 1 fl oz/230mls of carrier oil, which gives you a decent sized batch. Do you use essential oils? My favourite is still lavender! Lindsay - #essentialoil #oil #eclecticwitchcraft #greenwitchcraft #wiccan #moonphases #themoon #astrology #balance #cycles #energy #tarot #instagram #traditionalwitchcraft #traditionalwitch #wicca #pagan #witch #witchcraft #witches #witches #tarot #tarotspread #nature #witchesofinstagram #witchy #magick #witchyvibes #witchythings #witchystuff #witchywoman", + "likes": 496 + }, + { + "caption": "Connecting with nature and doing some much needed grounding. Forest wandering is well overdue! Whats your plans for the day? Lindsay - #trees #tree #forest #nature #moon #moonphase #moonphases #themoon #astrology #energy #tarot #intuition #traditionalwitch #wicca #pagan #witch #witchcraft #witches #witches #esoteric #bruja #witchesofinstagram #witchy #magick #witchyvibes #witchythings #witchystuff #witchywoman", + "likes": 2394 + }, + { + "caption": " T E The four classic elements make up the world around us. Theyve become increasingly important to my Craft over the last few years and its only been recently that Ive realised just how important they are to my practice. Which element do you connect to the most? Im A Taurus and definitely an Earth girl! Lindsay #elements #air #fire #water #earth #nature #moon #moonphase #moonphases #themoon #astrology #energy #tarot #intuition #traditionalwitch #wicca #pagan #witch #witchcraft #witches #witches #esoteric #bruja #witchesofinstagram #witchy #magick #witchyvibes #witchythings #witchystuff #witchywoman", + "likes": 2903 + }, + { + "caption": " E + W Eggshells have so many uses in Witchcraft and can be used in a variety of spells and different kinds of magick. They are mostly associated with protection of people, property and animals, fertility spells and healing magick. When you wash and dry the eggs so they can be used in spells, be sure to remove the inner membrane before drying. I only try to use free range egg shells. Eggs used from battery chickens, who live miserable lives, will pass on this kind of energy into the shells of the eggs they produce. So a happy and well cared for chicken will produce eggs with a better energy to them. A vegan alternative depends on what you want to use the eggshells for in your spell, but you could also use nuts for the symbolism of life in a pre-birth form. They have the same structure of a shell and core, and can be used in the same way as eggs for healing, protection and fertility. Crushed up sea shells are also another good alternative! Do you use eggshells in your Craft? Lindsay - #egg #eclecticwitchcraft #greenwitchcraft #wiccan #moonphases #themoon #astrology #balance #cycles #energy #tarot #instagram #traditionalwitchcraft #traditionalwitch #wicca #pagan #witch #witchcraft #witches #witches #tarot #tarotspread #nature #witchesofinstagram #witchy #magick #witchyvibes #witchythings #witchystuff #witchywoman", + "likes": 4838 + }, + { + "caption": " 1. The Ace of Elixirs (Cups) is asking you to have an open heart in order to be receptive to the new opportunities coming your way for personal growth and deeper connections with those around you. This card represents an invitation and it will be up to you to decide whether or not you take it. But the Ace of Cups encourages you to say yes because it carries with it great potential for both emotional and spiritual fulfilment. Take that leap of faith and grab the opportunities that come your way with both hands, go with the flow of energy and embrace these chances with an open heart. 2. The Moon is a reminder not to take everything at face value. Sometimes we only know half a story and dont have all the information you need to move forward. Listen to your intuition so you can see beyond whats in front of you. Feel into situations rather thinking what they mean. Let go of negative self talk and allow your intuition to guide you and give you a greater level of understanding. Feel into situations rather than overthinking what they might mean. Pay attention to your dreams, they can also give you guidance about which direction to go. 3. The World reversed can suggests you are seeking some kind of closure on a personal issue but youre struggling. You know in your heart that in order to learn to accept and embrace where you are now, you must first let go of parts of your past that still have a negative impact upon you. The World is also a reminder not to try and take short cuts in all areas of your life right now. You may be tempted to take the quickest or easiest route, but it wont lead to deep change or the outcome you intend. Sometimes you have to experience life in all its ups and downs so that you can learn and grow. To make lasting change happen, it takes a lot of time and energy, but it will be worth it. #tarot #oracle #divination #tarotcards #tarotspread #tarotreadersofinstagram #bruja #healing #thewitchoffofesttarot #witch #witchcraft #witchy #wicca #pagan #traditionalwitch #witches #esoteric #goddess #witchesofinstagram #witchythings #witchystuff #occult #witchyvibes #moon #moonphases #crystals", + "likes": 3404 + }, + { + "caption": " M Ive had quite a few DMs lately about manifesting, or more specifically, having trouble with manifesting. Heres a few of some of the main reasons why you might be having trouble manifesting your intentions and goals. Have you got any manifesting tips? Lindsay - #manifest #manifestation #manifesting #intentions #moonphases #themoon #astrology #balance #cycles #energy #tarot #instagram #traditionalwitchcraft #traditionalwitch #wicca #pagan #witch #witchcraft #witches #bruja #witches #tarot #tarotspread #nature #witchesofinstagram #witchy #magick #witchyvibes #witchythings #witchystuff #witchywoman", + "likes": 3642 + }, + { + "caption": "I wanted to repost this as there are other fake accounts around at the moment. There are a few I know of.with very similar Instagram names as mine. I AM CLOSED FOR TAROT READINGS AND ANY OTHER SPIRITUAL SERVICES. So if you are approached by an account that has a similar name to mine for tarot readings or anything else, it is a fake. Id be so grateful if you could report them when you see them. These people are sending messages to people asking if they want readings. They take your money and then disappear without providing anything in return. I NEVER approach people first for readings, so if you are approached by someone out of the blue for a reading, beware, its a scam account and theyre fishing for people who will take the bait. I feel so sad having to post something like this but I want to make sure as many people know so no one falls for scam accounts. Its also the only thing I can do to protect my own work. Thank you for all your continued support and help with this, I truly appreciate it Much love, Lindsay - #scamaccounts #fakeaccounts #greenmagick #nature #moon #moonphase #divination #themoon #astrology #greenwitchcraft #energy #tarot #intuition #wicca #pagan #witch #witchcraft #witches #witches #esoteric #witchesofinstagram #witchy #magick #witchyvibes #occult #witchythings #witchystuff #bruja #witchywoman #witchesofinstagram #witches #witchy #witchythings #witchytips #witchystuff", + "likes": 2512 + }, + { + "caption": " Good morning, lovelies! I hope you had a good weekend! Im using my favourite tarot deck, so lets see what the cards say about the week ahead Take a moment to sit and meditate on the cards above. Choose the cards that draw your eye. If you feel you want to chose based on the crystals, go with your intuition! If you feel you cant chose, maybe all three cards are calling you! Check back tomorrow when Ill post the reveal and full readings for each card. Have a great day! Lindsay (L-R): Citrine, Blue Lace Agate, Unakite (chosen intuitively) : Fortuna Tarot deck (Emerald Anima) by @studioartemy #tarot #oracle #divination #tarotcards #tarotspread #tarotreadersofinstagram #bruja #healing #thewitchoffofesttarot #witch #witchcraft #witchy #wicca #pagan #traditionalwitch #witches #esoteric #goddess #witchesofinstagram #witchythings #witchystuff #candles #candle #occult #witchyvibes #moon #moonphases #crystals #crystalhealing", + "likes": 5685 + }, + { + "caption": " L/I Lughnasadh and Imbolc blessings, lovelies!! I thought it might be fun to share a few really simple, easy to make recipes you might want to try out to celebrate the Sabbats! I purposely chose easy to make food so no matter what your level of cooking skills are, you can still create food that is associated with Lughnasadh and Imbolc. As Lughnasadh is the first harvest, baking bread is an ancient activity to do at this time. The very actions of making the bread can be a beautiful ritual too. As Imbolc is the beginning of spring, foods appropriate to eat on this day include all dairy products as this Sabbat is connected lambing and calving season and milk production. For a vegan baked custard recipe, you can substitute the cows milk for a non-dairy alternative like almond or soy milk. You can also substitute each egg for 1/4 cup of plain non-dairy yogurt. Add around 1/8th teaspoon of baking soda for each egg substituted as yogurt has no leavening properties. Lindsay - #sabbat #lughnasadh #imbolc #cycles #greenwitchcraft #herbs #rose #fullmoon #astrology #balance #cycles #energy #tarot #traditionalwitch #wicca #pagan #witch #witchcraft #witches #bruja #witches #tarot #tarotspread #nature #witchesofinstagram #witchy #magick #witchyvibes #witchythings #witchystuff #witchywoman", + "likes": 2757 + }, + { + "caption": "The Wheel turns again! I cant believe its August 1 already, time really does fly! This year feels like its whizzing by way too quickly. Or is that just me?! To my sisters & brothers in the Northern Hemisphere, blessed Lughnasadh! To my sisters & brothers in the Southern Hemisphere, blessed Imbolc! Much love, Lindsay - #sabbat #lughnasadh #imbolc #cycles #greenwitchcraft #herbs #rose #fullmoon #astrology #balance #cycles #energy #tarot #traditionalwitch #wicca #pagan #witch #witchcraft #witches #bruja #witches #tarot #tarotspread #nature #witchesofinstagram #witchy #magick #witchyvibes #witchythings #witchystuff #witchywoman", + "likes": 3254 + }, + { + "caption": "T T This is an easy and handy tip to know if you need a little guidance about how best to look after yourself. How do you use tarot as a tool for self care? Lindsay #selfcare #tarot #tarotcards #divination #trees #nature #moon #moonphase #themoon #astrology #energy #intuition #traditionalwitch #wicca #pagan #witch #witchcraft #witches #bruja #crystals #esoteric #spiritual #spirituality #witchesofinstagram #witchy #magick #witchyvibes #witchythings #witchystuff #witchywoman", + "likes": 4564 + }, + { + "caption": "I was so looking forward to reading the second book from Lidia of @wiccantips, and I wasnt disappointed! Lidia focuses on seven main types of Witchcraft, including green, kitchen, Wiccan, elemental, eclectic, sea and cosmic Witchcraft. Each section explores what each type is and includes rituals, guided meditations, spells and recipes to help you connect with each path in your own practice. This book isnt about labelling your craft as one thing or another. Rather, its about helping you connect with different facets in your practice in order to help you understand your witchcraft journey in a deeper way. Highly recommended for those just starting out in the Craft as well as those questioning their path. Lindsay #book #sabbat #lughnasadh #imbolc #cycles #greenwitchcraft #herbs #rose #fullmoon #astrology #balance #cycles #energy #tarot #traditionalwitch #wicca #pagan #witch #witchcraft #witches #bruja #witches #tarot #tarotspread #nature #witchesofinstagram #witchy #magick #witchyvibes #witchythings #witchystuff #witchywoman", + "likes": 3604 + } + ] + }, + { + "fullname": "Marijuana TV", + "biography": "The #1 in Marijuana news and entertainment! ", + "followers_count": 639103, + "follows_count": 145, + "website": "http://www.youtube.com/c/DankCity", + "profileCategory": 2, + "specialisation": "Product/Service", + "location": "", + "username": "marijuana.tv", + "role": "influencer", + "latestMedia": [ + { + "caption": "Ratio is key @lonnythestreetlawyer Where are our #spliffheads at?!", + "likes": 10060 + }, + { + "caption": "Tag that person! @bigmike", + "likes": 5825 + }, + { + "caption": "Do you agree? @cannasocietys420", + "likes": 4007 + }, + { + "caption": "Pick one ? @bigmike", + "likes": 1681 + }, + { + "caption": "Pick one ? @420funnys", + "likes": 1512 + }, + { + "caption": "@bigmike ", + "likes": 2617 + }, + { + "caption": "Yes @eatweedlove", + "likes": 3413 + }, + { + "caption": "What city ? Go @eatweedlove", + "likes": 426 + }, + { + "caption": "Who are you choosing? @bigmike", + "likes": 3923 + }, + { + "caption": "Choose wisely @dankcity", + "likes": 7332 + }, + { + "caption": "Which strain? @bigmike", + "likes": 3641 + }, + { + "caption": "Who you calling? @bigmike", + "likes": 2506 + } + ] + }, + { + "fullname": "CloudV", + "biography": "Cloud Vapes Official 14 Time Best Product Award Winner | Must be twenty one or older", + "followers_count": 477623, + "follows_count": 0, + "website": "https://cloudvapes.com/", + "profileCategory": 2, + "specialisation": "Product/Service", + "location": "", + "username": "cloudvapes", + "role": "influencer", + "latestMedia": [ + { + "caption": "Tag someone whod love this #CloudV #tacotuesday #cloudvflash - LINK IN BIO", + "likes": 5033 + }, + { + "caption": "Tag someone! @cloudvapes", + "likes": 2417 + }, + { + "caption": "Magnetic thread 3 temp setting battery for all 510 attachments Tag someone whod love this! #CloudVJet - LINK IN BIO", + "likes": 3436 + }, + { + "caption": "Follow @cloudvapes for more #CloudVFlash - LINK IN BIO", + "likes": 1998 + }, + { + "caption": "Tag someone whod love this setup! #CloudVFlash - LINK IN BIO", + "likes": 3697 + }, + { + "caption": "Powerful 3 temp setting battery for all 510 thread attachments #CloudVPen includes both attachments! - LINK IN BIO", + "likes": 3210 + }, + { + "caption": "1,2,3,4 or 5? Tag someone youd go with!", + "likes": 4433 + }, + { + "caption": " New Glass Limited edition Octopus glass art bubbler attachment! #CloudVFlash Tag someone whod love this! - LINK IN BIO", + "likes": 3084 + }, + { + "caption": "Tag someone Video by Tt(@gideonsports)", + "likes": 3838 + }, + { + "caption": "Large clouds and smooth hits only with the Flash+Terminator bubbler setup #BESTSETUP - LINK IN BIO", + "likes": 1873 + }, + { + "caption": "Tag someone whod love this Video by (Tt @kburaviation)", + "likes": 3479 + }, + { + "caption": "Tag someone whod love this Follow @cloudvapes for more #CloudVFlash - LINK IN BIO", + "likes": 3051 + } + ] + }, + { + "fullname": "Visit Savannah", + "biography": " All things Savannah Use #VisitSavannah", + "followers_count": 139566, + "follows_count": 642, + "website": "https://linktr.ee/VisitSavannah", + "profileCategory": 2, + "specialisation": "", + "location": "Savannah, Georgia", + "username": "visitsavannah", + "role": "influencer", + "latestMedia": [ + { + "caption": "Eerie and ethereal... #VisitSavannah [. @cbookaddiction] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #history #forsythpark #spooky #spanishmoss #southern #southerncharm #southernbeauty #sav", + "likes": 4556 + }, + { + "caption": "What's your favorite dish on the menu? #VisitSavannah [. @michellemartins46ny] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #history #architecture #savannahdining #dinesavannah #eatsavannah #oldepinkhouse #thepinkhouse #finedining #southern #southerncharm #southernbeauty #sav", + "likes": 5116 + }, + { + "caption": "Which spots do you consider quintiessential Savannah? #VisitSavannah [ @thetravelingmoore] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #history #forsythpark #forsythparkfountain #savannahspots #southern #southerncharm #southernbeauty #sav", + "likes": 3405 + }, + { + "caption": "These spires have been keeping watch over Savannah since 1896! #VisitSavannah [. @franklogue] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #history #architecture #historicchurch #historiccathedral #cathedral #cathedralbasilica #sunrise #southern #southerncharm #southernbeauty #sav", + "likes": 7431 + }, + { + "caption": "Savannah knows how to make a statement. #VisitSavannah [. @angelamdiloreto] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #history #architecture #southern #southerncharm #southernbeauty #sav #southernhome", + "likes": 5229 + }, + { + "caption": "Tybee Island like you've never seen before. #VisitSavannah [. @jay_everett_] . . . #tybeeisland #tybeeislandga #tybeeislandgeorgia #savannah #savannahgeorgia #savannahga #coastalgeorgia #georgiacoast #coastalliving #southernliving #beachlife #saltlife #tybee #tybeetime #tybeepier #islandtime #aerial #aerialview #drone #dronephoto #tyb #sav", + "likes": 4036 + }, + { + "caption": "Sunshine looks good on you, Savannah. #VisitSavannah [. @lb_aerial] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #history #architecture #southern #southerncharm #southernbeauty #sav #sunshine #plantriverside #plantriversidedistrict #plantriversidesavannah #savannahriver #savannahswaterfront", + "likes": 3462 + }, + { + "caption": "Streets so quaint we can hardly stand it! #VisitSavannah [. @daffys.photography] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #history #architecture #southern #southerncharm #southernbeauty #sav #southernhome", + "likes": 2920 + }, + { + "caption": "Bursting with color even on a gray day. That's Savannah! #VisitSavannah [. @studiesinwanderlust] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #history #architecture #southern #southerncharm #southernbeauty #sav #grayskies #grayday #rainyday", + "likes": 5025 + }, + { + "caption": "Sunday aesthetic. . #VisitSavannah [. @itsmemikepe] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #history #architecture #southern #southerncharm #southernbeauty #sav #historicsquare #summer #summertime #sunshine", + "likes": 4182 + }, + { + "caption": "Did you know? The Amstrong House was restored by Jim Williams in the 1960s and has appeared in several feature films! #VisitSavannah [. @megan_at_michels] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #history #architecture #southern #southerncharm #southernbeauty #sav #armstronghouse #historichome #historicmansion", + "likes": 4617 + }, + { + "caption": "Our reponse when people ask if Savannah and Tybee Island are really that great. #VisitSavannah #VisitTybee [. @mvh_art] . . . #tybeeisland #tybeeislandga #tybeeislandgeorgia #savannah #savannahgeorgia #savannahga #sunset #sunrise #coastalgeorgia #georgiacoast #coastalliving #southernliving #beachlife #saltlife #tybee #tybeetime #tyb #sav", + "likes": 5640 + }, + { + "caption": "A bird's eye view of the path leading into paradise! #VisitSavannah [. @lowcountrydroner] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #bridge #lowcountry #sunshine #nature #summer #summertime #history #architecture #southern #southerncharm #southernbeauty #sav #drone #droneshot #dronephoto #aerialview", + "likes": 5259 + }, + { + "caption": "Let your light shine. #VisitSavannah [ @traveling_schus] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #goldenhour #sunshine #nature #summer #summertime #history #architecture #southern #southerncharm #southernbeauty #sav #912", + "likes": 4077 + }, + { + "caption": "Where nature and architecture compliment each other perfectly. #VisitSavannah [ @thefunlifefamily] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #southernhome #historichome #nature #summer #summertime #history #architecture #southern #southerncharm #southernbeauty #sav #912", + "likes": 3481 + }, + { + "caption": "Golden hour in Forsyth Park! #VisitSavannah [ @thedavidlaughlin] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #forsythpark #goldenhour #sunshine #nature #summer #summertime #history #architecture #southern #southerncharm #southernbeauty #sav #912", + "likes": 7757 + }, + { + "caption": "Panoramic views of wonder! #VisitTybee [. @bclixs_drone] . . . #tybeeisland #tybeeislandga #tybeeislandgeorgia #savannah #savannahgeorgia #savannahga #sunset #coastalgeorgia #georgiacoast #coastalliving #southernliving #beachlife #saltlife #sunandsand #lighthouse #droneshot #dronephotography #drone #aerialview #tybee #tybeetime #tyb #sav #912", + "likes": 2218 + }, + { + "caption": "A vision of the night. #VisitSavannah [. @punk_off] . . . #savannah #savannahga #savannahgeorgia #historicsavannah #historicdistrict #downtownsavannah #exploregeorgia #riverstreet #savannahriver #savannahswaterfront #nighttime #nightviews #nightsky #skyline #summer #summertime #history #architecture #southern #southerncharm #southernbeauty #sav #912", + "likes": 1875 + } + ] + }, + { + "fullname": "Joya G", + "biography": "womanist. plants. dogs. weed. 1/2 of @2girls.1bong ATX ", + "followers_count": 116928, + "follows_count": 954, + "website": "https://linktr.ee/joyag", + "profileCategory": 3, + "specialisation": "Video Creator", + "location": "", + "username": "thejoyaride", + "role": "influencer", + "latestMedia": [ + { + "caption": "not to toot my own horn or anything but I think this pic is literally fucking adorable lmao ", + "likes": 8441 + }, + { + "caption": "real live footage of me baywatch-ing to 26 happy birthday to meeeeee!!! thanks for all the birthday wishes I freakin LOVE U GUYS ", + "likes": 11254 + }, + { + "caption": "doggy appreciation post these three are so all unique and they each bring their own totally different personality into my house and its hilarious. I love themmm and Im so glad so many of you do too!!! I feel like theyre everyones favorite part of my stories if you could only boop ONE of them on the nose which one would you choose? dont worry, I wont tell ", + "likes": 3334 + }, + { + "caption": "spent Fathers Day weekend in Oregon and it was literally glorious. shout out to my PNW babies, you guys live in such a beautiful place ", + "likes": 7198 + }, + { + "caption": "went to Utah last week and spent the entire time marveling at nature. heres me being cute on the edge of a cliff right before @macdizzle420 screamed bloody murder for me to back up LOL swipe for that moment ", + "likes": 4610 + }, + { + "caption": "so me and @calispoons went to our first renaissance fair yesterday and had so much fun!!! I guess theres a really big one in the htx area in the fall and we are most definitely pulling up lmao. have any of you guys been to one before??? if not, I highly recommend < btw thats me, fairy elf princess Joya xoxo", + "likes": 7352 + }, + { + "caption": "ok guys @fivecbd is letting me give yall a FREE 1500mg tincture ???!!! I know Ive been talking about this company for months now but I seriously loooove all their products. esp when theyre free for all you bitches click the link in my bio and get yours!!! just pay shipping ", + "likes": 4211 + }, + { + "caption": "this just got removed from TikTok but also Im dying cause in the original video the lady was talking about farts LOL", + "likes": 7118 + }, + { + "caption": "sooooo I jumped in a cenote last week.... swipe to see my form ", + "likes": 15108 + }, + { + "caption": "when we first moved here everything was gray and brown (it was winter lol) but now everything and everywhere is SO green and lush and Im absolutely looooving it thanks for welcoming this cali girl, Texas ", + "likes": 9749 + }, + { + "caption": "its fuckin @canna4climate day bitches!!!! me and my friends got outside and cleaned up a couple areas in Long Beach to celebrate our new stoner holiday. this post is me encouraging you to get out there today if youre able!!! us stoners get a bad rep (from decades of propaganda lol) BUT we can start changing the stigma by doing our part to help the planet. happy 4/21 yall ", + "likes": 4675 + }, + { + "caption": "hi my bebesssss happy Sunday! hope youre all having an amazing weekend. Im feeling super lucky to exist at the same time as all of you. thanks for sharing space with me. love you lots!", + "likes": 3911 + } + ] + }, + { + "fullname": "Ed Rosenthal | Guru of Ganja", + "biography": "Ed Rosenthal is a leading cannabis horticulture authority, author, educator, social activist, and legalization pioneer.", + "followers_count": 154830, + "follows_count": 701, + "website": "https://linktr.ee/edrosenthal420", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "edrosenthal420", + "role": "influencer", + "latestMedia": [ + { + "caption": "Today's moment of Zen is brought to you by @stickyfields What a beautiful, tranquil setting! It always surprises me how much joy I get from looking at such a beautiful garden. I hope it works it's magic for you as well. Stay safe my friends. . . . #GROWYOUROWN #cannabis #cannabiscommunity #cannabisculture #edrosenthal", + "likes": 3350 + }, + { + "caption": "Thank you @slyvegas for this great picture . . #GROWYOUROWN#cannabis#cannabiscommunity#cannabisculture#edrosenthal #cannabisgrowershandbook", + "likes": 1272 + }, + { + "caption": "It has been a long week and I wanted to end it on a beautiful note. The outdoor season is in full swing and @greensourcegardens beautiful picture was just what the doctor ordered. I will be sending out my next newsletter tomorrow and we will cover a lot of ground - Flushing, Powdery Mildew and a DIY Light Deprivation setup. If this sounds interesting sign up for it [link in my bio] . I hope you all have a great weekend. . \"And so it begins Pinkleberry Kush f7 so far we are seeing nearly every plant express pink stigmas. One of the main goals in breeding for a true line is refinement to the point of homozygosity which can be defined as predictable traits being passed on to the next generation. Though we still see some differences in structure among the population of f7's we have honed the pink and purple component which is how we originally created the name by using the term 'pinkle' as the ID markers for selection. Overall Pinkleberry Kush isn't a beginner strain and likes to be fickle with early growth and can't be depped or grown out of natural cycle without issues, but when grown properly may just be one of the most beautiful outdoor flowers in existence\" @greensourcegardens . . . #GROWYOUROWN #cannabis #cannabiscommunity #cannabisculture #edrosenthal", + "likes": 5835 + }, + { + "caption": "Excerpt from the upcoming Cannabis Grower's Handbook . Trimming, sometimes called manicuring, is the preparation of the bud after it has been cut from the plant. How and when buds are trimmed depends on the growers goals and strategy. The purpose of trimming is to separate the highest-quality part of the plant, the ripe female flower clusters (buds), from the stems and leaves. Manicuring is one of the final steps in the post-harvest process and is a skilled task that requires training and experience. Trimming should not be confused with pruning, which is the removal of unwanted vegetation from living plants. . Parts to Be Trimmed The bud is the plants jewel. It is a cluster of flowers that grow at the nodes along and at the tip of each branch. The flowers squeeze tightly between and on top of one another, forming thick layers until the entire group is a dense floral mass, also called an inflorescence or raceme. More than one bud grows on each branch. If buds grow large enough, they grow into each other, forming one continuous group called a cola. Colas are always found on the outer extremity of the branch. The branch may grow at nearly a 90-degree angle to the plants stem, although branches of some cultivars grow diagonally or curve up. . Trimming starts with the removal of the buds from the branch (bucking). From that point, the order of the trimming process varies greatly, but to create a fully manicured bud: The fan leaves are removed. The sugar leaves and petioles surrounding the buds are removed. Any damaged or contaminated material is removed. Whats left is the manicured bud. Fan leaves contain small amounts of cannabinoids, and sugar leaves contain a larger amount. Both are usually saved for extracts, concentrates, and infused-products manufacturing. . Photo @gonzo_photo_ . . . #GROWYOUROWN #cannabis #cannabiscommunity #cannabisculture #edrosenthal", + "likes": 3024 + }, + { + "caption": "Why do you like purple flowers? . Grown by @slymer2078 Black Rose BX #2 at day 70 of flowering from @fygtree @fygseeds grown under @chilledgrowlights Growcraft X6 with @rapidled mixed supplemental and far red . . . #GROWYOUROWN #cannabis #cannabiscommunity#cannabisculture#edrosenthal", + "likes": 8103 + }, + { + "caption": "Take me to your leader! . Great shot by @zoom_gardens . \"This was one branch of a mutated trichome I photographed a few months ago Ive been cropping 20x images down quite a bit ..soon Im hoping to get my eyes on a 50x \"@zoom_gardens . . . #GROWYOUROWN #cannabis #cannabiscommunity #cannabisculture #edrosenthal #macromonday", + "likes": 3884 + }, + { + "caption": "Wow! Damn this looks yummy - great job capturing her spirit! I hope you all have agreat weekend ahead of you. Stay safe out there and have a blast! . : Captains Cake : @kdothiggins : @gonzo_photo_ . . . #GROWYOUROWN #cannabis #cannabiscommunity #cannabisculture #edrosenthal", + "likes": 6152 + }, + { + "caption": "The future hasnt happened yet and the past is gone. So I think the only moment we have is right here and now, and I try to make the best of these moments, the moment that Im in.-Annie Lennox . Words to live by! . Grown and photographed by @fragrant_possibilities - compliments!! #gratefulbreath x #foofighter bred by @gagegreengroup . . . #GROWYOUROWN #cannabis #cannabiscommunity #cannabisculture #edrosenthal", + "likes": 7299 + }, + { + "caption": "The last couple of days have been pretty intense. So i was looking for something beautiful to share with you and @teamterpene delivered. What a gorgeous specimen she is! Here is what they have to say about this plant: Watered with only pure water throughout the season, we think, Gorilla Butter F2 bred by@FreshCoastSeedCo, came out nicely. One plant grew in a 30 gallon, seventh cycle, no till pot and is stickier than one of those sticky mouse traps. Shes a cross between Gorilla Butter x Gorilla Butter and to break it down a little further, Gorilla Butter is a cross between Gorilla Glue#4and Peanut Butter Breath. We had a chance to sample her over the weekend and after grinding her up she reeks of sweet burnt rubber. Her effects are a perfect balanced between Indica and Sativa. . Sounds amazing to me - wouldn't you agree? . . . #GROWYOUROWN #cannabis #cannabiscommunity #cannabisculture #edrosenthal", + "likes": 6330 + }, + { + "caption": "\"The Royal Nepalese Temple Balls were stuff of mythology already in the late 70s and early 80s, a fairytale for many and the Holy Grail of concentrates for a few. Imagine a sphere of resin hand pressed to an absolutely unflawed dark and hard surface polished to a mirror-like quality a ball that resembles more of a glossy stone or black marble rather than resin. Picture an outside protective layer of resin fused into a crust so perfect that it can stand the depredations of time and nurture the aging evolution at its core. Visualize cracking open a 10-year-old resin ball like you would break a big egg, the center revealing itself slowly in all its glorious creaminess. Envision a spicy tropical fruit cocktail with subtle earthy undertones taking over your olfactory senses as the resin breaks apart reluctantly exposing its dark red melted caviar-like texture, the long contained aromas bursting out with an explosive force. . Imagine creating such a wonder!\" Frenchy Cannoli . @frenchycannoli was endlessly learning more and gaining knowledge from all those he met along the way. He shared his wisdom with me for one of my books and I wanted to share it with you. Reading his words, you can feel the love he had for the cannabis plant and the ancient art of making hash. Frenchy always gave all the credit to the farmers who produced his flowers, but we know it also takes a special touch and an intense devotion. Frenchy was often called a \"legendary hashishin,\" but his open-source method of sharing information is where his legacy lives on. My hear goes out to his family and friends . The link for the his full article is in my bio [linktree] . . . #GROWYOUROWN #cannabis #frenchycannoli #cannabiscommunity #cannabisculture #edrosenthal", + "likes": 7541 + }, + { + "caption": "It is with incredible sadness that I learned of the passing of Frenchy Cannoli. The global cannabis community has lost a leader and guiding light. It is rare that you meet someone who is passionate and has the tenacity to make his dream a reality. Even rarer are the ones that share their passion with the world and teach and educate. Frenchy was exactly that man. His legacy will shine brightly. I had the pleasure to work with Frenchy and was impressed with his energy, gregarious nature, and free-thinking spirit. The Master Hashishin increased our knowledge considerably. He rediscovered the Lost Art of the Hashishin and brought it to the modern world. We owe him a massive dept of gratitude. Many pipes will be smoked in Frenchys memory. Ed. Images @graciemalley", + "likes": 8181 + }, + { + "caption": "Next level Cannabis Photography brought to you by @kandidkush Lion Claw in 360 degrees . Swipe over and get an idea on how it's done. . Lion Claw Auto Flower @prideofthelionseeds @certifieddank @canonusa5dsr + 100L @profotousa&@paulcbuffinc . . . #GROWYOUROWN #cannabis #cannabiscommunity #cannabisculture #edrosenthal", + "likes": 4900 + } + ] + }, + { + "fullname": "MarijuanaDoctors.com", + "biography": "#1 medical marijuana network that helps patients find the doctors and treatment they need.", + "followers_count": 279735, + "follows_count": 86, + "website": "https://linktr.ee/marijuanadoctors", + "profileCategory": 2, + "specialisation": "Medical & Health", + "location": "", + "username": "marijuanadoctors", + "role": "influencer", + "latestMedia": [ + { + "caption": " Smart.", + "likes": 5284 + }, + { + "caption": "Weve used tea as a natural remedy for ages. In fact, many societies used tea leaves as an herbal remedy before using it as a hot drink. And, folks all over the world have cured their ills with cannabis for thousands of years. Find out how to brew your own infused tea over on our blog.", + "likes": 6095 + }, + { + "caption": "You can apply for your Ohio medical card online! Save time by filling out the form and submitting your information. We will quickly connect you to a certified practitioner to complete your medical card health evaluation. Get started today. Link in bio. #ohio #medicalmarijuana #medicalcard #cannabis #cannabiscommunity", + "likes": 4992 + }, + { + "caption": "Strains: Blueberry Kush Today is the last day of National Blueberry Month. So let's dive into the details about Blueberry Kush! As an indica variant, Blueberry Kush has deep calming and sedative effects. It is mainly used in the nighttime as it has more calming effects than rejuvenation. As far as medical properties are concerned, Blueberry Kush is good for both physical and mental illnesses. Blueberry Kush can alleviate joint pains, back pains, and migraines. Learn more on our website and get started on getting your medical card in your state while you're there! Link in bio. #nationalblueberrymonth #strains #indica #blueberrykush #medicalmarijuana #cannabis #cannabiscommunity", + "likes": 6715 + }, + { + "caption": "Happy National Lasagna Day! Celebrate with this infused Ganja Lasagna recipe. A savory baked dinner sounds perfect right now! Recipe link in bio. #cookingwithcannabis #cannabis #nationallasagnaday #ganjalasagna #ediblerecipe #recipe #lasagnarecipe #infused #homemade #medicalmarijuana #cannabisculture #cannabiscommunity", + "likes": 4476 + }, + { + "caption": "Have you joined yet? We're creating a place for medical cannabis enthusiasts to interact. Discuss all things medical cannabis with patients, doctors, and other industry professionals. https://ask.marijuanadoctors.com/", + "likes": 4272 + }, + { + "caption": "How close are we to realizing federal decriminalization? The signs are all pointing positively to an end to cannabis prohibition at the federal level. And a surprising new announcement from the New York Transportation Security Administration (TSA) is more proof that things really are changing quickly. Check out the announcement on our blog. Link in bio. #decriminialization #NewYork #TSA #cannabis #cannabiscommunity", + "likes": 5136 + }, + { + "caption": "Is Amazon Ready to Join the Fight for Legal Weed? What are your thoughts? Check out our blog post and let us know your thoughts in the comments. Link in bio.", + "likes": 4354 + }, + { + "caption": "See a doctor online and get approved in less than 30 minutes for your medical card in New Jersey. #newjersey #medicalmarijuana #medicalcard #cannabis #NJ", + "likes": 3870 + }, + { + "caption": "Celebrate Hemp History Week by treating yourself to a FREE bottle of Five brand Daily Buzz Gummies. Just cover shipping! Sourced from the best hemp farms in the US, Five CBD is redefining what Full Spectrum CBD means. Order yours today. Link in bio.", + "likes": 3429 + }, + { + "caption": "Get your medical card in Montana is a few easy steps! See a doctor online and get approved in less than 30 minutes. In Montana you can get a medical card within 48 hours. Get started on our website today. Link in bio.", + "likes": 4065 + }, + { + "caption": "Hemp History Week continues! Did you know these hemp facts? Learn more on our website. Link in bio.", + "likes": 4013 + } + ] + }, + { + "fullname": "Cubanos por el Mundo", + "biography": "Protestas en #Cuba. ltimas noticias de las manifestaciones en #Cuba contra el rgimen castrista #SOSCuba info@cub.am +1 (305) 600-3108", + "followers_count": 408832, + "follows_count": 8, + "website": "https://cub.am/CubaLive", + "profileCategory": 2, + "specialisation": "Digital Creator", + "location": "Miami, Florida", + "username": "cubanosdelmundo", + "role": "influencer", + "latestMedia": [ + { + "caption": "Etoy escribiendo para que me ayuden a difundir las condiciones en las que son tratados los nios con Covid en Cuba,se q para todos esto no es nuevo pero bueno. Les cuento mi sobrinita de 10 aos fue llevada por mi hermana al pediatrico Juan Manual Mrquez de Marianao el domingo pasado sobre la una de la tarde, ya que la nia tena fiebre y muchos ms malestares (cabe destacar que ya 3 das antes mi hermana haba ido a ese mismo hospital con mi otro sobrino de 14 aos y dio positivo al covid y an as hoy 7 das despus nadie ha ido a su casa ha realizarle pcr a las dems personas en la casa incluyendo 2 nios de 3 y 5 aos,pero bueno ese es otro asunto) . Al llegar al pediatrico le hacen un tes de antgeno y la nia da positivo al covid,le dicen que se tienen que quedar ah que una ambulancia la va ha venir a buscar para trasladarla a cualquier hospital donde hubiera una cama disponible, para no hacer larga la historia,la nia con fiebre y sintindose mal estuvo toda la tarde y noche del domingo sentada afuera del hospital esperando dicha ambulancia q nunca lleg,a las 3 de la maana sale una doctora y les dice q entre hacia unas sillas q ya estaban vacas y se sentaran q la ambulancia no iva ha llegar hasta por la maana. Al otro da lo mismo la ambulancia no llegaba,hasta que por mediacin de una amistad que trabaja en otro hospital y movi todos sus contactos hizo llegar una ambulancia y a las 5 de la tarde,pasada ms de 24 horas fue q la ambulancia la busco , y despus de todo esto los doctores ponan como excusa que era que no haba cama en ningn lugar,y no es as, porque en ese hospital donde por fin la pudieron llevar haba ms de 50 camas disponibles, es tan abusivo y tan triste lo que estn haciendo pasar hasta a los nios q eso no tiene nombre Aqu los voy a mandar unas fotos de la nia y mas personas que se ven durmiendo a fueras del hospital ya de madrugada esperando las dichosas ambulancias, gracias #cuba #cubanosporelmundo #covid #soscuba", + "likes": 1078 + }, + { + "caption": "Un accidente de trabajo es cosa seria. Puedes lograr una buena compensacin que cubra todos tus gastos mdicos y das sin trabajar. Llama a @gallardolaw al 305 261 7000 y obtn una primera consulta gratis con un abogado laboral. #GallardoEsTuAbogadox`", + "likes": 156 + }, + { + "caption": "Le de un ferviente defensor del castrismo decir que los que quieren que Cuba cambie, lo que desean es convertir a Cuba en un HAITI. Es curioso que siendo tan pobre, cubanos de la Isla viajan a comprar artculos en sus mercados. Los haitianos son libres de vender sus productos (solo pagan un pequeo impuesto por poner sus mercancas en lugares determinados) a su pobre nivel de vida tienen acceso a comprar sus alimentos sin mucha dificultad (los que viajan sabe que no estamos exagerando) nuestro pas, con la Libertad de Hait solamente sera un pas prspero. Cultura y deseos de superacin empresarial sobran. Como Hait? Nunca, pero si pudiera elevar su nivel de vida digamos a algo parecido a la Panam actual. ...y no creo estar muy equivocado, porque en mis viajes observo y pregunto muchas cosas. Fotos: mercadillos de pescado fresco en Pt. Prncipe, Va: ngel Vzquez / Facebook . . #soscuba #cubanosporelmundo #haiti #socialismo #revolucioncubana #regimencastrista #dictaduracunana", + "likes": 1527 + }, + { + "caption": "#repost @cuquilamostra Para lo que me escriben de manera agresiva y muy revolucionaria dicindome que le tengo q agradecer a la revolucin por haberme educado. AH LES DEJO ESTO. La educacin es gratis en el mundo entero, eso no es un logro de la revolucin cubana. Solo t lo hacen creer, para q te sientas agradecido y luego chantajearte, la universidad se paga en el mundo, es verdad, pero hay miles de opciones hasta de ganrtela gratis, la puedes pagar a plazos o cuando acabes tu carrera, y lo ms importante, es que puedes estudiar lo que te d la gana, no la carrera qu bajo, la que alcanc, la que me toc, como pasa en cuba q es gratis la universidad y de gratis trabajaras toda la vida porque la paga es una vergenza. La nica universidad que da frutos en cuba, es la universidad de la calle, donde tiene que robar e inventar para poder llegar a un salario de supervivencia. En cuba cuando te ofrecen un trabajo, no preguntas cunto pagan?, preguntas que se puede resolver? Yo particularmente estudi hasta 12 grado, no tuve la oportunidad de ir a la universidad gratis, porque lo que quera estudiar es bien limitado y como todos saben solo los hijos de mam y pap entran a la escuela de arte. Me presente a las pruebas en 4 ocasiones en diferentes aos. Y les cuento ms, la ltima vez me hicieron un sin fin de pruebas de actuacin, y todas las pas, pero luego me citaron de nuevo junto a otros hijos de nadie, y nos hicieron otra prueba que consista en correr en crculo hacer cuclillas y parada de mano, ah me suspendieron. Me dieron como nica opcin estudiar pedagoga y no dure ah ni 3 meses porque no era lo q yo quera, en la universidad de la calle estudi por mi cuenta, me un a grupos de teatro pasando tremenda hambre y necesidad sin ganar dinero, vend desde aguacate hasta cloro y luego entre en la tv como asistente de direccin para aprender y un da por un casting me escogieron para hacer un telefilms, me escogi un director que buscaba alguien como yo, para su obra, y todava me dices que tengo q agradecerle a la revolucin, no mi vida, tengo q agradecerme a mi, por no parar de luchar por mis sueos. Lo que soy hoy, me lo gan, no me lo asign nadie.", + "likes": 3853 + }, + { + "caption": "As est el Hospital Provincial de Cienfuegos. Una muestra de colapsado sistema de Salud cubanos y la falsa potencia mdica . . Sguenos en @cubanosdelmundo . . #soscuba #soscienfuegos #cuba #cubanosporelmundo #hospitalescubanos #cienfuegos #sistamedesaludcubano #covid_19 #coronavirus #coronaviruscuba #medicinacubana #medicoscubanos", + "likes": 6608 + }, + { + "caption": "LA DESESPERACIN DE UNA MADRE Y ABUELA. Otro video de Barbara Isaac Rojas madre de dos detenidas de #Placetas, que pide ayuda por ellas dos y por la hija de una de ellas que slo tiene 3 aos. La nia est muy afectada por la separacin de su madre. . . #soscuba #cubanosporelmundo #cuba #regimencastrista #dictaduracubana #revolucioncubana #socialismo #represionpolicialencuba", + "likes": 1529 + }, + { + "caption": "Esta foto, del Hospital Lenin de Holgun hoy, clama al cielo. Una intervencin humanitaria s necesita Cuba, que salve a los cubanos de \"Cuba\", incluso que los salve de ellos mismos. Un portaaviones en la Baha de La Habana con 5000 camas de hospital no sera suficiente. Pero la realidad es que estamos solos. La puta y maldita circunstancia del agua por todas partes. Nuestro abandono de Dios, y la mojigatera nacionalista \"revolucionaria\", soberbia y estpida. \"Cuba salva\", decan ayer los imbciles entre los imbciles. Perdonen, y al carajo! . . #soscuba #cubanosporelmundo #cuba #holguin #medicinacubana #sistemadesaludcubano #hospitalescubanos", + "likes": 6842 + }, + { + "caption": "DESESPERANTE! Cubano se ahoga en pleno hospital y no hay insumos para atenderlo . . Las denuncias sobre el colapso hospitalario en Cuba son cada vez mayores. Recientemente un corto, pero contundente video, revel los momentos desesperantes que estaba atravesando un cubano que se estaba ahogado en plena sala de espera de un hospital de Cumanayagua, provincia de Cienfuegos y no haba insumos para atenderlo. . . #soscuba #cubanosporelmundo #cuba #regimencastrista #dictaduracubana #socialismo #comunismo #revolucioncubana #medicinacubana #hospitalescubanos #medicoscubanos", + "likes": 7399 + }, + { + "caption": "Alguien sabe si el rgimen castrista es el accionista mayoritario de El Nuevo Herald despus que lo vendieron por estar en la quiebra? Despus de ver esta portada el exilio cubanos est en shock. . . #elnuevoherald #miamiherald #regimencastrista #dictaduracubana #cubanosporelmundo #deportecubano #mijainlopez #tokyoolympics #tokyo", + "likes": 1690 + }, + { + "caption": "Mentiroso que eres Durn, gobierno mentiroso y perverso Cubanos denuncian las condiciones en la que entierran a las personas muertas por COVID-19 en Sagua la Grande. . . Sguenos en @cubanosdelmundo . . #soscuba #cuba #cubanosporelmundo #covid_19 #covidcuba #coronavirus #coronaviruscuba #sossantiagodecuba #sosciegodeavila #sossagualagrande #sagualagrande", + "likes": 2353 + }, + { + "caption": "Dayanis Salazar hija del presidente del Partido Autnomo Pinero en Isla de Pinos, Ramn Salazar Infante; el lder de ms prestigio en la Isla de Pinos y es la nica persona preparada polticamente como para guiar a ese pueblo, por eso lo tienen en la prisin. Por favor aydanos a denunciar, eres una vos muy fuerte ante la opinin pblica! Necesitamos tu ayuda hermano. Enviado por familiares del lder opositor Ramn Salazar Infante. . . #soscuba #cuba #cubanosporelmundo #activistascubanos #opositorescubanos #regimencastrista #dictaduracubana", + "likes": 5072 + }, + { + "caption": ". . #soscuba #cuba #cubanosporelmundo #coronavirusencuba #coronavirusnews #covid-19", + "likes": 2130 + } + ] + }, + { + "fullname": "Weed/Cannabis/Ganja", + "biography": "18+ Stay High Check out my story Nothing for sale!", + "followers_count": 719765, + "follows_count": 69, + "website": "", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "weed_cannabis_420", + "role": "influencer", + "latestMedia": [ + { + "caption": "Grind, pack, and blazewith the @GrindaRolla Easy to use grinder, cone filler,and pre roll stash!@GrindaRolla GrindaRolla.com (WERBUNG)", + "likes": 8626 + }, + { + "caption": " @esoteric.420 This post is for entertainment only", + "likes": 6420 + }, + { + "caption": " @naturesfinest420 This post is for entertainment only", + "likes": 12024 + }, + { + "caption": " @daydreaming.society This post is for entertainment only", + "likes": 8207 + }, + { + "caption": " @grow.diaries This post is for entertainment only", + "likes": 13685 + }, + { + "caption": "Tag a friend @PowerHitterco to pass vibes toDont lip it, Grip it and Rip it! @PowerHitterco thePowerhitter.com @highitsbianka @kushtinaog (WERBUNG)", + "likes": 14425 + }, + { + "caption": " @karl_kronic This post is for entertainment only", + "likes": 4563 + }, + { + "caption": "Happy @yola_uncensored This post is for entertainment only", + "likes": 7194 + }, + { + "caption": " @fohse.inc This post is for entertainment only", + "likes": 4796 + }, + { + "caption": " @theblazingbobcat @nattysknottynursery This post is for entertainment only", + "likes": 6110 + }, + { + "caption": "I want this @clearly_grown This post is for entertainment only", + "likes": 6369 + }, + { + "caption": " @loud_n_errl_", + "likes": 10093 + } + ] + }, + { + "fullname": "King Palm", + "biography": "Just Pack It with your herbs. Preinstalled with a corn husk filter tip. Bamboo packing stick included. Tobacco-free, all natural, & slow burning.", + "followers_count": 347158, + "follows_count": 3379, + "website": "https://kingpalm.com/", + "profileCategory": 2, + "specialisation": "Product/Service", + "location": "", + "username": "kingpalm", + "role": "influencer", + "latestMedia": [ + { + "caption": "It gets exciting when its King Palm time . . : @tiffanytvu #KingPalm #JustPackIt", + "likes": 953 + }, + { + "caption": "Two bomb King Palm flavors in the stash with the drink to match . We are the original palm pioneers who popularized this style with the culture . . : @ignite.labrea #KingPalmFlavors #OriginalPalmPioneers", + "likes": 2951 + }, + { + "caption": "You know you have something special when someone new tries to copy every day . Only support the real original palm pioneers . . : @tokerboyblake #KingPalm #JustPackIt", + "likes": 2587 + }, + { + "caption": "When the great outdoors meets the all natural King Palm . Take a trip, take a rip, and make sure to take a video of your King Palm nature experience . . : @tokerbella_ #allnaturalproducts", + "likes": 3961 + }, + { + "caption": "When life gives you lemons pack a King Palm . This delicious new flavor steals the show every time the lemon gets squeezed . . : @the.green.trip #KingPalmFlavors #JustPackIt", + "likes": 2363 + }, + { + "caption": "Up close and personal with the one and only King Palm . Take a deeper look at a natural approach . . #allnaturalproducts #slowburn", + "likes": 2417 + }, + { + "caption": "Celebrate your independence in style . Light your fireworks then light your King Palm . . #KingPalm #JustPackIt", + "likes": 348 + }, + { + "caption": "That afternoon delight . Bring in the holiday weekend with a King Palm . . : @joswanson", + "likes": 1801 + }, + { + "caption": "Take your King Palm poolside for a good smoke and a nice swim . All our flavor rolls have a gold band to differentiate from our natural rolls which have our traditional black band . . : @dailykushclub #KingPalmFlavors #NaturalPath", + "likes": 1463 + }, + { + "caption": "When the Lemon Haze hits the stores and they buy the whole display . Make sure your local shop stays stocked with the latest drops . . #KingPalmFlavors #SlowBurn", + "likes": 3407 + }, + { + "caption": "Puff puff pass and keep the rotation going . Do you still enjoy a group session or are you a solo toker? . . : @miss_lorin #KingPalm #JustPackIt", + "likes": 2319 + }, + { + "caption": "The new Irish Cream flavor is a seasonal edition to our lineup at your local smoke shop . Squeeze N Pop the filter tip to release the flavor when you want. That means each palm leaf roll is natural until you choose to activate the flavor for that extra taste . . #KingPalmFlavor #SqueezeNPop", + "likes": 3767 + } + ] + }, + { + "fullname": "\uaa91\u2148\ud835\udd5c\uaac0 \u1974\uaab6\uaac0\uaa9c\u2148\uaa80\u19c1\uaac0\ud835\udd63", + "biography": "IE IEGO E ITE ", + "followers_count": 90917, + "follows_count": 834, + "website": "", + "profileCategory": 1, + "specialisation": "", + "location": "", + "username": "mikeanthony", + "role": "influencer", + "latestMedia": [ + { + "caption": " , . - .", + "likes": 7405 + }, + { + "caption": " , ?", + "likes": 3549 + }, + { + "caption": " , , , - . ", + "likes": 3766 + }, + { + "caption": " ' ' , 7 315 #TimeUnderTension", + "likes": 5261 + }, + { + "caption": " @knockaround P ", + "likes": 4174 + }, + { + "caption": " . ", + "likes": 6934 + }, + { + "caption": " ", + "likes": 5552 + }, + { + "caption": " #GoataArrowsEverywhere", + "likes": 11607 + }, + { + "caption": " , ", + "likes": 3912 + }, + { + "caption": " ", + "likes": 8427 + }, + { + "caption": " I D ", + "likes": 5668 + }, + { + "caption": " ", + "likes": 8725 + } + ] + }, + { + "fullname": "Cigar Aficionado", + "biography": " Because life's too short to smoke bad cigars ", + "followers_count": 263272, + "follows_count": 36, + "website": "https://linkin.bio/cigaraficionado", + "profileCategory": 2, + "specialisation": "Magazine", + "location": "", + "username": "cigaraficionado", + "role": "influencer", + "latestMedia": [ + { + "caption": "@ArturoFuenteCigars knows how to celebrate an anniversary. The brand acknowledges 25 years of OpusX with the Opus 25 collection, which includes a $70,000 humidor filled with limited-edition smokes. Yes, you read that right. Link in bio for more details. #cigar #cigars #cigaraficionado #cigaraficionadomagazine #thegoodlife #cigargear #fuente #arturofuente #opusx", + "likes": 2010 + }, + { + "caption": "#CigaroftheWeek Alec & Bradley Kintsugi Corona Gorda from @alecbradleycigar: Topped with a three-seam cap, this thin toro has a lush draw and even burn. Nutty and floral, it also takes on hints of anise, dried fruit, cinnamon, hazelnut and espresso bean with touches of leather before a woody finish. #cigar #cigars #cigaraficionado #cigaraficionadomagazine #thegoodlife #honduras #hondurancigars", + "likes": 1289 + }, + { + "caption": "Miguel Angel Jimnez keeps his cigars within eyeshot... even when hes shooting. (Repost: @pgatourchampions) #cigar #cigars #cigaraficionado #cigaraficionadomagazine #thegoodlife #golf #pga #pgachampions #cuba #cubancigars", + "likes": 4987 + }, + { + "caption": "Happy birthday to the legend and repeat cover feature, Arnold @Schwarzenegger. #cigar #cigars #cigaraficionado #cigaraficionadomagazine #thegoodlife #arnold #arnoldschwarzenegger #cuba #cubancigars", + "likes": 14218 + }, + { + "caption": "A cousin of the widely known Negroni, the Boulevardier features whiskey, sweet vermouth and Campari. Pair it with your favorite cigar and you're good to go. #happyfriday #cigar #cigars #cigaraficionado #cigaraficionadomagazine #thegoodlife #whiskey #whisky #boulevardier #cocktails #drinks #summer", + "likes": 1087 + }, + { + "caption": "@PunchCigars turned 180 years old last year. To celebrate, the non-Cuban brand is releasing a large cigar called Punch Aniversario Double Corona. Link in bio for more details. #cigar #cigars #cigaraficionado #cigaraficionadomagazine #thegoodlife #punch #honduras #hondurancigars", + "likes": 3257 + }, + { + "caption": "#CigaroftheWeek New World Double Corona from @ajfcigars: Imposing and box-pressed, this dark, oily double corona burns and draws well, showing a spicy and chocolate character buttressed by an earthy, nutty core and a hint of caramel before the herbal finish. #cigar #cigars #cigaraficionado #cigaraficionadomagazine #thegoodlife #nicaragua #nicaraguancigars", + "likes": 1855 + }, + { + "caption": "@cameron1newton talks about his upbringing, upcoming second season in New England and passion for cigarswhich includes his own cigar loungein the most recent issue of Cigar Aficionado. All that and more, on newsstands now. Full table of contents at the link in our bio. #cigar #cigars #cigaraficionado #cigaraficionadomagazine #thegoodlife #camnewton #newenglandpatriots #patriots", + "likes": 4187 + }, + { + "caption": "How do you like your cigars packaged? Spain put 19 Ramon Allones in glazed, ceramic jars as part of the Sevilla Series. Link in bio for more details. #cigar #cigars #cigaraficionado #cigaraficionadomagazine #thegoodlife #cuba #cubancigars #spain #pottery", + "likes": 4594 + }, + { + "caption": "@tblightning coach Jon Cooper knows how to celebrate a Stanley Cup victory, especially when its two in a row. Can he go for the three-peat? #cigar #cigars #lightning #stanleycup #cigaraficionado #cigaraficionadomagazine #hockey", + "likes": 9435 + }, + { + "caption": "@giannis_an34 shared some Cuban Romeos with teammates after taking the @NBA finals with the @bucks. (Video: @nba)", + "likes": 14741 + } + ] + }, + { + "fullname": "Rebecca Minkoff", + "biography": "Founder. Designer. Mom Empowering female founders @thefemalefoundercollective Host: @rmsuperwomen Author: Fearless ", + "followers_count": 914459, + "follows_count": 1327, + "website": "https://linktr.ee/rebeccaminkoff", + "profileCategory": 2, + "specialisation": "Brand", + "location": "", + "username": "rebeccaminkoff", + "role": "influencer", + "latestMedia": [ + { + "caption": "Last night, @chrisellelim @alikwyatt7 @joan.bumo and I came together to celebrate the launch of the #10thHouse by @thefemalefoundercollective. We also welcomed these incredible founders and creators into the @bumowork space. Having a community of women who have each others back is one of the most important keys to success, (I certainly wouldnt be here without it. ) It was inspiring to see all the connections made and relationships that will keep paving the way for others. If you want to know more about the new member platform, head over to @thefemalefoundercollective and for LA parents-you can work and have your kids educated too-check out @bumowork @bumoparent Photos: @lindseyaphoto Drinks: @plantlovesyou", + "likes": 678 + }, + { + "caption": "Todays episode is all about celebrating courage. Rebecca is joined by sisters Anna and Amanda Kloots to discuss overcoming grief, navigating fear, and learning to move forward. Tune in for an inspiring chat from these sisters turned co-authors! @annakloots @amandakloots", + "likes": 135 + }, + { + "caption": "The perfect color to transition you from Summer to Fall #RebeccaMinkoff #summerfashion #fallfashion #instafashion #womenstyle #viola #ediemaxicrossbody", + "likes": 589 + }, + { + "caption": "You know and love her, but have you snagged her in our new Fall colors?! #RebeccaMinkoff #summerfashion #fallfashion #instafashion #womenstyle #ediemaxishoulderbag #ediemaxi", + "likes": 1911 + }, + { + "caption": "A monochrome moment made complete with this stunning new Edie #RebeccaMinkoff #summerfashion #fallfashion #instafashion #womenstyle #ediemaxicrossbody", + "likes": 4415 + }, + { + "caption": "Gearing up for Fall #RebeccaMinkoff #summerfashion #fallfashion #instafashion #womenstyle #ediemaxicrossbody", + "likes": 3845 + }, + { + "caption": "A seasonless classicshe will always be one of our favs #RebeccaMinkoff #summerfashion #fallfashion #instafashion #womenstyle #love", + "likes": 1301 + }, + { + "caption": "Consider your outfit made #RebeccaMinkoff #summerfashion #fallfashion #instafashion #womenstyle #avilasandals", + "likes": 1830 + }, + { + "caption": "Having the best time styling this bag! She can be worn so many ways to bring an outfit to life #RebeccaMinkoff #summerfashion #fallfashion #instafashion #womenstyle #ediemaxicrossbody #avilasandals", + "likes": 5080 + }, + { + "caption": "Last week, I headed out East for a beautiful dinner with so many incredible women. Also got to shoot some exciting styles for you guys! Youre all loving this new bagso am I!! #RebeccaMinkoff #summerfashion #fallfashion #instafashion #womenstyle #outeast #ediemaxicrossbody #polinadress", + "likes": 3673 + }, + { + "caption": "A classic in the makingthis new Edie will take a simple look to the next level! #RebeccaMinkoff #summerfashion #fallfashion #instafashion #womenstyle #ediemaxicrossbody", + "likes": 1055 + }, + { + "caption": "Style the new Edie Maxi as a shoulder bag for hands-free ease #RebeccaMinkoff #summerfashion #fallfashion #instafashion #womenstyle #ediemaxicrossbody #chunkychain", + "likes": 756 + } + ] + }, + { + "fullname": "\ud83c\udf39ROSES\ud83c\udf39", + "biography": " by @charlyjordan Organic Rose Petal Wraps Show us how you bloom Mental Health 21+ US SHIPPING", + "followers_count": 157693, + "follows_count": 206, + "website": "http://www.smokeroses.com/", + "profileCategory": 2, + "specialisation": "Product/Service", + "location": "", + "username": "smokeroses", + "role": "influencer", + "latestMedia": [ + { + "caption": "@lesliehannahbelle with our goji Berry cone on the slopes! Where is your favorite place to sesh?", + "likes": 8196 + }, + { + "caption": "@suppremmedj birthday recap huge shoutout to @bare and @smokeroses for sponsoring we had the girl @ranagadeperrana rolling up all night!", + "likes": 5873 + }, + { + "caption": "All red everything smoke roses is going international soon!", + "likes": 15378 + }, + { + "caption": "About last night... ", + "likes": 7841 + }, + { + "caption": "Smoke roses babe @kayleighflippen_ rocking the rose cones. So excited for roses to go retail soon.", + "likes": 7121 + }, + { + "caption": "@ari_onlysmokes smoking our rose cones in Mykonos whos excited for international shipping to open up soon", + "likes": 10667 + }, + { + "caption": "All red everything ", + "likes": 14320 + }, + { + "caption": "Smoke roses 4 ever", + "likes": 11735 + }, + { + "caption": "I smoke roses anywhere and everywhere wishing all of you personally the best day ever!", + "likes": 15165 + }, + { + "caption": "Stunning @thegiawilliams with our Goji Berry Cone ", + "likes": 6553 + }, + { + "caption": "Repost from babe @kayleighflippen_ with our four pack of organic rose petal wraps ", + "likes": 7187 + }, + { + "caption": "Love this community so many sick pictures and videos from all of you as well. Goji and Rose cones 4ever! Which ones have you tried?", + "likes": 9142 + } + ] + }, + { + "fullname": "Smoke DZA The Kushedgod", + "biography": "Creator StonerFounder of @thesmokersclub RFC thats it... debate your mother.. #HOMEGROWN http://tidal.com/smokedza", + "followers_count": 231951, + "follows_count": 1141, + "website": "https://smokedza.ffm.to/thc-2", + "profileCategory": 3, + "specialisation": "Musician", + "location": "", + "username": "smokedza", + "role": "influencer", + "latestMedia": [ + { + "caption": "We rocking and keeping score too!!! Tune in! Got some friends coming by also. @twitch : SmokeDza420 @thepersonalpartypodcast #Dipset #LOX", + "likes": 420 + }, + { + "caption": "Ep. 031 how about them Knicks we got my brothers @hovain & @longmoneylito for the gem deliveries tap in @spotify @youtube like, comment, subscribe and make sure u follow me on @twitch : SmokeDza420 for real-time episodes of @thepersonalpartypodcast and more.. love", + "likes": 354 + }, + { + "caption": "Gotham City. @joeybadass", + "likes": 4685 + }, + { + "caption": "Tap in!!! I got my lil brother @joeybadass pulling up shortly for the festivities. U dont wanna miss it!! @twitch : SmokeDza420 @thepersonalpartypodcast live ", + "likes": 823 + }, + { + "caption": "Got my family @frescobk @vokarondon with me.. we live on @twitch right now! Twitch: SmokeDza420 ", + "likes": 290 + }, + { + "caption": "Outside..", + "likes": 2753 + }, + { + "caption": " good debate and great talk with my dawg @imanshumpert tune in @thepersonalpartypodcast @shaq vs. Iman??? Im gassing it lets get it done! @spotify @youtube and catch us live on @twitch :SmokeDza420 during the week! Like, comment, subscribe! ", + "likes": 1883 + }, + { + "caption": "Fuck it, Barksdale Enterprises is back open Undisputed", + "likes": 4100 + }, + { + "caption": "A Couple Eastcoast niggas on the Westside.. Undisputed ", + "likes": 5238 + }, + { + "caption": "Undisputed..", + "likes": 2742 + }, + { + "caption": " all i wanted to do was train @real1 wasnt trying to teach me the ropes Undisputed out this weekend @backpackboyz off to the races @smokersclubtrees @packwoods", + "likes": 5783 + }, + { + "caption": "Cleanliness is next to godliness.", + "likes": 1470 + } + ] + }, + { + "fullname": "Cannabis Society \u2197\ufe0f", + "biography": "The society of stoners ", + "followers_count": 438151, + "follows_count": 145, + "website": "http://www.youtube.com/c/DankCity", + "profileCategory": 2, + "specialisation": "Media/News Company", + "location": "", + "username": "cannasocietys420", + "role": "influencer", + "latestMedia": [ + { + "caption": "Ratio is key @lonnythestreetlawyer Where are our #spliffheads at?!", + "likes": 1616 + }, + { + "caption": "Tag that person @bigmike", + "likes": 786 + }, + { + "caption": "Agree or disagree? @highaf.tv", + "likes": 3264 + }, + { + "caption": "Tag em @bigmike", + "likes": 661 + }, + { + "caption": "Pick 3 @bigmike", + "likes": 2136 + }, + { + "caption": "Name him ! @weedlaughs420", + "likes": 1073 + } + ] + }, + { + "fullname": "420 Stocks, News, and Info", + "biography": "Forbes Rated #1 MMJ Investor Featured on CNN Wall Street Journal Yahoo DM for business SIGN UP BELOW FOR OUR NEWSLETTER", + "followers_count": 264686, + "follows_count": 49, + "website": "http://www.youtube.com/c/DankCity", + "profileCategory": 2, + "specialisation": "Media/News Company", + "location": "", + "username": "420stocks", + "role": "influencer", + "latestMedia": [ + { + "caption": "Mexico has never seemed so close and yet so far from fully regulating the adult-use cannabis market. A first Supreme Court resolution determined in 2015 that the absolute prohibition of cannabis for personal use was unconstitutional because it violates the right to the free development of personality. To reach jurisprudence in Mexico, five consecutive cases, with the same or more votes each time, must be won before the Supreme Court. This was achieved in October 2018, which detonated a legislative mandate that within 90 days, the Senate should modify the articles in the General Health Law that were deemed unconstitutional. The first deadline came and went without the Senate modifying the articles; so the Senate requested an extension, which was granted. The second deadline to legislate expired on April 30, 2020but another extension was provided because of the COVID-19 pandemic. At first, it looked like the third time was the charm. The Senate overwhelmingly approved the Federal Law to Regulate and Control Cannabis in November 2020 and passed it to the Chamber of Deputies, the lower house, for review and approval. Since the deadline of December 15, 2020, was fast approaching, the Chamber asked for its own extension. The Supreme Court granted it (until April 20, 2021) and the bill underwent significant changes before being approved by the Chamber on March 10, and so sent back to the Senate. The Senate certainly had enough time to review and either reject or accept the changes made by the lower house. That would have made this a shorter story. However, the Senate had other plans. Rather than approve the bill or request an additional extension, it simply did not do anything. Junes national midterm elections were approaching, and political calculations were made. The legislative process came to a standstill. Since the Senate did not approve the bill by the deadline, the Supreme Court basically did what it had mandated Congress to do. It activated a mechanism to guarantee rights that had only been undertaken once before in Mexican history: the General Declaration of Unconstitutionality (GDU). Continue in comments ", + "likes": 594 + }, + { + "caption": "When Michigan voters passed the ballot measure legalizing recreational marijuana with a 63% majority in November 2018, they earmarked at least $40 million in tax revenue for marijuana research grants intended to help reduce veteran suicides. The first half of that money is expected to be awarded by mid-August, Marijuana Regulatory Agency spokesman David Harns said. The Marijuana Regulatory Agency declined to reveal how many researchers submitted proposals by the July 16 deadline and has disclosed little else about the selection process. The decision is being made by a joint evaluation committee comprised of appointees from the Marijuana Regulatory Agency, the Michigan Department of Military and Veterans Affairs and the Department of Health and Human Services. Harns wouldnt identify the appointees or who selected them. The (Marijuana Regulatory Agency) approaches its work in a very transparent manner; there is no reason to think that that wont be the case with the Veteran Marijuana Research Grant Program, Harns said. As soon as the Joint Evaluation Committee finishes its review of the proposals and awarding of the grants, well be sharing that information publicly. MLive submitted a Freedom of Information Act (FOIA) records request for copies of the proposals, but the request was denied. The Marijuana Regulatory Agency in its denial cited a Michigan law, MCL 18.1261(13)(a), which exempts such bids, quotes and proposals from release until after theyve been awarded. As an award notification has not yet been issued in this instance, the requested records/information cannot be released at this time, the FOIA denial read. Please note, however, that the requested information will be made available at a later date. The lack of up-front transparency by the state has some people on edge. I hope that they will do the right thing. Theyve done the right thing so far. We have great hopes for the future, said Chuck Ream, the Ann Arbor-based director of the Safer Michigan Coalition, a marijuana legalization advocacy group that helped secure the research funds. I wish they would release more information, but thats just because were so concerned.", + "likes": 580 + }, + { + "caption": "The House of Representatives passed a large-scale spending bill that includes provisions on marijuana banking, letting Washington, D.C. legalize cannabis sales, CBD regulations, employment protections, loosening hemp rules, safe consumption site for illegal drugs and psychedelic research, among other issues. Idahos secretary of state has given activists the go-ahead to start collecting signatures for a proposed 2022 ballot measure to legalize marijuana possession. The U.S Court of Appeals for the Sixth Circuit rejected Ohio activists case seeking signature gathering relief for marijuana decriminalization measures they had trouble qualifying for local ballots last year due to the coronavirus pandemic. Without a time machine, we cannot go back and place plaintiffs initiatives on the 2020 ballot. The Oregon Psilocybin Advisory Boarda state panel created under the voter-approved legal psychedelic therapy initiativepublished a research review finding that the substance is efficacious in reducing depression and anxiety, including in life-threatening conditions. / FEDERAL The Environmental Protection Agency avoided acting on marijuana-related portions of a Polk County, Iowa air quality program under federal review. The House Judiciary Committee tweeted, The sentencing disparity between crack and powder cocaine offenses that persists today is a relic from the failed War on Drugs, along with a thread containing other information about a reform bill the panel recently passed. Sen. Cory Booker (D-NJ) tweeted, Decriminalizing marijuana is not enough. We must also repair the damage done to those communities most harmed by a failed Drug War and expunge records. We should be demanding restorative justice. He also tweeted, Veterans should have access to all treatment optionsincluding medical marijuanawhich is why for years Ive been pushing legislation to allow this. Its long past time we legalize marijuana for our veterans & those who continue to suffer the consequences of our failed drug war. Continue in comments ", + "likes": 1779 + }, + { + "caption": "Ohio medical marijuana businesses are backing a new effort to legalize cannabis for wider use. But unlike the failed 2015 legalization effort, they're not going to try to put it in the state Constitution. Instead, they have drafted a state law and plan to put it before legislators first before taking it to the voters. \"We think we have a proposal here that checks all the boxes,\" said Cleveland-area cannabis attorney Tom Haren, who is the spokesperson for the Coalition to Regulate Marijuana Like Alcohol. Supporters of the measure turned in an initial batch of more than 1,000 signatures and proposed language to the Ohio attorney general's office Tuesday. The attorney general has 10 days to review the summary of the proposed law that appears on petitions to make sure it is a \"fair and truthful\" representation of the measure. Supporters will eventually have to collect 132,887 signatures of registered Ohio voters to put the measure before the Legislature. Lawmakers will then have four months to pass, reject or pass an amended version of the statute. If they don't pass the bill, supporters can collect another 132,887 signatures to place it on a statewide ballot, likely in November 2022. What the bill would do The proposal would allow Ohioans age 21 and older to buy and possess 2.5 ounces of cannabis and 15 grams of concentrates and grow up to six plants in secure spaces at home, according to language of the proposed bill. A 10% tax would be applied, with proceeds going to local municipalities with marijuana businesses, substance abuse and addiction programs and operations for the program. Local governments could prohibit or limit marijuana businesses from locating in their communities. The language grandfathers in the existing medical marijuana program and allows the state's existing 34 cultivators, 47 processors and 58 dispensaries to obtain licenses for the recreational market almost exclusively for the first two years. Continue in comments ", + "likes": 789 + }, + { + "caption": "For a second time in less than three years, Green Bay is checking to see if it should lower the amount you can be fined for marijuana possession. You can make it a million dollars, I don't think it's going to stop people from smoking, said Alderperson Bill Galvin. Galvin requested to look at the issue. The retired police officer had a constituent ask him to propose decriminalization. It makes no sense to have it on the books and not enforce it, said Galvin. According to the city attorneys office, the default cost for a pot possession fine in Green Bay used to be $880, a $650 citation plus court costs. A vote to lower the fine in 2018 brought the default cost down to $502. I know the judge is willing to work with people to make payments and that, but it still seems to me kind of ridiculous that we're charging the equivalent of some people a week or more of salary, said Galvin. At a city committee meeting, Alderperson John VanderLeest expressed opposition to lowering the fine amount. I think as far as reducing the fees, we might want to look at more education methods, not reducing fines, said VanderLeest. VanderLeest also requested a look at the number of citations being issued, something police said they will make available. Continue in comments ", + "likes": 888 + }, + { + "caption": "Epilepsy patients who used nonprescription CBD products reported a higher quality of life and better sleep than patients who did not take the cannabinoid, according to the results of a newly published study in the peer-reviewed journal Epilepsy & Behavior. Patients who used CBD products also better tolerated epilepsy medications, used fewer prescription medications overall and experienced reduced psychiatric symptoms such as anxiety, the study found. No significant differences in seizure control were observed between patients who used CBD and those who did not, but the studys authors noted that both groups included a high number of individuals with no past month seizures. These findings further emphasize the need for controlled research to determine optimal CBD product types, doses, and concomitant use of other medications that maximize possible clinical benefit while minimizing potential risks, the report says. The study, Cross-sectional and longitudinal evaluation of cannabidiol (CBD) product use and health among people with epilepsy, was published Tuesday. It focuses specifically on what authors call artisanal CBDalternatives to the prescription drug Epidiolex, which the U.S. Food and Drug Administration approved in 2018 to treat certain rare types of epilepsy. Pharmaceutical CBD is currently a restricted prescription medication, and insurance coverage is often limited to only those patients with the specific approved indications, the report says. As a result, a large number of patients with epilepsy elect to use alternative CBD products sold widely as dietary supplements by commercial vendors. The research was funded by Realm of Caring, a nonprofit foundation devoted to cannabinoid therapies that is sponsored by companies that make CBD products. The group conducted the study in collaboration with researchers at the Johns Hopkins University School of Medicine. Continue in comments ", + "likes": 1374 + }, + { + "caption": "The Clarendon Hotel and Spa in downtown Phoenix is open for business. Hotel managers say it is \"Arizona's first Cannabis-friendly hotel.\" We are a cannabis-friendly hotel and have a cannabis-friendly event company that is elevating and educating the community about cannabis, says Daron Brotherton, the VP of Operations at the hotel. The Clarendon Hotel and Spa in downtown Phoenix is open for business. Hotel managers say it is \"Arizona's first Cannabis-friendly hotel.\" We are a cannabis-friendly hotel and have a cannabis-friendly event company that is elevating and educating the community about cannabis, says Daron Brotherton, the VP of Operations at the hotel. The property is listed on \"Bud and Breakfast,\" a website listing cannabis-friendly accommodations worldwide. Chef Drew Tingley, who was on the 19th season of \"Hell's Kitchen,\" and Chef Derek Upton, dubbed \"Arizona's Cannabis Chef,\" say they are trying to enlighten the public about their positive health experiences with the plant. Both shared experiences about how cannabis replaced prescription medication for depression and anxiety in addition to other health issues. Chef Derek and Chef Drew are hosting a six-course intimate dinner with cannabis-infused cuisine on Monday, July 26 from 7:30 p.m. to 10:00 p.m. Tickets can be bought at Event Hi using the keyword: Elevated Under the Stars.", + "likes": 2355 + }, + { + "caption": "CHAPEL HILL As North Carolinas General Assembly debates the legalization of medical marijuana, hemp farmers and retailers have already found a legal alternative: Delta-8 THC. Otherwise known as Weeds Little Brother, Delta-8 THC, or D-8, is the hottest cannabinoid on the market right now, especially in states like North Carolina, where marijuana remains illegal. We started selling our first Delta-8 brand in November, and it blew up, said Tanya Durand, owner of The Hemp Store on Franklin Street in Chapel Hill, in an interview with WRAL TechWire. The response has definitely been overwhelming. Not to be confused with the Delta COVID variant, Delta-8 is the less-potent, less well-known cousin of Delta-9 THC, the chief psychoactive compound in marijuana. Yes, it gets you high. Chill, mellow, or clear headed are some of the words used to describe the effect. Some estimates put it at about 80% less strong than marijuana. Delta-8 does not produce the side effects of paranoia or anxiety. Unlike Delta-9, which comes from marijuana, Delta-8 is derived from hemp. Hemp is part of the same Cannabis family, shares a similar chemical structure, looks like marijuana to the untrained eye and has a skunky odorsbut contains less than 0.3 percent of psychoactive tetrahydrocannabinol (THC). Another big difference: unlike Delta-9, which is currently banned under federal law, Delta-8 is legalin theory. Thanks to a loophole in the 2018 Farm Bill that legalized hemp and its derivatives, proponents argue its just another form of hemp and lawful. Its currently available in most states, including North Carolina, where the Delta-8 business is expanding. Thats been our biggest sales for this year, really, said Durand. Almost overnight, vape shops are stocking shelves with Delta-8 gummies, tinctures and concentrates, ranging in price from $3 for a single serve to $40 for a bag of 20 gummies. Continue in comments ", + "likes": 826 + }, + { + "caption": "The proportion of schizophrenia cases linked with problematic use of marijuana has increased over the past 25 years, according to a new study from Denmark. In 1995, 2% of schizophrenia diagnoses in the country were associated with cannabis use disorder. In 2000, it increased to around 4%. Since 2010, that figure increased to 8%, the study found. \"I think it is highly important to use both our study and other studies to highlight and emphasize that cannabis use is not harmless,\" said Carsten Hjorthj, an associate professor at the Copenhagen Research Center for Mental Health and an author of the study published in the medical journal JAMA Psychiatry, via email. \"There is, unfortunately, evidence to suggest that cannabis is increasingly seen as a somewhat harmless substance. This is unfortunate, since we see links with schizophrenia, poorer cognitive function, substance use disorders, etc,\" Hjorthj wrote. Previous research has suggested that the risk of schizophrenia is heightened for people who use cannabis, and the association is particularly driven by heavy use of the drug. Many researchers hypothesize that cannabis use may be a \"component cause,\" which interacts with other risk factors, to cause the condition. \"Of course, our findings will have to be replicated elsewhere before firm conclusions can be drawn,\" Hjorthj continued. \"But I do feel fairly confident that we will see similar patterns in places where problematic use of cannabis has increased, or where the potency of cannabis has increased, since many studies suggest that high-potency cannabis is probably the driver of the association with schizophrenia.\" Around the world tens of millions of people use cannabis. It's legal for recreational use in 19 US states and Canada. In these and some other places, it's also approved to treat some medical conditions. Cannabis use and cannabis use disorder have been increasing in Denmark, the study said -- a pattern that's also seen globally. Recreational weed use is illegal in Denmark but is allowed for medicinal purposes. Continue in comments ", + "likes": 4448 + }, + { + "caption": "One day last spring, water pressure in pipelines suddenly crashed In the Antelope Valley, setting off alarms. Demand had inexplicably spiked, swelling to three and half times normal. Water mains broke open, and storage tanks were drawn down to dangerous levels. The emergency was so dire in the water-stressed desert area of Hi Vista, between Los Angeles and Mojave, that county health officials considered ordering residents to boil their tap water before drinking it. We said, Holy cow, whats happening? said Anish Saraiya, public works deputy for Los Angeles County Supervisor Kathryn Barger. It took a while for officials to figure out where all that water was going: Water thieves likely working for illicit marijuana operations had pulled water from remote filling stations and tapped into fire hydrants, improperly shutting off valves and triggering a chain reaction that threatened the water supply of nearly 300 homes. As drought grips most of California, water thievery across the state has increased to record levels. Bandits in water trucks are backing up to rivers and lakes and pumping free water they sell on a burgeoning black market. Others, under cover of darkness, plug into city hydrants and top up. Thieves also steal water from homes, farms and private wells, and some even created an elaborate system of dams, reservoirs and pipelines during the last drought. Others are MacGyvering break-ins directly into pressurized water mains, a dangerous and destructive approach known as hot-tapping. In Mendocino County, the thefts from rivers and streams are compromising already depleted Russian River waterways. In one water district there, thefts from hydrants could compromise a limited water supply for fighting fires, which is why they have put locks on hydrants. Any way that you can imagine that somebody is going to grab water, theyre doing it, said Mendocino County Sheriff Matt Kendall. For goodness sakes, everybody knows what is going on. Continue in comments ", + "likes": 1730 + }, + { + "caption": "President Joe Biden still opposes marijuana legalization, White House press secretary Jen Psaki said Wednesday, putting him at odds with Democratic leadership on Capitol Hill as it advances legislation to end the federal prohibition on pot. Senate Majority Leader Chuck Schumer unveiled draft legislation Wednesday that would legalize marijuana as well as expunge non-violent criminal records related to marijuana. Schumer's proposal, cosponsored by Sens. Cory Booker (D-N.J.) and Ron Wyden (D-Ore.) would allow states to decide whether or not to legalize the drug. Asked about the majority leader's proposal, Psaki told reporters at her Wednesday press briefing that Bidens stance on marijuana legalization hasnt changed. The president has previously supported marijuana decriminalization, but hasnt gone so far as to support legalization. I have spoken in the past about the presidents views on marijuana, Psaki told the White House press corps, adding, nothing has changed. Theres no new endorsements of legislation to report today. Asked again about cannabis later in the briefing, Psaki said she hadnt spoken with the president about this specific piece of legislation but again reiterated that Bidens position hasnt changed. The president has spoken about mass incarceration in the past, saying during his campaign that marijuana offenses shouldnt land Americans in jail. But the White House also made headlines for firing staffers early in Bidens term for marijuana use, earning the president criticism from marijuana legalization advocates. Schumer called the cannabis legislation \"one of the high priorities\" for Democrats in an interview with NBC, saying the party has a \"lot of top priorities\" that it needs to move forward on. The New York senator has long promised a vote on marijuana reform, though holdouts in his own party might make it difficult for the bill to pass in the Senate. Asked if Democrats have the votes to get this done, Schumer said they're working on it. In the interview, Booker said there is an urgency to pass this legislation, citing Americans who are \"seeing their lives destroyed and hurt\" as a result of of stringent marijuana laws. ", + "likes": 1775 + }, + { + "caption": "A marijuana processing facility in Bay City had its license suspended indefinitely by the Michigan Marijuana Regulatory Agency on Monday. Based on its investigation of the conduct alleged in the formal complaint, the (agency) determined that the safety or health of patrons or employees is jeopardized by continued operation, the suspension order said. The facility is operated by MEDFarms, which is listed in state records as 3843 Euclid LLC, and operates Dispo, a marijuana retailer at the same address, 3843 Euclid in Bay City. The suspension comes after the state on July 8 announced the recall of 10,000 marijuana-infused chocolate edibles sold under the brand name Covert Cups. Regulators said a compliance check discovered improperly packaged product that wasnt accompanied by labels to confirm it had been entered into the states test tracking system, called METRC. The Michigan Marijuana Regulatory Agency also noted evidence of other safety and production violations, including video footage of an employee repeatedly licking her gloved finger and a spatula used in production of the chocolates. Investigators said they found product in non-retail packaging inside 21 unmarked bins in a safe room vault area and witnessed employees violating good manufacturing practices by wearing street clothes and using cellphones while wearing sanitary gloves. Some of the finished product that was identified as having already passed state safety compliance testing was never made available during the random sampling process, according to the Marijuana Regulatory Agency. Ryli Kant, a spokesperson for MEDFarms, said the business is frustrated by the state response and doesnt understand why regulators are portraying the company in such a negative light when there was no real safety concern. Due to a packaging shortage, Kant said some of the chocolate edibles were in temporary containers, but had all passed testing. This isnt the first compliance issue for 3843 Euclid LLC. Its license was suspended for 14 days last summer after the state found employees were licking pre-rolled joints to seal them closed with saliva as its normal practice. Continue in comments ", + "likes": 1989 + } + ] + }, + { + "fullname": "High", + "biography": "@mysterhighend or @octave_hightech", + "followers_count": 172725, + "follows_count": 1923, + "website": "", + "profileCategory": 2, + "specialisation": "Household Supplies", + "location": "", + "username": "meltingpotheads", + "role": "influencer", + "latestMedia": [ + { + "caption": "Lmfao", + "likes": 2823 + }, + { + "caption": "", + "likes": 852 + }, + { + "caption": "", + "likes": 3243 + }, + { + "caption": "Thats how high I am rn", + "likes": 1633 + }, + { + "caption": "Lmfao omg", + "likes": 7432 + }, + { + "caption": "", + "likes": 5850 + }, + { + "caption": "", + "likes": 4922 + }, + { + "caption": "Lmfao", + "likes": 1342 + }, + { + "caption": "", + "likes": 4904 + }, + { + "caption": "Fr lol", + "likes": 593 + }, + { + "caption": "", + "likes": 5141 + }, + { + "caption": "@stonedtim flying high with the #battpak by @octave_hightech", + "likes": 941 + } + ] + }, + { + "fullname": "Weed.energy", + "biography": "For entertainment only. DM for shoutout. Just for entertainment Nothing for sale", + "followers_count": 586093, + "follows_count": 40, + "website": "https://honestofficial.com/products/honest-torch-lighter", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "weed.energy", + "role": "influencer", + "latestMedia": [ + { + "caption": "Take a break", + "likes": 2322 + }, + { + "caption": "Change the game, the Next Generation for Safer Use @oneGee_official", + "likes": 256 + }, + { + "caption": "@gigiganja_", + "likes": 3573 + }, + { + "caption": "@herb", + "likes": 1154 + } + ] + }, + { + "fullname": "Michelle \ud83d\udc99 Rad Reefer", + "biography": "Owner @RadReeferCompany @FloraFlex Grow betterBe better Positive mindfulness Artisanal Cannabis Your Grow Guide #ColorsOfCannabis ", + "followers_count": 206195, + "follows_count": 7487, + "website": "http://www.tribereefer.com/", + "profileCategory": 3, + "specialisation": "Gardener", + "location": "", + "username": "missradreefer", + "role": "influencer", + "latestMedia": [ + { + "caption": "Salt Bae *wink* Favorite pastime includes the ocean, adrenaline sports and smoking doobies at everywhere She possibly can/ and theres only one way to find out if you can smoke there lol- Fun day on the water down in SD bay w the boys and my bestie- I think I want to host a group jet ski party w friends - yall aint down! I think my top speed was only 46mph :( lol Also/ are you the type to jump in the deep water? We had a slowed ski from something getting sucked into the intake and I jumped in to pull it out, so funny to watch the others mad hesitant to get in the open water- if you have not hit this bay on skis yet- I highly recommend", + "likes": 4397 + }, + { + "caption": "Cmon man, I cant be *that responsible* *all the time* Bet most yall my age be feeling this, sometimes I think responsible learning skipped us completely", + "likes": 1482 + }, + { + "caption": "Sound on, tell me that shit didnt hit appropriately! Booom Hello mamas Ooweee these moms are loving life Whats your Secret to keeping moms? How long are you keeping them around on average and do you flip your lady ? Optimally grown with @floraflex love in a 2 gal quick fill coco bag ", + "likes": 1233 + }, + { + "caption": "I love ladies who make the trim job easy- (hasnt been manicured yet here buds sorry I thought it was an obvious one lol wink ) but Roll up already- hahahaha whatchu smokin on ?? #colorsofcannabis #cannabiscultivation #womengrow #shegrowscannabis #plantsoverpills #cannabisismedicine #plantsheal #cannabisculture #cannabiscultivator #womeninweed #womenandweed #womangrown #cannabisgrow #cannabis101 #supportwomenownedbusinesses #cannabiscultivation101 #highsociety #highsociety420 #radreefer #floraflex #fulltilt #bulkyB", + "likes": 7787 + }, + { + "caption": "Aweee yeaaaaa!!! Step into my office for a quick sneak peaksies?? Floraflex Master Lighting Control is avail now for pre-order!!! This sucker does it all! One of the best garden assistants a gal could ask for- Im a huge fan of increasing my ppfd as I progress through flowering, and even decreasing towards the end- One controller can automate 200 lights on 2 zones - incredibly dependable and one less thing on your plate as a cultivator! - controls both HID and LED lights as well as dimming from 10% up to 115% ", + "likes": 5019 + }, + { + "caption": "Top of the morning to ya! Ive found balance in being grateful for where I am.. how far I hve come But KEY here is being grateful.. but still aspire to be more Always know your current situation is not your end destination- so enjoy the ride This might be my first round in here yall have seen that wasnt a bunch of strains- sticking to 3 this season Coming in hot with Lumpys Fritter, Classic WiFi OG, and gelato from tissue culture.. Also my first round w a cultivar thats been through the Tissue culture process !!", + "likes": 2001 + }, + { + "caption": "How many times are you squeezing in a top session in veg? I personally trying for twice min- depending on how much time I have to veg This is 3 weeks and ready for take off!!! @floraflex coco and their Potpro 6 1 Gal - straight bustin Dont forget - Floraflex hooked me up with discount codes to save your bottom dollar!", + "likes": 4579 + }, + { + "caption": "I see so many of you TAKE YOURSELF out of the game before youve even given it a proper go! STAhp that shit! You literally NEED to change your inner dialog from what if I cant do it and thinkin of all the things that could go wrong To what if I can and ALL the possibilities that come with the mentality the sky is the limit- and you certainly can fuckin do this Youve got this darlin, you just need to believe you do too", + "likes": 1160 + }, + { + "caption": "Holy frijoles! These ladies got set up on the Micro Drip system in my video the other day- did you see how baby baby yhey were? Sheesh- this is less than 2 weeks of growth! Doing a 4x4 tent grow along side w yall- all #FloraFlex, to the moon Soon to clean up the lower growth that wont make it within the *goldilocks zone* of the new LED panel -", + "likes": 3129 + }, + { + "caption": "Once you get into the swing of things, you ought to establish your standards, and stand firmly on them. NO MIDs Yes, shit happens, and it happens often for the duration of a grow cycle literally every single round- though I promise if we put our best foot forward - make the best we can from what were given and actually put in the effort in a timely fashion itll make the journey all the more worth it #cannabiscultivation #womengrow #shegrowscannabis #plantsoverpills #cannabisismedicine #plantsheal #cannabisculture #cannabiscultivator #womeninweed #womenandweed #womangrown #cannabisgrow #cannabis101 #supportwomenownedbusinesses #cannabiscultivation101 #highsociety #highsociety420 #radreefer #floraflex #fulltilt #bulkyB", + "likes": 5202 + }, + { + "caption": "Damn yooo! I slapped this beast together in under 10 min! So without a doubt, if I can do it, you can do it! @floraflex coming in clutch - Ill be at HQ tomorrow to go live with some Q&A Couple of frequently asked questions- Straight tube: warm up our tubes in the sun to work out the curve on the roll Holes: flip the hole puncher around so its facing you and u can see wtf youre punching instead of looking over the shoulder of the puncher lol Drippers: only put them in a few inches deep into the medium, water will work down, if you force it too deep the upper layer of coco wont receive as much water as you presumed lol We learned that plants that have been hand watered in veg take readjusting if youre hooking them up to irrigation only in flower - two completely different watering styles so that should be taken into consideration Dont forget theyve set me up with discount codes to pass on the savings to yall #cannabiscultivation #womengrow #shegrowscannabis #plantsoverpills #cannabisismedicine #plantsheal #cannabisculture #cannabiscultivator #womeninweed #womenandweed #womangrown #cannabisgrow #cannabis101 #supportwomenownedbusinesses #cannabiscultivation101 #highsociety #highsociety420 #radreefer #floraflex #fulltilt #bulkyB", + "likes": 1753 + }, + { + "caption": "Sheeesh, do you remember your first big plant? I grabbed this photo many many years ago, literally the first time being surrounded by plant ladies bigger than I was - I can still feel the same happiness today, which is kinda cool.", + "likes": 4001 + } + ] + }, + { + "fullname": "Zippo Manufacturing Company", + "biography": "Fire, heat, and fashion. Since 1932. @originalzippo and @zippoencore are the only official Zippo accounts.", + "followers_count": 241670, + "follows_count": 24, + "website": "https://fal.cn/3gXfG", + "profileCategory": 2, + "specialisation": "", + "location": "Bradford, Pennsylvania", + "username": "originalzippo", + "role": "influencer", + "latestMedia": [ + { + "caption": "All in the details #POTD : @pelaezarte #Zippo #MadeInUSA", + "likes": 8804 + }, + { + "caption": "Welcome our newest collectible! Celebrating 90 years of the USA national anthem, this star-spangled lighter is limited to 1,000 pieces and is a zippo.com exclusive!", + "likes": 1976 + }, + { + "caption": "", + "likes": 3752 + }, + { + "caption": "Houston, it's lit. #NationalMoonDay Model 250-072564", + "likes": 9917 + }, + { + "caption": "A Zippo design AND in 540 Color? Say less. Link in bio for all 540 Color Lighters. #Zippo #MadeInUSA", + "likes": 3934 + }, + { + "caption": "Take a closer look at our 2021 @harleydavidson Collectible. This limited-edition Armor Black Ice lighter features the iconic Harley-Davidson bar and shield and MultiCut bands of hexagons and rows of faceted studs. Get yours at the link in our bio. #Zippo #HarleyDavidson", + "likes": 10320 + }, + { + "caption": "Our limited-edition 2021 @harleydavidson Collectible celebrates the freedom of the open road. Get yours at the link in our bio. #Zippo #HarleyDavidson", + "likes": 4374 + }, + { + "caption": "Name that lighter model #POTD : @ariel.edc #Zippo #MadeInUSA", + "likes": 10137 + }, + { + "caption": "Congrats @tblightning! That's a wrap on #StanleyCup 2021 Score your limited-edition Tampa Bay Lightning Stanley Cup Championship lighter now! Link in bio.", + "likes": 2440 + }, + { + "caption": "Made for the wild How old is your favorite lighter? You can tell by reading about our date code system at the link in our bio. #POTD : @marc_veluwe #Zippo #MadeInUSA", + "likes": 10748 + }, + { + "caption": "You can only have ONE Zippo lighter... Which would you choose? Like for Classic Comment for Slim #Zippo", + "likes": 15311 + }, + { + "caption": "A new collectible is on its way. Hint: Like Zippo windproof lighters, it's #MadeInUSA Learn more at the link in our bio. #Zippo", + "likes": 5199 + } + ] + }, + { + "fullname": "The Weed Princess \ud83d\udca8\ud83d\udc9a\ud83d\udd25", + "biography": "Mary Jane Enthusiast | Rapper Delaware Los Angeles | Alexandria Twerk For Goku Out Now On All Platforms! ", + "followers_count": 190322, + "follows_count": 2050, + "website": "https://music.apple.com/us/album/twerk-for-goku-single/1567169267", + "profileCategory": 3, + "specialisation": "Musician", + "location": "", + "username": "aliciagoku_", + "role": "influencer", + "latestMedia": [ + { + "caption": "Would you dab this whole diamond with me yes or no? ;; from @leftcoastextractsca", + "likes": 1466 + }, + { + "caption": "Pot Girl Summer ", + "likes": 10101 + }, + { + "caption": "1, 2 or 3 ", + "likes": 10806 + }, + { + "caption": "I love it here FULL VIDEO IN @ROACH_DTLA BIO ", + "likes": 1392 + }, + { + "caption": "My ganja be eyeing me smh . It dont even be my fault ... ft. @stiiizy ", + "likes": 1842 + }, + { + "caption": "Face Card on 10 ", + "likes": 3017 + }, + { + "caption": "you cant flex on me ", + "likes": 13174 + }, + { + "caption": "Fun with bae ! @a__hoke thank you @ouidtube ", + "likes": 3153 + }, + { + "caption": "My anger be like...no we need to smoke dabber // piece: @bndlstech ", + "likes": 3747 + }, + { + "caption": "Tryna sesh with me ?! Link with me on @highthereapp // @highthereapp2 canna friendly content can be posted & you can get together with us stoners!! . . W/ @angela_mazzanti & @colbicat", + "likes": 1071 + }, + { + "caption": "Had to seriously let everyone know ... its just wax bro ", + "likes": 8235 + }, + { + "caption": "I be actin dumb af after a dab dabber from: @bndlstech ", + "likes": 3315 + } + ] + }, + { + "fullname": "Padro\u0301n Cigars", + "biography": "When Padrn is on the label, quality is a matter of family honor. #padron #padroncigars #teampadron Handcrafted since 1964 : ig@padron.com", + "followers_count": 149966, + "follows_count": 829, + "website": "http://www.padron.com/shop", + "profileCategory": 2, + "specialisation": "Business Service", + "location": "Miami, Florida", + "username": "padroncigars", + "role": "influencer", + "latestMedia": [ + { + "caption": "Cigar Aficionado Top Scores: - 93 Padrn Dmaso No. 12 (50 x 5) Swipe up on this link in our story for more information on the Padron Damaso line of cigars. @cigaraficionado #teampadron #cigars #padron #padroncigars #padroning", + "likes": 2005 + }, + { + "caption": "Family Reserve 85 Years (50 x 5 1/4) Swipe up on this link in our story for more information on the Padron Family Reserve The Little Hammer #padroning #teampadron #padron #cigars #padroncigars", + "likes": 2146 + }, + { + "caption": "Weekend ready! Enjoy! 1926 Serie No. 35 maduro (48 x 4) #padroncigars #padron #cigars #padroning #teampadron", + "likes": 2147 + }, + { + "caption": "Family Reserve 50 Years (54 x 5) Enjoy! #padroning #teampadron #padron #cigars #padroncigars", + "likes": 2970 + }, + { + "caption": "Padron Series 2000 (50 x 5) I want to say that planting, smelling, enjoying and sharing tobacco has been a fundamental component of my entire life and that of my family. - Jose O. Padron Memorable Moments In My Life Link in bio to purchase. #padron #cigars #teampadron #padroning", + "likes": 3365 + }, + { + "caption": "Ending the weekend with a 1926 Serie Gift Pack maduro! No. 1 (54 x 6 3/4) No. 9 (56 x 5 1/4) No. 2 (52 x 5 1/2) No. 6 (50 x 4 3/4) Long ashes to all! Swipe up on this link in our story #teampadron #padron #padroncigars #cigars #padroning", + "likes": 4533 + }, + { + "caption": "Padron Exclusivo (50 x 5 1/2) Enjoy your Saturday cigars! Swipe up on this link in our story #padron #padroncigars #teampadron #cigars #padroning", + "likes": 3072 + }, + { + "caption": "Padron.com/shop New Accessories Padron Essentials... Now available through our website! Just follow the link in our bio or go to Padron.com/shop Enjoy! #teampadron #padron #cigar #cigars #padroncigars #padroning", + "likes": 1832 + }, + { + "caption": "1964 Anniversary Series Toro (56 x 5) Enjoy! Swipe up on this link in our story for more information on the Padrn Anniversary Series Cigar Selection #padron #teampadron #cigars #padroncigars #padroning", + "likes": 3533 + }, + { + "caption": "Family Reserve 44 Years (52 x 6) Enjoy! #teampadron #cigars #padron #padroncigars #padroning", + "likes": 2897 + }, + { + "caption": "1964 Anniversary Series No. 4 (60 x 6 1/2) Swipe up on this link in our story to read more about the 1964 Anniversary Series #padron #teampadron #cigars #padroncigars #padroning", + "likes": 3277 + }, + { + "caption": "Ready for day 3 of our annual PCA trade show! Enjoy! #padroncigars #cigar #padron #teampadron", + "likes": 3290 + } + ] + }, + { + "fullname": "Ganjahs", + "biography": " Stoner Humor. Must be 21+ to follow", + "followers_count": 128550, + "follows_count": 631, + "website": "", + "profileCategory": 2, + "specialisation": "Video Creator", + "location": "", + "username": "ganjahs", + "role": "influencer", + "latestMedia": [ + { + "caption": "", + "likes": 2035 + }, + { + "caption": "facts ", + "likes": 5515 + }, + { + "caption": "kinda looks like mids ngl", + "likes": 3801 + }, + { + "caption": "Bomb af ", + "likes": 2679 + }, + { + "caption": "how can people not like the office!", + "likes": 1943 + }, + { + "caption": "True story ", + "likes": 1497 + }, + { + "caption": "Check yall steaks ", + "likes": 2078 + }, + { + "caption": "It be like this (via: @ducebaily)", + "likes": 13490 + }, + { + "caption": "They tried to sell him an unbreakable bong (via: @Donzemaitis)", + "likes": 3260 + }, + { + "caption": "Extra sauce @giannis_an34", + "likes": 2577 + }, + { + "caption": "Mother of the year nominee ", + "likes": 5062 + }, + { + "caption": "yeah or nah?", + "likes": 5343 + } + ] + }, + { + "fullname": "The Green Witch", + "biography": "Worship Nature Sharing spells, brews and inspo Follow our backup - @theessenceofawitch We do not own featured content Witch boxes & more ", + "followers_count": 477892, + "follows_count": 1086, + "website": "https://linktr.ee/natureofawitch", + "profileCategory": 3, + "specialisation": "Blogger", + "location": "", + "username": "thenatureofawitch", + "role": "influencer", + "latestMedia": [ + { + "caption": "1,2,3,4 or 5? Link in @wiccanaltar 's Bio Free Worldwide Shipping Up to 70% of till the 24th . . . . . Want to step up your crystal game? Visit www.wiccanaltar.shop and Indulge yourself in a world full of crystals and magic . . The benefits of each item are written in the product descriptions and if you have any extra questions you can DM us and we'll be happy to help you out . . . . . . . . #spirituality #traditionalwitchcraft #hedgewitch #brujeria #nature #esoteric #solitarywitch #wiccan #crystaljewelry #crystalmagic #chakrasana #amethyst #throatchakra #crownchakra #witchywoman #spellwork #moon #spiritual #witchythings #astrology #eclecticwitch #spells #crystalhealing #crystalball #divination #wiccanaltar", + "likes": 445 + }, + { + "caption": "Tag someone that needs an Obsidian Witch Hat from @moonlightjewelsco Available for $47 usd free shipping to Canada and USA Use code \"SPOOKY\" for 10% off orders of $100 usd or more #witch #witchy #witchtips #witchspells #chakra #crystals #crystal #witchcraft #greenwitchcraft #kitchenwitchcraft #babywitch #witchling #beginnerwitch #chakraalignment #balancing #spells #witchspells #bookofshadows #witchesofinstagram #witchyvibes #spirituality #witchery", + "likes": 1247 + }, + { + "caption": "SPOOKY SEASON Collection is now live over at @moonlightjewelsco Halloween is just around the corner and it's time to celebrate! Head over to www.moonlightjewelsco.com to shop or use the swipe up link in my story Use code \"SPOOKY\" for 10% off orders of $100 usd or more #witch #witchy #witchtips #witchspells #chakra #crystals #crystal #witchcraft #greenwitchcraft #kitchenwitchcraft #babywitch #witchling #beginnerwitch #chakraalignment #balancing #spells #witchspells #bookofshadows #witchesofinstagram #witchyvibes #spirituality #witchery", + "likes": 3538 + }, + { + "caption": "Whats your preferred form of divination? Feature By: @mariathearcane Check out the link in our bio! Witchy playlists, monthly witchy subscription boxes, crystals and more! #witch #witchy #witchtips #witchspells #chakra #crystals #crystal #witchcraft #greenwitchcraft #kitchenwitchcraft #witchling #beginnerwitch #witchesofinstagram #witchythings #crystalmagic #chakraalignment #balancing #spells #witchspells #bookofshadows #witchesofinstagram #witchyvibes #witchery #witchaesthetic #instawitchesoftherealm", + "likes": 886 + }, + { + "caption": "New update over @verbenalune which crystal is your fave? Visit verbenalune.com to shop #witch #witchy #witchtips #witchspells #chakra #crystals #crystal #witchcraft #greenwitchcraft #kitchenwitchcraft #babywitch #witchling #beginnerwitch #chakraalignment #balancing #spells #witchspells #bookofshadows #witchesofinstagram #witchyvibes #spirituality #witchery", + "likes": 1184 + }, + { + "caption": "Are you more of a beach or forest person? Feature By: @cfunk44 Check out the link in our bio! Witchy playlists, monthly witchy subscription boxes, crystals and more! #witch #witchy #witchtips #witchspells #chakra #crystals #crystal #witchcraft #greenwitchcraft #kitchenwitchcraft #witchling #beginnerwitch #witchesofinstagram #witchythings #crystalmagic #chakraalignment #balancing #spells #witchspells #bookofshadows #witchesofinstagram #witchyvibes #witchery #witchaesthetic #instawitchesoftherealm", + "likes": 31550 + }, + { + "caption": "How beautiful are these adjustable Crystal Rings from @divinecrystalstore one size fits all so they are perfect for gifting Which one do you love most? $25 usd each with free shipping! #witch #witchy #witchtips #witchspells #chakra #crystals #crystal #witchcraft #greenwitchcraft #kitchenwitchcraft #babywitch #witchling #beginnerwitch #chakraalignment #balancing #spells #witchspells #bookofshadows #witchesofinstagram #witchyvibes #spirituality #witchery", + "likes": 2785 + }, + { + "caption": "1,2,3,4 or 5? Link in @wiccanaltar 's Bio Free Worldwide Shipping Up to 70% of till the 24th . . . . . Want to step up your crystal game? Visit www.wiccanaltar.shop and Indulge yourself in a world full of crystals and magic . . The benefits of each item are written in the product descriptions and if you have any extra questions you can DM us and we'll be happy to help you out . . . . . . . . #spirituality #traditionalwitchcraft #hedgewitch #brujeria #nature #esoteric #solitarywitch #wiccan #crystaljewelry #crystalmagic #chakrasana #amethyst #throatchakra #crownchakra #witchywoman #spellwork #moon #spiritual #witchythings #astrology #eclecticwitch #spells #crystalhealing #crystalball #divination #wiccanaltar", + "likes": 938 + }, + { + "caption": "Moldavite Rings from @moonlightjewelsco on sale today for $80 usd Available in sizes 4-10 Free tracked shipping included #witch #witchy #witchtips #witchspells #chakra #crystals #crystal #witchcraft #greenwitchcraft #kitchenwitchcraft #babywitch #witchling #beginnerwitch #chakraalignment #balancing #spells #witchspells #bookofshadows #witchesofinstagram #witchyvibes #spirituality #witchery", + "likes": 806 + }, + { + "caption": "Gorgeous pieces over at @designsbytiffanyw which animal would you like as a crystal?? #witch #witchy #witchtips #witchspells #chakra #crystals #crystal #witchcraft #greenwitchcraft #kitchenwitchcraft #babywitch #witchling #beginnerwitch #chakraalignment #balancing #spells #witchspells #bookofshadows #witchesofinstagram #witchyvibes #spirituality #witchery", + "likes": 1180 + }, + { + "caption": "Crystal Phone Grips from @moonlightjewelsco on sale for $12 USD this weekend Swipe to see how it looks on your phone! Attaches to any phone or phone case Carry your good vibes and crystal magic around with you all summer! Free shipping when you buy 4 or more use code \"FREESHIPPING\" at checkout #witch #witchy #witchtips #witchspells #chakra #crystals #crystal #witchcraft #greenwitchcraft #kitchenwitchcraft #babywitch #witchling #beginnerwitch #chakraalignment #balancing #spells #witchspells #bookofshadows #witchesofinstagram #witchyvibes #spirituality #witchery", + "likes": 1538 + }, + { + "caption": "@fire_and_flowers_studio is welcoming Leo Season and having one last celebration of Summer! The Sunflower is the flower of Leos and the perfect flower to bridge Summer and Fall all these beautiful wall hangings and cleansing wands are made with real dried flowers and available now! Head on over to @fire_and_flowers_studio and follow that link in bio #witch #witchy #witchtips #witchspells #chakra #crystals #crystal #witchcraft #greenwitchcraft #kitchenwitchcraft #babywitch #witchling #beginnerwitch #chakraalignment #balancing #spells #witchspells #bookofshadows #witchesofinstagram #witchyvibes #spirituality #witchery", + "likes": 1005 + } + ] + }, + { + "fullname": "I\u2019m a Stoner & I\u2019m Chillin \u270c\ud83c\udffd\ud83d\udc8b", + "biography": "Cooking Fanatic Fitness Enthusiast Co Owner of @push_trees_", + "followers_count": 127548, + "follows_count": 601, + "website": "https://linktr.ee/Stoner_Dottie", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "stoner_dottie", + "role": "influencer", + "latestMedia": [ + { + "caption": "How Ill forever remember you next to thomas making him laugh until he cackled You were the first person i met in the family. I remember how stoked Thomas was because you just moved back. When we started dating , you were always there for us. Always believed in what we were doing and did anything you could to help us I fuckin miss you so much.. you truly were such an amazing friend to me . You were there for me when my grandparents passed, gave me advice when i felt depressed, and always put a smile on my face. Some days it doesnt feel real , i still want thomas to call you and tell you everything we are doing.. i miss those phone calls so much I cant believe its been a year today.. just wish i could get one last hug and hear that goofy laugh of yours. I love you so much John.. #RIPUncleJohn", + "likes": 6008 + }, + { + "caption": "#SelfiePhotoDump I thought taking a break from social media would make me excited to come back lol Lately Ive been self sabotaging.. overwhelming myself with things i know i can handle but continuously beating myself up like i cant hang its been a wild journey. Im so thankful for @yola__youtube__ always keeping me on track and reminding me I CAN FUCKIN DO IT ! #ilybaby I want to create more content Ive just been stuck on what to do i love sharing my cooking skills and working out videos but i feel like i need more gonna brainstorm a bit . Thanks for still sticking around Ps i know yall are gonna say go on the podcast BUT it makes me nervous but maybe MAAAAAAAAYBEEEEEE i will work the up the courage lol", + "likes": 7225 + }, + { + "caption": "I love you sir @yola__youtube__ #SoupSnakes", + "likes": 5264 + }, + { + "caption": "Hi @dope_as_usual_podcast gear now available ", + "likes": 2541 + }, + { + "caption": "@Push_Trees_ bags are officially on the site We have been working on it since January, watching @yola__youtube__ #MCM ideas come to life is one my of my favorite things #ProudOfUs Dont miss out on this sick drop !!", + "likes": 2244 + }, + { + "caption": "So stoked for tomorrow.. just putting the final touches on the website @Push_Trees_ bags drop TOMORROW #NeverNotPushin #PushTrees #DrasticGraphics", + "likes": 2134 + }, + { + "caption": "My heart has crumbled in a million pieces I cant believe it honestly. I still remember the first time meeting you and anytime we had a booth in the Bay Area it seemed like you were always there to support us Ima miss those bear hugs followed by a fire joint and amazing conversation .. those were always my favorite. Ugh. My prayers and love go towards the family RIP @thecookiemonster415", + "likes": 6654 + }, + { + "caption": "Its my birthday Annnnnd the @dope_as_usual_podcast merch just dropped .. Dont miss out #DopeAsUsual", + "likes": 7332 + }, + { + "caption": "If your homie doesnt make you do a full circle so you can get epic shots during your kayak trip.... get a new friend I have the best friend / photographer around ... thanks @tigerllil for these shots #Kayaking #GirlGang #Adventure @channelislandsnps #GoWildBlue #AnacapaIsland", + "likes": 5178 + }, + { + "caption": "Still cant get over it Ima edit our video since Ill be chillin today . Ive probably gone over the pictures at least 2x a day lol its so amazing. I still cant believe we kayaked in the ocean. YES - to answer all of your questions i was scared AF! Smoked a little before to calm my nerves lol but then the second we jumped out of the boat onto a kayak... i just could not wait to explore. We went through about 6-7 caves , met some fabulous sea lions who were totally down for a photo shoot (when you see the video youll get it) , and idk why but history has been my thing lately.. learning the history of #AnacapaIsland was so interesting and definitely kept my mind occupied off sharks i was down to see some aliens just not sharks Already planning our next months trip and its my birth month cant wait !!! @buku_bluntz @tigerllil I definitely recommend @channelislandsnps #GoWildBlue if this is something you want to do or visiting LA and want to do something a little wild ! They were a great tour guide and some dope people to hang out with for the day. #Kayak #OceanKayak #GirlGang #AdventuresInLA #BucketList", + "likes": 1920 + }, + { + "caption": "Still cant believe we kayaked in the ocean Thank you @buku_bluntz and @tigerllil for helping me conquer a fear ahaha . Cant wait to edit our video , HUGE thanks to @channelislandsnps ! Im literally still in awe. Cant wait for our next adventure #BucketList #ChannelIsland #Kayaking #GirlGang", + "likes": 1161 + }, + { + "caption": "Axe throwing night and i got a bullseye boii Pretty rare night when were all in town and can actually get together @ljaxethrowing @yola__youtube__ @strangepep @buku_bluntz @ratcheton @dontbelievemejustwatchh @tigerllil @shesonrandom @unknownprophet #AxeThrowing #DateNight", + "likes": 2395 + } + ] + }, + { + "fullname": "Smoke weed succeed\ud83c\udf41", + "biography": "why be a bully when you can be a friend. be kind to every kind. @friendlycartel", + "followers_count": 135385, + "follows_count": 420, + "website": "https://www.friendlycartelclothing.com/", + "profileCategory": 1, + "specialisation": "", + "location": "", + "username": "stonerfaqs", + "role": "influencer", + "latestMedia": [ + { + "caption": "Ass tray ", + "likes": 3383 + }, + { + "caption": "No papers no problem ", + "likes": 2791 + }, + { + "caption": "Wake n bake ", + "likes": 5298 + }, + { + "caption": "", + "likes": 5903 + }, + { + "caption": "always", + "likes": 6242 + }, + { + "caption": "", + "likes": 3271 + }, + { + "caption": "Yabba dabba doo @brands_gone_bad", + "likes": 5130 + } + ] + }, + { + "fullname": "\ud835\uddd7\ud835\uddf2\ud835\uddfb\ud835\ude03\ud835\uddf2\ud835\uddff, \ud835\uddd6\ud835\uddfc\ud835\uddf9\ud835\uddfc\ud835\uddff\ud835\uddee\ud835\uddf1\ud835\uddfc", + "biography": " #theMileHighCity . ", + "followers_count": 101149, + "follows_count": 303, + "website": "https://linktr.ee/themilehighcity", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "themilehighcity", + "role": "influencer", + "latestMedia": [ + { + "caption": "#MileHighHappenings: August 2021. Weve rounded up the last true summer events of the season before we feel the autumn shift. From food festivals to free outdoor concerts and more. Lather up the sunscreen, hydrate, and get ready for some long days outside this August. Tap the link in our bio to read our full event list. : @francesalyss", + "likes": 1128 + }, + { + "caption": "About last night Photo by storm chaser and landscape photographer @thewxmann #tmhc #milehighcity #denver #dnvrcolorado #colorado #cityofdenver #downtowndenver #denvernow #visitdenver #do303 #303magazine #5280magazine #denverwestword #themilehighcity #dnvr //", + "likes": 6933 + }, + { + "caption": "The sign is up! @meow__wolf Denver is opening Fall 2021. This third permanent exhibition will be unforgettable, transformational, and not to be missed. Discover immersive psychedelic, mind-bending art and an underlying rich narrative as you take a journey of discovery into a surreal, science-fictional world. Whos excited?! #meowwolf #meowwolfdenver Photography by: @rjp5150 #tmhc #milehighcity #denver #dnvrcolorado #colorado #cityofdenver #downtowndenver #denvernow #visitdenver #do303 #303magazine #5280magazine #denverwestword #themilehighcity #dnvr //", + "likes": 5969 + }, + { + "caption": "Were back! Good morning and happy Friday, Mile High City. We took a nice social media vacation, which we encourage everyone to do from time to time. Its ok to not be plugged in 24/7 and give your mind a break from the digital world. We hope you have a wonderful weekend. As always, share your Denver adventures with us by tagging #themilehighcity. : @rmt.photo", + "likes": 645 + }, + { + "caption": "What a Home Run Derby! Congrats to @polarpete20 of the @mets for winning it for the 2nd year in a row! Were you there? Share you photos and tag #themilehighcity ! : @andrew_forino Share your Denver views by tagging #theMileHighCity #tmhc #milehighcity #dnvrcolorado #colorado #cityofdenver #downtowndenver #visitdenver #303 #5280 #allstargame2021 #homerunderby ", + "likes": 2126 + }, + { + "caption": "Cannabis connoisseurs, aficionados, and fans the Denver @mjmansion is an adult playground worth adding to your Mile High City plans. We got a first hand look at the mansion and all its glory. Tap the link in our bio to learn about what to expect and an update on Denvers marijuana hospitality industry. : @juliana.amann", + "likes": 3741 + }, + { + "caption": "Anytime you hike for at least 8 hours make sure you also hammock for at least 2 hours. Beautiful words and photo by @crazyforcolorado #LoneEaglePeak #SundayOutdoorFunday", + "likes": 4027 + }, + { + "caption": "Its here & its perfect The @MLB Play Ball Park is now open at the Colorado Convention Center! Make sure to check out AllStarGame.com each day for the latest ticket availability! : @rockies", + "likes": 599 + }, + { + "caption": "#4thofJuly weekend in Denver Featuring our favorite three photos tagged #themilehighcity Photo 1: @js_streetsandscapes Photo 2: @fsupecas21 Photo 3: @knoxzz ", + "likes": 4584 + }, + { + "caption": "Enjoy your #FourthofJuly, Mile High City @Rockies take on the @Cardinals at #Coorsfield today at 1:10pm. Lets go boys! Nolan looks way better in purple and black Photo by #Rockies Photographer @kylecoopah ", + "likes": 1795 + }, + { + "caption": "I-25 light trails captured by @flightlevelfoto #Denver_afterdark | #LongExposure | #MileHighCity", + "likes": 1211 + }, + { + "caption": "Its a beautiful day in the neighborhood : @englishphotos Soak up the Denver before the moves in.", + "likes": 2455 + } + ] + }, + { + "fullname": "The Potted Boxwood", + "biography": "all things timeless, everything chic by Christina Dandar #ChicinDallas", + "followers_count": 143958, + "follows_count": 1942, + "website": "http://www.thepottedboxwood.com/", + "profileCategory": 3, + "specialisation": "Blogger", + "location": "", + "username": "thepottedboxwood", + "role": "influencer", + "latestMedia": [ + { + "caption": "proof that timeless design is just that a home left untouched for years #stillbeautiful #ChicinDallas #dallas #design #windows #thepottedboxwood", + "likes": 705 + }, + { + "caption": "the type of house you want to grow up in #ChicinDallas #dallas #architecture #design #beautifulonBeverly #thepottedboxwod", + "likes": 2499 + }, + { + "caption": "so fresh, clean, and classic- how I love homes and boxwood #ChicinDallas #dallas #architecture #house #design #landscape #curbappeal #thepottedboxwood", + "likes": 2731 + }, + { + "caption": "happy saturday, friends #ChicinDallas #dallas #design #landscape #curbappeal #thepottedboxwood", + "likes": 2239 + }, + { + "caption": "my sweet friend in Atlanta snapped a picture of this darling home That said, The Potted Boxwood may be a visiting a southern city near you this fall/winter. If you are a designer, architect, builder, landscaper, or a business in the south wanting to collaborate DM me for more information! #ChicinAtlanta #atlanta #atl #hometours #design #thepottedboxwood", + "likes": 1390 + }, + { + "caption": "I walk these streets often, but this one truly stopped me in my tracks its beautiful, as was this day for me #ChicinDallas #dallas #design #curbappeal #landscape #architecture #thepottedboxwood", + "likes": 3300 + }, + { + "caption": "I often get asked about chic home furniture looks for less. #ad Ive rounded up all these timeless pieces from Walmart Home @walmart See more on my blog today! #homedecor #furniture #chairs #shelves #liketkit #LTKhome #LTKstyletip @shop.ltk http://liketk.it/3kMC8", + "likes": 192 + }, + { + "caption": "simply sophisticated see more of todays walk in my stories #ChicinDallas #dallas #design #landscape #curbappeal #thepottedboxwood", + "likes": 2154 + }, + { + "caption": "just a reminder, not all brick needs to be painted white #ChicinDallas #dallas #design #architecture #curbappeal #landscape #thepottedboxwood", + "likes": 1212 + }, + { + "caption": "looking at life from every angle #ChicinDallas #dallas #architecture #landscape #design #thepottedboxwood", + "likes": 2046 + }, + { + "caption": "paint perfection this time I want to know what are the paint and shutter colors? comment with your best guess! #ChicinDallas #dallas #architecture #curbappeal #landscape #design #thepottedboxwood", + "likes": 4747 + }, + { + "caption": "its a stay in the shade kind of dallas day have a great weekend everyone! #ChicinDallas #dallas #design #landscape #curbappeal #thepottedboxwood", + "likes": 1223 + } + ] + }, + { + "fullname": "Tammy\ud83d\udc97The Cannabis Cutie, MBA", + "biography": "Debunking myths & educating about Canna 101 Course in bio Higher Learning Book Club in bio @106_and_spark + much more ", + "followers_count": 71327, + "follows_count": 1519, + "website": "https://omnil.ink/cannabiscutie", + "profileCategory": 2, + "specialisation": "Entrepreneur", + "location": "", + "username": "thecannabiscutie", + "role": "influencer", + "latestMedia": [ + { + "caption": "Industrial hemp is extremely healing to the natural environment around us. In fact, it's one of the best plants for use in bioremediation, aka the healing of soil with plants. How is this possible? Hemp extracts toxins and pollutants from the soil and groundwater and absorbs carbon dioxide (CO2) while accumulating the toxins in its tissues and root systems, all as it remains undamaged. Through bioremediation, hemp can eliminate toxins such as metals, pesticides, solvents, and petroleum from the earth without the need to remove any of the contaminated topsoil. This process helps produce a clean, balanced and nutrient-rich soil, which can then be safely used for agriculture or improving surrounding areas. From oil spills to Chernobyl and so much more, hemp can heal the earth! : @hudsonhemp", + "likes": 1297 + }, + { + "caption": "How much is too much? Asking for a friend : Hailey OC/Milfweed on Twitter", + "likes": 7582 + }, + { + "caption": "A rose in a desert can only survive on its strength, not its beauty. -Matshona Dhliwayo", + "likes": 3293 + }, + { + "caption": "It's Friday.. So not that you need me to tell you, but if you're looking for a sign to get high - this is it -- What're you most looking forward to this weekend?!", + "likes": 3956 + }, + { + "caption": "Did you know the NFL plans to award up to $1 million in grants for researchers to investigate the therapeutic potential of cannabis & CBD as an alternative to opioids for pain? The league specifically wants proposals on three areas of inquiry: The effects of cannabinoids on pain in elite football players The effects of non-pharmacologic treatments on pain in elite football players The effects of cannabis or cannabinoids on athletic performance (e.g., psychomotor, reaction time, cardiorespiratory function) in elite football players Another stride in the right direction towards ending this war on drugs! : @redheadedstranger_420", + "likes": 3099 + }, + { + "caption": "Yall know I love this filter so forgive me but the message had to be shared! ", + "likes": 2942 + }, + { + "caption": "You know you're making progress when schools start offering cannabis related degrees! Last month, the first of five students with a Cannabis & Culture minor graduated from Western Illinois University. The program addresses the socio-economic, historical, religious and cultural aspects of cannabis in the United States and around the world - providing an understanding of policy as well as marketplace knowledge. To all my new followers - Cannabis education is something I'm really passionate about! I have a ton of resources on my profile as well as my website, link in bio. : @littlesavagedesign", + "likes": 2605 + }, + { + "caption": "Pro tip: No one will know you're stoned if you're always stoned : @indica_mob", + "likes": 8828 + }, + { + "caption": "Who can relate?? : @stonerparty", + "likes": 3529 + }, + { + "caption": "Have you ever been curious about the science behind why weed makes you hungry? Cannabis can actually stimulate appetite through the production of the ghrelin hormone. This hormone acts on the appetite centers in the brain to create hunger, and paired with the fact that cannabinoids impact your taste and smell - it helps your mind and body to be more interested in food. : @lifteddladies", + "likes": 9065 + }, + { + "caption": "Best \"stoner movies\" of all time -- Drop your favorites in the comments! : @weedfeed", + "likes": 3012 + }, + { + "caption": "If you had to guess, how long do you think bongs have been around? . . ...If you said about 2500 years, you'd be correct! Archaeologists from the Chinese Academy of Sciences discovered the \"wooden brazier\" in Eastern China, suggesting cannabis was smoked as part of a ritual or religious activities in the region. The smoking device was specifically used to hotbox the ceremonial hut at funerals. The more you know! : @shopcannastyle", + "likes": 1784 + } + ] + }, + { + "fullname": "CSI: Humboldt", + "biography": "CSI: Humboldt Feminized Seeds Pirates of the Emerald Triangle Reg Seeds Nothing For SaleCAProp215 compliant", + "followers_count": 225917, + "follows_count": 2591, + "website": "http://www.humboldtcsi.com/", + "profileCategory": 3, + "specialisation": "Scientist", + "location": "", + "username": "csi_humboldt", + "role": "influencer", + "latestMedia": [ + { + "caption": "Triangle Kush x Chemdog D....this hybrid needs a name...what should we call it? This example was wonderfully grown and pictured by @massgenetics Bred by @csi_humboldt winner of the name game gets a free pack of their choosing from @humboldt_csi", + "likes": 2596 + }, + { + "caption": "Bubba Kush S1...something about a good Bubba Kush...this frosty example grown and photographed by @rollon420 preserved by @csi_humboldt more info in the links @humboldt_csi", + "likes": 3184 + }, + { + "caption": "I really liked this shot of Three Queens (Whitefire 43 x Bubba Kush) grown and pictured by @paidbypounds bred by @csi_humboldt more info in the links @humboldt_csi", + "likes": 2426 + }, + { + "caption": "Pinks N Purps male at two weeks flower...showing his true colors. ", + "likes": 1091 + }, + { + "caption": "Pinks N Purps...180 regular, male & female, plants 10 days into flower...what would y'all do here soon? Would ya do an open pollination and preserve the hybrid genetics? Would ya select the most desirable male/s (based on what criteria?) and pollinate all the ladies or just the best girls? #pinksnpurps", + "likes": 1613 + }, + { + "caption": "This awesome specimen of Obama Kush (Mendo Purps x Bubba Kush) was professionally photographed by @visualsbyvlad and righteously grown by @oregonrootsinc_ Check out the profile links @csi_humboldt & @humboldt_csi and don't forget the Coupon Code: 711", + "likes": 1942 + }, + { + "caption": "This wonderful picture of Obama Kush (Mendo Purps x Bubba Kush) was professionally taken by @windhome and expertly grown by @white.label.farms If you've been looking for Obama Kush S1's or Feminized hybrids check out the link in the profile @humboldt_csi and don't forget to use the coupon code: 711", + "likes": 1485 + }, + { + "caption": "Founding Father's...Obama Kush release this weekend at www.humboldtcsi.com For those that don't already know....Obama Kush (Mendo Purps x Bubba Kush) was bred by @csi_humboldt 15 years ago,, back in 2006, the seeds we're grown and selected in 2007 by @tigard_farms / @founding_fathers_genetics The stunning example pictured above was grown by @tigard_farms and professionally photographed by @resinated_lens Hit the link in the profiles for more info. @csi_humboldt @humboldt_csi", + "likes": 3142 + }, + { + "caption": "Obama Kush (Mendo Purps x Bubba Kush) fading away....loaded with nearly ripe Ruthless Runtz hybrid seed. Looking forward to growing some of these beans out very soon. @rblposse #ruthlessruntz #obamakush #nobammer", + "likes": 1482 + }, + { + "caption": "Chemdog '91 x Girl Scout Cookies full of Ruthless Runtz hybrid seed. She might not look pretty this round but she's grown for seed, not weed. You know the seeds are ripe when the flower starts dying around them. @rblposse #ruthlessruntz #nobammer", + "likes": 3151 + }, + { + "caption": "Ruthless Runtz...full of S1 seed, almost ripe and ready to harvest. @rblposse #nobammer", + "likes": 1745 + }, + { + "caption": "Pinks 'N' Purps a week and a half since transplant...looks like they're ready to flip now. These, 180 seed plants, are going to be open pollinated for this preservation run. I will also be selecting males and females for future directional breeding as well as for making some Purple type hybrids. Should be the start of a very fun project. ", + "likes": 1644 + } + ] + }, + { + "fullname": "Melissa Lotuss", + "biography": "Booking - April 2022 Las Vegas Owner @lotussink @lotussclothingsupply Co owner: @aloha.mamacita @eileen.entertainment @eileen.floral", + "followers_count": 126813, + "follows_count": 7209, + "website": "http://eileenentertainment.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "melissaa_lotuss", + "role": "influencer", + "latestMedia": [ + { + "caption": "Full leg Ganesha Elephant sleeve interested in making an apt I am Located in Las Vegas , Nevada/- 2022 . . . #bayarea #lasvegas #hawaii #tattoo #tattoos #tattooartist #ink #inked #yatted #lasvegastattooartist #lasvegastattoo", + "likes": 3963 + }, + { + "caption": "Full leg Ganesha Elephant leg sleeve interested in making an apt I am Located in Las Vegas , Nevada/- 2022 . . @enerizemedia @3mnick . #bayarea #lasvegas #hawaii #tattoo #tattoos #tattooartist #ink #inked #yatted #lasvegastattooartist #lasvegastattoo #floraltattoo #floral", + "likes": 3677 + }, + { + "caption": "Other side to the manga full sleeve If interested in making an apt I am Located in Las Vegas , Nevada/- 2022 Text : 925-856-7722 . . Or email me at: melissalotuss@gmail.com . #bayarea #lasvegas #hawaii #tattoo #tattoos #tattooartist #ink #inked #yatted #lasvegastattooartist #anime #animeedits #animetattoos #animeart #dragonball #dragonballz #demonslayer #deomonslayeredit #manga #mangaart #tokyoghoul", + "likes": 4080 + }, + { + "caption": "Full custom manga sleeve . . : @enerizemedia @3mnick . . #tattoo #tattoos #tattooideas #tattoosleeve #tattooartist #tattooart #anime #animeart #animeedit #dragonball #dragonballz #demonslayer #attackontitan #sailormoon #fairytail", + "likes": 2875 + }, + { + "caption": "Manga panel full sleeve wrap around . . . #tattoo #tattooideas #tattoos #anime #animeedits #manga #mangaart #video #reels #reelsinstagram", + "likes": 6141 + }, + { + "caption": "Ready to see my boo @usher tonighttt ", + "likes": 6354 + }, + { + "caption": "Lotera Cards with red roses! A tribute piece to her grandmother interested in making an apt I am Located in Las Vegas , Nevada/- 2022 Text : 925-856-7722 . . Or email me at: melissalotuss@gmail.com . #bayarea #lasvegas #hawaii #tattoo #tattoos #tattooartist #ink #inked #yatted #lasvegastattooartist #lasvegastattoo #floraltattoo #floral", + "likes": 5066 + }, + { + "caption": "Something light simple tiger line work! (Did not do numbers) interested in making an apt I am Located in Las Vegas , Nevada/- 2022 Text : 925-856-7722 . . Or email me at: melissalotuss@gmail.com . #bayarea #lasvegas #hawaii #tattoo #tattoos #tattooartist #ink #inked #yatted #lasvegastattooartist #lasvegastattoo #floraltattoo #floral", + "likes": 4342 + }, + { + "caption": "Manga panel forearm piece If interested in making an apt I am Located in Las Vegas , Nevada/- 2022 Text : 925-856-7722 . . Or email me at: melissalotuss@gmail.com . #bayarea #lasvegas #hawaii #tattoo #tattoos #tattooartist #ink #inked #yatted #lasvegastattooartist #anime #animeedits #animetattoos #animeart #dragonball #dragonballz #demonslayer #deomonslayeredit #manga #mangaart", + "likes": 3944 + }, + { + "caption": "Dragon with koi fish Japanese sleeve with red cherry blossoms If interested in making an apt I am Located in Las Vegas , Nevada/- 2022 Text : 925-856-7722 . . Or email me at: melissalotuss@gmail.com . #bayarea #lasvegas #hawaii #tattoo #tattoos #tattooartist #ink #inked #yatted #lasvegastattooartist #lasvegastattoo #japanese #japanesetattoo", + "likes": 4646 + }, + { + "caption": "Haku with red spider Lilly spine piece If interested in making an apt I am Located in Las Vegas , Nevada/- 2022 Text : 925-856-7722 . . Or email me at: melissalotuss@gmail.com . #bayarea #lasvegas #hawaii #tattoo #tattoos #tattooartist #ink #inked #yatted #lasvegastattooartist #anime #animeedits #animetattoos #animeart #spiritedaway #spiritedawaytattoo #studioghibli", + "likes": 3862 + }, + { + "caption": "Manga panel forearm piece If interested in making an apt I am Located in Las Vegas , Nevada/- 2022 Text : 925-856-7722 . . Or email me at: melissalotuss@gmail.com . #bayarea #lasvegas #hawaii #tattoo #tattoos #tattooartist #ink #inked #yatted #lasvegastattooartist #anime #animeedits #animetattoos #animeart #dragonball #dragonballz #demonslayer #deomonslayeredit #manga #mangaart", + "likes": 3691 + } + ] + }, + { + "fullname": "\u2728VIBES\u2728", + "biography": "21+ only. not to be sold to or used by minors. for non-tobacco, legal herbal use only. organic hemp now available at your local smoke shop! ", + "followers_count": 145458, + "follows_count": 799, + "website": "https://vibespapers.com/pages/store-locator", + "profileCategory": 2, + "specialisation": "Product/Service", + "location": "", + "username": "vibespapers", + "role": "influencer", + "latestMedia": [ + { + "caption": "Were here for you ", + "likes": 1923 + }, + { + "caption": "Smoking is such a ritualistic motion for me, and there are things that I do aside from the rolling that attribute to the enjoyment of the experience. Allowing my senses to lend hand in the reception of the experience. From the feel of the paper and texture of the body, to the flavor of a dry pull, down to the sight of the first light. Part of my process before I begin to smoke is getting a feel for the joint itself, gently rolling it between my fingers while feeling for the textures of the paper and consistencies in the body. This allows me to get an idea of what Im about to smoke and how the draw may be upon inhalation. I then like to take a few dry pulls to test the restrictiveness of the draw while also experiencing the natural flavor profile of the flower before combustion begins. I will usually take 3 to 5 pulls, exhaling through my nose and mouth. This allows me to taste more as it activates both olfactory and gustatory senses. Each step so far is typically done in a calm and relaxed setting, but the lighting of the joint is where I make sure to take the necessary time to ensure Ive done it correct. Rather than directly pulling flame into the body, I prefer too Toast the foot by allowing the flame to gently ignite the foot without allowing the flame to come in direct contact with it. This helps to preserve flavor by not overheating the flower while promoting a healthy burn line. The last thing I do after establishing a solid burn line is to Purge the joint before smoking begins. This is done by gently blowing into the joint from the smoking end. What this does is expel any stale smoke that may have been trapped in the body from ignition. It essentially clears the body of any potential flavor inhibiting factors before you fully begin to smoke. These are some of the things I enjoy doing, what are some of yours? @roll_bmc", + "likes": 2400 + }, + { + "caption": "Whats your favorite Vibe?", + "likes": 1002 + }, + { + "caption": "Lets goooo @berner415 #vibetribe", + "likes": 3291 + }, + { + "caption": "Best name for this dog wins a care package (picking winner in 24hours) winner @the_realelias", + "likes": 3015 + }, + { + "caption": "Words from @roll_bmc ~Whats so amazing to me about rolling is that it can be so much more than the action itself, that in fact it is its own craft and art form. I find a lot of calm and tranquility from rolling, almost ritualistic. But what I find truly astounding about the craft is that its rare that you find two individuals that will roll exactly alike. That to me is amazing. This is because we all develop our own style or way of rolling the more we see and learn from our environment. We all start from somewhere, usually learning the basic concepts of rolling. You put the flower in, you tuck it up, roll it, and smoke it. After getting familiar with the basics is when we can really start to deviate from the foundations of rolling. Little by little, we begin to tweak and adjust things in order to achieve a certain outcome. If that outcome isnt reached, then you adapt and adjust and try again. Approaching rolling with this mindset is how we learn and develop new techniques to implement as well as open ourselves to being more creative. What you see is not always how it has to be. You can roll anyway and anything that you want to, there are no rules to this game. When you start to push your limits and step outside of your comfort zone, you can really start to create some amazing things. Things such as what I like to call Fold Tech in which the paper is folded and layered in a way to create a sturdier mouthpiece. Or the Culebra joint, taking inspiration from the cigar industry is a braided joint that when deconstructed creates 3 warped and twisted joints! I encourage everyone to get to it and start creating! See what ideas your minds lead you to!", + "likes": 3727 + }, + { + "caption": "Smoking On The New 3 Gram Cali ", + "likes": 8424 + }, + { + "caption": "When it comes to the action of Smoking, youll often hear me say that pace is important to the overall pleasantry of the experience. Smoking too fast can cause burn/draw issues, while smoking too slow may cause burnouts resulting in re-lighting. I often advise smokers to let the coal breathe in between hits to allow the coal temperature to normalize before taking the next draw. Another helpful technique that Ive picked up from Pipe Smoking is a technique called Breath Smoking. This differs from letting it Breathe because it is actually using your own breathing rhythm. This is helpful when smoking things like Donuts. Its not something I do the entire time, but the idea is to use your natural breathing pattern to train a slow, consistent, and relaxed cadence to the draw sequence. How it is typically done is by holding the mouthpiece around your lips to create a tight seal. You then begin breathing slowly through your nose. The suction created from the seal of your lips will start drawing in fine puffs of smoke. You then gently exhale through the nose, and as a result the smoke in your mouth gets passed back into the body of the joint. This is referred to as massaging smoke. Massaging the smoke can lead to a more complex development of flavors while it moderates the overall temperature which can enhance the flavor profile itself. I generally like to take 2-3 breaths, gently inhaling and exhaling through my nose, while massaging the smoke on each exhale. 2-3 breaths should generate enough smoke to saturate your palate to inhale. With time and practice, you will begin to notice the differences in flavor and temperature. The goal is to make each draw as effortless as breathing itself. Its takes patience, but you will notice the advantages in the long run. Its a whole Vibe in itself, give it a shot and see if you can master your breathing! By @roll_bmc", + "likes": 3169 + }, + { + "caption": "Every great moment starts with a Vibe", + "likes": 659 + }, + { + "caption": "Big moves in Amsterdam otw! Lets welcome back @terpsarmy and @stevehaze420 #vibetribe", + "likes": 674 + }, + { + "caption": "What are you rolling up this morning? #vibetribe", + "likes": 1100 + }, + { + "caption": "Of the five senses, smell is the one with the best memory #vibetribe", + "likes": 600 + } + ] + }, + { + "fullname": "MOCHI + SUMO", + "biography": " Boston Mochi : Polar Bear Sumo : Grizzly Bear Two teddy bears who cant bear to be two paws apart", + "followers_count": 200985, + "follows_count": 38, + "website": "https://www.tiktok.com/@mochi.sumo/", + "profileCategory": 3, + "specialisation": "Public Figure", + "location": "", + "username": "mochi.sumo", + "role": "influencer", + "latestMedia": [ + { + "caption": "Something tells mama bear, she is going to love SuSu furever. There is a little corner in mama bears heart she never knew existed until SuSu came into her life. Please let mama bear love SuSu a little more, until SuSu is not so little anymore. ", + "likes": 2431 + }, + { + "caption": "Welcome to meow weekly cult meeting! Face masks are not required, but head covers are mandatory. Human is invited to enjoy dessert while the teddy bears discuss this weeks agenda: 1. Demand an increase in snack allowance 2. World Domination Did human see mama bears hair on the dessert on slides 5, 8 and 9? How disgusting! Now, whos gonna eat it? ", + "likes": 5200 + }, + { + "caption": "Sumo lives to eat, not eats to live. One of baby grizzly bears favorite snacks is melon. Sumo can smell it from meowllion miles away. Mama bear can never enjoy it without Sumo lurking over her shoulder. What is humans favorite fruits? Mama bear loves dekopon, longan, lychee, mangosteen, sugar apple, star apple, dragon fruit and velvet tamarind. Does human recognize any of the fruits mama bear has mentioned? ", + "likes": 2473 + }, + { + "caption": "Mochi + Sumo loaf human! Does human loaf Mochi + Sumo too? Although human often says cats have 9 lives, but all cats know there is only ONE. Life is short. Time is fast. No replay, no rewind so Mochi + Sumo plan to live life to the fullest and enjoy everyday like it is their last day with mama bear and pawpaw bear. The teddy bears hope human will do the same with your loved ones. Ameow! ", + "likes": 5452 + }, + { + "caption": "There's things about meow, human just have to know Sometimes ChiChi runs Sometimes ChiChi hides Sometimes ChiChi is scared of human!!! ChiChi dedicated meow special video to @britneyspears . ChiChi is with Britney always. Long Live Queen B! #freebritney ", + "likes": 5090 + }, + { + "caption": "Human, Halp Halp Halp Sumo! Why Mochi? WHY!? Mochi + Sumo love to wrestle every night before letting mama bear tuck them into bed. However last night, Sumo wanted to sleep early. Mochi refused to let Sumo rest and kept trying to wrestle. For some strange reason, Mochi loves to get on top and sit on Sumo, although both teddy bears are neutered boys. Does human know why? Do humans cats also do the same? **Sound On MAX, especially 3rd video to hear Mochi's complaining meow!!! ", + "likes": 5922 + }, + { + "caption": "Sumo did not choose the pampered teddy bear life. The pampered teddy bear life chose Sumo. Human, may Sumo purr Sumo's way into your heart? ", + "likes": 50222 + }, + { + "caption": "Mochi + Sumo are trying their luck at the meowsino! Would human like to play with the teddy bears? Was human able to keep up with the ball? Weve missed you. Have you missed us? Please forgive our absence. Mama bear feels so burned out lately. She often tries to make others smile, but forgets to smile herself. Do you sometimes feel mentally and physically exhausted? What do you do to help get yourself back on your paws? ", + "likes": 7440 + }, + { + "caption": "Chonky potatoes are hard to catnap. Mochi must eat more! The other day, pawpaw bear told mama bear he is so glad that Mochi will always be a baby. Pawpaw bear will never have to worry about Mochi growing up to do drugs and getting girls pregnant. WAIT! WHAT!? Does pawpaw love Mochi so much that he forgot Mochi is a baby polar bear and not a human baby? ", + "likes": 6926 + }, + { + "caption": "Happy 4th of July! Does human have any fun plans for the weekend? Mama bear is going to make vegan #banhmi . ChiChi and SuSu will wait patiently by the kitchen, hoping some nom nom nom will drop into our mouths. Have human ever tried Vietnameow Bnh M before? Its beary yummy, yet so cheap! ", + "likes": 9262 + }, + { + "caption": "Happy Adoptaversary Mochi + Sumo! Can humans please wish the teddy bears a happy adoptaversary in your native language? Thank you so much for coming into mama bear and pawpaw bears lives and filling our emptied hearts with your love. We loaf you more than we can BEAR our chonky bundle of joy ChiChi and smol bundle of love SuSu. ", + "likes": 7034 + }, + { + "caption": "Smol potato of meow heart! Sumos allergies just flared up again so our vet advised mama bear and pawpaw bear to give Sumo a bath to help alleviate Sumos itching. Sumo was such a sweet gentle boy. Sumo did well without any fussing. Sumo kindly asks humans to please open your mind and heart before bullying Sumos little furmily with hurtful comments. Thank you for your love and understanding! ", + "likes": 9178 + } + ] + }, + { + "fullname": "Princess Pakalolo", + "biography": "", + "followers_count": 2281, + "follows_count": 24, + "website": "https://www.amazon.com/Acid-Social-Land-Chelsea-Vundaland-ebook/dp/B096YCPRGN/ref=mp_s_a_1_3?dchild=1&keywords=acid+in+social+land&qid=1623700105&sr=8-3", + "profileCategory": 1, + "specialisation": "", + "location": "", + "username": "princesspakalolo", + "role": "influencer", + "latestMedia": [ + { + "caption": "", + "likes": 77 + }, + { + "caption": "", + "likes": 77 + }, + { + "caption": "wake & bake", + "likes": 85 + }, + { + "caption": "", + "likes": 72 + }, + { + "caption": "", + "likes": 77 + } + ] + }, + { + "fullname": "Coral Kamstra-Brown", + "biography": " new page: @coral.kamstrabrown ", + "followers_count": 167845, + "follows_count": 5472, + "website": "https://linktr.ee/Coralreefer420", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "coralreefer420", + "role": "influencer", + "latestMedia": [ + { + "caption": "NEW PAGE @coral.kamstrabrown Lets keep in touch! Add my new page, @coral.kamstrabrown, and please tell any #worldreefers you know thats where to find me for daily updates and a bit more personality than Ive been comfortable sharing here! See you there! @coral.kamstrabrown", + "likes": 1686 + }, + { + "caption": " its the third tiny greenhouse grow for me and @artsmak_mio, I love watching the buds fatten up! We planted some @cremedecanna.ca auto flower seeds, as well as some of our Jamaican cannabis seeds from our Christmas trip years ago. Our tiny greenhouse is filling up so quickly we gifted two plants to friends so the remaining plants could get thicker and thicker with the extra space. . The first time I grew cannabis I didnt quite enjoy it. I felt nervous and unsure and like I needed a lot of input. Truthfully I still dont feel like growing my own is my path, but I get a lot more enjoyment watching the process now that its not a science project in a tent with lights I have to regulate and intense formulas for nutrients. Backyard harvests feel so natural, so innate, just like washing off and enjoying fresh grown fruits and veggies from your garden, curing and rolling up homegrown cannabis is such a full sensory pleasure. . Homegrown cannabis is often feared during the legalization process. If its allowed why would anyone go to a shop people worry. If customers can grow their own how will any cannabis company survive? The answer is laughable, as @karissapukas once pointed out: many of us learned to bake our own bread in the start of quarantine and yet how many of us still buy loaves at the store? I know I do. And the same goes for cannabis. Our backyard harvest is a treasure and a memory I love making every year. It doesnt replace the excitement of cannabis shopping and selecting new strains, methods and products! #worldreefers #homegrown #homegrow #growyourown #backyard #backyardgarden #cannabis #cannabisgarden #greenhousegrow", + "likes": 343 + }, + { + "caption": "", + "likes": 1856 + }, + { + "caption": "Coffee, tea, or hot chocolate in your @stoneysunday mug? Im a hot chocolate person with the occasional hot tea too, but you wont ever find coffee in my mug! . These #stoneysunday are exclusively available to stream members, join today for access to merchandise plus 100+ archived smoke seshes and videos too! Patreon.com/CoralReefer420 #worldreefers #custommug #cricutcups #cricutmade #cricutmugpress #stoneysundaymug", + "likes": 263 + }, + { + "caption": "#flashbackfriday I love this old picture one of my step sisters sent me. I wonder if she snapped it originally on one of our familys road trips around California. Wed spend summer weekends camping with the motorcycle clubs on their runs. Wed see Big Bear Lake, Yosemite, Pescadero, and places I dont even remember the names of because it was long before I ever needed to read a map. . Im pretty sure Im mid tearing my fingernails up, I cant remember a time before I tore and bit my nails into bloody stumps. When I think about it now I see it as one of my earliest cries for help, anxiety was consuming me, but stumpy nails dont seem like much of an emergency to adults. Instead I was often scolded, yelled at, punished for being caught picking my nails again. I learned to hide my hands often, to not ask for help with my feelings, to feel embarrassed of the physical consequences that my anxiety cost me. . I love this photo my step sister sent me, because its helped me forgive myself at that age. I deserved to be cared for instead of shamed, I forgive myself for hurting my body when my brain was hurting me. I didnt know any other way, and the people that cared for me didnt do a lot of caretaking for my emotions or needs beyond the legal basics. Food and shelter, though no dresser or even a blanket or bed of my own at a home I lived at half my life. No drawer of my own belongings, no space for me to exist, so often I would tear myself apart in every effort to disappear. . I love this picture my step sister sent me because it reminds me she was there. Sometimes I push away memories of these years so completely I miss out on the sweet small moments I got to share with my step siblings. The jokes theyd crack to bring a smile to my face, the fearlessness they showed mocking my father. Their mom comforting me, telling me its ok to cry. They made space for me to simply exist as I am, sensitive and empathetic, and they didnt fault me for my traits but just made space for them. I couldnt recognize at the time how powerful and loving that is, but Im so grateful I got to experience it. Im so lucky to always be their little sister.", + "likes": 1219 + }, + { + "caption": "No one. No one. No one. No. One. . Possession limits are arbitrary and continue to criminalize consumers. Restricting homegrow rights allows arrests of growers and gardeners, forcing consumers to shop instead of grow for themselves. No one belongs in prison for pot, no one at all. . Phrasing inspired by a @thesweetfeminist cake posted a while back. ", + "likes": 3987 + }, + { + "caption": "Sometimes I have a lot to say, and Im so grateful for the time you give reading and listening to me. Sometimes I dont have anything to say, and Im so grateful for the friendliness and acceptance in my more quiet moments too. #coralreefer #wakeandbake #chair #pinup #roorglass #stonedblonde #bonghits #worldreefers", + "likes": 2220 + }, + { + "caption": "staying stoney my other pages: @newsnug @stoneysunday @coralstinyworld @coralsglass @coral.kamstrabrown @leaves.andlove @reefer.pets", + "likes": 1349 + }, + { + "caption": "Happy #stoneysunday to all the folks that can only take tiny tokes @coralstinyworld piece made by @coolhandsuuze, its real glass and functional! #coralstinyworld #worldreefers #miniatures #dollhouseminiatures #dailymini #dollhouses #miniature", + "likes": 584 + }, + { + "caption": "high 33 #birthdaysuit #33 #coralreefer #worldreefers #birthdaycake #cake", + "likes": 6626 + }, + { + "caption": "Its my birthday Friday and Im giving 30% off the next 100 subs to my fan page happy Monday and dont forget to drink your water! #worldreefers #coralreefer", + "likes": 2925 + }, + { + "caption": "Not looking forward to this again as things reopen #coralreefer420 #worldreefers @stoneysunday #stoneysundayshirt #yourewrong", + "likes": 2426 + } + ] + }, + { + "fullname": "Spades Cigars\u2122\ufe0f", + "biography": "This is the official page for Spades Cigars. Must be 21+ to follow.", + "followers_count": 63120, + "follows_count": 2324, + "website": "http://www.spadescigars.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "spadescigars", + "role": "influencer", + "latestMedia": [ + { + "caption": " TONIGHT .. Join the Spades Cigars Family .. At @fellaship.atl Presents Spades Night Powered by @spadescigars .. Come Out & Smoke a Spades Cigar & Have a Few Drinks With Us at @fellaship.atl .. With Spades Cigars Ambassador & ATL Own @hmkcigars .. Play Your Best Hand .. Half priced wine and champagne bottles for Wine Down Thursdays. . @cityslicka #SPADESCIGARS #cigar #cigaraficionado #cigarstyle #golf #supportourveterans #celebrity #houston #cigarphoto #atlantafashionblogger cigarsnob #cigarlove #cigarsociety #cigarboss #cigarart #cigarlife #cigarsmoke #cigarians #sotl #pssita #stogie #cigartime #smoke #ladiesofspades #tobacco #libations #leaf #cigaroftheweek #cigaroftheday #queenofspadescigars", + "likes": 5073 + }, + { + "caption": "Join the Spades Cigars Family .. Next Thursday .. July 29th 2021 For @fellaship.atl Presents Spades Night Powered by @spadescigars .. Come Out & Smoke a Spades Cigar & Have a Few Drinks With Us at @fellaship.atl .. See Everyone There .. Play Your Best Hand .. Half priced wine and champagne bottles for Wine Down Thursdays. . @cityslicka #SPADESCIGARS #cigar #cigaraficionado #cigarstyle #golf #supportourveterans #celebrity #houston #cigarphoto #atlantafashionblogger cigarsnob #cigarlove #cigarsociety #cigarboss #cigarart #cigarlife #cigarsmoke #cigarians #sotl #pssita #stogie #cigartime #smoke #ladiesofspades #tobacco #libations #leaf #cigaroftheweek #cigaroftheday #queenofspadescigars", + "likes": 5187 + }, + { + "caption": " LETS TAKE A TRIP TO ATLANTA .. We Will Be Back In The ATL .. Next Thursday .. July 29th 2021 For @fellaship.atl Spades Night Powered by @spadescigars .. Come Out & Smoke a Spades Cigar & Have a Few Drinks With Us at @fellaship.atl .. See Everyone There .. Play Your Best Hand .. Half priced wine and bottles for Wine Down Thursdays. . . #SPADESCIGARS #cigar #cigaraficionado #cigarstyle #golf #supportourveterans #celebrity #houston #cigarphoto #atlantafashionblogger cigarsnob #cigarlove #cigarsociety #cigarboss #cigarart #cigarlife #cigarsmoke #cigarians #sotl #pssita #stogie #cigartime #smoke #ladiesofspades #tobacco #libations #leaf #cigaroftheweek #cigaroftheday #queenofspadescigars", + "likes": 4972 + }, + { + "caption": "Spades Cigars .. Queen of Spades .. Mocha .. Order From on Line ... www.spadescigars.com .. or Purchase from your local cigar lounge .. Play Your Best Hand .. @spadescigars . . #SPADESCIGARS #cigar #cigaraficionado #cigarstyle #golf #supportourveterans #celebrity #houston #cigarphoto #cigarsnob #cigarlove #cigarsociety #cigarboss #cigarart #cigarlife #cigarsmoke #cigarians #sotl #pssita #stogie #cigartime #smoke #ladiesofspades #tobacco #libations #leaf #cigaroftheweek #cigaroftheday #queenofspadescigars", + "likes": 5114 + }, + { + "caption": "We Had The Pleasure & Honor To Be Apart to be apart of @alleykathou Block Party ft The Legendary @officialbizmarkie .. He Will Always Be Remembered & Missed .. Thank You to The Houston Legend & Visionary @marcusmosiah & The Number 1 Restaurant in the USA @katfishandgrits for allowing @spadescigars to be apart of HISTORY .. No Body Beats The Biz . . #SPADESCIGARS #cigar #cigaraficionado #cigarstyle #golf #supportourveterans #celebrity #houston #cigarphoto #atlantafashionblogger cigarsnob #cigarlove #cigarsociety #cigarboss #cigarart #cigarlife #cigarsmoke #cigarians #sotl #pssita #stogie #cigartime #smoke #ladiesofspades #tobacco #libations #leaf #cigaroftheweek #cigaroftheday #queenofspadescigars", + "likes": 5170 + }, + { + "caption": "COUNTDOWN BEGINS 20 minutes before @bnl_behind.the.brand starts featuring @spadescigars and a special tribute to @officialbizmarkie Rest in Power King! Go to @bnl_behind.the.brand for the link", + "likes": 5144 + }, + { + "caption": "This Saturday .. We Are Excited to Be a Part of This SPECIAL Event .. @bnl_behind.the.brand .. Join Us For a LIVE Interview .. Saturday July 17th 2021 .. 11am PST / 2pm EST .. @barrelsnleafs Presents Behind The Brands .. Play Your Best Hand .. @spadescigars . . #SPADESCIGARS #cigar #cigaraficionado #cigarstyle #golf #supportourveterans #celebrity #houston #cigarphoto #atlantafashionblogger cigarsnob #cigarlove #cigarsociety #cigarboss #cigarart #cigarlife #cigarsmoke #cigarians #sotl #pssita #stogie #cigartime #smoke #ladiesofspades #tobacco #libations #leaf #cigaroftheweek #cigaroftheday #queenofspadescigars", + "likes": 5203 + }, + { + "caption": "Last Night Was So Historical .. A Brotherhood of Cigar Manufacturers .. @pca1933 2021 .. @epiccigars, @carolinabluecigars, @blackstarlinecigars, @definitioncigars, @adventuracigars , @thearrivalcigars & @spadescigars .. Play Your Best Hand . . #SPADESCIGARS #cigar #cigaraficionado #cigarstyle #golf #supportourveterans #celebrity #houston #cigarphoto #atlantafashionblogger cigarsnob #cigarlove #cigarsociety #cigarboss #cigarart #cigarlife #cigarsmoke #cigarians #sotl #pssita #stogie #cigartime #smoke #ladiesofspades #tobacco #libations #leaf #cigaroftheweek #cigaroftheday #queenofspadescigars", + "likes": 1793 + }, + { + "caption": " TONIGHT .. @fellaship.atl Presents The Las Vegas Take Over .. The Ms. Novelty Experience .. @sandra.sizzle .. Hosted by @cigar_mike .. If I Were You I Would Get To Vegas NOW .. Come Out TONIGHT Night .. 9pm - 4pm .. Sunday July 11th 2021 .. & .. Experience a AMAZING Event .. Entry is Free With RSVP Below .. Play Your Best Hand .. @spadescigars www.fellashipatlexperience.com Date: Sunday, July 11th Time: 9PM - 4AM NO COVER: FREE WITH RSVP Venue: THE ARTISAN HOTEL BOUTIQUE | 1501W. SAHARA AVE, LAS VEGAS, NV 89102 Dress is Grown & Sexy Poolside attire! All guests must RSVP! HOSTED BY: @FELLASHIPATL CO-HOSTED BY: @cigar_mike POWERED BY: @sandra.sizzle @homelineent @havananightsphlevents @paperboy_entertainment @littorchapp @fellaship.atl @spadescigars", + "likes": 5122 + }, + { + "caption": "Special Announcement @fellaship.atl Presents The Las Vegas Take Over .. The Ms. Novelty Experience .. @sandra.sizzle .. Hosted by @cigar_mike .. If I Were You I Would Get To Vegas NOW .. Come Out Tomorrow Night .. Sunday July 11th 2021 .. & .. Experience a AMAZING Event .. Entry is Free With RSVP Below .. Play Your Best Hand .. @spadescigars www.fellashipatlexperience.com Date: Sunday, July 11th Time: 9PM - 4AM NO COVER: FREE WITH RSVP Venue: THE ARTISAN HOTEL BOUTIQUE | 1501W. SAHARA AVE, LAS VEGAS, NV 89102 Dress is Grown & Sexy Poolside attire! All guests must RSVP! HOSTED BY: @FELLASHIPATL CO-HOSTED BY: @cigar_mike POWERED BY: @sandra.sizzle @homelineent @havananightsphlevents @paperboy_entertainment @littorchapp @fellaship.atl @spadescigars", + "likes": 5075 + }, + { + "caption": "Happy Birthday To Our Brother @cigarguy85 .. One The Men Behind Camera Who Travels Around The USA & Captures Spades Cigars EPIC Moments .. Im Forever Grateful for the Brotherhood & I Wish You BLESSING King .. Play Your Best Hand .. @spadescigars . . #SPADESCIGARS #cigar #cigaraficionado #cigarstyle #golf #supportourveterans #celebrity #houston #cigarphoto #atlantafashionblogger cigarsnob #cigarlove #cigarsociety #cigarboss #cigarart #cigarlife #cigarsmoke #cigarians #sotl #pssita #stogie #cigartime #smoke #ladiesofspades #tobacco #libations #leaf #cigaroftheweek #cigaroftheday #queenofspadescigars", + "likes": 5258 + }, + { + "caption": "Repost from @brunolyons .. Spades Cigars .. King of Spades .. Available on line at www.spadescigars.com or your local cigar lounge .. Play Your Best Hand .. @spadescigars . . #SPADESCIGARS #cigar #cigaraficionado #cigarstyle #golf #supportourveterans #celebrity #houston #cigarphoto #atlantafashionblogger cigarsnob #cigarlove #cigarsociety #cigarboss #cigarart #cigarlife #cigarsmoke #cigarians #sotl #pssita #stogie #cigartime #smoke #ladiesofspades #tobacco #libations #leaf #cigaroftheweek #cigaroftheday #queenofspadescigars", + "likes": 5224 + } + ] + }, + { + "fullname": "Smokey Bear", + "biography": "Remember, #OnlyYou can prevent wildfires. Take my wildfire prevention pledge at SmokeyBear.com. This institution is an equal opportunity provider.", + "followers_count": 60205, + "follows_count": 1658, + "website": "http://www.smokeybear.com/", + "profileCategory": 2, + "specialisation": "", + "location": "Washington D.C.", + "username": "smokeybear", + "role": "influencer", + "latestMedia": [ + { + "caption": "Did you know that you can design and download your own free Smokey Bear coloring book? Celebrate #NationalColoringBookDay by creating your own by visiting Smokey for Kids at SmokeyBear.com", + "likes": 2477 + }, + { + "caption": "Anybody who helps prevent wildfires is a friend of mine. Happy #DayofFriendship, tag a friend who loves the environment as much as you do! (: @aubreyhays)", + "likes": 2872 + }, + { + "caption": "A little wildfire prevention trivia for ya - who knows where to spot this sign? Hint: it's the happiest place on earth ", + "likes": 2467 + }, + { + "caption": "Summer nights around a campfire are the best, but let's enjoy them safely! Aways check for local burn bans and make sure the fire is out. Drown, stir, down, feel - if it's too hot to touch, it's too hot to leave! For more tips to #BeOutdoorSafe, visit BeOutdoorsafe.org", + "likes": 639 + }, + { + "caption": "A single match or cigarette can cause a wildfire. Dispose of them carefully every time.", + "likes": 3601 + }, + { + "caption": "Thinking of my pal, the late Alex Trebek. Happy Birthday to the legend, we all miss you.", + "likes": 3173 + }, + { + "caption": "Please be vigilant and careful when outdoors this wildfire season. Nearly nine out of ten wildfires are started by humans. Conditions are very dry and the risk of starting a wildfire is high this year. Visit SmokeyBear.com for helpful wildfire prevention tips. With warmer, dryer conditions, wildfires are getting tougher to put out. If you live in or are visiting an area with active wildfires, check the interactive wildfire maps on InciWeb (inciweb.nwcg.gov) and listen to local authorities for instructions to stay safe. (: @LATimes)", + "likes": 2234 + }, + { + "caption": "When chains drag on the road, they leave sparks. And sparks can cause a wildfire - especially if you're in a drought like the West. Please be careful, cross those chains!", + "likes": 674 + }, + { + "caption": " It's #WorldEmojiDay, how's your emoji game? Tell me how #OnlyYou will prevent wildfires, emojis only! ", + "likes": 3388 + }, + { + "caption": "I love when artists imagine me in their style! Thank you @gabo.ghoul for this retro rendition! Have you made any Smokey Bear art? Tag me, I'd love to see!", + "likes": 3723 + }, + { + "caption": "Need a 5 minute break? Listen in to story time with @texasforestservice to learn about my origin story!", + "likes": 1154 + }, + { + "caption": "As my pal alroker says, wildfires can happen anywhere - even in your neck of the woods! When there are parched and windy conditions, you've got to be extra careful with fire. #OnlyYou can prevent unwanted, human-caused wildfires", + "likes": 966 + } + ] + }, + { + "fullname": "Blunts n Bongs", + "biography": "", + "followers_count": 190538, + "follows_count": 14, + "website": "http://www.facebook.com/ismokedaily/", + "profileCategory": 1, + "specialisation": "", + "location": "", + "username": "bluntsnbongs420", + "role": "influencer", + "latestMedia": [ + { + "caption": "Always", + "likes": 141 + }, + { + "caption": "When youre about to go to bed but decide to smoke another blunt ", + "likes": 4814 + }, + { + "caption": "@heytommychong knows!", + "likes": 1103 + } + ] + }, + { + "fullname": "National Blunt Day", + "biography": "National Blunt Day is March 27th #LetsAllSmokeABluntTogether NationalBluntDay@gmail.com", + "followers_count": 128656, + "follows_count": 0, + "website": "http://www.nationalbluntday.com/", + "profileCategory": 1, + "specialisation": "", + "location": "", + "username": "nationalbluntday", + "role": "influencer", + "latestMedia": [ + { + "caption": "#NationalBluntDay", + "likes": 5063 + }, + { + "caption": "Innovation ", + "likes": 5593 + }, + { + "caption": "#NationalBluntDay", + "likes": 3222 + }, + { + "caption": "Relatable @badgalriri", + "likes": 7846 + }, + { + "caption": "#NationalBluntDay", + "likes": 1974 + }, + { + "caption": "#NationalBluntDay", + "likes": 3426 + }, + { + "caption": "#NationalBluntDay", + "likes": 2394 + }, + { + "caption": "#NationalBluntDay cc: @liluzivert", + "likes": 2024 + }, + { + "caption": "#NationalBluntDay", + "likes": 2319 + } + ] + }, + { + "fullname": "superbad inc.", + "biography": "Cannabis Technology Not For SaleFor Adults 21+ Shop For All Merchandise Here", + "followers_count": 152891, + "follows_count": 451, + "website": "https://www.superbadinc.com/", + "profileCategory": 2, + "specialisation": "Brand", + "location": "Los Angeles, California", + "username": "superbad.inc", + "role": "influencer", + "latestMedia": [ + { + "caption": "s u p e r b a d i n c. . . #cannabis #brandoftheculture #howbadareyou #superbadinc", + "likes": 2101 + }, + { + "caption": "inhale the good sh*t, exhale the bullsh*t ... #superbadinc . . #howbadareyou . . #brandoftheculture #cannabis #howbadareyou #superbadinc", + "likes": 5112 + }, + { + "caption": "Pure Gold . . #superbadinc . . #cannabis #brandoftheculture #howbadareyou #superbadinc", + "likes": 5387 + }, + { + "caption": "we got what you want, we got what you need #superbadinc . . how bad are you? . . #brandoftheculture #cannabis #howbadareyou #superbadinc", + "likes": 5739 + }, + { + "caption": "Shop superbad inc. Cool New Gear & Accessories! Link In Bio & More To Come how bad are you? #superbadinc ", + "likes": 1598 + }, + { + "caption": "superbaddie Fresh New Gear Coming Soon! . . how bad are you? . . #superbadinc", + "likes": 2623 + }, + { + "caption": "Repost @hightimes_delivers Big Ups to ALL Super Bad A** Fathers that represent love, respect and unity! Be bold, stand tall and medicate with good vibes. @hightimes_delivers X @hightimesmagazine X @yaadcore X @superbad.inc . . how bad are you? .", + "likes": 3146 + }, + { + "caption": "superbad inc. Supports Diversity, Love, Strength, and Community. We Will Wish Everyone A Happy and Successful Pride 2021 . . . #superbadinc .", + "likes": 1719 + }, + { + "caption": "When in Doubt Smoke It Out . . superbad inc . . #brandoftheculture #cannabis #intelligenceisthenewcool #howbadareyou #superbadinc", + "likes": 3104 + }, + { + "caption": "California's Finest . . how bad are you? . . #brandoftheculture #cannabis #intelligenceisthenewcool #howbadareyou #superbadinc . . we do not own the rights to this music", + "likes": 808 + }, + { + "caption": "Its superbad Or Nothing . . how bad are you? . . #brandoftheculture #cannabis #intelligenceisthenewcool #howbadareyou #superbadinc", + "likes": 2106 + }, + { + "caption": "Great super Oscar Weekend! . . #oscars2021 . . #brandoftheculture #cannabis #intelligenceisthenewcool #howbadareyou #superbadinc", + "likes": 815 + } + ] + }, + { + "fullname": "Dalia\ud83d\udc8d", + "biography": " Lets geek out whilst we smoke out TikTok 710M Live Now ", + "followers_count": 252745, + "follows_count": 689, + "website": "http://linktr.ee/dankdalia/", + "profileCategory": 3, + "specialisation": "Gamer", + "location": "", + "username": "dankdalia", + "role": "influencer", + "latestMedia": [ + { + "caption": "Hey yall! Im trying to figure out what is wrong with my Instagram. I was told recently by a good amount of you that you can not see my posts. So if you can see this, please comment yes also follow my backup @dankdaliairl in case insta deletes me again ", + "likes": 2564 + }, + { + "caption": "I love my #listo by @ccellofficial ! The big 1ML tank and 350mAh battery make it great for a full on adventure! They have it in a variety of colors as well! Check out @ccellofficial to grab one or maybe three . #ccell", + "likes": 1179 + }, + { + "caption": "Bathing suit season. I hope you all are beating this heat #summer want the suit? Check out the link to my Amazon favorites. link in profile", + "likes": 9369 + }, + { + "caption": "Hi say it back ", + "likes": 8358 + }, + { + "caption": "Im a sucker for a cookie what is your fave sweet munchie? #munchies #stonergirl", + "likes": 3878 + }, + { + "caption": "Do you prefer #dabs or #flower ? ", + "likes": 7169 + }, + { + "caption": "What are your #710 weekend plans?", + "likes": 6180 + }, + { + "caption": "Care to browse my selections? #coloradorenaissancefestival @treesofdecember", + "likes": 7721 + }, + { + "caption": "Have you been playing the new season of #callofduty ?", + "likes": 5769 + }, + { + "caption": "Swipe for kisses #thankyou #grateful #foryou", + "likes": 2096 + }, + { + "caption": "Is that a plasma grenade or are you just happy to see me #haloinfinite #halo #masterchief", + "likes": 3332 + }, + { + "caption": "If Only You Knew The Power Of The Dark Side... #starwars #appreciationpost", + "likes": 1676 + } + ] + }, + { + "fullname": "CIGARETTE RACING TEAM", + "biography": " Official Instagram of Cigarette Racing Team Shop: www.CigaretteRacingStore.com", + "followers_count": 163046, + "follows_count": 735, + "website": "http://www.cigaretteracing.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "cigaretteracingteam", + "role": "influencer", + "latestMedia": [ + { + "caption": "Another in the win column for @oldschool_offshore! First place finish in Class 4 and took the overall lead for the National Championship @mdsoper #cigaretteracingteam", + "likes": 1356 + }, + { + "caption": "Heres to adding a splash of color to your Monday. #cigaretteracingteam", + "likes": 1562 + }, + { + "caption": "As @withoutpermissiontopgun would say, its better to ask for forgiveness than ask for permission! #cigaretteracingteam", + "likes": 1589 + }, + { + "caption": "The weekend has finally arrived!! DM us your #cigarettesaturday to have an opportunity to be featured in an upcoming post. #cigaretteracingteam #weekendvibes", + "likes": 930 + }, + { + "caption": "A @cigaretteracingteam 39 GTS ready to kick back and relax for the weekend. Tag a friend whos getting into the #weekendvibes #cigaretteracingteam", + "likes": 3380 + }, + { + "caption": "World renowned, @cigaretteracingteam : @marineconnection #cigaretteracingteam", + "likes": 904 + }, + { + "caption": "Bravo to Boca!! : @boats.vswaves #cigaretteracingteam", + "likes": 2867 + }, + { + "caption": "#CigaretteSunday- how did you spend your weekend?! #cigaretteracingteam #weekendvibes", + "likes": 2315 + }, + { + "caption": "Looking back on this work week like. : @marthamutt #cigaretteracingteam #weekendvibes", + "likes": 678 + }, + { + "caption": "Your first choice for a memorable weekend! : @26stevens #cigaretteracingteam", + "likes": 2947 + }, + { + "caption": "Never too young to learn, never too old to teach! : @lesliecashlee #cigaretteracingteam", + "likes": 2324 + }, + { + "caption": "Eastlake Champs! Thank you to @oldschool_offshore for trusting and choosing @cigaretteracingteam to help secure your Class 4 Domination! @mdsoper, @chel.soper #cigaretteracingteam", + "likes": 872 + } + ] + }, + { + "fullname": "Drew Estate Cigars", + "biography": "Official Instagram account of Drew Estate Cigars. By following, you confirm to be of legal smoking age. #de4L", + "followers_count": 122963, + "follows_count": 403, + "website": "http://linkin.bio/drewestatecigar/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "drewestatecigar", + "role": "influencer", + "latestMedia": [ + { + "caption": "It is officially Nica Rustica month! Join us by using #NicaRusticaMonth and posting Nica Rustica! #DE4L", + "likes": 571 + }, + { + "caption": "Nica Rustica has a Connecticut Broadleaf wrapper, a Mexican San Andres binder, and filler tobaccos from Nicaragua, the Nica Rustica is as bold as it is delicious. #De4L #NicaRustica", + "likes": 1073 + }, + { + "caption": "Nica Rustica has a new look! The completely new packaging and artwork has been hand painted by Subculture Studios lead artist Richard Dog Diaz, celebrating the home to La Gran Fabrica Drew Estate and the good people who live there. #NicaRustica #De4l", + "likes": 910 + }, + { + "caption": "Tabak Negra is bolder with a little more spice than the Tabak Dulce, it pairs perfect with your favorite coffee or your favorite sweet spirit. #DE4L #TabakEspecial", + "likes": 1645 + }, + { + "caption": "Don't talk to me before I've had my Tabak #DE4L #TabakEspecial", + "likes": 1209 + }, + { + "caption": "Drew Estate introduces Liga Privada Unico Serie Papas Fritas in 25-Count Boxes click the link in our bio to read more #de4l", + "likes": 2195 + }, + { + "caption": "Let your choice of cigar be the easiest decision you make today. #TabakEspecial #DE4L", + "likes": 1247 + }, + { + "caption": "Tag your favorite coffee company #de4l #tabakespecial", + "likes": 1121 + }, + { + "caption": "Tabak Especial Negra has a rich and delcious coffee flavor perfect to pair with your morning brew #tabakespecial #De4L", + "likes": 1355 + }, + { + "caption": "Why not just smoke both? #DE4L #TabakEspecial", + "likes": 1455 + }, + { + "caption": "Kick start your smoke break with a tabak negra #De4l #TabakEspecial", + "likes": 1414 + }, + { + "caption": "Tabak Negra is so good you will want to smoke them back tabak #De4L #Tabakespecial", + "likes": 3505 + } + ] + }, + { + "fullname": "THE ORIGINAL IG FOR VAPE", + "biography": "VAPEPORN - EST. 2012. All Instagram vapers welcome. Must be of legal vaping age. ig.vapeporn@gmail.com", + "followers_count": 593435, + "follows_count": 112, + "website": "https://m.youtube.com/watch?v=V-5b2GfjINk", + "profileCategory": 2, + "specialisation": "Product/Service", + "location": "", + "username": "vapeporn", + "role": "influencer", + "latestMedia": [ + { + "caption": "Matchy match Photo by @boujee_tcl #tactical #brass #gold", + "likes": 382 + }, + { + "caption": "handcheck by @mechpanix", + "likes": 364 + }, + { + "caption": "Pick one. Photo by @bskogp_purge #odgreen #custom", + "likes": 2814 + }, + { + "caption": "Name this build! . By @builds_by_talien #photography #coils", + "likes": 1172 + }, + { + "caption": "Who else is rockin this setup? Aegis 21700 x Zeus Photo by @Prestigevapor at Cartersville, GA", + "likes": 474 + }, + { + "caption": "DIY handcheck by @kraalsworld #diy #battery #4s", + "likes": 1218 + }, + { + "caption": "COIL MOD??? By @builds_by_talien", + "likes": 1149 + }, + { + "caption": "Left or right? Photo by @klimpido", + "likes": 608 + }, + { + "caption": "Support your local vape shops By @vapestopve ft. @valentinagomezs_", + "likes": 816 + }, + { + "caption": "Suns out, tops down Tag a friend #miata #miatagang Video by @frankthekoyfish", + "likes": 1520 + }, + { + "caption": "Happy 4th of July #4thofjuly #july4th #independenceday", + "likes": 1063 + }, + { + "caption": "#vapeporn by @viciousant_official", + "likes": 353 + } + ] + }, + { + "fullname": "Tank Glass", + "biography": "21+ Brand GET YOUR TANK HERE", + "followers_count": 130395, + "follows_count": 116, + "website": "http://www.tankglass.com/", + "profileCategory": 2, + "specialisation": "", + "location": "Los Angeles, California", + "username": "tankglassusa", + "role": "influencer", + "latestMedia": [ + { + "caption": "big snaps shout out @delphjg for the #tankglass video! tag us in your videos to be featured next ", + "likes": 2969 + }, + { + "caption": "smoooooth hit sundays shoutout @airsoftfatty for the video use the #tankglass on your videos to get featured next", + "likes": 7614 + }, + { + "caption": "smoking that top shelf tobacco on a friday afternoon shoutout @thedazedgaia for the video! tag us in your #tankglass videos to be featured next ", + "likes": 2031 + }, + { + "caption": "nice n easy shoutout @dopethronerites for the video post your #tankglass videos to be featured next ", + "likes": 1425 + }, + { + "caption": "it doesnt get easier than that #tankglass", + "likes": 6155 + }, + { + "caption": "what a beautiful day shout out @jakeddowning for the #tankglass video tag us in your videos to be featured!", + "likes": 799 + }, + { + "caption": "nice n easy shout out @allieterpss for the #tankglass video post your Tank videos to be featured!", + "likes": 2005 + }, + { + "caption": "HAPPY MEMORIAL DAY Use code: MDAY for 20% OFF sitewide with FREE SHIPPING in the USA Click the link in our bio or swipe up on our story offer ends 5/31 @ midnight ", + "likes": 763 + }, + { + "caption": "absolutely SNAPPIN with the Tank MAX shout out @fatbongrips for the submission tag us in your #tankglass videos to be featured!", + "likes": 675 + }, + { + "caption": "LUNGS shoutout @burpin_terpins for the video tag us in your #tankglass videos to the featured ", + "likes": 2183 + }, + { + "caption": "happy friday yall shout out @lil.smokie223 for the #tankglass video ", + "likes": 1373 + }, + { + "caption": "darrell pulled up in the new whip ", + "likes": 2707 + } + ] + }, + { + "fullname": "theDART\u00ae", + "biography": "The Ultimate One Hitter Conserves Supply Easy to Use Ash Eject Button Discreet LOAD | SMOKE | ASH *Ships Worldwide*", + "followers_count": 161272, + "follows_count": 981, + "website": "http://www.thedartco.com/", + "profileCategory": 2, + "specialisation": "Brand", + "location": "Los Angeles, California", + "username": "thedartco", + "role": "influencer", + "latestMedia": [ + { + "caption": "BIG Friday mood. Hey everyone! Were going to have another #freeDARTFriday for our DART+ All you need to do is comment with where you will use it first and/or tag a friend that you would have DART+ session with. Well choose one lucky winner on our IG story Monday. Must be 21 to enter. LOAD+ SMOKE ASH ft @_shadesofsyd", + "likes": 1574 + }, + { + "caption": "Smoke sessions, oh how youve been missed. For those that enjoy a good blunt session - the DART+ was designed for you. It packs a punch and is great for sharing with its extra large chamber and includes our signature spring ejection mechanism. Get it while supplies last! Ft @_shadesofsyd @420gyal @samski14111x2", + "likes": 2361 + }, + { + "caption": "Whats up, everyone! Hope your weekend is filled with good company, good smoke, and great times. Its Friday and were due for a #freeDARTfriday giveaway. If youre new to our page, heres how you can win a DART set from us: 1Tag a friend or comment I want that DART! 2Must be 21+ and follow @thedartco to win 3Multiple entries welcome, including international entries! We will announce the lucky winner on our story on Monday. Good luck to everyone!", + "likes": 3282 + }, + { + "caption": "The DART Company is proud to announce @philterlabs , an incredibly useful addition to any smokers toolkit. With the Philter, you can completely eliminate the smell and second-hand smoke from using your DART, bong, or even vape. Simply exhale into the Philter mouthpiece and its Patented Nanofiltration System totally captures and eliminates any odor or smoke as it passes through the device, leaving clean air to exit out the bottom. Check out the Philter on our site today!", + "likes": 2679 + }, + { + "caption": "Hi everyone! Its been a whileIG has been weird, but we are back and weve also restocked on the DART+. Were really glad that you all have been enjoying it and happy that things are starting to return to normal in many ways with social gatherings, so cheers to that well. DART and DART+ session ft @samski1411x2 and @_shadesofsyd", + "likes": 2866 + }, + { + "caption": "Some Rose Gold for Monday motivation. These sets are back for a limited time on our site. Ready, Set, ", + "likes": 3760 + }, + { + "caption": "A BIG Thank you to everyone that has ordered a DART+ from us. We are so happy that you all enjoy it just as much as we do. Its free DART Friday, so lets cheers to the weekend with a giveaway. Here is your chance to win a DART+ from us: 1Tag a friend or comment I want that DART+! 2Must be 21+ and follow @thedartco to win 3Multiple entries welcome, including international entries! We will announce the lucky winner on our story on Monday. Good luck to everyone!", + "likes": 1619 + }, + { + "caption": "If the DART is your quick smoke break, then the DART+ is your blunt session and chill. Can you guess how many hits you can get from one load? The DART+ ft @samski1411", + "likes": 1279 + }, + { + "caption": "BIG weekend vibes. Thank you for everyone that purchased a DART+ , they have now been restocked. Make sure to order one before they sell out again ", + "likes": 1767 + }, + { + "caption": "Happy Monday, everyone! Were pleased to announce that The DART+ has arrived . The DART+ is your everyday pipe for chillin at home or on the go only WAY better! Once you experience the DART+ youll never smoke from a regular glass or wood pipe again. In the spirit of this launch, were going to have a giveaway. Here is your chance to win a DART+ from us: 1Tag a friend or comment I want that DART+! 2Must be 21+ and follow @thedartco to win 3Multiple entries welcome, including international entries! We will announce the lucky winner on our story on Weds. Good luck to everyone!", + "likes": 3201 + }, + { + "caption": "Happy hump day :) If you had to choose one strain to smoke for the rest of your life, what would it be? ft @beautifully.blunt", + "likes": 2444 + }, + { + "caption": "Loving this set with the matte black @itsaclipper . Tag a friend that would love it too ", + "likes": 1846 + } + ] + }, + { + "fullname": "F o r e v e r P l a n t y \u22d2", + "biography": "Adventures in plant parenting and propagating #foreverplanty Sonoma County, CA", + "followers_count": 108511, + "follows_count": 465, + "website": "", + "profileCategory": 2, + "specialisation": "Community", + "location": "", + "username": "foreverplanty", + "role": "influencer", + "latestMedia": [ + { + "caption": "The prettiest pothos #manjulapothos #harleyquinpothos #pothos", + "likes": 2058 + }, + { + "caption": "I hope everyone had a great weekend! #gabbyphilodendron #variegatedplants", + "likes": 1368 + }, + { + "caption": "I got this cute little weirdo #pickleplant while vacationing in Carpinteria this summer. I hadnt ever seen one before and I love it #seneciostapeliiformis", + "likes": 3275 + }, + { + "caption": "In case you missed it, Im auctioning a few cuttings in my story including this beauty #monsteradeliciosavarsierrana #plantsforsale #rareplants", + "likes": 658 + }, + { + "caption": "This is an oldie but a goodie. One of my most shared photos to date. I love this plant so much! I have several babies from it now. Just waiting on the leaves to split like this . PS Ive been thinking about featuring other peoples pictures on my page. What do you all think? So far Ive only shared my own pictures so Im not sure . PSS I have some cuttings for sale in my story! Yay ", + "likes": 3592 + }, + { + "caption": "Gimme all the variegated plants #spiralgingervariegated #costusarabicusvariegatus", + "likes": 3061 + }, + { + "caption": "I love the way this neon pothos looks in a gold pot #neonpothosplant PS if youre looking for gold pots(or pots in general), @thepottedjungle has really cute ones! ", + "likes": 718 + }, + { + "caption": "I know some people dont like Hoyas, but everyone needs one of these beauties, if you ask me. Theyre just so prettyyyy #fishtailhoya #hoyapolyneura", + "likes": 3883 + }, + { + "caption": "All hail the Q U E E N #snowqueenpothos #marblequeenpothos", + "likes": 3923 + }, + { + "caption": "Happy Saturday!! I hope youre all enjoying the weekend #stringoftears", + "likes": 1044 + }, + { + "caption": "I have some sad news about this beauty and a little PSA about a pest spray. My #heuschkelianavariegata plant died a slow death after I treated it for pests a couple months ago with End All spray by Safer Brand. The name is a bit ironic since it actually ended the plant along with the pests, and wasnt really safe at all lol (0 out of 10, do not recommend). It killed all the other Hoyas I treated on that same day, too. UGH. The leaves and stems completely dried out and they slowly died. I tried to save them but nothing worked. It was awful. The good news is that I have a baby plant I propagated from her a while back. I never treated her with the poison spray so shes still happy and okay! I just hope she will grow to be as big and beautiful as her mama someday #hoya #hoyalove #ripplant", + "likes": 3662 + }, + { + "caption": "Happy #monsteramonday planty friends #monsteraborsigianavariegata", + "likes": 1535 + } + ] + }, + { + "fullname": "EatWeedLove \ud83d\udc98", + "biography": "The #1 IG for all things eats, weed and love ", + "followers_count": 358715, + "follows_count": 269, + "website": "http://www.youtube.com/c/DankCity", + "profileCategory": 2, + "specialisation": "Media/News Company", + "location": "", + "username": "eatweedlove", + "role": "influencer", + "latestMedia": [ + { + "caption": "Ratio is key @lonnythestreetlawyer Where are our #spliffheads at?!", + "likes": 1235 + }, + { + "caption": "Whats yours? @bigmike", + "likes": 613 + }, + { + "caption": "Whats yours? @bigmike", + "likes": 1114 + }, + { + "caption": "What would you name it ? @cannasocietys420", + "likes": 6025 + }, + { + "caption": "Who? @marijuana.tv", + "likes": 2041 + }, + { + "caption": "Tag a friend @bigmike", + "likes": 1629 + }, + { + "caption": "@highaf.tv ", + "likes": 1472 + }, + { + "caption": "Name 1 @bigmike", + "likes": 735 + }, + { + "caption": "Which one? @bigmike", + "likes": 505 + }, + { + "caption": "Would you? @highaf.tv", + "likes": 1870 + }, + { + "caption": "Was this you? @bigmike", + "likes": 2678 + }, + { + "caption": "Which one? @bigmike ", + "likes": 910 + } + ] + }, + { + "fullname": "The Nug Whisperer", + "biography": "Deleted @ 52 million bajillion Powered by @aptususa & @floraflex Everything grown & photographed by me ", + "followers_count": 87595, + "follows_count": 1086, + "website": "", + "profileCategory": 3, + "specialisation": "Movie Character", + "location": "", + "username": "the_nug_whisperer", + "role": "influencer", + "latestMedia": [ + { + "caption": "I think it's about time to hang up my old HIDs and finally get into the LED game. What brand/light should I go with?? #LED #ledlights", + "likes": 3899 + }, + { + "caption": "Want to know my exact nutrient schedule? Well, you're in luck!! #APTUS will be releasing a special 'Nug Whisperer edition' feeding chart soon! #TruePlantScience", + "likes": 3267 + }, + { + "caption": "Machine Gun Funk Bred by @pin_high_again #pewpew #APTUS #FloraFlex", + "likes": 1941 + }, + { + "caption": "#Aptus #TruePlantScience", + "likes": 1893 + }, + { + "caption": "#Aptus Fasilitor - 0.5ml per gallon fed 2-3X per week. Best silicic acid on the market and an indispensable tool in my feeding program.", + "likes": 2757 + }, + { + "caption": "One seed for sale. ;) #MachineGunFunk #PinHigh #APTUS", + "likes": 2480 + }, + { + "caption": "Anyone have super hot pepper seeds they wanna send me? #7pot #carolinareaper #nagaviper #ghostpepper #7potprimo #brainstrain #komododragon #trinidadscorpion #redsavina #APTUS", + "likes": 3022 + }, + { + "caption": " King Sherb from @inhousegenetics_official Grown with @aptususa & @floraflex nutrients. #Aptus #FloraFlex #InHouseGenetics #CypressHill", + "likes": 4357 + }, + { + "caption": "Machine Gun Funk bred by @pin_high_again Grown with @floraflex & #APTUS nutrients.", + "likes": 1891 + }, + { + "caption": "#APTUS", + "likes": 2415 + }, + { + "caption": "Machine Gun Funk #2 #APTUS", + "likes": 1772 + }, + { + "caption": "Deconstructed GTL.nug. Bred by the man @pin_high_again Grown with #FloraFlex & #APTUS nutrients.", + "likes": 3050 + } + ] + }, + { + "fullname": "Skulls & Horror Art \u2620\ufe0f\ud83d\udd25", + "biography": " | DAILY #Skulls & #Horror CONTENTS | FOLLOW US IF YOU LOVE SKULLS", + "followers_count": 141329, + "follows_count": 25, + "website": "", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "skulls_addicteds", + "role": "influencer", + "latestMedia": [ + { + "caption": "RATE 1-10? @camille_renversade", + "likes": 3436 + }, + { + "caption": "RATE 1-10? @stefankoidl", + "likes": 2770 + }, + { + "caption": "RATE 1-10? @farazshanyar", + "likes": 8492 + }, + { + "caption": "Flying whale @huleeb", + "likes": 3528 + }, + { + "caption": "RATE 1-10? @elilusionista.cl", + "likes": 8702 + }, + { + "caption": "Never take a subway alone! @huleeb", + "likes": 5851 + }, + { + "caption": "RATE 1-10? @magtira_paolo", + "likes": 2911 + }, + { + "caption": "Poor Venom @jackedcosplay27", + "likes": 5211 + }, + { + "caption": "What's your fav work 1-4 @kumpan_alexandr", + "likes": 7805 + }, + { + "caption": "They are here @alexhowardxx", + "likes": 1733 + }, + { + "caption": "Caption this @ikevinadams", + "likes": 4923 + }, + { + "caption": "Visited the aquarium today! @lights.are.off", + "likes": 6521 + } + ] + }, + { + "fullname": "Genuine Paint", + "biography": "Dallas, Texas", + "followers_count": 104677, + "follows_count": 1228, + "website": "http://chemicalcandycustoms.com/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "chemicalcandycustoms", + "role": "influencer", + "latestMedia": [ + { + "caption": "Enjoy your weekend friends! #sweetconemotion @mr_fotography", + "likes": 1577 + }, + { + "caption": "These ladies tees are back in stock and available through website, click store link in bio to purchase, free shipping and sticker pack with your order . @thedesert_mama #anchorscreenprinting", + "likes": 1630 + }, + { + "caption": "Classy and clean #chemicalcandypaint #houseofkolor #iwatafamily", + "likes": 1083 + }, + { + "caption": "Coming soon to @choppersmagazine This killer Triumph built by @leadfistcycles for Born Free 11 Photographer @kencarvajal #chemicalcandypaint #houseofkolor #iwatafamily #smokeytoothdrypearls #bornfree11", + "likes": 3578 + }, + { + "caption": "Back in stock, store link in bio and as always thanks for your continued support FREE SHIPPING FREE STICKERS", + "likes": 1815 + }, + { + "caption": "FOR SALE Rob Clagues sexy 49 Panhead #chemicalcandypaint #houseofkolor #iwatafamily @mr_fotography", + "likes": 2722 + }, + { + "caption": "@amandapizziconi rocking the long bike tee Store link in bio and as always thanks for your continued support FREE SHIPPING FREE STICKERS", + "likes": 731 + }, + { + "caption": "@motopsycho73 Born Free Panhead @mr_fotography #chemicalcandypaint #houseofkolor #painthuffermetalflake #iwatafamily #bornfree12", + "likes": 4513 + }, + { + "caption": "Found a few of these blended cotton ladies tees Store link in bio and as always thanks for your continued support FREE SHIPPING FREE STICKERS @__momster__", + "likes": 1013 + } + ] + }, + { + "fullname": "POP SMOKE FAN PAGE \ud83e\udd34\ud83c\udffe\ud83d\udcab", + "biography": "# Source For Pop Smoke Long Live Pop Smoke Come Join The Woos I am not Pop Smoke ", + "followers_count": 58446, + "follows_count": 70, + "website": "", + "profileCategory": 2, + "specialisation": "Fan Page", + "location": "", + "username": "rpopsmoke", + "role": "influencer", + "latestMedia": [ + { + "caption": "Pop Smokes close friends mad after Obasi (Pop Smokes Brother) was on the deluxe while they saying Pop Smoke never Fw his brother and he is using him for clout and succes. #popsmoke #rippopsmoke", + "likes": 5653 + }, + { + "caption": "Jay Gwuapo is mad after being removed from pop smokes album for no reason while he was expecting to be on it. Thoughts #popsmoke #rippopsmoke", + "likes": 4328 + }, + { + "caption": "Fivio Foreign is disappointed that he was removed from Pop Smokes deluxe Album. Thoughts? #popsmoke #rippopsmoke", + "likes": 4685 + }, + { + "caption": "Pop Smokes #FAITH deluxe album just dropped Thoughts #popsmoke #rippopsmoke", + "likes": 3990 + }, + { + "caption": "Sounds like Fivio Foreign and Pop Smoke got a New song coming #popsmoke #rippopsmoke", + "likes": 3152 + }, + { + "caption": "Pop Smokes Deluxe album is Dropping this friday we already got 4 songs of it now the rest will drop Friday #popsmoke #rippopsmoke", + "likes": 3900 + }, + { + "caption": "Pop Smoke never wanted people on his album and if he did it was his own people Thoughts about this #popsmoke #rippopsmoke", + "likes": 3465 + }, + { + "caption": "Lil Tjay pays tribute to Pop Smoke while performing Mood Swings and Zoo York #popsmoke #rippopsmoke", + "likes": 8122 + }, + { + "caption": "Pop Smokes first project Meet The Woo dropped 2 Years ago today Favorite song off Meet The Woo? #popsmoke #rippopsmoke", + "likes": 5075 + }, + { + "caption": "Travis Scott pays tribute to Pop Smoke on rolling loud while playing Gatti #popsmoke #rippopsmoke", + "likes": 6804 + }, + { + "caption": "Giannis Antetokounmpo was celebrating his victory of winning the play offs with some Pop Smoke music #popsmoke #rippopsmoke", + "likes": 4044 + }, + { + "caption": "Sheff g Pays tribute to Pop Smoke in his new song feat Polo G. He says it's R.I.P. Pop, we gon' shake the room #popsmoke #rippopsmoke", + "likes": 5137 + } + ] + }, + { + "fullname": "Dope Weed Photos Everyday \ud83c\udf3f", + "biography": "The dopest photos from around the globe! DM submissions ", + "followers_count": 289197, + "follows_count": 125, + "website": "http://www.youtube.com/c/DankCity", + "profileCategory": 2, + "specialisation": "Media/News Company", + "location": "", + "username": "dope_weed_photos", + "role": "influencer", + "latestMedia": [ + { + "caption": "Have you? @doink.420", + "likes": 1347 + }, + { + "caption": "How low? @bigmike", + "likes": 846 + }, + { + "caption": "Lets discuss @bigmike", + "likes": 921 + }, + { + "caption": "Go! @bigmike", + "likes": 639 + }, + { + "caption": " @cannasocietys420", + "likes": 215 + }, + { + "caption": " 10 x Carts x Blinker Challenge w/ @moonrocksauce x @drzodiak.68 x @pennwood_dough_dough (world record) #genius #invention #floaties @bobbybluesclear @lionheartclear @razzledazzleclear @silverbackclearcc @frostyssnowcone @pinkiesbydrz @lynwoodlemonadeclear", + "likes": 356 + }, + { + "caption": "How? @bigmike", + "likes": 1687 + }, + { + "caption": "Who? @highaf.tv", + "likes": 1170 + }, + { + "caption": " @bigmike", + "likes": 466 + }, + { + "caption": "What would you do? @bigmike", + "likes": 1401 + }, + { + "caption": "Whats worse @bigmike", + "likes": 1466 + }, + { + "caption": "Comment your reason @bigmike", + "likes": 195 + } + ] + }, + { + "fullname": "Weed Post Daily", + "biography": "If you're high and looking for a laugh.. you've found the right place ", + "followers_count": 217438, + "follows_count": 101, + "website": "http://www.youtube.com/c/DankCity", + "profileCategory": 2, + "specialisation": "Media/News Company", + "location": "", + "username": "weedlaughs420", + "role": "influencer", + "latestMedia": [ + { + "caption": "What city @bigmike", + "likes": 708 + }, + { + "caption": " @bigmike", + "likes": 980 + }, + { + "caption": "Choose wisely @bigmike", + "likes": 795 + }, + { + "caption": "How do you hold it ? @dope_weed_photos", + "likes": 1181 + }, + { + "caption": "Which one? @marijuana.tv", + "likes": 2338 + }, + { + "caption": "Before what? @bigmike", + "likes": 1669 + }, + { + "caption": "Tag them! @420funnys", + "likes": 1017 + }, + { + "caption": "Which one? @bigmike", + "likes": 703 + }, + { + "caption": "GO! @eatweedlove", + "likes": 1165 + }, + { + "caption": "Whats your scene? @bigmike", + "likes": 718 + }, + { + "caption": " @bigmike", + "likes": 211 + }, + { + "caption": "@marijuana.tv ", + "likes": 1067 + } + ] + }, + { + "fullname": "WEED ART GALLERY", + "biography": " | Stoner Community | Art, Mindset & Entertainment | Follow us for the best 420 Content!", + "followers_count": 148099, + "follows_count": 2, + "website": "http://stonerhighlife.com/", + "profileCategory": 3, + "specialisation": "Art Gallery", + "location": "", + "username": "stoner.highlife", + "role": "influencer", + "latestMedia": [ + { + "caption": "Tag a Smoking Buddy! FOLLOW @Stoner.Highlife for more Artist ~ @love.indica", + "likes": 139 + }, + { + "caption": "Tag a Smoking Buddy! FOLLOW @Stoner.Highlife for more Artist ~ @artvandoll", + "likes": 3940 + }, + { + "caption": "Tag a Smoking Buddy! FOLLOW @Stoner.Highlife for more Artist ~ @boyfantasyart", + "likes": 3524 + }, + { + "caption": "Tag a Smoking Buddy! FOLLOW @Stoner.Highlife for more Artist ~ @venyason", + "likes": 4183 + }, + { + "caption": "Tag a Smoking Buddy! FOLLOW @Stoner.Highlife for more Artist ~ @originsounduk", + "likes": 5997 + }, + { + "caption": "Tag a Smoking Buddy! FOLLOW @Stoner.Highlife for more Artist ~ @spookygirlart", + "likes": 2921 + }, + { + "caption": "Tag a Smoking Buddy! FOLLOW @Stoner.Highlife for more Artist ~ @trippy.toons", + "likes": 2227 + }, + { + "caption": "Tag a Smoking Buddy! FOLLOW @Stoner.Highlife for more Artist ~ @illustraweed", + "likes": 3517 + }, + { + "caption": "Tag a Smoking Buddy! FOLLOW @Stoner.Highlife for more Artist ~ @cabin7originals", + "likes": 2260 + }, + { + "caption": "Tag a Smoking Buddy! FOLLOW @Stoner.Highlife for more Artist ~ @papriko_ink", + "likes": 6357 + }, + { + "caption": "Tag a Smoking Buddy! FOLLOW @Stoner.Highlife for more Artist ~ @landofreshart", + "likes": 3815 + }, + { + "caption": "Tag a Smoking Buddy! FOLLOW @Stoner.Highlife for more Artist ~ @mikestockings", + "likes": 3484 + } + ] + }, + { + "fullname": "She Smokes Joints \ud83d\ude19\ud83d\udca8", + "biography": "What is the answer to life, the universe and everything? (Hint: look at my posts)", + "followers_count": 251742, + "follows_count": 490, + "website": "http://shesmokesjoints.com/", + "profileCategory": 2, + "specialisation": "Photographer", + "location": "", + "username": "shesmokesjoints", + "role": "influencer", + "latestMedia": [ + { + "caption": "So Damn Jealous (Peanutbutter Jealous X Seattle Soda) @tonygreenhand X @superseed.co collab #greenhandgenetics #superseedco", + "likes": 628 + }, + { + "caption": "Which is your favorite? 1. Candy Shop 2. Money 3. Peach Tart 4. Blackberry Soda 5. Blackberry Tart #2 6. Blackberry Tart #1 7. Easy Money 8. Purple Peach Soda #2 9. Grog 10. Purple Peach Soda #1 #greenhandgenetics #shesmokesjoints", + "likes": 638 + }, + { + "caption": "Auto Australian Bastard Cannabis Was just a little tester plant, definitely gonna need to do a room of these ", + "likes": 1857 + }, + { + "caption": "Macro burn I took a video, exported all of the frames, drew on each frame and then put it all back together Song: Something for your M.I.N.D - Superorganism", + "likes": 1523 + }, + { + "caption": "Little seeded Peanut Butter and Jealous bud", + "likes": 1276 + }, + { + "caption": "Hope everyone has an awesome Christmas Eve! Some of the designs Ive been working on ", + "likes": 900 + }, + { + "caption": "Just the Tips A bunch of the tips of my joints. Which one is your favorite? Have prints available on my website, links in my bio", + "likes": 1731 + }, + { + "caption": "What I made and the original photo", + "likes": 1981 + }, + { + "caption": "Fucked with the colors to make a Holiday nug On another note, Im so stoked to finally see cannabis in my explore feed again ", + "likes": 788 + }, + { + "caption": "", + "likes": 544 + }, + { + "caption": "Counting seeds Total seeds counted so far: 27,072", + "likes": 660 + } + ] + }, + { + "fullname": "AFTER I GOT HIGH", + "biography": " we all love to get high share your after I got high stories here We all have them DM them below", + "followers_count": 60621, + "follows_count": 419, + "website": "https://www.afterigothigh.com/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "afterigothigh", + "role": "influencer", + "latestMedia": [ + { + "caption": "We are back!! If you sent in this story, DM me to receive your prize. Make sure to send in your funniest stories each week for a chance to win!", + "likes": 4392 + }, + { + "caption": "That's one way of keeping your car from smelling #cannabiscommunity #cannabis #stoners #stonerstories #dabs #weedhumor #weedlife", + "likes": 3401 + }, + { + "caption": "Whats your go to munchie snack? #stoners #cannabiscommunity #fourtwenty #dab #dabs #munchies #stoner #cannabis", + "likes": 4557 + }, + { + "caption": "Hey guys, I am excited to announce that tomorrow @4:20 pm EST we will be having our first merch drop. We will be selling After I Got High flags (they are 3x5 ft) and will cost $18. We only have a limited supply, so get one while you can. Thanks everyone for all your support. They also come with an After I Got High sticker.", + "likes": 3540 + }, + { + "caption": "Like this if youre high or wish you were #cannabiscommunity #cannabis #stoner #stoners #smokers #funnystories #stonerstories", + "likes": 3947 + }, + { + "caption": "I have been guilty of this #stoner #cannabis #cannabiscommunity #weedlife #420 #420life", + "likes": 3770 + }, + { + "caption": "Ruthless #stoner #cannabis #cannabiscommunity #smokers #hightimes #blazed #mjm", + "likes": 4615 + }, + { + "caption": "The great thing about this account is I cant get fired when I get high and forget to post #stoner #cannabiscommunity #cannabis #weedlife #dope #baked #weedmemes", + "likes": 3918 + }, + { + "caption": "Lol Im at a bar right now and my bartender shared this with me. It was the last time he smoked and he burnt down his whole house. Dont be this guy", + "likes": 3069 + } + ] + }, + { + "fullname": "YUKMOUTH", + "biography": "YUKMOUTH of the multi platinum grammy nominated @theofficialluniz CEO of #SMOKEALOTRecords #SmokeAlotClothing @SmokealotRADIO #YukmouthTV #RegimeLife", + "followers_count": 150188, + "follows_count": 7434, + "website": "http://smokealotrecords.com/", + "profileCategory": 2, + "specialisation": "Musician/Band", + "location": "", + "username": "regimegeneral", + "role": "influencer", + "latestMedia": [ + { + "caption": "", + "likes": 2215 + }, + { + "caption": "#ThugInPEACEGonzoe #RegimeLIFE #DragonGANG", + "likes": 2126 + }, + { + "caption": "Today was so freakin dope!!!!! Thank you to everyone involved!! The drop , the music video , my #hometeam for putting it all together and my fans for coming out and spending time on a Sunday. #highlarryus #maxpain #lemonfuelato #cookies #cookiessacaramento #jst #sactown #regimemob #theluniz Reposted from @maxpaingriffin", + "likes": 1004 + }, + { + "caption": "", + "likes": 1178 + }, + { + "caption": "#ThugInPEACEGonzoe #RegimeLIFE #ripgonzoe strong ties and roots in the #BayArea crazy talented and rep #California hard! #whathappenedtotheworld rest easy and our deepest condolences to his family and loved ones! Reposted from @bayareacompass", + "likes": 6899 + }, + { + "caption": "@imgonzoe thank you bro!! Every since I moved 2 #LA in #1996 u held me down like 4 flat tires real SOILD ni99a!! #ThugInPEACEGonzoe #RegimeLIFE", + "likes": 4379 + }, + { + "caption": "@imgonzoe #ThugInPEACE broski...I wish this was a BAD NIGHTMARE, but it's a SAD REALITY....still can't believe this shit u didn't deserve that, a father, business man, a hip-hop legend, u gone be missed bro!! #RegimeLIFE 4ever #DragonGANG like u would call it #1MOB!! #RipGONZOE #RegimeLIFE", + "likes": 4804 + }, + { + "caption": "Repost from @maxpaingriffin Sacramento where my smokers at!? Come grab a bag of my new limited strain collab with @high_larry_us_cannabis Launching this sunday at @cookiessacramento and @lemonnadesacramento My guys the Luniz will be in the building. The I got 5 on it giveaway will be in full effect. Foodtruck, photos, merch, prizes galore!! Tap in!! #sacramento #sactown #cookies #lemonnade #cannabis #highlarryus #mpg #lemonfuelato Reposted from @theofficialluniz", + "likes": 294 + }, + { + "caption": "Weve Had that Unpleasant Conversation about what we would want from one another in case a unfortunate Situation like this ever went down. I know exactly what my Bro Want from Me REST IN EVERLASTING PEACE BRO #RIPGonzoe GUNS UP Feat. @regimegeneral ( Yukmouth )& ( Myself) @kennykingpin From The Regime All Out War Vol 2 Reposted from @kennykingpin", + "likes": 4009 + }, + { + "caption": "#MoodAllSUMMER!! @sauce_walka102 #FukHATERSgetPAPER", + "likes": 421 + }, + { + "caption": "Vip.. Blue room! #lasvegas @regimegeneral Reposted from @killroy503", + "likes": 278 + }, + { + "caption": "Special thank you too @windshiptrading @thendica18 @freewayricky @regimegeneral & @green_pastures_premium for the invitation to the @champstradeshows #Vegas_Nite_Life #Event_Reel. & #Event_Fotoz by: #Daquante_Capion of #Capions_Fire_Fotoz for #Fire_Fotoz_Media_Group #Off_Top_We_Hott #CapasutraStyle #110ByRickRoss Reposted from @capionsfirefotoz", + "likes": 258 + } + ] + }, + { + "fullname": "Geekvape Official", + "biography": "Home and Vape Meme for Geekvape Fam Must be 21+ to follow Geekvape If you need help, email: support@geekvape.com Phone: 1-866-985-6876", + "followers_count": 573990, + "follows_count": 608, + "website": "https://www.geekvape.com/", + "profileCategory": 2, + "specialisation": "Product/Service", + "location": "Shenzhen, Guangdong", + "username": "geekvapetech", + "role": "influencer", + "latestMedia": [ + { + "caption": "Drop v1. 5 has one of the best airflow systems I've tried on an RDA. @gm_coils . . . . Warning: You must be of legal age to vape, thanks.", + "likes": 1041 + }, + { + "caption": "Can you find out the path to get Geekvape Obelisk 200? . . . . Warning: you must be of legal age to vape, thank you!", + "likes": 1019 + }, + { + "caption": "Good morning fam! Tell us what device you're aiming for. Beau Bautista . . . . . Warning: you must be of legal age to vape, thank you", + "likes": 996 + }, + { + "caption": "#GeekUp How do you celebrate your favorite football team winning the game? A. Hold A House Party B. Have Some Beer C. Get a Celebration Vape Pic from @villykho @dannivapour . . . . Warning: you must be of legal age to vape, thank you!", + "likes": 611 + }, + { + "caption": "NEW @geekvapetech Geekvape L200 Kit! @thepeacecloud.carrollton . . . . . . Warning you must be of legal age to vape, thank you.", + "likes": 2834 + }, + { + "caption": "Testing on the @geekvapetech @gm_coils . . . . . Warning you must be of legal age to vape, thank you.", + "likes": 1028 + }, + { + "caption": "Geekvape Aegis legend 2 leather sleeve @wrapthevape . . . . Warning you must be of legal age to vape, thank you.", + "likes": 3899 + }, + { + "caption": "Which flavor do you like? . . . . . Warning you must be of legal age to vape, thank you.", + "likes": 2791 + }, + { + "caption": "How many devices do you have? . . . . . Warning you must be of legal age to vape, thank you.", + "likes": 1334 + }, + { + "caption": "Do you like this Silver collection? Which one do you want to have? . . . . . Warning you must be of legal age to vape, thank you.", + "likes": 1264 + }, + { + "caption": "Aegis Legend 2 color check! . . . . . Warning: you must be of legal age to vape, thank you!", + "likes": 2913 + }, + { + "caption": "What excites you most? . . . . Warning: you must be of legal age to vape, thank you", + "likes": 573 + } + ] + }, + { + "fullname": "Weed.Emperor", + "biography": "Testeur de weeds Planteur Chill consommations ", + "followers_count": 13, + "follows_count": 6, + "website": "", + "profileCategory": 1, + "specialisation": "", + "location": "", + "username": "green.weeds", + "role": "influencer", + "latestMedia": [] + }, + { + "fullname": "Zophie Reviews", + "biography": "", + "followers_count": 93631, + "follows_count": 199, + "website": "http://linktr.ee/ZophieReviews", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "zophiereviews", + "role": "influencer", + "latestMedia": [ + { + "caption": "Ask your kids if they know which ones not to take. . The #pink Vape Tricks #beer . #alcohol can be any #flavor in kid friendly packaging but yeah let's ban vapes and #savethechildern", + "likes": 537 + }, + { + "caption": "New vape video alert! Check out this #vape by #uwell called the Aeglos P1 pod but it's not your average pod kit, goes up to 80W, uses an 18650 battery and there's an optional 510 adapter!", + "likes": 2228 + }, + { + "caption": "Wearable #coolify #cooling device that goes around the neck. It's #airconditioning that looks like headphones. Check out my short video on my YouTube channel Zophie Reviews. Link in bio.", + "likes": 454 + }, + { + "caption": "#toetouch if #like my #pants", + "likes": 1813 + }, + { + "caption": "I did a thing with my #hair . #hairofinstagram #platinumblonde #hairoftheday #hairstyles #hairideas #markarth #hairstyle #hairlife #itsawig #selfie", + "likes": 2361 + }, + { + "caption": "Longing to go to the #beach but I've been home all day editing. I started 4 videos and haven't finished a single one. #harleyquinncosplay #harleyquinnhair #harleyquinnfan #bikiniseason #harleyquinn #beachbabe #beachtime #swimsuit #beaches #bikini", + "likes": 2411 + }, + { + "caption": "Can't wait to go back to the #beach I'm obsessed.", + "likes": 447 + }, + { + "caption": "Harley went to the #beach yesterday . To see more of my #harleyquinn style look check out my no nudity OnlyFans where I'm mostly at these days. I'll be back on YouTube soon. Between my 2 channels 4 videos are in the works I'm just working very slowly, blame the weather. . #bikini #bikinis #beachday #beachtime #beachvibes #beachbabe #harleyquinnfan #harleyquinnhair #platinumblonde #playalindabeach #harleyquinncosplay #harleyquinnswimsuit", + "likes": 4308 + }, + { + "caption": "I bought this cute #outfit from #dollskill with my own money. Did I do ok? #skirt #boots #ladder #orange #whiteskirt #orangehair #combatboots #dollskillclothing", + "likes": 2399 + }, + { + "caption": "My favorite #swimsuit from #shein and there's 14 more #bikinis because I went nuts for an upcoming Just Zophie video. Videos will resume next week on Zophie Reviews. I was having some computer issues. . #beachday #beachtime #beachvibes #beachwaves #playalindabeach", + "likes": 2473 + }, + { + "caption": "Now I have 2 #harleyquinn #cosplay #costumes but this one I bought for my OF.", + "likes": 1543 + }, + { + "caption": "Popping in to #post a #picture . I'm currently editing but it's been a rough week. Adobe Premiere Pro keeps freezing. My graphics card is meh at this point, it's 5 years old. The Hall of the Lollipop King at Graygarden must have done it in. I intend to finish all 14 floors by Christmas.", + "likes": 1848 + } + ] + }, + { + "fullname": "Nick Green - GrimmGreen", + "biography": "Los Angeles CA I wanna help smokers quit and vapers vape. I like lots of things, including being hydrated. #grimmarmy", + "followers_count": 168540, + "follows_count": 1226, + "website": "https://grimmgreen.com/2021/03/19/copd-smokers-who-switched-to-e-cigs-health-outcomes-at-5-year-follow-up/", + "profileCategory": 3, + "specialisation": "Digital Creator", + "location": "", + "username": "grimmgreen", + "role": "influencer", + "latestMedia": [ + { + "caption": "Record Mail DAY! @crowbarmusic Odd Fellows Rest. Legendary album, incredible riffs. Heavy before heavy was heavy. #records #recordmail #crowbar #grimmgreen #grimmarmy #vaping #vapecommunity", + "likes": 552 + }, + { + "caption": "Been rocking this setup for weeks now. Ever since that SRPNT video Ive been rocking a big ass single coil. I feel like I need to do a follow up now. Not sure where the ber dorky monster sized tip came from, but I love it. Turn the sound up to hear the crackle. Happy Saturday you guysssss #vaping #vapers #grimmgreen #grimmarmy #vapecommunity #vapefam #vapelife #vapeworld #vapeworldwide", + "likes": 868 + }, + { + "caption": "I started another one man band today. Pray To Things has this vibe because the flowers told me too. Garage band AI drummer is competent I guess. #stonermetal #stonerrock #doesitdoom #grimmgreen #grimmarmy #stonerdoom #praytothings", + "likes": 387 + }, + { + "caption": "What does your discover tab say about you?", + "likes": 534 + }, + { + "caption": "@coilturd and @twistedmesses are expensive to fly out for a personal coil building and photography lesson but it was worth it. Feeling confident with 3 core aliens now. Framed staples are next. 3mm ribbon, 29g frame, 38g Clapton if I remember correctly. I turned my Alien stick into a big 5mm coil. Ill explain later, its WoToFos fault. #vaping #vapers #grimmgreen #grimmarmy #vapecommunity #vapefam #vapelife #vapeworld #vapeworldwide", + "likes": 1097 + }, + { + "caption": "Just a reminder Im on summer break for a bit from YouTube streaming only. Its already awesome. Im actually getting more work done but I promise to relax soon. #vaping #vapers #grimmgreen #grimmarmy #vapecommunity #vapefam #vapelife #vapeworld #vapeworldwide", + "likes": 488 + }, + { + "caption": "@twistedmesses beautiful staggertons in my haggard ass Type Two deck. #vaping #vapers #grimmgreen #grimmarmy #vapecommunity #vapefam #vapelife #vapeworld #vapeworldwide", + "likes": 531 + }, + { + "caption": "The 2 and 1/2 successful inches from Mondays 2 core Alien build stream its basically crackle city USA. Listen to that last video!! BOOM CRACKLE! #vaping #vapers #grimmgreen #grimmarmy #vapecommunity #vapefam #vapelife #vapeworld #vapeworldwide", + "likes": 1018 + }, + { + "caption": "Basically my favorite right now. @mikevapes1 Clutch x18 Type Two RTA @recoilrda. #vaping #vapers #grimmgreen #grimmarmy #vapecommunity #vapefam #vapelife #vapeworld #vapeworldwide", + "likes": 1185 + }, + { + "caption": "RECORD MAIL DAY! @gwar @cannibalcorpseofficial @goatwhorenola #vaping #vapers #grimmgreen #grimmarmy #vapecommunity #records #recordcollector #gwar #cannibalcorpse #goatwhore #metalhead #deathmetal", + "likes": 820 + }, + { + "caption": "@qp_design KONG PREY. Zero complaints so far, and that juice hole camber in the middle of the deck is kind of brilliant. #vaping #vapers #grimmgreen #grimmarmy #vapecommunity #vapefam #vapelife #vapeworld #vapeworldwide #qpdesign #mechmod", + "likes": 1490 + }, + { + "caption": "If I told you I did this on purpose, would you believe me? Nawww me neither. From the Monday build stream. My 2 core alien. I believe my problem was an under stretched de-core wire, but Im open to opinions. #vaping #vapers #grimmgreen #grimmarmy #vapecommunity #vapefam #vapelife #vapeworld #vapeworldwide #youzguyz", + "likes": 796 + } + ] + }, + { + "fullname": "\ud83c\udf3f\u2728Andrea\u2728\ud83c\udf3f", + "biography": "b o t a n i c a l m a g i c ritual smoke herbal potions plant teachers small batch made by women by hand Email w inquiries SHOP", + "followers_count": 82808, + "follows_count": 577, + "website": "http://linktr.ee/sacredsmokeherbals", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "sacredsmokeherbals", + "role": "influencer", + "latestMedia": [ + { + "caption": "It has been decades, but I can still see you sitting there. The place where you would happily spend hours passing down the stories of our ancestors. It was here you taught me everything I know about the land and how the plants & Natures rhythms sustain us. How I wish we could sit here, together again, now that Im older. I have so many questions I know youd have the wisdom to answer. But instead, I come here, feet on the ground, and even though your physical being left long ago, your spirit lingers. Its enough. #ancestors #ancestralwisdom #ancestralhealing #ancestry #plantwisdom #oldways #folklore #appalachianfolk #appalachianfolklore #remember #visionquest", + "likes": 1239 + }, + { + "caption": "In the kitchen, working with my favorite #alchemist tool, crafting wild #essentialoils & #hydrosol . . #alchemy #makeyourownmagic #herbalistlife", + "likes": 6107 + }, + { + "caption": "Burn these plants to elevate your Summer Solstice rituals They support us beautifully during this time, as we seek to bringing honor to the Suns uplifting & revitalizing energy, offer gratitude for all that is and is to come, & celebrate the magick of the longest day of the year! . . #summersolstice #lightyourfire #sunenergy #solstice #litha #ritual #herbalmagic #herbalism #incense #cauldron #witchyvibes #outdooraltar #altarspace #altar", + "likes": 10771 + }, + { + "caption": ". To this day, there is still much ignorance about natural herbs. Yet herbs are naturally here for us, just as fruits and vegetables are. Herbs are not drugs. Nobody craves natural herbs. People do, however, crave drugs. Nobody craves for natural Coca leaf tea as they do for c0-caine. Nobody craves natural poppy tea as they do for her0-in. Nobody ever craves natural ephedra tea as they do for speed. Nobody craves for herbal ecstasy as they do for the drug ecstasy. Nobody craves natural tobacco as they do manufactured tobacco. Nobody craves natural sweeteners (honey, Stevia) as they do for white refined sugar. Nobody craves natural Kola or Guarana as they do for chemical caffeine drinks. Addition does not emanate from natural herbs. Herbs are our allies, co-existing with and nourishing us on this planet. . . Ray Thorpe, Happy High Herbs #herbsareourallies #thankyouplantmedicine", + "likes": 1924 + }, + { + "caption": "There is only one active ingredient in plant medicines: friendship. . . After a quick trim this morn, imma run most of this magick thru the juicer & dry the rest for salve-making! #happysaturday . . . Eliot Cowan, Plant Spirit Medicine #herbalmagic #herbalism #plantspiritmedicine #plantmedicines #greenjuice #juicing #juicecleanse #folkloricwitchcraft #salvemaking #trim #herbalallies #womenwhogrow #homegrown", + "likes": 1988 + }, + { + "caption": "The flower that never dies. . The great spirit of the Jericho flower holds ancient mystic properties. The Rose, that's actually not a rose but more of a fern, defies human understanding in its ability to continually come back to life; even after it has seemingly succumb to death. . Jericho flower teaches us, that even during the times of drought we experience in our own existence, we are indeed alive! And given the proper nourishment & loving energy...we too can awaken into the fullness of our gifts. . The magical #jerichoflower also offers powerful protection energy; it calls in abundance; and willingly absorbs negativity within your space! . . This beauty has found its new home in front of one of our #apothecary windows & every time I pass-by throughout the day, I feel a wave of peace wash over my spirit . . Its absolutely true...#plantsmakepeoplehappy . . Jericho Flowers available now sacredsmokeherbals.com #roseofjericho #plantmom #plantdad #plantlover #plantlady #plantlove #plantmagic #plantwitch #witchlife #brujavibes #raiseyourvibrations #sacredspace #altarspace #homedecor #houseplants", + "likes": 25362 + }, + { + "caption": "Beyond the physical, there exists a world of energies! . . And to access it, I call to the allies Blue Vervain (Verbena hastata), Sun Opener herb (Heimia salicifolia), Blue Lotus (Nymphaea caerulea), Mugwort (Artemisia vulgaris), Calea zacatechichi (the Dream Herb) for support. For they have been trusted thru the ages for their willingness to: induce deep relaxation support soul energy projection/travel support a vivid, prophetic #dreamtime support visions & #lucid awareness as the soul travels beyond the physical plane aid in the recall of #ancestral memory & past events (pre-birth & #pastlife ) . . I hope you all are having a blessed Sunday Astral Traveler Herbal Smoking Blend", + "likes": 1375 + }, + { + "caption": "Have you experienced the magic of Red Lotus flower Red Lotus flowers bring ultimate nourishment to the space via the energies of joy & compassion! Likewise, Red Lotus supports the journey of self-discovery as we evolve into our truest form. The flower also has deep roots in love (of self & others), and as a potent #herbal #aphrodisiac Folklore tells us, Red Lotus, has been smoked, infused as a tea, used in ritual bathing, and soaked in wine for its erotica enhancing, chill body stone effects. Anyone down for adding some Red Lotus to their #herbalmedicine cabinet", + "likes": 467 + }, + { + "caption": "Can you feel it...the energy & pulls all around? . What could the Universe possibly have in store for us this Retrograde Season? I guess we'll find out between today & June 22", + "likes": 964 + }, + { + "caption": "Do you ever feel like you just need a headchange? Something to pull you out of all the negativity, even if for a moment! I had no idea #Headchange would turn out to be such a beloved blend...all I knew was that it always seemed to turn my shitty vibe into a giddy one But what else would be expected from mood enhancing #plantallies like Blue Lotus and Wild Dagga?!", + "likes": 2082 + }, + { + "caption": "Its the first #mugwort harvest of the season from my #witchesgarden & the mystical energy is high . . Mugwort, often associated with the Crone in traditional #witchcraft , has its roots in protection, visioning, divination, meditation, and purification rituals. . Personally, I find the deepest blessings when working with #mugwort to: induce deep body relaxation (as a pain reliever) support astral travel enhance dreamtime magick explore the realms of lucid consciousness cleanse & bless magical tools communicate with ancestors open #psychicpowers protect against evil/ill-intended spirits awaken the wild, untamed feminine nature within support a positive self image (increase self-esteem) open the #thirdeye & enhance #meditation . My favorite ways to use this ancient ally include: burning as an incense brewing as a tea (to drink & also to wash magick tools & doorways) placing under my pillow at night making ointments/salves/anointing oils smoking from a pipe (both solo & w #herb ) . . This particular harvest is currently on drying racks & will soon be soaked in oil for salve making!", + "likes": 946 + }, + { + "caption": "Personally, Ive found the smoke of Pedicularis densiflora gracious in offering superb #painrelief from back pain, neck pain, joint pain, nerve pain, muscular pain (from overuse), #menstrual cramps. Ive also found even emotional pain is soothed in its presence . . #plantsnotpills #plantmedicine", + "likes": 1551 + } + ] + }, + { + "fullname": "The Smokers Club", + "biography": " of the legendary Smokers Club #AshAnywhere #BringYaLungs NO TREES 4 SALE ONLINE @smokersclubtrees", + "followers_count": 184490, + "follows_count": 2923, + "website": "https://www.thesmokersclub.com/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "thesmokersclub", + "role": "influencer", + "latestMedia": [ + { + "caption": "A true friend knows to ash before you pass Restock in new color way just dropped at the shop #AshBeforeYouPass", + "likes": 271 + }, + { + "caption": "New Happy Plants collection just dropped at the shop Graphic by the legendary @jessecalifornia link in bio #BringYaLungs", + "likes": 516 + }, + { + "caption": "Bringing back the OG Smoking N Joking sit back, roll up and have a laugh #BringYaLungs #SmokingNJoking @jonnyshipes @shiestbubz @6fcinco @packwoods @shotbycones @kokonuggz @cannatique__farms @can.natiquefarms_tm @smokedza @druski2funny @smokersclubtrees @natura_life_science", + "likes": 668 + }, + { + "caption": "@jonnyshipes has mastered the art of multi tasking Tag a parent who can relate #SmokingNjoking #BabyLungs", + "likes": 4402 + }, + { + "caption": "Dont take life too serious Smoking N Joking Ep. 1 drops Monday #BringYaLungs", + "likes": 350 + }, + { + "caption": "#TB to that time we smoked a pound of Space Needle Joint #WorldWideRollers", + "likes": 609 + }, + { + "caption": "@1h0tmesss lookin' fly in our 'Member Long Sleeve Tee' Tag @thesmokersclub for a chance to be featured #SmokersClubMember #WorldWideRollers", + "likes": 652 + }, + { + "caption": "Perfectly timed text via @friedvegetables #BringYaLungs", + "likes": 2167 + }, + { + "caption": "Our @restashjar is for the the Loud Pack only No Boof allowed in our jars #BringYaLungs", + "likes": 814 + }, + { + "caption": "Triple OG @stoneymama75 rockin our core logo tee She claims to have the strongest lungs for a senior smoker Tag an old head that got super Lungs we are gonna put em on the next episode of Rolling blunts w your elders", + "likes": 2866 + }, + { + "caption": "GrandPa brought his lungs Tag an old head who smokes mad blunts We are looking for contestants for the next episode of Rolling blunts with your elders #BringYaLungs", + "likes": 282 + }, + { + "caption": "Heavy Weight Champion shit no Wheaties #Undisputed", + "likes": 1490 + } + ] + }, + { + "fullname": "lilxbun \u2601\ufe0f", + "biography": "Dallas, TX dreamy artist Shop Update: 8/6 at 5pm CST Shop & Support", + "followers_count": 42876, + "follows_count": 967, + "website": "https://lilxbun.carrd.co/", + "profileCategory": 2, + "specialisation": "Artist", + "location": "", + "username": "lilxbun", + "role": "influencer", + "latestMedia": [ + { + "caption": "Its true, it does! . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 1206 + }, + { + "caption": "Tag someone you want to smoke with swipe to see more . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 6059 + }, + { + "caption": "I love dabs! whats your favorite strain? . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 2114 + }, + { + "caption": "the bun keychain drop is live! let me know what future themes you want to see! . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 469 + }, + { + "caption": "Cannabis has so many benefits For me, it really helps with my mood daily! Keeps me level headed and focused. How does a joint a day help you? . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #alienart #alienmemes #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 3370 + }, + { + "caption": "Stay high, stay hydrated friends! . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 659 + }, + { + "caption": "Weed you say? Im on my way! #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 3131 + }, + { + "caption": "Happy 710 yall! Get up and go smoke . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #wax #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #710community #mmjcommunity #710 #cannabis #420daily #weedgirls #dabsociety", + "likes": 3731 + }, + { + "caption": "My soul smells like weed New rolling trays & bun trays are now live in my shop! I also restocked some stickers as well! . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 1453 + }, + { + "caption": "time to smoke! grinder pins are back in the shop! . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 1362 + }, + { + "caption": "Tag someone you want to smoke with! or send this to them!! . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 3100 + }, + { + "caption": "Its time! Time to get toasted . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 7490 + }, + { + "caption": "You got this send this to someone who needs it . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 4169 + }, + { + "caption": "Where my budtender babes at? Make sure to tag your favorite budtender below . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 780 + }, + { + "caption": "Dabs or edibles? . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 2309 + }, + { + "caption": "My shop update is LIVE & these lovely grinder pins are back in the shop! Also some new stickers & bun keychains . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 1688 + }, + { + "caption": "Its true, it does What are you smokin on right now? . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 6341 + }, + { + "caption": "Happy Friday! Go enjoy the start to your weekend . . . #cannabisartist #illustrationarts #artistandillustrator #weedfam #weedhumour #origionalart #shopmyetsy #oddart #lilxbun #illustrationstyle #illustratorartist #estyfinds #etsygiftideas #etsyshopseller #cannabisartwork #cannabischannel #cannabiscreative #dailydesignpick #cannabisartists #etsysucces #420culture #420somewhere #cannabisart #marijuanaculture #mmjcommunity #trippyart #cannabis #420daily #weedgirls #dabsociety", + "likes": 7912 + } + ] + }, + { + "fullname": "Alyssa", + "biography": "YouTubermusicartpineapplesheadbandsfoxesTikTok WATCH THIS!#familyfunpack", + "followers_count": 130495, + "follows_count": 23, + "website": "https://youtu.be/IV_RWz256pY", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "alyssaalways", + "role": "influencer", + "latestMedia": [ + { + "caption": "Notice anything?? Comment when you see it! #alwaysalyssa #familyfunpack #missouri #butterflypalace #roadtrip #pineapple #flowers #teenager #hat #2021 #summer #butterfly", + "likes": 2114 + }, + { + "caption": "Swipe right then go backwards and look at the pics video just went up on Family Fun Pack and its pretty awesome. Hows your weekend been where you are?? #waterfall #dingmansfalls #pennsylvania #familyfunpack #alwaysalyssa #familyfunpackroadtrip #nature #hike #waterfallhike #roadtripstop #roadtrip #trickphotography #swipe #funny #water #waterbottle", + "likes": 2616 + }, + { + "caption": "Who saw my mountain coaster vlog?? I snuck something in on the video and if you are quite observant you definitely noticed it! If you get it right Ill dm you so comment your guesses #mountaincoaster #alwaysalyssa #familyfunpack #rockytopmountaincoaster", + "likes": 1818 + }, + { + "caption": "Made it to Niagara Falls!!! Comment the best place youve visited! #niagarafalls #waterfall #hugewaterfall #alwaysalyssa #familyfunpack #nature #familyfunpackroadtrip", + "likes": 1399 + }, + { + "caption": "Whats your favorite shape? #heart #alwaysalyssa #familyfunpack", + "likes": 1825 + }, + { + "caption": "Anybody planning a beach trip for this summer?? Also peep my new shorts! Just got them! #beach #florida #alwaysalyssa #familyfunpack #familyfunpackroadtrip", + "likes": 1969 + }, + { + "caption": "1. Who knows what these are 2. Who knows the flavors?? #bigrockcandykitchen #tennessee #familyfunpack @brckpigeonforge", + "likes": 2158 + }, + { + "caption": "Who saw this video?? Comment your favorite umbrella color and why you like it for a chance to get a DM from me! #AlwaysAlyssa #UmbrellaSky #Dollywood #FamilyFunPack", + "likes": 2541 + }, + { + "caption": "How many birds do you see in this photo? #alwaysalyssa #familyfunpack #parrot #bird", + "likes": 1639 + }, + { + "caption": "Dreaming of you #flowers #alwaysalyssa #familyfunpack", + "likes": 2101 + }, + { + "caption": "How do I look with a bird? I want a pet bird! #Parrot #Bird #BirdsOfInstagram #ParrotMountain #FamilyFunPack #AlwaysAlyssa #Tennessee #parrotsofinstagram #birdsofinstagram #birds", + "likes": 1740 + }, + { + "caption": "Look at that amazing rainbow that happened on a sunny day during our trip! Have you seen something like this before? #Rainbow #Weather #Nature #alwaysalyssa #familyfunpack", + "likes": 2955 + }, + { + "caption": "Two things you wouldnt know by looking at this photo: 1. It was super hot and humid outside 2. I had a really bad allergic reaction rash all over my hands and legs #flowers#hotday #AlwaysAlyssa #FamilyFunPack #Florida", + "likes": 2638 + }, + { + "caption": "Fox shirt! comment your favorite animal and see if theres an emoji for it! #Fox #FoxShirt #FavoriteAnimal #AlwaysAlyssa #FamilyFunPack #NewShirt", + "likes": 2970 + }, + { + "caption": "New road trip vlog just went out on MY YOUTUBE CHANNEL!!!! Hurry over and be the first to watch it! Im responding to comments! Bonus points to anyone who knows what Im about to eat in the first pic! #Epcot #FreshEpcot #Disney #DisneyWorld #SaratogaSprings #epcot #disneyfood #AlwaysAlyssa #FamilyFunPack @disneyparksblog @waltdisneyworld", + "likes": 2228 + } + ] + }, + { + "fullname": "Marissa Daniela - Cuba", + "biography": "Connecting Cuba to the Diaspora. And the Watch our journey from communism to capitalism. mis opiniones son las mas #SinCensura Mari@marimundo.com", + "followers_count": 45618, + "follows_count": 2182, + "website": "https://youtu.be/aBA41QgIty8", + "profileCategory": 3, + "specialisation": "Digital Creator", + "location": "", + "username": "mimaincuba", + "role": "influencer", + "latestMedia": [ + { + "caption": "This is one of many UNACCEPTABLE stories of human rights abuses that have happened during the 11-July protests in Cuba. For Manolo manguera and over 550 people, protesting peacefully landed them in jail without the right to a fair trail and without the right of fair representation. In less than 3 weeks, hundred have been convicted of crimes and sent to maximum security prisons where they are treated horribly by Cuban officials. Their official crime is labeled under spreading COVID-19 of which no pro-government protestors were arrested of when they showed their patriotism to the revolution in the days following. THESE are the injustices the Regime will never admit to. All of us in tje international community who have been protesting and waving our Cuban flags have the obligation to now pressure the cuban government in releasing ALL POLITICAL PRISONERS. History has showed that international pressure has prevented the Cuban government from arresting famous dissidents. Its up to us to make the infamous, famous. Please we are begging you to share their stories.", + "likes": 3003 + }, + { + "caption": "Hi non Cuban 2 week old Cuban experts! I got a couple questions for you: How is Samsung, a brand that should be embargoed in Cuba, have a store in Havana? In what dimension Is a 55 inch tv that was purchased in bulk by the Cuban government resold at $10,000? Riddle me the embargo here, please. This gusana doesnt understand. Yes it took me 10 min and 6 attempts to get text to speech to say cojone right. ", + "likes": 5204 + }, + { + "caption": "Now with English subtitles! Yoel, a recent immigrant from Cuba (only 4 months in this country) finally is able to express what has been frustrating him for 36 years and the recent developments in Cuba. Unfortunately, we still cannot say he can express this freely because we risk our seeing our families, our families lives, and the possibility of entering/leaving cuba because of the regimes control even outside the island. But Yoel finally after 36 years can no longer take other people talking in front of him. This is what he says about the embargo, oppression and life in cuba today.", + "likes": 3179 + }, + { + "caption": "EXPLAINED: The cuban economy is very complex and blaming the downfall on the embargo lacks serious perspective in the many other factors that cause economies to collapse. Here are just some examples of internal domestic policies the Cuban government has implemented that dont help in the situation. In fact, the inefficiencies are so well known that it is very common for Cubans to mention (quietly) the two embargos. But the workers of America wont know that..... because they dont ever actually talk to Cubans. They only speak over us. Design again by @juliettehelen. #soscuba #cuba #cubanembargo #handsoffcuba #abajoelbloqueo #endtheembargo #abajoladictadura #vivacubalibre #diazcanelsingao", + "likes": 1873 + }, + { + "caption": "NO THIS ISNT JUST COVID! For years Cubans have been protesting the injustices. I filmed this in 2018 and was so scared to upload it. In the most clandestina way, I passed it to @yusnaby who has been a silent partner in crime pushing our content out when I was too scared to do it. In this video, an entire neighborhood in havana put water tanks out on the street to protect the lack of water for 11 days. Two blocks away is the @kempinskihavana, a 5 star luxury hotel in havana that wont ever lack water for tourists. The neighbors were so fed up. While Cubans just stood on the sidelines using the only weapon they have, a cellphone, I actively documented their grievances. Anyone who pushes this bullshit narrative of tje pandemic being what people are protesting against is blinded by their personal biases. The i justices and ineficiencias of the cuban government have been normal day hush hush amongst almost every Cuban on the island.", + "likes": 4334 + }, + { + "caption": "Abuela, born in Pinar del Ro 1921 is 99 years old. She lived under Fidel Castro regime and saw the regime take away arms. She explains that she was sad when she saw the protests because she knew they wouldnt win. They dont have arms. The regime does and they beated, shooted and imprisoned many. When I asked her what she wanted for cuba she shouted Freedom! Not food or medicine. Freedom so they can find their own food with the work they do. At 99 shes still waiting, dreaming and praying, her island will one day be Free. #cuba #cubalibre #patriayvida #abajoladictadura", + "likes": 3246 + }, + { + "caption": "This 26 de Julio isnt just for revolutionaries its for the entire diaspora, the exiles, the recin llegados, the 2nd generation, the 3rd generation, the ones who love cuba, and the ones ON THE ISLAND to finally make an inclusive Cuba for EVERYONE. #PATRIAYVIDA #soscuba #abajoladictadura #cuba #26dejulio", + "likes": 4736 + }, + { + "caption": "Joel sin miedo- todos los sentimientos de un cubano que vivi la pandemia y antes y despus un cubano que sabe lo que vivir de mentiras. Amplificando las voces cubanas #vivacubalibre#soscuba#diascanelsingao#abajoladictadura#cuba", + "likes": 4479 + }, + { + "caption": "Voices in Cuba: a farmer explains to Yoel and I how the government mistreats farmers. The government, because of lack of gas and as he explained, desire, hasnt collected his tobacco that was ready since may (recorded in August). So the tobacco leaves have been wasted. Farmers are required to sell at least 90% of tobacco to the state. When the state doesnt pick up crops, they dont pay either leaving many farmers, like this man, feeling helpless. These are the stories, voices and experiences in Cuba you will never get from statistics. These are the lives youll never hear from. And this is the news they will never air. #vivacibalibre #soscuba #abajoladictadura", + "likes": 3424 + }, + { + "caption": "Para cuba, el mundo est contigo. Si no viene hoy, vendr maana. VIDEO AND SONG BY @mackloren", + "likes": 3778 + }, + { + "caption": "Its getting exhausting", + "likes": 2594 + }, + { + "caption": "Zoila, born in 1920 (101 years old) in La Habana, Cuba came to the United States only 18 years ago. Like many Cubans who have United all over the world, she wants to see her country finally FREE. Que dios la bendiga. : @_steph_espin_ Gracias por este video! #soscuba #vivacubalibre #abajoladictadura #diazcanelsingao #patriayvida", + "likes": 8584 + }, + { + "caption": "Feeling so proud of my Yoe for expressing his mind, his opinion, and letting go 36 years of oppression, fear, and tears. Its the first time in his life he was able to experience a basic humanity stripped of him for so long. Que orgullo me siento por mi yoe. Video: yoel trying to tell people not to tell press intervention because we are impeding protesters in cuba. No one wants intervention and the regime is using it for manipulation in cuba. We need to be smart. 2. All our friends in pinar del rio coming out in moami.", + "likes": 5989 + }, + { + "caption": "Edit: they unblocked me (for now). I am extremely disgusted that @instagram has temporarily censored me by using and engaging on THEIR platform about a serious violation the Cuban government is doing. Instead of censoring creators who CONTRIBUTE to your platform, why the hell are dictators allowed to use the same platform (vis a vis Facebook) to blatantly lie about killing their own people, manipulate information, and cut internet access to their people? A dictator who actively doesnt let his own people go on YOUR platform. Why ARENT YOU CENSORING THAT? Yes I see you communist in my DMs, but we are also fighting for your right to talk la pingggaaaaaa that comes out of your mouths. I swear if I was in fucking San Francisco right now...... @instagram @facebookapp", + "likes": 4175 + }, + { + "caption": "In the most beautiful unprecedented and spontaneous move Cubans, and non Cubans alike, off all races, all socioeconomic levels, and all political views have united all over the world for one thing and one thing only: TO END THE DICTATORSHIP. Because a DICTATORSHIP that represses citizens rights to assembly, that jails peaceful unarmed protestors and lies about shooting and killing some IS NOT ACCEPTABLE. the world needs to know, that even if the media reports larger crowds for the government, even if they report this is caused by the US embargo, that IT IS A BASIC HUMAN RIGHT TO CRITICIZE AND PROTEST AGAINST YOUR GOVERNMENT no matter if its 1 or 1 million people. They protested for liberty, not for pieces of chicken. Thank you to @juliettehelen for using her graphic talents and helping me out on this. And @cuba.sos for being a resource of all things #soscuba during this time Patria y Vida! #patriayvida #soscuba #abajoladictadura", + "likes": 13704 + }, + { + "caption": "Va @cuba.art Jos Marti, an hero for all Cubas, preached liberty for the Cuban people. The dictatorship has used his work and images as a way to justify their cause. We all know that Jose Marti would cry at the thought of the countrymen he loved,fought and died for is currently repressed by their own government. Jose Marti was a badass for liberty and ironically, an exiled Cuban who organized cubas in NYC to defeat the Spanish imperalism. No doubt, Jose would be holding a singao poster today.", + "likes": 1810 + }, + { + "caption": "This is why I am dedicating all my content to this effort. THIS. BECAUSE Joel should never have to tell his daughter to calm down because shes worried she wont see him again because he is publcally against the dictatorship. BECAUSE The Cuban government denies their own citizens to enter the country at will all the time- deliberately separating families. BECAUSE it shouldnt be the case families are separated because there isnt hopes and dreams in their own country. BECAUSE This isnt the fault of the US embargo, this is the direct responsibility of a dictatorship that does not allow opposing views. START LISTENING to Cuban exiles and Cuban diaspora. #abajoladictadura", + "likes": 5142 + }, + { + "caption": "THIS IS THE VIDEO THE WORLD NEEDS TO SEE. Cuban Dictator Diaz Canel allows the blatant shooting of peaceful protestors to his people who have no guns, no arms of any kind, and who are no where near police in this video. DIAZ CANEL NEEDS TO BE MADE RESPONSIBLE FOR THIS. WHERE IS THE INTERNATIONAL PRESS IN CUBA? Influencers are doing a better job than you. @cnnee @cnn @apnews @reuters @bbcnews @nytimes @foxnews @msnbc", + "likes": 994 + }, + { + "caption": "As funciona en cuba. La polica se viste en civil para reprimir al mismo pueblo para no salir en los celulares de uniforme. THIS IS HOW IT WORKS: Cuban police in civil wear with bats in hand to repress their own countrymen. So that cell phones dont catch them in uniform and to manipulate later on TV.", + "likes": 966 + }, + { + "caption": "Cubans taking over the Miami turnpike RIGHT NOW. We happen to be the first people to go on the turnpike. This is unrea. (Ps we are on the side bc I dont personally believe in closing freeways but I went quickly to document). #cubanos #cubanosporelmundo #miami", + "likes": 5615 + }, + { + "caption": "THIS IS UNACCEPTABLE!!!!! We are begging you to listen to Cuban voices!!!!! The dictatorship is forcibly removing teenage boys from their homes. Parents are fighting back with knives or anything else to protect their children. PLEASE SHARE. THE WORLD NEEDS TO KNOW THIS IS CUBA BEHIND THE CLASSIC CARS AND MOJITOS.", + "likes": 15142 + }, + { + "caption": "UNITY!!!! Hay q reunirnos!!!! The dictatorship wants fractions and it does not matter where you fall on the political spectrum, dictatorship and lack of basic human rights is UNACCEPTABLE. This should be the one thing to unite as all for a better cuba. I cannot stress enough how important the international community is to support Cubans on the island in their fight. La dictadura quiere fracciones entre nosotros. Pero te digo una cosa: no importa cual es tu poltica, una dictadura q le falta el respeto para los derechos humanos es INACEPTABLE. #soscuba #vivacubalibre #vivacuba #cuba #cubanos #cubanosporelmundo #abajoladictadura #vivalalibertad @onuderechoshumanos", + "likes": 8917 + }, + { + "caption": "WE ARE BEGGING YOU TO SHARE!! PLEASE FOLLOW @cuba.sos , @cuba.sos made this beautiful Spanish and English explanation of everything happening in cuba. The international world needs to know about the Cuban dictatorship and its abuses for basic human rights for 62 years. If you are Cuban, Cuban-American, in the diaspora, fellow Latino or member of international community please share! ESTAMOS PIDIENDO TU AYUDA EN COMPARTIR! @cuba.sos Han creado esta informacin de lo que est pasando en Cuba en ingls y espaol. Si eres cubano o cubano americano en la dispora, un latinoamericano, o parte de la comunidad international por favor necesitamos tu ayuda! El mundo tiene q saber de la dictadura cubana y su falta de derecho humanos por ms de 62 aos. #soscuba #sosmatanzas #cuba #abajoladictadura #cubanos #cubanosporelmundo #cubalibre", + "likes": 8364 + }, + { + "caption": "Otra vuelta alrededor del sol. Oficialmente #33. (Creo q hoy me permito subir una foto tpica influencer )", + "likes": 1734 + }, + { + "caption": "YUMA SI EXISTE!!! Celebrando la libertad hoy juntos por primera vez!!! en el territorio gusano! We are feeling proud to be gusanos (traitors) today. Anyone else? Nos sentimos muy orgullosos de ser gusanos hoy. Y ustedes?", + "likes": 2143 + }, + { + "caption": "Taking Yoel to the place very Cuban knows - llevando Yoel al lugar q todos los cubanos saben.", + "likes": 1565 + }, + { + "caption": "Finally! Were happy to announce that Yoels Yuma () panza is officially at 16 weeks. The food bb is at a healthy 10lbs eating tremendo carne de res y todo lo q le da la gana. Contrary to what Miguel Diaz CaCa says, seguiremos luchando contra la hambruna en el imperio! Gracias a todos!!!!! Patria y Vida, venceremos!", + "likes": 2937 + }, + { + "caption": "Hawai de vacaciones!! Gracias a unos puntos q guarde entre aerolneas y hoteles, y la ayuda de un trabajo extra y la familia celebramos nuestro 90 das en Kauai. Ah hicimos cosas nicas. Solamente en los EUA con esfuerzo se puede disfrutar todo lo q tiene este bella pais! Gracias a todos por seguirnos durante estos aos. No ha sido fcil y hay muchas cosas detrs de la camera que no compartimos pero ha sido una bendicin poder tener todos ustedes con nosotros en este nuevo camino. Also thank you to @wisdomwear_kauai who we met through turo app that made this so wonderful. Now we have friends even in Kauai!!! ", + "likes": 3644 + }, + { + "caption": "We made it to 90 days!!! Oficialmente 90 das junto en este pas..... gracias por todo el apoyo q nos han dado! Thank you for all the support. This has been the best 3 months of my life. ", + "likes": 1959 + }, + { + "caption": "Si las cosas fuera revs..... #girlpower", + "likes": 1310 + } + ] + }, + { + "fullname": "Rip Trippers", + "biography": "TURN ON MY POST NOTIFICATIONS Subscribe To My YOUTUBE Channel Below.", + "followers_count": 462158, + "follows_count": 43, + "website": "https://m.youtube.com/watch?v=htLiSz12eHY", + "profileCategory": 1, + "specialisation": "", + "location": "", + "username": "riptrippers", + "role": "influencer", + "latestMedia": [ + { + "caption": "This Aeglos P1 video was supposed to go up last weekend. But, I found out last minute, there is a 510 adapter option for this sucker. Needed a couple more days to test it out for you guys, and I'm glad I did. This thing is The Cat's Meow of pod kits. Be on the lookout for this video to drop tonight or tomorrow at the latest! #riptrippers @uwelltech @uwellofficialstore", + "likes": 283 + }, + { + "caption": "Next video to go up on riptrippers is this Uwell Aeglos P1 Pod Kit. I'm tellin ya, Uwell makes some dang good quality stuff. Be on the lookout for the video to go up some time Saturday. #riptrippers @uwelltech @uwellofficialstore", + "likes": 452 + }, + { + "caption": "The iJOY Captain Airgo video is up guys!! Link to the video above in instagram bio.#riptrippers @ijoyglobal", + "likes": 355 + }, + { + "caption": "Get ready yawww! Next video to go up on riptrippers is this Wotofo Mdura Pro! And it should be going up tonight. Be on the lookout. #riptrippers", + "likes": 375 + }, + { + "caption": "Latest riptrippers video is up! It's called the SRPNT RDA by Wotofo. Video link to this chucker above in my instagram bio. Enjoy yawww! #riptrippers @wotofoofficial", + "likes": 327 + }, + { + "caption": "Look at this RDA deck!! The new SRPNT RDA video going up on riptrippers asap! Be on the lookout. @wotofoofficial #srpntrda", + "likes": 261 + }, + { + "caption": "It's my Birthday! It's my Birthday! Guess how old I am today?", + "likes": 3094 + }, + { + "caption": "Oh yeah!! Uwell knocked it out of the park with this sucker! It's called The Havok! And I'm working real hard on getting this video up for you guys later tonight.Be on the lookout yawwww! @uwelltech @uwellofficialstore #riptrippers", + "likes": 533 + }, + { + "caption": "#hellcatredeye", + "likes": 1429 + }, + { + "caption": "Get ready yawwww!! Next video to go up on the riptrippers channel is this Bad Boy! It's from Horozintech. And its called, The Sakers!! Be on the lookout! #riptrippers", + "likes": 576 + }, + { + "caption": "I'm really excited about doing a vid on this @digiflavor Torch RTA! Originally it was suppose to go up weeks ago as a first look video, but that just wasn't part of the plan. Because of the long and much needed vacation I went on, this Bad Boy came along with. And I'm so glad it did! I've gotten spend a lot of time with this tank. Be on the lookout for the Torch RTA video going up sometime this weekend.", + "likes": 453 + }, + { + "caption": "My youngest boy turns 3 today! #happybirthday", + "likes": 1033 + } + ] + }, + { + "fullname": "Mandy", + "biography": "AUSTRALIA CHOOKS GARDEN CROCHET CHICKEN HATS #aussiechickens #herechookchookchickenhats", + "followers_count": 65175, + "follows_count": 292, + "website": "http://herechookchook.etsy.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "herechookchook", + "role": "influencer", + "latestMedia": [ + { + "caption": "My chooks love their freedom. They dont know how lucky they are!@chickenguards #aussiechickens #herechookchook #cottagegarden #freerangechickens #poules #galline #hns #hhner #galinhas #abcmyphoto", + "likes": 2774 + }, + { + "caption": "Thank you for so many name suggestions!! Im going to call him Russell Crowe as first suggested by @leichhardt63. He just looks like a Russell and I love the irony of his last name Crowe, considering he still hasnt crowed yet! #aussiechickens #herechookchook #cottagegarden #freerangechickens #poules #galline #hns #hhner #galinhas #abcmyphoto", + "likes": 1623 + }, + { + "caption": "This little rooster needs a name. I wasnt expecting him to be here this long but hes got to 10 mths of age without crowing! He is still by his mama Pearls side, occasionally trying to jump on her. So he knows hes a boy..just doesnt crow. He actually cackles like a hen. Hit me up with name suggestions please. #Aussiechickens #herechookchook #cottagegarden #freerangechickens #poules #galline #hns #hhner #galinhas #abcmyphoto", + "likes": 4798 + }, + { + "caption": "And Barbara Ann has started! ALL DAY, she did this, looking for somewhere to lay her egg. (The egg in the nest box is a fake one). If she did lay, I dont know where. Last year was like a treasure hunt looking for her eggs. #Aussiechickens #herechookchook #cottagegarden #freerangechickens #poules #galline #hns #hhner #galinhas #abcmyphoto", + "likes": 1098 + }, + { + "caption": "A fluffy butt and my first ever daffodil. The chooks have left it alone, Im hoping for a few more now. #fluffybuttfriday #aussiechickens #herechookchook #cottagegarden #freerangechickens #poules #galline #hns #hhner #galinhas #abcmyphoto", + "likes": 930 + }, + { + "caption": "Watch and learn girls! Barbara Ann teaching the others how to be a jerk! #Aussiechickens #herechookchook #cottagegarden #freerangechickens #poules #galline #hns #hhner #galinhas #abcmyphoto", + "likes": 3097 + }, + { + "caption": "Its easy to tell these two apart. Priscilla, in front, has a big head floof and is bigger and fluffier all over. Pearl is smaller with not much floof up top! Pearl is still caring for her frazzle boy btw. #Aussiechickens #herechookchook #cottagegarden #freerangechickens #poules #galline #hns #hhner #galinhas #abcmyphoto", + "likes": 1531 + }, + { + "caption": "A crisp, sunny winters morning here and the wind has gone! So thankful the girls had their moult and grew feathers back before the cold weather hit. Theres been so many years where they lost their feathers in the middle of winter! #Aussiechickens #herechookchook #cottagegarden #freerangechickens #poules #galline #hns #hhner #galinhas #abcmyphoto", + "likes": 3412 + }, + { + "caption": "My sweet girl, Mary Ellen, laid her first egg yesterday after a long well earned break. She was very vocal about it beforehand too! I can only imagine what its going to be like when the others start laying again, Ive got used to the quiet! I havent had eggs here for months and thats just how I like it. Chickens naturally have a break from producing eggs, all their energy goes into growing new feathers after their moult and coping with the cold weather. Eggs are seasonal and real treasures, an added bonus when you keep chickens. #aussiechickens #herechookchook #cottagegarden #freerangechickens #poules #galline #hns #hhner #galinhas #abcmyphoto #gardeningaustralia", + "likes": 1057 + }, + { + "caption": "We were going to present FLUFFY BUTTS IN FORMATION but Barbara Ann chickened out (see what I did there?). Elly May carried on the performance with a little cameo appearance by the frazzle boy at the end. Thank you for your attendance and applause . #fluffybuttsinformation #fluffybuttfriday #aussiechickens #herechookchook #cottagegarden #freerangechickens #poules #galline #hns #hhner #galinhas #abcmyphoto", + "likes": 4194 + }, + { + "caption": "I love how the morning light on the tree looks like fairy lights. Elly May is fluffed up against the cold this morning! #Aussiechickens #herechookchook #cottagegarden #freerangechickens #poules #galline #hns #hhner #galinhas #abcmyphoto", + "likes": 4761 + }, + { + "caption": "Youd never think from this sunny pic that the temp early this morning was-0.5C with a feels like temp of -4.3C . The cold doesnt seem to bother the chooks though, they just go about their foraging business as usual. #Aussiechickens #herechookchook #cottagegarden #freerangechickens #poules #galline #hns #hhner #galinhas #abcmyphoto", + "likes": 1179 + } + ] + }, + { + "fullname": "", + "biography": " Certified Bourbon Steward Cigar Sommelier Wanderlust-er Positivity Addict Miami Follow: @whiskylover12", + "followers_count": 63110, + "follows_count": 599, + "website": "", + "profileCategory": 3, + "specialisation": "Public Figure", + "location": "", + "username": "cigarlover12", + "role": "influencer", + "latestMedia": [ + { + "caption": "Classic pairing! Whats your classic pairing? #whiskywednesday #Cigarlover12 #whiskyandcigars #macallanwhisky", + "likes": 505 + }, + { + "caption": "Happy Monday! Do you prefer pairing Cigars with #Rum or #Whisky? I prefer Whisky or Dark Chocolate #Cigarlover12 #minibottles #macallanmonday", + "likes": 1294 + }, + { + "caption": "Aging Room by Rafael Nodal Rare Collection Im really impressed with this blend is so smooth and a lot of sweetness! Do you know theres a bit of Pelo de Oro in the blend? Hair of Gold Pelo de Oro tobacco was once popular in Cuba, but because of its susceptible to blue mold disease and its low yields. @ajf_nicaragua is doing a great job in Nicaragua with this rare leaves. @agingroomcigars #cigarlover12 #agingroom #lesfineslames", + "likes": 1289 + }, + { + "caption": "Why We Want Things That Are Hard To Get? #Cigarlover12 #pappyvanwinkle #whiskeywednesday", + "likes": 2497 + }, + { + "caption": "Its TUESDAY! And since its CHOOSEDAY: choose to smile, choose to be happy, choose to love, choose to bless, choose to be a blessing, choose to be humble, choose to be patient, choose to be kind @bobbie_january_ #Cigarlover12 #tuesdayvibes #tuesdaymotivation", + "likes": 4471 + }, + { + "caption": "Smile tomorrow is #Friday #Cigarlover12 #newjersey #charuto #cigar #cigars #reel #cigarlife #latina", + "likes": 6836 + }, + { + "caption": "Happy #Fuentefriday !! Loving these beautiful Glencairn glasses by @theoxsociety #Cigarlover12 #whiskyglass #opusx", + "likes": 1646 + }, + { + "caption": "Soul of Fire Born from fire, and to the fire it shall return. Have you try this blend ? #lightupyoursoul @plasenciacigars #cigarlover12 #pca2021", + "likes": 1040 + }, + { + "caption": "Congratulations @jrcigars 50th year Anniversary! Loving this special @agingroomcigars Whats your favorite online store? #Cigarlover12 #whiskywednesday #blantonsbourbon", + "likes": 2081 + }, + { + "caption": "If youre planning to be in Vegas this weekend for the @pca1933 please dont forget to visit booth # 1545 See you in #Vegas @mattjongphoto #Cigarlover12 #vegasbaby #cigaroftheday", + "likes": 2452 + }, + { + "caption": "I hope everyone is having a beautiful Saturday! Happy #4thofjuly Eve #newyorkcity #Cigarlover12 #manhattan #davidoffcigars #newyork #nyc #cigar #sotl #charuto #cigars", + "likes": 4061 + }, + { + "caption": "Have a #Wackywednesday ! Dont forget to smile and laugh once in a while! Happy #whiskywednesday #Cigarlover12 #themacallan", + "likes": 2208 + } + ] + }, + { + "fullname": "City of Las Vegas", + "biography": "Sharing from City Hall in DTLV. Tag us and we might share your photo in our feed or Your View story each week. Check out our story highlights ", + "followers_count": 95347, + "follows_count": 364, + "website": "https://www.lasvegasnevada.gov/News", + "profileCategory": 2, + "specialisation": "", + "location": "Las Vegas, Nevada", + "username": "cityoflasvegas", + "role": "influencer", + "latestMedia": [ + { + "caption": "@lasvegasfd battled an outdoor fire in #DTLV, early Tuesday morning. Thankfully no structures were scorched and no one was hurt.", + "likes": 662 + }, + { + "caption": "Its only Monday, but were all ready thinking about #Friday #FirstFriday that is! @firstfridaylv is back on Aug. 6th, and this months theme is Good Vibes Only. You ready?! #art #firstfridays #fremontstreet #dtlv", + "likes": 148 + }, + { + "caption": "Tragic news for our community Trooper Micah May died yesterday after sustaining injuries in a major incident on Tuesday. His family, @nevadahighwaypatrol and the entire law enforcement community are in our thoughts. Thank you for all you do to keep us safe ", + "likes": 1416 + }, + { + "caption": "To drivers, road construction around #Vegas may look like an orange cone obstacle course, but there is a method to the madness. In this episode of #CityBeat, city engineers shared how they planned for the road improvement project on Las Vegas Blvd. between Stewart & Sahara. Go to our stories and swipe up to watch the full story on #YouTube! ", + "likes": 2740 + }, + { + "caption": "Feeling a little muggy out? Last night's storms are to blame. It had us waking up to a lot of humidity today! An amazing light show captured on video even highlighted parts of #DTLV's skyline. @CircaLasVegas", + "likes": 3310 + }, + { + "caption": "Its day of the cowboy and we salute Las Vegas favorite cowboy: Vegas Vic. He has been watching over Fremont Street for 70 years this year. This week, the City Council approved a Retail Lease with Vics Symphony Park for the development of a full service restaurant and tavern with the iconic Vegas Vics brand in #DTLV. The restaurant and lounge will span 6,300 square feet and feature a replica of Vegas Vic.", + "likes": 1859 + }, + { + "caption": "Some new places to add to your list thanks to @lasvegasweeklye #LVWBestofVegas ", + "likes": 254 + }, + { + "caption": "Introducing The Arrow! The Arrow is a free shuttle service that will connect guests of the Courtyard Homeless Resource Center to 19 essential public & private service sites . The service, operated by Keolis, will run seven days a week from 8:30 a.m. to 6:30 p.m. Today the ribbon cutting ceremony was held outside City Hall. Learn more at lasvegasnevada.gov/arrow.", + "likes": 826 + }, + { + "caption": "Sometimes along with the much-needed rain comes a light show -- but we're here for it. Storms continue to be in the forecast so be safe out there. @_landeros_ #VegasWeather #MonsoonSeason #SummerRain #Vegas", + "likes": 1371 + }, + { + "caption": " Extreme heat is in the forecast through Monday Follow @nwsvegas for weather updates. Stay hydrated, wear light clothes, and stay inside if you can @lucyloves2surf", + "likes": 1054 + }, + { + "caption": "#AboutLastNight @g.watsonimages", + "likes": 619 + }, + { + "caption": "The American flag waves on City Hall & the Gateway Arches tonight in celebration of #IndependenceDay @boogie.702", + "likes": 2444 + } + ] + }, + { + "fullname": "Marijuanart", + "biography": "WEED & ART | Leaf me alone | Take care & Keep smiling | #marijuanart", + "followers_count": 112242, + "follows_count": 30, + "website": "", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "marijuanart_", + "role": "influencer", + "latestMedia": [ + { + "caption": "Snoop God follow @marijuanart_", + "likes": 1725 + }, + { + "caption": "Dip and rip by @marijuanart_", + "likes": 1535 + }, + { + "caption": "Alice in weeland by @marijuanart_", + "likes": 1478 + }, + { + "caption": "What is your mood rn? by @cheeky.juice", + "likes": 3197 + }, + { + "caption": "Ganja power by @crack.dsgn", + "likes": 1482 + }, + { + "caption": "Tag your best buds follow @marijuanart_", + "likes": 3787 + }, + { + "caption": "420 babe by @moonmilli", + "likes": 2078 + }, + { + "caption": "My eyes all the time by @marijuanart_", + "likes": 3753 + }, + { + "caption": "TGIF! by @bangerooo", + "likes": 2149 + }, + { + "caption": "Whos your true love? follow @marijuanart_", + "likes": 5634 + }, + { + "caption": "Whats your relation with cannabis? by @marijuanart_", + "likes": 3430 + }, + { + "caption": "Smoke that shit by @jovanny_brainmash", + "likes": 1547 + } + ] + }, + { + "fullname": "GLUNT", + "biography": "Leading innovative smoke shop. Patented technology. Intended for tobacco use only! Must be 18+ to follow.", + "followers_count": 214607, + "follows_count": 0, + "website": "http://gluntofficial.com/ig/", + "profileCategory": 2, + "specialisation": "Product/Service", + "location": "", + "username": "gluntofficial", + "role": "influencer", + "latestMedia": [ + { + "caption": "Who else been caught in 4K? ", + "likes": 3032 + }, + { + "caption": "Tag the friend that destroys your pantry after a sesh ", + "likes": 997 + }, + { + "caption": "Who else needs a hit right about now? ", + "likes": 1179 + }, + { + "caption": "Who else has been there? ", + "likes": 3204 + }, + { + "caption": "Use code 20OFF to get your first Glunt for $20 ", + "likes": 1046 + }, + { + "caption": "Yall rockin with Joe Biden ", + "likes": 1233 + }, + { + "caption": "Who feels that? ", + "likes": 5090 + }, + { + "caption": "Aint no monkeying around when it comes to @godcarleonn smoking a Glunt ", + "likes": 409 + }, + { + "caption": "Monday mood. ", + "likes": 5085 + }, + { + "caption": "Happy Friday! What are your plans this weekend? ", + "likes": 575 + }, + { + "caption": "Comment below #420 #happy420day", + "likes": 800 + }, + { + "caption": "Let that sink in if you like to sleep in... ", + "likes": 3964 + } + ] + }, + { + "fullname": "ThoughtCloud CBD (TM)\ud83d\udca1\u2601\ufe0f", + "biography": "Promoting health & wellness as a lifestyle. #ThoughtCloud Organically Grown 100% Vegan Sustainable Reiki Infused Lab Tested", + "followers_count": 139410, + "follows_count": 130, + "website": "", + "profileCategory": 2, + "specialisation": "Health/Beauty", + "location": "", + "username": "thoughtcloud", + "role": "influencer", + "latestMedia": [ + { + "caption": "Chants and mantras are a simple yet powerful way to help keep your chakras balanced. This chakra series incorporates audio chants for each chakra, and the mantra to go along with it. Find space and time for yourself, turn on the audio, and give your chakras a little extra love today. Chant RAM // Mantra I do The Solar Plexus is associated with your drive and confidence, and helps you take action. Find a quiet space in the sunlight, close your eyes, and use this chant and mantra whenever you need a little motivation. #chakras #solarplexus #mantras #energyhealing #stressrelief #cbdoil #plantmedicine #cbdheals #thoughtcloud #cbdshop #solarplexuschakra", + "likes": 3 + }, + { + "caption": "Whether youre healing from an injury, managing chronic pain, or struggling with the inflammatory pain of arthritis, ThoughtCloud CBD can support your relief. Its been found to help reduce the symptoms of MS and reduce anxiety, all without the high-feeling that you get from weed. Our CBD comes from 100% organic, raw, non-GMO hemp plants grown on select farms in Colorado, USA. No pesticides, herbicides or chemical fertilizers used. Available sizes: 0.5oz bottle with 500mg of CBD 0.5oz bottle with 750mg of CBD 1oz bottle with 1500mg of CBD 2oz bottle with 3000mg of CBD Read more: https://thoughtcloud.net/10-mind-blowing-benefits-of-cbd-oil/ . . . . #CBD #CBDoil #chronicpainrelief #painmanagement #selfcare #anxietyrelief #plantmedicine #naturalhealing #cbdlife #cbdhealth #cbdheals #cbdproducts #cbdinfo #hempoil #cbdflower #cbdbenefits #cbdwellness #thoughtcloud #herthoughtcloud", + "likes": 694 + }, + { + "caption": "Cannabidiol (CBD) is a non-intoxicating extract of the hemp or cannabis plants that has been well-known for its medicinal properties. CBD is beneficial for treating many physical and psychological conditions like inflammation, joint and muscle pain, stress, anxiety, and much more. And what else helps with similar conditions? Thats right Yoga! This makes CBD a natural fit for people who practice meditation and yoga. Experts believe that CBD use while practicing yoga can increase its effect on the body and make the practice relatively easier. You can check out high-quality CBD products on the ThoughtCloud website. Practicing yoga can be very effective in reducing the symptoms of anxiety and depression, and when combined with CBD, the effect it has on the human body can be pleasant! https://thoughtcloud.net/yoga-for-depression-and-anxiety/ #yoga #yogapractice #CBD #stressrelief #CBDoil #cbdlife #cbdhealth #cbdforanxiety #cbdfacts #cbdstore #anxietyrelief #menthalhealthsupport #cbdbenefits #herthoughtcloud #thoughtcloud", + "likes": 634 + }, + { + "caption": "Thoughts from ThoughtCloud Our work isn't just about our CBD products, but also about the inspiration and the motivation to bring a smile to the face of others and help them achieve more. Self-care is never a selfish actit is simply good stewardship of the only gift I have, the gift I was put on earth to offer to others. ~ Parker Palmer Learn more about us at: https://thoughtcloud.net/thoughtcloud-foundation #quote #inspiration #cbdproducts #motivation #famousquotes #herthoughtcloud #thoughtcloud #cbdshop #cbdoil #cbd", + "likes": 619 + }, + { + "caption": "Self love is a great way to practice self-care and can improve your overall mental health. Its an important concept and has been popular across social media, especially in the past few years. Here are some tips to help practice self-love and be good to yourself. How do you practice self-care and self-love? And does your practice include CBD? We'd love to hear from you in comments below. https://thoughtcloud.net/practicing-self-love/ #selfcare #selflove #happylife #joylife #cbdlife #happiness #cbd #thoughcloud #cbdlifestyle", + "likes": 608 + }, + { + "caption": "Selfies for Self-Care!!! What is it about selfies that is so attractive to so many of us? Contrary to what many might say, wed like to propose that selfies are in fact a form of self-care. If were taking a photo of an object or our natural surroundings, were paying attention. Were listening. Were absorbing an objects lines, a parks multicolored leaves. If were taking a photo of ourselves, were seeing ourselves. Really seeing. Were listening, too. Were acknowledging. It is in the acknowledging of ourselves that self-care becomes part of selfies. We are often encouraged and trained to turn our focus outward. We see the beauty and goodness in others and care for and nurture for them. But self-care is about turning that compassionate focus inward and acknowledging the beauty and goodness within us. With self-care selfies, we are focusing on finding those same amazing qualities, however briefly, in ourselves. Share your self-care selfie with us!! https://thoughtcloud.net #selfcare #selfie #ISD #selflove #selfcareselfie #joylife #cbdlife #like #me #love #myself #instagood #follow #smile #happy #cute #beautiful #life #beauty #followme #fun #cbdlifestyle #cbd #thoughcloud #herthoughtcloud", + "likes": 609 + }, + { + "caption": "Lets clear up one common misconception from the get-go: Self-care is not synonymous with self-indulgence or being selfish. Self-care means taking care of yourself so that you can be healthy, you can be well, you can do your job, you can help and care for others, and you can do all the things you need to and want to accomplish in a day. Self-care is taking steps to tend to your physical and emotional health needs to the best of your ability. It includes everything related to staying physically healthy including hygiene, nutrition, and seeking medical care when needed. Its all the steps an individual can take to manage stressors in his or her life and take care of his or her own health and well-being. How do you practice self-care? Share with us in comments below. https://thoughtcloud.net . . . . #selfcare #selflove #ISD #internationalselfcareday #loveyourself #takecareofyourself #happylife #cbdlife #cbdlifestyle #cbd #thoughcloud #herthoughtcloud", + "likes": 562 + }, + { + "caption": "Chants and mantras are a simple yet powerful way to help keep your chakras balanced. This chakra series incorporates audio chants for each chakra, and the mantra to go along with it. Find space and time for yourself, turn on the audio, and give your chakras a little extra love today. Chant VAM // Mantra I feel The Sacral Chakra helps us with our emotions, desires, and sensuality. Allow yourself to open up as you use this chant and mantra. Express yourself however you feel necessary. Let your emotions flow. #chakras #mantras #energyhealing #stressrelief #cbdoil #plantmedicine #cbdheals #thoughtcloud #cbdshop", + "likes": 591 + }, + { + "caption": "CBD is very popular for its potential to improve health in humans, but CBD can also be very effective in treating various health issues in your furry friends. Our cats are our favorite little creatures who deserve attention, love, and care. Just like humans, our cats have an Endocannabinoid System (ECS). The ECS activates receptors all over the body, regulating various reactions from pain to inflammation, spasms to anxiety. CBD works with these receptors found in the ECS and can provide relief for many health issues related to these body functions. CBD has a host of benefits and can be a safe, natural remedy to treat your cats health conditions. Including CBD for pets in your cats diet can help fight their problems and help them lead a healthier life. https://thoughtcloud.net/product/cbd-for-pets/ #cbdforpets #cbdforcats #cbdpets #hemp #hempoil #cbd #cbdoil #cbdproducts #cbdbenefits #catsoninstagram #instacatsworld #thoughtcloud #herthoughtcloud", + "likes": 586 + }, + { + "caption": "What are the factors that make a CBD oil great? What is the best extraction method? Is the brand certified organic? Full spectrum? Whole plant? Our vision at ThoughtCloud is to produce organically sustainable plant medicine that will enhance overall well-being, from our physical bodies to our mental health, to the world we live in. Our goal is treating the whole system and not just the symptoms. ThoughtCloud sources its organically grown hemp plants from sustainable and vegan farms throughout the US. We strive to be sustainable and virtually waste free in our manufacturing, packaging, and farming practices. From the farm to the lab to your doorstep, our practices reflect our care and respect for the planet. All of our products are 100% vegan, including all of our beauty products. https://thoughtcloud.net/shop/ #cbdoil #plantbased #painrelief #stressrelief #naturalremedies #cbd #cbdproducts #cbdresearch #cbdfullspectrum #thoughtcloud #herthoughtcloud", + "likes": 598 + }, + { + "caption": "In this fast-paced world, stress and anxiety are something we all experience on a daily basis. Maybe our boss said something, or we had an argument with our partner, or we are going through some kind of financial crisis. There is no escape from stress and anxiety. However, more and more methods of fighting stress have also come into existence. One such method is practicing yoga regularly. Since the legalization of CBD products, a lot of people have chosen to opt for it as it comes with a number of physical as well as psychological benefits. Products like CBD oil, capsules, edibles, etc are said to help manage pain and reduce stress and anxiety. Since most people who practice yoga are looking for similar results, they tend to include the consumption of CBD products in their practice. Experts believe that CBD is a natural fit for people who practice yoga and can significantly enhance the effect it has on the body. You can check out a wide range of high-quality CBD products on the ThoughtCloud website. Read more: https://thoughtcloud.net/yoga-fight-stress-and-find-serenity/ #yoga #yogapractice #CBD #stressrelief #CBDoil #cbdlife #cbdhealth #cbdforanxiety #cbdfacts #cbdstore #herthoughtcloud #thoughtcloud", + "likes": 593 + }, + { + "caption": "CBD GUMMIES ARE STILL ON SALE!!! Get up to 30% OFF! CBD edibles are the easiest way to ingest CBD; plus, they come in different flavors that are the perfect treat. CBD gummies are an edible form of CBD. CBD is a non-psychoactive compound of the cannabis Sativa plant. CBD has therapeutic properties and acts as an antidepressant, anti-inflammatory and anti-bacterial, and more, which helps relieve various issues. Super delicious and super-beneficial, these CBD gummies are available in three flavors, lemon-lime, raspberry, strawberry lime. Choose your favorite one and let us know in the comments. Its a fantastic way to consume CBD, and when you are feeling stressed or anxious, dont hesitate to use CBD to help treat the symptoms. Let us know in the comments which flavor you like the most. Read more at: https://thoughtcloud.net/cbd-gummies-for-stress-and-anxiety/ #stressrelief #anxietyrelief #cbd #cbdgummies #cbdhealth #cbdproducts #cbdbenefits #cbdwellness #thoughtcloud #herthoughtcloud #cbdoil", + "likes": 593 + }, + { + "caption": "Thoughts from ThoughtCloud Our work isn't just about our CBD products, but also about the inspiration and the motivation to bring a smile to the face of others and help them achieve more. Magic is believing in yourself, if you can do that, you can make anything happen. ~ Johann Wolfgang von Goethe Learn more about us at: https://thoughtcloud.net/thoughtcloud-foundation #quote #inspiration #cbdproducts #motivation #famousquotes #herthoughtcloud #thoughtcloud #cbdshop #cbdoil #cbd", + "likes": 596 + }, + { + "caption": "Celebrate National Gummy Day with us! Get up to 30% off on gummies and other selected items! CBD gummies are a convenient form of consuming CBD. One of the major reasons for this is that with CBD gummies, you do not have to worry about the dosage you are taking. You can just pop a few gummies in your mouth and go about your day. Another great reason why people prefer gummies is that they taste delicious! With multiple flavors, CBD gummies taste just like any other fruit, and also give you the satisfaction of eating candy without any guilt. Taking a few CBD gummies at the start or end of your day can significantly change your lifestyle. CBD gummies help you reduce stress and anxiety, and directly impact the cannabinoid receptors to work through other functions of the body. CBD gummies also help relax muscles and relieve joint pain. They can also be used as a medication for chronic pain like migraines, pain caused due to chemotherapy, arthritis, and much more. Many yoga and meditation experts also recommend the use of CBD gummies as CBD can enhance the effects of these practices on the body. https://thoughtcloud.net/on-sale/ #CBDgummies #nationalgummyday #gummies #CBDgummy #cbdsnack #CBD #cbdhealth #cbdlifestyle #CBDproducts #CBDshop #CBDstore #CBDsale #sale #supersale #thoughtcloud #herthoughtcloud #CBDshop #CBDonsale", + "likes": 572 + }, + { + "caption": " CBD-Infused Caramel Popcorn The CBD-infused caramel popcorn is just like the regular caramel popcorn with a slight difference. Unlike the normal version, it is infused with cannabis, mostly CBD or THC, and healthier. Ingredients: 1. Half a cup of cannabutter 2. One teaspoon of salt 3. One teaspoon of vanilla extract 4. Two cups of brown sugar 5. Half a teaspoon of baking soda 6. Half a light cup of corn syrup For the full recipe visit our website: https://thoughtcloud.net/cbd-infused-caramel-popcorn/ #popcorn #snack #CBDpopcorn #CBDsnack #CBDoil #CBDinfused #CBD #CBDrecipes #CBDwellness #CBDfood #CBDheals #healthysnack #CBDlifestyle #naturalremedies #cbdinformation #thoughtcloud #herthoughtcloud", + "likes": 574 + }, + { + "caption": "Our hectic lives leave us with little time to take care of our skin. One of the most important parts of our body, our skin, can be easily neglected. But what if we told you that you can take care of your skin with no extra effort? ThoughtCloud offers a wide range of skincare products that are natural, raw as well as vegan and contains CBD to provide all the goodness your skin has been deprived of till now. Using these products can bring big changes instantly and you can see visible differences in your skin. All this with no extra effort for a hectic skincare routine would not make it a burden for you. Read more: https://thoughtcloud.net/adding-cbd-to-your-skincare-routine/ #healthyskin #skincareroutine #skincare #skinglowing #facial #facemask #CBDfacemask #cbd #cbdproducts #cbdbenefits #cbdwellness #thoughtcloud #herthoughtcloud #organicskincare #naturalskincare #cbdnaturalproducts", + "likes": 612 + }, + { + "caption": "It is common for dogs to display anxious behaviors at some time or the other. This anxiety could occur because of loud noises like fireworks, thunderstorms, etc. Dogs can also become anxious when they are separated from their owners or put in a completely different situation. A few other things which can trigger them are seeing other dogs, meeting strangers, and going to a vet. Some of the most common symptoms of anxiety may include trembling, whimpering aggression, and urinating. There are various natural remedies by which you can calm your dog down and CBD oil is one of them. CBD oil can be used to reduce anxiety in dogs and restore a sense of calmness. Read more: https://thoughtcloud.net/does-cbd-oil-calm-your-dog/ #pets #petsonInstagram #petmom #doggymomma #dogwalk #cbdforpets #pethealth #cbdpets #cannamom #cbdoil #cannabiscommunity #cbdlife #cbdhealth #plantmedicine #cbdheals #cbdproducts #cbdinformation #cbdmovement #hempoil #cbdflowers #cbdbenefits #cbdwellness #thoughtcloud #herthoughtcloud", + "likes": 600 + }, + { + "caption": "This ThoughtCloud Dual Spectrum tincture in coconut MCT oil contains CBD and CBG isolates, and is the perfect formula for people who want to hone in on just the benefits of CBD and CBG. Made from organically grown, raw, non-GMO hemp plants from select farms throughout the US. No herbicides, pesticides, or chemical fertilizers used. All of our products are 100% vegan. We never test on our furry friends! A third party lab tests every batch for purity. https://thoughtcloud.net/product/dual-spectrum-cbd-cbg-oil-isolate-0-0thc/ #CBD #CBG #cbdoil #cbdtincture #cbdlifestyle #cbdshop #cbdlove #cbddualspectrum #hempcbd #cbdforpain #cbdproducts #cbdoilbenefits #cbdhempoil #cbdforanxiety #cbdfacts #cbdstore #herthoughtcloud #thoughtcloud", + "likes": 626 + }, + { + "caption": "Hemp plants are very commonly known for producing CBD; however, it truly has many more different uses! Every single part of the hemp plant can be repurposed into something else. None of it has to go to waste. The stalk can be turned into paper, rope, insulation, animal bedding, or textiles. The seeds can be used as a dietary supplement, fuel, granola, or beer. The roots are great for compost and mulch. The leaves can be used to make CBD! Many things that you already use every day can be made from hemp. It is a very versatile plant, and it is also a very low maintenance plant to grow. https://thoughtcloud.net/hemp-oils-seeds-uses-and-benefits/ #hemp #hempplant #hempflower #hempseeds #naturalremedies #cbdoil #cbdlife #cbdhealth #cbdproducts #cbdinformation #hempoil #cbdbenefits #cbd #cbdwellness #thoughtcloud #herthoughtcloud", + "likes": 596 + }, + { + "caption": "Whether youre a professional athlete, enjoying a casual run on the beach, or just training for your local marathon, CBD can help you extensively. We have all heard about CBD sports drinks and CBD Energy Shots packed with minerals and vitamins that have boosted athletic performance and can help you stay hydrated and fuel your workout. Apart from its extensive range of therapeutic advantages, this cannabinoid can also hugely benefit your body to prepare for and recover from exercise. Most vitally, CBD is anti-inflammatory. It interacts with the bodys endocannabinoid system (a system built to improve balance throughout the body) to decrease the accumulation of chemicals that cause inflammation. This property endows CBD with the potential to offer relief within exercise recovery. Read more: https://thoughtcloud.net/cbd-and-exercise-make-a-great-pair/ #cbd #exercise #herbalremedies #reiki #reikihealing #menthalhealthsupport #cbdmovement #painrelief #healthsupport #cbdbenefits #yoga #cbdoil #cbdflower #acroyoga #cbdwellness #cbdproducts #thoughtcloud #herthoughtcloud", + "likes": 33 + }, + { + "caption": "Thoughts from ThoughtCloud Our work isn't just about our CBD products, but also about the inspiration and the motivation to bring a smile to the face of others and help them achieve more. The greatest glory in living lies not in never falling, but in rising every time we fall. ~ Nelson Mandela Learn more about us at: https://thoughtcloud.net/thoughtcloud-foundation #quote #inspiration #cbdproducts #motivation #famousquotes #herthoughtcloud #thoughtcloud #cbdshop #cbdoil #NelsonMandela", + "likes": 28 + }, + { + "caption": "Mudra is an ancient Sanskrit term meaning \"gesture.\" We use mudras in yoga to cultivate a greater sense of awareness to certain energetic fields within the subtle body. In other words, we can use them to help us meditate and open up our seven main chakras. Root Chakra: The Muladhara Mudra (Survival) Sacral Chakra: The Swadhisthana Mudra (Creativity) Solar Plexus Chakra: The Manipura Mudra (Willpower) Heart Chakra: The Anahata Mudra (Love) Throat Chakra: The Vishuddha Mudra (Expression) Third-Eye Chakra: The Ajna Mudra (Intuition, Wisdom) Crown Chakra: The Sahasrara Mudra (Spiritual Connection) https://thoughtcloud.net . . . . #chakras #mudras #spiritualawakening #awakening #yoga #yogamudras #wellness #healing #cbdshop #cbdproducts #cbdstore #cbd #cbdoil #cbdforthepeople #cbdwellness #cbdaustralia #cbdoilaustralia #australia #thoughtcloud #herthoughtcloud", + "likes": 256 + } + ] + }, + { + "fullname": "Lifted Ladies", + "biography": "The best self-care 420 mystery box for women By following us you consent that you are 21+", + "followers_count": 50566, + "follows_count": 406, + "website": "https://www.liftedladiesbox.com/shop/all/", + "profileCategory": 1, + "specialisation": "", + "location": "", + "username": "liftedladiesbox", + "role": "influencer", + "latestMedia": [ + { + "caption": "GIVEAWAY WINNERS!@pewpewkid @its_whitney_witch @chronicallycooking, please DM me your info! Checkout our next giveaway on July 16th! The Aura glass piece and full box are both available in the shop! Its giveaway time! Were giving away three Aura glass pieces! Follow the rules below, winners will be announced on Saturday! 1. Follow @liftedladiesbox 2. Like this image 3. Tag one friend Must be 21+ to enterNo giveaway accountsOnly one tag is necessarySharing this post is not required #staylifted #cannabis #liftedladies #stonergirl #cannabiscommunity #girlswhosmokeweed #liftedladiesbox #stonerbox #hemp #kushqueens #weedwomen #stonerchick #girlswhosmoke #somegirlsgethigh #kush #weedstagram #weshouldsmoke #seattlecannabis #highsociety #fueledbyTHC #litladies #cannabisculture #liftedladiesbox", + "likes": 2246 + }, + { + "caption": "GIVEAWAY WINNERS @_juniperfaye @larajanebelle Thank you all for participating, next giveaway will be on July 7th! Its giveaway time! Were giving away this bus pipe from @giftsbyfashioncraft to two lucky winners! You can also find this piece in the High Vibes box listed in the shop, link in bio. Follow the rules below, two winners will be announced on Tuesday! (Winners will be tagged here in this caption) 1. Follow @liftedladiesbox 2. Like this image 3. Tag one friend Must be 21+ to enterNo giveaway accountsOnly one tag is necessarySharing this post is not required #staylifted #cannabis #liftedladies #stonergirl #cannabiscommunity #girlswhosmokeweed #liftedladiesbox #stonerbox #hemp #kushqueens #weedwomen #stonerchick #girlswhosmoke #somegirlsgethigh #kush #weedstagram #weshouldsmoke #seattlecannabis #highsociety #fueledbyTHC #litladies #cannabisculture #liftedladiesbox", + "likes": 3911 + }, + { + "caption": "Winner @bunnyblankets! Were giving away another pink bunny pipe from @shop.contraband and @lilxbun! Winner will be announced on Saturday! 1. Follow @liftedladiesbox @shop.contraband @lilxbun 2. Like this image 3. Tag one friend Must be 21+ to enterNo giveaway accountsOnly one tag is necessarySharing this post is not required", + "likes": 1969 + }, + { + "caption": "GIVEAWAYWINNER! @ellawakened Its giveaway time! Were giving away everything you see here; issue #4 @broccoli_mag, polish from @dope.nailz, marble bunny pipe from @shop.contraband @lilxbun Follow the rules below, one winner will be announced on Friday! 1. Follow @liftedladiesbox @lilxbun @dope.nailz @shop.contraband @broccoli_mag 2. Like this image 3. Tag one friend Must be 21+ to enterNo giveaway accountsOnly one tag is necessarySharing this post is not required #staylifted #cannabis #liftedladies #stonergirl #cannabiscommunity #girlswhosmokeweed #liftedladiesbox #stonerbox #hemp #kushqueens #weedwomen #stonerchick #girlswhosmoke #somegirlsgethigh #kush #weedstagram #weshouldsmoke #seattlecannabis #highsociety #fueledbyTHC #litladies #cannabisculture #liftedladiesbox", + "likes": 1260 + }, + { + "caption": "Our September theme is Blazy Sunday, this months box will have everything you need for a cozy fall Sunday. A water piece will be included as well as CBD tea, youll also have the option to add on any one of our past mugs and two more limited edition custom tea blends. Details up tomorrow, sales open on August 23rd. Watch out for sneak peeks!", + "likes": 1035 + }, + { + "caption": "Sneak Peek This High Tea laser engraved stash jar will be appearing in the June box, the top is made of wood and the jar is glass. Swipe to see a close up of our pendant also included in the High Tea box! ", + "likes": 1803 + }, + { + "caption": "#blackouttuesday #theshowmustbepaused", + "likes": 712 + }, + { + "caption": "Mermaid Vibes boxes are shipping out on Saturday the 23rd, if you have any last minute address changes please have them in by the 21st! ", + "likes": 926 + }, + { + "caption": "These cute matchboxes will be included in the May box! ", + "likes": 1672 + }, + { + "caption": "Our May theme is Mermaid vibes! This months box comes with a themed dry piece, CBD bath/body products, and other mermaid swag! Sneak peeks coming up! Sales open tomorrow April 23rd 10am PST!", + "likes": 1695 + }, + { + "caption": "4/20 GIVEAWAY # 4 Were giving away five mystery boxes! Each mystery box will include both a dry piece and water piece! Follow the rules below, winners will be announced on Monday! 1. Follow us 2. Like this image 3. Tag one friend Must be 21+ to enterNo giveaway accountsOnly one tag is necessarySharing this post is not required ", + "likes": 4664 + }, + { + "caption": "4/20 GIVEAWAY Were giving away 5 mugs (one mug per winner), winners may choose from any of these designs! Follow the rules below, winners will be announced next Monday! 1. Follow us 2. Like this image 3. Tag one friend Must be 21+ to enterNo giveaway accountsOnly one tag is necessarySharing this post is not required #staylifted #cannabis #liftedladies #stonergirl #cannabiscommunity #girlswhosmokeweed #liftedladiesbox #stonerbox #hemp #kushqueens #weedwomen #stonerchick #girlswhosmoke #somegirlsgethigh #kush #weedstagram #weshouldsmoke #seattlecannabis #highsociety #fueledbyTHC #litladies #cannabisculture #liftedladiesbox", + "likes": 4014 + } + ] + }, + { + "fullname": "\u2600\ufe0fSolfire\u2600\ufe0f", + "biography": "Breeders of the sacred plant Flavor Chasers University of Washington Biology Graduate Creators of Award Winning Strains ", + "followers_count": 39857, + "follows_count": 1490, + "website": "https://linktr.ee/SolfireGardens", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "solfiregardens2019", + "role": "influencer", + "latestMedia": [ + { + "caption": "To celebrate The Bahama Mama Drop We wanted to show you our Bitties (Jigglers x Bahama) Blockhead keeper cut. Its hard to tell but these flowers are bigger than your fist and solid af. The color of this cut reminds us of our LSP which has bright pink hues with dark purple fans. Smell wise this particular pheno really took the gelato smell of the Jigglers with some vanilla sweetness from the Bahama. We cant wait to run a full room of this. A trimmers dream.. Weight for days and very little leaf Hope youre having a great Monday let us know what you think of our Bitties below . Pictured: Bitties . Bred, Selected and Grown by: Solfire . Grown using: @houseandgardennutrients . Additives used: @power.si . Grown Under: 630w LED . #BahamaMamaLineUp #Bitties #SolfireSummer #WeTestedIt #beautiful #allpink #DontSleep", + "likes": 4248 + }, + { + "caption": "With only moments to go until some of our official SBs start dropping the Bahama Mama 2021 line-up its time to debut the Bahama Mama S1. The Bahama Mama S1 is the official freebie from Aug 1st to Sept. 1st while supplies last. The Bahama S1 absolutely crushed in the test. Pictured here is just one of our keepers. This particular Bahama S1 pictured was very close to the rugged cut in structure but varied in smell carrying a faint creamy grape smell with a prominent fruity sweetness. People may think we are crazy for giving away so many Bahamas, but honestly at the end of the day its a thank you. A thank you to @jenndoe420 and @ruggedrootsinc for their selection, a thank you to all of you who waited and supported this drop from the start, and finally a thank you to the new gardeners who may have just found us and are giving us a shot for the first time. We appreciate you and hope you enjoy this line-up as much as we did growing it! We hope that taking the time, testing and showing you every strain and explaining in detail what we observed during our test sets a higher expectation of what you deserve as gardener. With that said if anyone has any questions about the drop or want to chat live with the team Well be in discord for the next couple hours (found in bio). Have great rest of you weekend and let us know what you think below . Pictured: Bahama Mama S1 . Bred, Grown and Selected by: Solfire . Grown using: @houseandgardennutrients . Additives used: @power.si . Grown under: 630w LED . #BahamaMamaS1 #grandfinale #Freebie #insane #beautiful #SolfireSummer #2021 #thankyou", + "likes": 2893 + }, + { + "caption": "Happy Friday! Todays final reveal is the beautiful Bahama Bussdown a cross between Runtz and Bahama Mama. Ever since Runtz has came on the scene breeders have been crossing everything under the sun with it and we almost left it out of this line up for that reason alone. We know from all the Runtz crosses that we have ran that about 80% or so will smell just like Runtz and then the other 20% or so seem to take on the other parents characteristics. Of course this is just our limited observation but going into this Bahama cross we decided that if we didnt add to the Runtz by either making more unique or overall better in some way it wasnt making the cut, that was our mindset. Our Bahama Bussdown performed how we thought, dominant for Runtz smell but the majority of the phenos were much more dense in structure, almost all had sandy frost rather than greasy and the 20% or so group of outliers had a very unique fruity addition to the terp profile all of that with the purple and pink colorways made the decision to add the Bahama Bussdown an easy one. Now that we have done our final reveal please look over the last 8 posts and let us know which is your favorite of the line up and let us know below !!! Have a fun and safe weekend!!! We will be posting the grand finale the Bahama S1 freebie on Drop day Aug. 1st! . Pictured: Bahama Bussdown . Bred, Grown and Selected by: Solfire . Grown Using: @houseandgardennutrients . Additives used: @power.si . Grown Under: 630w LEDs . #BahamaBussdown #RuntzxBahama #Friday #BahamaMama2021 #finalreveal #beautiful #pinkpassion #Solfiresummer", + "likes": 2625 + }, + { + "caption": "Introducing Mando a cross between Yoda and Bahama Mama. Yoda came to us from a friend in L.A. who simply gave her to us and said you gotta grow this, shes pure gas! We didnt think much of it, got her back to Seattle and threw her in the flower room with the other potential candidates. Our rule of thumb pertaining to cuts given to us is simple. It doesnt matter what the name of the cut is or where it supposedly came from, until its grown out by us and found worthy it doesnt get bred and thats that. Even if Luke Skywalker himself glided down lightsaber in hand and bestowed us a cut proclaiming its the best cut in the universe that cut is still getting grown out. So as for the back ground on the Yoda all we can confirm is it was handed to us as Yoda and its the gassiest cross in the lineup. The phenos the cross produced for us came in two general forms. First, the one pictured which is a Bahama dominant frost monster with a gassy fruity pine mint smell and breakthrough pink hues. The next pheno we saw quite a bit of was short with no pink, more of a grey blue in color, frosty as hell and all gas zero fruit. The Mando is geared toward all the gas goblins who need that fuel flavored flower. Its thick frost and unique pink hues really make it pop in the garden. We found it fun to grow even though some of the more blue grey phenos seemed to lag early on they caught right up and finished strong in later flower. This brings us to seven reveals with only 1 more to go before the grand finale on the first!! Thank you for tuning in and participating in this drop with your comments and likes. This has been by far one of the funnest test runs and reveals we have done! Were almost there 1 more to go the Bahama Bussdown !!! . Pictured: Mando . Bred, Selected and Grown by: Solfire . Grown Using: @houseandgardennutrients . Additives used: @power.si . Grown under: 630w LED . #Mando #BahamaMama #pullup to #Gastown #wedabest #causewetest #beautiful #Wow #LED #solreveal #mandatory #TheWay #maytheforcebewithyou #Reveal", + "likes": 3412 + }, + { + "caption": "Introducing Baby Cakes a cross between Cake Mix and Bahama Mama. She is the most cookie dominant strain in the lineup with almost all phenos exhibiting tight flower structure, extended petioles and dark purple colors that fade to sunset orange in later stages of flower. Her fragrance lies somewhere between fresh vanilla cake batter and sweet pine tree. Baby Cakes stayed relatively short, didnt really stretch too hard and put on her weight and frost heavy in the 50s. This picture here was day 55, most phenos went to 63 easily. Hope you enjoy the reveal and as always please let us know what you think below we will have another Bahama Mama 2021 line up reveal on Wednesday! We are almost to the end and the grand finale on Aug 1st!! . Pictured: Baby Cakes . Bred, Grown and Selected by: Solfire . Grown Using: @houseandgardennutrients . Additives used: @power.si . Grown Under: 630w LED . #BabyCakes #Bahmamama2021 #Solfire #whoa #CookieCrown #smashcakes #wellfed #beautiful #monday #Reveal", + "likes": 2810 + }, + { + "caption": "Todays reveal is another one of our favorite smelling plants throughout the test. Bitties is a cross between the Jigglers cut selected by @exoticgenetix_mike and The Bahama Mama. The Jigglers brought the amazingly loud and unique red pop gelato terps to the table while the Bahama Mama lended her structure and frost. We saw both greasy and sandy frost consistency. Both parents are dominant for dark coloration so it was no surprise we saw absolutely no green phenos. The Bahama also lowered the leaf to flower ratio making this stacker a trimmers dream. We kept ALOT of phenos to run again. One of which we named the Blockhead cut that grew stinky purple softballs with almost no leaves, a really a fun one to grow, it just took everything we threw at it and loved it. As always let us know what you think below about todays reveal, join our discord community (in bio) to chat directly with the team, and have a safe and fun rest of your weekend!! Next reveal in 2 days!! We are getting close to the grand finale !! . Bred, Grown and selected by: Solfire . Grown Using: @houseandgardennutrients . Addictive used: @power.si . Grown Under: 630w LED . #Bitties #JigglersxBahama #beautiful #shesbad #Saturdaybanger #powrightinthekisser #wetestsoyoudonthaveto #Wedabest #FrostGod #icey #Pnwmade .", + "likes": 2433 + }, + { + "caption": "Creature Panic is a cross between the odd finger laden Creature from @beleafcannabis and the Bahama. Shes frosty, has colorways from green with purple hues to full on vibrant violet with orange fades. Her smell ranges from melon fruit to pomegranate cookies. Todays reveal is a combination of collaborative art. We first approached local graffiti artist @creaturepanic about doing box art for us months ago, I had no idea who @creaturepanic was I just knew I always saw this crazy squiggly bear everywhere in Seattle and every time I spotted one it was almost a wheres Waldo type of moment, Id have to point it out like theres another one! With some digging we found @creaturepanic and they were stoked to do some box art for us. Cultivation and graffiti in a weird way are very similar, both are forms of artistic subculture thats not fully accepted by everyone but part of the creative patchwork that makes up the American experience. In this box you will get two pieces of Seattle art, ours and theirs. What we never told @creaturepanic is that for every pack sold Aug- Sept. we will donate 1 can of spray paint so they can keep blasting the Bear #Besobear . Bred, Grown & selected by: Solfire . Grown using: @houseandgardennutrients . Additives used: @power.si . Box art by: @creaturepanic . #risewithphoenix . #creaturepanic #bahamamama #Sol #localssupportinglocals #graffitiart #Seattle #pomegranateterps #beautiful #pnw #besobear", + "likes": 3448 + }, + { + "caption": "We present to you Bahama Berry a cross between Strawberry Jelly an amazingly sweet artificial strawberry flavored cut selected by @puremelt x Bahama Mama. This cross is for the Strawberry lovers and we will put this specific cut up against anyones strawberry cultivar. This cross crushed it in the test, bringing vivid deep purple colors coated with a thick candy shell like frost bearing a distinctive gritty sandy feel which may suggest a possible washer. Her strongest quality is her over powering strawberry smell, weve grown many strawberry scented plants and this cross exceeded our expectations which is exactly why she deserved to be part of this line up. We couldnt fit the lowers in the frame so we included a second photo so you can get an idea of the structure and frost content on the lower branches, its unreal. Please Join our discord listed in our bio for more pics of this and other strains and as always let us know what you think below The next reveal comes in two days so check back to see the next Banger from Bahama Mama line up . Bred, Grown, Selected by: Solfire . Grown using: @houseandgardennutrients . Additives used: @power.si . Grown under: 630w LEDs . . #BahamaBerry #Strawberrybanger #whoa #beautiful #allblackeverything #risewiththepheonix", + "likes": 3415 + }, + { + "caption": "Introducing NFSHEEEESH!!! Created by bringing together The @thenorthfire cookie cut x The Bahama Mama this thing was a beast from the very start. Grown in a 5 gallon pot it towered over my head at 6 foot tall, smelled like fresh baked creamy cookies and is probably the frostiest thing Ive ever grown. Weight wise for sure the heaviest. Remained mostly green until the end when it just added beautiful lavender hues, swirls and under leaf accents. If you enjoy frost covered stackers this is highly recommended. She was very fun and easy. No drama with this mama she took everything we threw at her nute wise and didnt miss a step. Stay tuned for the next strain reveal in 2 days let us know what you think below as always #RiseWithThePhoenix . Bred, Selected and Grown by: Solfire . Grown using: @houseandgardennutrients . Additives used: @power.si . Grown under: 630w LEDs . . . . #NFSheeeesh! #BahamaMama #herewegoagain #Wedabest #Causewetest #pnw x #Maine #freshbakedcookies #beautiful #gawddamn", + "likes": 3230 + }, + { + "caption": "Introducing Miami Mami this cross brings together our Mind Flayer cut selected by @kingcounty_exotic_frenchies (formerly _RunThc) and the Bahama Mama. Here we have pictured 2 distinctly different phenos to show the vastly different characteristics you can find. Slide one smells like vanilla icing, very uniform, and is dipped in frost, absolutely coated. Slide 2 smells like rich chocolate and burnt rubber, you can smell it as you approach the plant its so pungent. This pheno is heavy, with less frost but one of my absolute favorites. Every Miami Mami had color, there wasnt 1 green one in the test. She is hearty, hefty and loves to eat she puts on a show in late flower. If you want to see more of the Miami Mami join the discussion in our discord found in our bio! We will be posting the next banger from our line up in 1-2 days so please stay tuned !! . . Grown and selected by: Solfire . Grown using: @houseandgardennutrients . Additives used: @power.si . Grown under: 630w LED . #MiamiMami #risewiththephoenix #BahamaMama2021 #Blizzard", + "likes": 4654 + }, + { + "caption": "Its with great pleasure and pride we bring you our 2021 Bahama Mama fem line available Aug. 1st. This drop took us over a year to create with collaborative partnerships from fellow breeders, growers and artists from around the country. Our focus was clear with this line up in that we wanted to create something beautiful, fun to grow and distinctively different. We personally took the time to test, grow and subsequently selected every strain on this menu so that we are absolutely confident you will find the winners you deserve. The Bahama Mama selection that we reversed came to us from @ruggedrootsinc and performed exactly how we had hoped adding structure, frost and amazing colors to everything it touched. We have decided that its so special that the Bahama S1 (full 6 pack) will be the exclusive freebie for the Bahama lineup for the first month (Aug 1 -31) As we get closer to the Aug 1 drop we have other surprises but for now let us know below which of the crosses you wanna see first, we have pictures of everything and we cant wait to share them with you! . #BahamaMama2021 #risewiththepheonix #solfirefamily #testedandtrusted #craftedwithlove", + "likes": 1748 + }, + { + "caption": " Its that time again.. a new Solfire Slap release!!! Shes a nasty one ..THE MUSTY MOJITO(Cremede Mint x GrimBastard) !!! Please keep your slaps CREATIVE, if we dont post you, you werent creative enough (tent slaps ) also make sure you slapem down tight like you mean it!!! Any official Solfire sticker works which can always be found in your pack or from your favorite bank. If youve slapped before this is a all new slap so get it again baby! Go hard Slap your hood up and most of all have fun!!! Complete rules can be found on story highlights. . #solfireslap #MustyMojito #Stickerbomb #Letsgoooo #sheesh #hoodslap", + "likes": 511 + }, + { + "caption": "From our family to yours we wanna wish you a happy and safe 4th of July. In honor of this Independence Day we extend to you 40% off of all Solfire Gear available @area51seedbank for the next 48 hours use the code PHOENIX4TH upon checkout. Thanks for all your support Phoenix Fam have a safe one and blow some shit up for us!!! . #4thofjuly #independenceday #family #discount #thankyou #fireworks #safetyfirst #Boom", + "likes": 239 + }, + { + "caption": "Bahama Mama, The Breakfast of champions to start my day, what are you gonna fire up this morning? . Pictured: Bahama Mama . Grown by: @needforseedsco . Selected by: @ruggedrootsinc . Bred by: @solfiregardens2019 . #summervibes #seattleheatwave #bahamamama #beautiful #breakfast", + "likes": 2340 + }, + { + "caption": "Happy Hour #3. Taken at 9 weeks grown by the skillful @ogmozco Happy Hour was definitely one of our favorites in the Don Mega reg line. Ours has a rotting strawberry smell that makes beautiful hash. looks like @ogmozco found a little bit more color in his strawberry . . Pictured: Happy Hour (Strawberry Jelly x Don Mega) . . Selected and Grown by: @ogmozco . Bred by: @solfiregardens2019", + "likes": 1212 + }, + { + "caption": "Bahama Mama frosted from top to bottom, leaves so purple their black, a trimmers wet dream she looks so easy to clip. Wish I could smell this one myself and cant wait to see her washed Selected by @phenohutseedbank517 grown under LEDs and fed @houseandgardennutrients they tell me the key was she just wanted to eat and eat so they just kept feeding her Beautiful outcome. . Pictured: Bahama Mama . Selected and Grown by: @phenohutseedbank517 . Grown using: @houseandgardennutrients . Bred by: @solfiregardens2019 .", + "likes": 2247 + }, + { + "caption": "Have you ever been in the middle of trimming and thought to yourself, this nugg right here, I love this exact nugg and just stopped to give it the finger roll? I tend to do that too much and it slows down the scissor work thats what was happening here with The Why U Gelly I wish you couldve smelled it, shes absolutely amazing. . Pictured: Why U Gelly . Bred, selected and grown by: @solfiregardens2019 . Grown using: @houseandgardennutrients .", + "likes": 1985 + }, + { + "caption": "Bahama Mama frosted up and blacked out selected and grown by them @basementlungs boys out in the mitten. She an easy feed and surely a keeper . pictured Bahama Mama . Selected and Grown by: @basementlungs . Bred by: @solfiregardens2019", + "likes": 3149 + } + ] + }, + { + "fullname": "Somos Cubanos", + "biography": "", + "followers_count": 127933, + "follows_count": 1300, + "website": "", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "somos.cubanos", + "role": "influencer", + "latestMedia": [ + { + "caption": "", + "likes": 390 + }, + { + "caption": " hasta maana ", + "likes": 665 + }, + { + "caption": "Solo para inteligentes Comenta si entendiste ", + "likes": 1551 + }, + { + "caption": "Ms Claro ni el Agua @carlosmontesquieu", + "likes": 644 + }, + { + "caption": "Dios te Bendiga siempre @danielababy ", + "likes": 541 + }, + { + "caption": "Que locura hay en Miami ", + "likes": 2457 + }, + { + "caption": "Se calienta Miami @el_taiger", + "likes": 156 + }, + { + "caption": "", + "likes": 674 + }, + { + "caption": "Wooooooo ", + "likes": 1203 + }, + { + "caption": "Tarde de BBQ", + "likes": 1319 + }, + { + "caption": "", + "likes": 1907 + }, + { + "caption": "La Novia ms Txica del Mundo Mundial ", + "likes": 1306 + } + ] + }, + { + "fullname": "Usain St.Leo Bolt", + "biography": "\"Anything is possible I don't think limits\"", + "followers_count": 10393208, + "follows_count": 268, + "website": "https://smarturl.it/Usain-NJ-Its-A-Party", + "profileCategory": 2, + "specialisation": "Athlete", + "location": "Kingston, Jamaica", + "username": "usainbolt", + "role": "influencer", + "latestMedia": [ + { + "caption": "Honoured to be a part of this @onepeloton family! Its you, that makes us. #PelotonPartner ", + "likes": 27195 + }, + { + "caption": "Usainly ", + "likes": 175657 + }, + { + "caption": "A Force Of Nature ", + "likes": 268888 + }, + { + "caption": "Im excited to announce my new partnership with online broker @avatradeofficial theyll get your trading game up to speed. #AvaTrade #Bemorebolt", + "likes": 17366 + }, + { + "caption": "Its Only Worth It, If You Enjoy It. ", + "likes": 226657 + }, + { + "caption": "Its A Party here in Jamaica after the brilliant 123 of our girls #itsaparty ", + "likes": 190235 + }, + { + "caption": "Clean Sweep.. #TeamJamaica ", + "likes": 616450 + }, + { + "caption": "My peeps did you all enjoy my last @onepeloton class with @hannahfrankson . It was party vibe when I heard my new hit single Its A Party Are you ready for another one ?", + "likes": 78905 + }, + { + "caption": "Big Smile because my new @puma Shoe drip is online in the US and will be available in August . ", + "likes": 79402 + }, + { + "caption": "Peloton Community! I see you training hard and Im right there with you. Lets go get it! @onepeloton #PelotonPartner", + "likes": 106126 + }, + { + "caption": "S/o to @_jayenigma & @sutherland_dg for the creativity with the photo of my new shoes drip #magic #outnow #Usainly ", + "likes": 25683 + }, + { + "caption": "Always great catching up with my @bolt_now family ", + "likes": 64122 + } + ] + }, + { + "fullname": "NBA Shooting Coach", + "biography": "DC Born & Raised | 7 Year PRO | Positive Vibes Only Business Inquiries ( info@lethalshooter.com ) Subscribe to YouTube Channel", + "followers_count": 1866830, + "follows_count": 817, + "website": "https://youtu.be/rSu2biGqsM8", + "profileCategory": 2, + "specialisation": "Athlete", + "location": "", + "username": "lethalshooter", + "role": "influencer", + "latestMedia": [ + { + "caption": "Who you have winning??( @lethalshooter___ ) #NBA #LethalShooter", + "likes": 355108 + }, + { + "caption": "- 6:15am wake up 6:30 breakfast 7am at the gym preparing for the day 8am Train 9:30am Train 11pm-12pm film for clients. 12pm Train 1:45 snack 2pm Family time 3pm put kids to sleep. 4pm-4:30 nap 4:30 40mile drive to other side of LA 5:15pm arrive at gym 6pm train 7:45pm drive home updates with manager 8:20pm grocery store for ketchup 8:30pm eat dinner with family 9pm put kids to sleep 9:30 watch tv & check emails 10pm take trash out 10:30 write down the workouts 11pm bed (@lethalshooter___ ) #NBA #LethalShooter", + "likes": 52531 + }, + { + "caption": "Last thing you should ever do in life is pay attention to someone whos trying to devalue your name. Ignore those clowns and move in your purpose. They speak negative about you because they actually envy you and wish they had your abilities. Next time youre about to pay attention to NEGATIVE ENEGRY remember GOD HAS A PLAN FOR YOU.FREE GAME -Stay Locked in!! - : @lethalshooter___ #NBA #LethalShooter", + "likes": 62989 + }, + { + "caption": "Should the NBA ever consider changing the NBA logo in the near future? ( @lethalshooter___ ) #NBA #LethalShooter", + "likes": 124860 + }, + { + "caption": "I rarely share my life story about growing up in DC because trauma & ptsd is real. But thats what MOTIVATES me! 17 years ago my best friend was shot several times and burned in a car because of a hood beef. My close friends know who Im talking about. Prior to losing him, we always said we would do what it took to make it out of the cycle of violence in DC. Thankfully I had basketball to save me, but he didnt. To this day, I know hes watching down on me and thats what fuels me. Ill never stop using the game of basketball to inspire others to follow their dreams. Thank you @wetheculture for allowing me to be in my first movie and most importantly giving me a platform to share my message and what my brand is all about, with others. Ill no longer not tell my real stories on social media. Somebody out there needs to hear what DRIVES ME TO NEVER GIVE UP!! -Stay locked in! #LethalShooter", + "likes": 46428 + }, + { + "caption": "Smh I couldnt resist it, been watching EYBL games all week had to get a quick 30min workout in myself before my flight. SMH I know you all understand. @dejuanmarrero @inc.tapes @malhowell260 #NBA #LethalShooter - IG REFS Im stepping left bc the passer couldnt throw the ball through the person. I wanted to shoot with a hand in my face so I was stepping right. Now get some rest.", + "likes": 75630 + }, + { + "caption": "7am-9pm watching basketball taking notes at the @nikeeyb all week looking for the next LETHAL SHOOTER. : @johnnie.izquierdo #NBA #EYBL #LethalShooter", + "likes": 87782 + }, + { + "caption": " Was homeless in 2015, didnt QUIT! Had $14 in my account, didnt QUIT! On food stamps, didnt QUIT! Didnt make it to the NBA, didnt QUIT! Sold soda for income, didnt QUIT! Was only eating one meal, didnt QUIT! Locked up three times in DC, didnt QUIT! Dad died in my arms, didnt QUIT!!!!! -List goes on and on and on! Never give up on your GOALS in life you never know when your CONSISTENCY will pay off!! I believe in you! FU&K what the haters say, Keep moving in your purpose. -Stay locked in! @wetheculture #NBA #LethalShooter #WashingtonDC", + "likes": 120411 + }, + { + "caption": "Bobby Portis (Milwakee Bucks) was devoted to elevating his game and continuously put in extra work this season and during the playoffs late at night. Its a honor to have players trust me to make the necessary changes to their jumpers. This season he finished Top 3 in the NBA in 3PT percentages. Its no surprise to me because Ive seen the dedication he has in the gym, even when no one is watching. Im so grateful to be a part of Bobbys journey this year. Congrats on the win! - hard work pays off! -You was locked in bro! @bportistime #NBA #LethalShooter", + "likes": 112480 + }, + { + "caption": "Ive been spending a lot of time lately watching film and planning workouts for my clients to get ready for next season. As a coach the grind never stops and even when Im not in the gym Im still making moves that make movements in the community and for my clients. Always drawing up Xs and Os for my foundation, practice plans and film review with @hennessy XO #NBA #LethalShooter", + "likes": 37051 + }, + { + "caption": "It's #UpgradeSeason and @hisense_usa challenged me to make this mini-hoop shot and theyll upgrade me to the U6G 65 TV they sent me an empty box, but you already know I'm going to make this shot to get the TV ASAP! I'm here to help get your friends and family the TV they deserve, soHisense are going to give me another TV to give to one lucky winner. All you have to do to enter is follow me and @hisense_usa and comment down below why you need a new Hisense TV This #UpgradeSeason #LethalShooter", + "likes": 50598 + }, + { + "caption": "TAG 3 people you want me to train in the COMMENTS. - : ( @lethalshooter___ ) #NBA #LethalShooter", + "likes": 120700 + } + ] + }, + { + "fullname": "ESPN College Football", + "biography": "Ranking all 130 FBS college football head coaches as players ", + "followers_count": 1636952, + "follows_count": 220, + "website": "https://es.pn/3wIVZmP", + "profileCategory": 2, + "specialisation": "", + "location": "Bristol, Connecticut", + "username": "espncfb", + "role": "influencer", + "latestMedia": [ + { + "caption": "The Tide are still on top Check out the rest of the college football preseason power rankings:", + "likes": 78778 + }, + { + "caption": "Ohio State is getting another elite prospect at QB a little earlier than expected (via @quinn_ewers/Twitter)", + "likes": 60254 + }, + { + "caption": "Bryce Young has yet to start a game for Alabama. (via Alex Scarborough)", + "likes": 66227 + }, + { + "caption": "The 2005 Heisman Trophy will not be returned to former USC Trojans running back Reggie Bush, regardless of recent NIL changes.", + "likes": 29069 + }, + { + "caption": "Throwback to @parisjohnsonjr's high school tape (via @overtime)", + "likes": 50784 + }, + { + "caption": "With the possibility of the Big 12 looking different in the coming years, we asked and you answered ", + "likes": 67470 + }, + { + "caption": "The SEC is on the verge of expansion.", + "likes": 62949 + }, + { + "caption": "Nick Saban says QB Bryce Young is approaching \"almost seven figures\" since new NIL rules passed (via chris_hummer/Twitter)", + "likes": 44768 + }, + { + "caption": "What a journey to the University of Alabama for @tbook._ ", + "likes": 35709 + }, + { + "caption": "One Saturday closer to the return of CFB ", + "likes": 13550 + }, + { + "caption": "Before they called the plays, they ran them Adam Rittenberg breaks down the best head coaches who were once players. (ESPN+, link in bio)", + "likes": 26379 + }, + { + "caption": "Watch how you hit the Horns Down this season ...", + "likes": 85579 + } + ] + }, + { + "fullname": "Heidi Somers", + "biography": "Youtuber750,000 Dont kale my vibe. CEO/Owner: @Buffbunny_Collection TikTok: HeidiSomers Houston, Texas ", + "followers_count": 1735192, + "follows_count": 1073, + "website": "https://youtu.be/Lwa61qmIVyc", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "buffbunny", + "role": "influencer", + "latestMedia": [ + { + "caption": "Had to stand on a stool for this. Anyone else relate lol? #shortgirlprobs #AlsoPeepMyRetainerCase #PuertoRicoIsaDream #HopingCGwillTakeMeDancing", + "likes": 91611 + }, + { + "caption": "I love working out in the Texas heat lolololol. What is the temperature where youre at? - Outfit: @buffbunny_collection PS dont forget to enter my giveaway on the previous post! Picking the winners this evening!", + "likes": 23691 + }, + { + "caption": "GIVEAWAY TIME! CLOSED. Winners: @Christiannefaith @looks_like_lex @fityftqueenie @brandyfilbin_ @samantharen_ I want to celebrate todays launch by picking 5 winners to give $100 gift cards to! I am so excited for everyone to get their hands on these amazing designs that weve been working hard on for a year now. All you have to do enter the giveaway is: LIKE this post FOLLOW me and @buffbunny_collection TAG a friend below (unlimited entries allowed) - Choosing the winners on Monday! ", + "likes": 60973 + }, + { + "caption": "We got game. #NotReally #WeMissedMostShots #EvenWheniWasOnHisShoulders #Embarassing", + "likes": 34581 + }, + { + "caption": "Put the PETAL to the METAL. SOOOO excited to announce our BLOOM Collection! Did you see the campaign video yet?! This new new is all about pastels and passion! Cant wait to show you all what weve been working on!! #buffbunnycollection", + "likes": 41345 + }, + { + "caption": "Even though your sweat got all over my freshly done hairI still love you a lot lol. This weekend was absolutely amazing and I couldnt be more proud of you mi amor. Youve built something truly special that has changed so many lives. Cant wait for the next one!!!!", + "likes": 41546 + }, + { + "caption": "Here are a few photos of the new hair style! What do you thinkkkk?! Ive had platinum hair for as long as I can remember so this change up was a big one for me. I know people usually go lighter in the summer but Im a rule breaker.", + "likes": 81991 + }, + { + "caption": "CHANGED MY HAIRRRR AHHHH! What do yall think?! Went a bit darkeractually quite a bit darker! Currently still getting used to the change! Stylist: @realericvaughn Outfit: @buffbunny_collection", + "likes": 75132 + }, + { + "caption": "PR BOX GIVEAWAY! I want to celebrate our newest UNDER THE SEA collection dropping in just over an hour AHHH! We are beyond excited about this launch and I am so grateful to each and every one of you!! Choosing 3 winners to gift a PR box with $200 worth of goodies inside! All you have to do is: LIKE this post TAG a friend Make sure youre following @buffbunny_collection - Choosing the winners on MONDAY! -", + "likes": 68009 + }, + { + "caption": "Thought I had my life together until I realized I heavily needed a pedicure. #ToeModel? #LosAngelesVibes", + "likes": 36866 + }, + { + "caption": "NEXT LAUNCH IS REVEALED! Did anyone guess it right?! Our UNDER THE SEA Collection is launching June 12th and we have so much to show youuuuu! All of the designs were inspired by the vibrant colors found in the Ocean, the glowing bioluminescent organisms, and the sand between your toes! I highly recommend watching the new campaign video because WOW its my favorite one to date and Ive watched it 50x! Plus you get to see this Aquarius one swimsuit in action! If you swipe youll see sneak peeks of what else is coming. ARE YOU EXCITED?! ", + "likes": 44724 + }, + { + "caption": "Coming back to youtube...what videos do y'all wanna seeeee!? ", + "likes": 33970 + } + ] + }, + { + "fullname": "Ronnie Coleman", + "biography": " OFFICIAL INSTAGRAM 8x Mr \"O\" Owner-Ronnie Coleman Signature Series @rcss_supplements @colemanathletics cameo.com/ronniecoleman8", + "followers_count": 4180900, + "follows_count": 172, + "website": "https://linkin.bio/ronniecoleman8", + "profileCategory": 2, + "specialisation": "Athlete", + "location": "", + "username": "ronniecoleman8", + "role": "influencer", + "latestMedia": [ + { + "caption": "My autobiography Yeah Buddy is now available in Japanese. You can order the Japanese version from Amazon Japan. In your web browser type Amazon.co.jp. You can order it from any where in the world. We dont have it on the American site yet but we do have the Spanish and English version available on amazon.com.#yeahbuddy", + "likes": 131050 + }, + { + "caption": " YEAH BUDDYBig congrats to @samuelmikulak and the whole @usagym team for their showing at this years Tokyo Olympics. Its crazy to hear my Yeah Buddy phrase being used on the Olympic stage for motivation. How many Gold Medals do you think your boy wouldve had if Bodybuilding was in the Olympics. #USA #Olympics #YeahBuddy #Gymnastics #Athletics #RonnieColeman", + "likes": 84970 + }, + { + "caption": "I have some BIG NEWS for my YouTube Channel (RCSStv). I am now offering exclusive membership access to all my loyal followers. This monthly membership will give you full access to never before seen training videos and unseen photos that have been discovered in my attic. My TOP tier members will get access to a full library of my very own instructional training videos. Im FINALLY letting out my training secrets. Sign up now and be one of the first to join Big Ron's team! Yeah Buddy, ain't nothing to it but to do it!! Link in Bio to Signup #YouTube #RCSS #TeamRCSS #RonnieColeman", + "likes": 44835 + }, + { + "caption": " God Bless America Happy 4th of July Team RCSS!! Get 40% off your entire order today on RonnieColeman.net!! Bundle your @RCSS_supplements & @ColemanAthletics to stock up for the summer! Yeah Buddy Light Weight Baby . . . #July4thSale #Lifestyle #Fireworks #Focus #RonnieColeman #RCSS #YeahBuddy #YeahBuddyApp #Fitness #Supplements #ColemanAthletics", + "likes": 204494 + }, + { + "caption": " Happy July 4th Weekend Get 40% off your entire order this weekend only over at RonnieColeman.net! Bundle your @RCSS_supplements & @ColemanAthletics to stock up for the summer! Yeah Buddy, it still aint nothing but a peanut . . . #July4thSale #Lifestyle #Fireworks #Focus #RonnieColeman #RCSS #YeahBuddy #YeahBuddyApp #Fitness #Supplements #ColemanAthletics #Bodybuilding", + "likes": 29216 + }, + { + "caption": " YEAH BUDDY Get your early access to my 40% off JULY 4th sale going on right now at RonnieColeman.net! Bundle your @RCSS_supplements & @ColemanAthletics to stock up for the summer! Yeah Buddy, it still aint nothing but a peanut . . . #July4thSale #Lifestyle #Fireworks #Focus #RonnieColeman #RCSS #YeahBuddy #YeahBuddyApp #Fitness #Supplements #ColemanAthletics #Bodybuilding", + "likes": 118639 + }, + { + "caption": "Had a great time this weekend being inducted into the Louisiana Sports Hall of Fame. This is by far my greatest honor of all time because this is my home state inducting me and its for all sports and genres. You have to be nominated by someone on the selection committee. There are 150 people nominated every year. Then from those 150 names 11 are chosen to be inducted. I was inducted on my first ballot on the nomination. I am also the first bodybuilder to be ever inducted into this Hall of Fame.", + "likes": 190473 + }, + { + "caption": "Being inducted into the Louisiana Sportss Hall of Fame this weekend. This is probably the biggest Honor Ive ever received. Thanks and a very much appreciated to all those who are congratulating me on this honor. You guys really have no idea how much this means to me.", + "likes": 71172 + }, + { + "caption": "Had a wonderful trip to MEXICO but now its time to go home. Thanks to our hosts Daniel and Melanie Carruthers. This was my second trip to get stem cells from @regenamexclinicpv. My first trip was a huge success back in February with a great reduction in pain. Im quite sure this trip will be just as successful when the procedure finally kicks in gear.", + "likes": 266302 + }, + { + "caption": "Doing a little back workout on Day 2 in Puerto Vallarta at Vidanta Resort. Grand Luxxe hotel gym. @Regenamexclinicpv will be doing the stem cell treatment. My first treatment went extremely well and I would say eliminated 30-40% of the pain. Im hoping to get another 30-40% elimination on this treatment. Everything about the process is great here. The Vidanta Resort is the best resort hotel ever. The rooms have full kitchens, the staff is the best ever. They have everything you want and need here. I am so lucky to have found this location. #vidantaresorts #regenamexclinicpv", + "likes": 78201 + }, + { + "caption": "Yes sir I am here in Puerto Vallarta at the Vidanta Resort staying at the Grand Luxxe Hotel and training on-site at the Grand Luxxe Hotel Tower 2 gym. This gym is very special just like the rooms at the resort. This gym is very comparable to any professional gym like Golds gym or Worlds gym. I cant put Metroflex gym in there because Metroflex has no A/C. Still getting it in despite being on a mini vacation with the wife and kids and being here for my next stem cell treatment. #vidantaresorts @regenamexclinicpv #regenamexclinicpv", + "likes": 124768 + }, + { + "caption": "Here we are again at the Vidanda Resort and once again we have the best room in the resort. Its the Grand Luxxe Hotel with a huge property with Golf and pools everywhere. #vidandaresorts #regenamexclinicpv@regenamexclinicpv", + "likes": 67044 + } + ] + }, + { + "fullname": "Dalai Lama", + "biography": "Welcome to the official Instagram Account of the Office of His Holiness the 14th Dalai Lama.", + "followers_count": 1971001, + "follows_count": 0, + "website": "http://www.dalailama.com/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "dalailama", + "role": "influencer", + "latestMedia": [ + { + "caption": "HHDL looking out over Kangra Valley during a break from monsoon rains at his residence in Dharamsala, HP, India. Photo by Tenzin Jamphel #dalailama", + "likes": 180171 + }, + { + "caption": "HHDL exchanges early morning greetings with security personnel from the balcony of his residence in Dharamsala, HP, India. Photo by Tenzin Jamphel #dalailama", + "likes": 152368 + }, + { + "caption": "HHDL at home praying as he does every day for the happiness of all sentient beings. In particular, he spends some time praying that the suffering that has come from Covid-19 pandemic will soon come to an end and that those who are sick will make a complete and swift recovery. Photo by Tenzin Jamphel #dalailama", + "likes": 121834 + }, + { + "caption": "HHDL receiving the first dose of COVID-19 vaccine at Zonal Hospital, Dharamsala, HP, India on March 6, 2021. Photo by Tenzin Choejor #dalailama", + "likes": 271292 + }, + { + "caption": "Climate activist Greta Thunberg listens to HHDL make a point during their conversation about climate feedback loops at his residence in Dharamsala, HP, India on January 10, 2021. Photo by Tenzin Jamphel. #climatechangeart dalailama #gretathunberg #climatechange", + "likes": 143923 + }, + { + "caption": "Under a bright blue sky HHDL trains his binoculars on the snow-capped peaks behind his residence in Dharamsala, HP, India on December 19, 2020. Photo by Tenzin Jamphel #dalailama", + "likes": 147814 + }, + { + "caption": "HHDL enjoys a light moment during teachings he was giving over the internet from his residence on December 10, 2020. Photo by Tenzin Jamphel #dalailama", + "likes": 115450 + }, + { + "caption": "HHDL enjoying the view of fresh snow on the Dhauladhar mountains from the roof of his residence in Dharamsala, HP, India on November 27, 2020. Photo by Tenzin Jamphel. #dalailama", + "likes": 140472 + }, + { + "caption": "HHDL reading from the text on the second of his virtual teachings requested by Russian Buddhists from his residence in Dharamsala, HP, India on November 6, 2020. Photo by Ven Tenzin Jamphel #dalailama", + "likes": 106739 + }, + { + "caption": "HHDL holds up for all to see the conch shell he retrieved from the vicinity of a cave in Central India in which Nagarjuna is said to have meditated during the first day of his virtual teaching from his residence in Dharamsala, HP, India on October 2, 2020. Photo by Ven Tenzin Jamphel #dalailama", + "likes": 88442 + }, + { + "caption": "HHDL speaking to a virtual audience on the final day of teachings by video link from his residence in Dharamsala, HP, India on September 6, 2020. Photo by Tenzin Phuntsok #dalailama", + "likes": 108607 + }, + { + "caption": "HHDL greeting young people from conflict areas as he arrives for his dialogue on Conflict, COVID and Compassion organized by the United States Institute of Peace (USIP) by video link from his residence in Dharamsala, HP, India on August 12, 2020. Photo by Ven Tenzin Jamphel #dalailama", + "likes": 90824 + } + ] + }, + { + "fullname": "Rising Woman", + "biography": " Founder, Writer @sheleanaaiyana Text me 1-604-210-9657 #ConsciousRelationship #Spirituality #Healing Coast Salish Territories Explore", + "followers_count": 2425498, + "follows_count": 659, + "website": "http://linktr.ee/risingwoman", + "profileCategory": 2, + "specialisation": "Community", + "location": "", + "username": "risingwoman", + "role": "influencer", + "latestMedia": [ + { + "caption": "Ive received many requests for more guidance on the how to of self-soothing. Remember that self-soothing is a skill we all need as adults because it allows us to be responsible for our inner-world and ask for what we need in a way that others can truly meet us. If we test, push or demand when we are hurt or triggered, we will self sabotage and then feel wronged by those we are in relationship with when they inevitably move away from us. Its also important to self-soothe because we wont always have someone who can be there for us, but we can hold ourselves and connect to spirit in every moment. Also, if we rely solely on others to rescue us from our big emotions, we will inevitably self-abandon or even move toward unsafe people because we need them to feel secure. Healing relationship anxiety is a slow and gradual process of making your way home to your body, finding safety within and cultivating the capacity and language to create secure friendships, romantic partnerships and be whole within yourself. @sheleanaaiyana", + "likes": 26624 + }, + { + "caption": "To truly understand this requires that we journey into the depths of relationship with eyes and hearts wide open. We may feel so much resistance to the idea that our partners arent there to serve us. Why bother if they arent there to meet our needs? We may hear these truths in overly simplified terms and mistakenly interpret this to mean that any behaviour is acceptable behaviour. What this means is that while our partners may indeed bring joy and pleasure and support into our lives, their function is not to be for us. Conscious Relationship is a dance of togetherness and separateness. It is in recognizing our partner as an individual with a differently reality and emotional lens than us. It is in learning to let go of control, criticism, blame and to step into recognition. Recognition that our partners can never check all of our boxes, meet 100% of our needs or be in sync with us at all times. Conscious Relationship is challenging because if we are really on the path to awakening, we will inevitably see just how attached we are to our partners being a certain way, or the relationship matching our fantasy version of how we want it to look. We grow together when we loosen our grip and soften to reality. When we can truly live in those hard to live places. When we can encourage freedom and trust in spite of our wounds that tell us not to. This is the journey. It is long and messy, hard and beautiful and all things in between. @sheleanaaiyana", + "likes": 32346 + }, + { + "caption": "An invitation to rest. @sheleanaaiyana", + "likes": 15575 + }, + { + "caption": "We do not control the seasons of this earth and we cannot control the seasons of our lives either. Our power is not in attempting to manipulate the timeline, rush a transformation or in trying to extract the lessons as fast as possible. Our power is found in the moments of deep surrender - opening to nothingness and making room for the medicine to do its work. These things take time, grief is transformative on its own timeline. Taking time to let truth find its way to you is the medicine. Resting when you want to run is the medicine. Trusting when you want to resist is the medicine. Its ok to move slowly, its ok not to know. Its ok to just be. Nothing lasts forever, and for now, this is your process. @sheleanaaiyana", + "likes": 43816 + }, + { + "caption": "Healing is an integrative process. It is about learning to use our energy correctly and channel it into the right places rather than leaking it out or trying to offload it onto others. It's a dance of the elements and honouring our unique medicine for the world. When we are healing, we may fall into the trap of thinking there are parts of our being that need to be tucked away, but usually the elements that we struggle most with are also our medicine in this life. For those of us who have a lot of fire energy, we know this element can express in destructive ways - lashing out, blaming, walling off and pushing people away. The natural response is to try to put out the fire - to see it as the problem. But your fire and anger is also your medicine. We dont want to put it out, we want to learn how to stoke and tend to it while bringing in other elements to soften it. We need fire, it is the energy of passion, leadership, dedication, resilience, protection, boundaries and transformation. If we struggle with anger and feel shame or guilt for having it or expressing it from a wounded place, our practice is to learn how to let our fire be a guiding light for others instead of burning everything down. Our tendency when were working with a behaviour or pattern that feels sticky is to want to eliminate that part of ourselves all together. To get rid of our fire, get rid of our sadness, get rid of our anger. But it is through welcoming these aspects of our nature, that we heal. Building an altar that represents the elements you want to call in and cultivate more of is a beautiful way to connect to spirit and honour your process. Build an Elemental Altar Place a candle or other object on the altar that represents your fire or the reactive pattern you want to soften. Next to it, place a bowl or cup of water to represent your tenderness, depth and vulnerability. Bring in a flower to represent softening, opening and transformation. Remember all parts of you are loveable, and the very thing youre battling may eventually be the energy you learn to channel as your gift. @sheleanaaiyana Dress from the beauties at @flookthelabel @allypintucci", + "likes": 10596 + }, + { + "caption": "Another series on self-soothing I will cover ways to self-soothe in an upcoming series. Share your questions and experiences in the comments lots of love to you, @sheleanaaiyana", + "likes": 46373 + }, + { + "caption": "The #FullMoon in #Aquarius is upon us, how are you feeling folks? Its a beautiful time to immerse in nature, take an ocean dip, sing to the trees and listen to the flowers Read the whole report and learn about our new Become Your Own Astrologer Course on RisingWoman.com by #risingwoman #astrologer @andrea_dupuis", + "likes": 21613 + }, + { + "caption": "Slide through for the special report by #risingwoman #astrologer Dawn of @wildwitchastrology Venus represents your love nature the part of you who seeks to connect with what, and who, you love. As an archetype, She governs your quest for beauty, true connection, peace, and harmony guiding you to a greater understanding of what it truly means to invest in yourself and others.", + "likes": 12627 + }, + { + "caption": "Do you lean toward the experience of anxious attachment in relationship? If so, you might experience fear or panic when a person moves away from you energetically, needs space or time alone, doesnt reply quickly to texts or communicates less than you - and most of the time - this will be true. Your anxiety may tell you they are the problem, that they need to change their behaviour or do something to help you feel better And while there are often things for a partner to work on, theres a hidden gift for you in these moments where you feel like you need saving and they dont do what you want them to do While youre hyper-focused on getting something from them, the real healing lies in your ability to learn how to stay in your body and feel your way through intense moments rather than ejecting immediately and grasping for a life raft in the form of your lover. What youll find if you slow down and return to your body is that you are safe and that its ok to feel what youre feeling. The inner-child in you has a message for you, so dont abandon them, listen gently and pour your love into the sensitive and tender being that lives within your own heart. Learning to self-soothe doesnt mean becoming needless or never receiving support. All humans need this, touch and connection are vital. It simply means youll have the capacity to stay connected to yourself and trust your ability to navigate big emotions. It also means you will be able to set and protect boundaries rather than chasing love in the wrong places because you are afraid to be in your own body. This skill is vital to ending self-abandonment and reclaiming your wholeness. What questions do you have about anxious attachment and self-soothing? @sheleanaaiyana", + "likes": 74936 + }, + { + "caption": "What is underneath anxiety? Sadness, loss, grief often what we find beneath the surface is a fear that if we surrender to the feeling underneath our anxiety we may be swallowed by the oceanic force of our pain and never find our way back. But pain is a passage not a prison. Its safe to surrender and allow yourself to go deep within. Often when we are overcome with anxiety its because we are resisting our reality - maybe we know we need to let go but we wish it werent so perhaps everything is changing and we dont want to accept it breathe, return to your heartbeat, return to your body. Oceanic Visualization + Somatic Practice for Anxiety Place a hand on your heart and belly, feel the rise and fall of your breath. Notice the sensations arising in your body - in your chest, legs, arms, face. Name them - tingle, tight, cool, warm etc. Now return to your breath - is it heavy or shallow, simply notice. Now go to the anxious energy in your body - where is it located? Does it have a shape, color? If the anxiety had words for you - what would it say? Listen quietly, dont overthink or script - simply allow your anxiety to do its job and serve as a messenger. When you receive the message, perhaps you already know what emotion is present - you can also inquire and ask whats the feeling underneath this anxious feeling? Perhaps its sadness, fear, abandonment, loss let it be for a moment and stay with your body. Theres no need to run or shut down this feeling, you are safe to go deeper. Visualize gentle ocean water washing over you, with each wave, imagine your body being held and cleansed. With each wave washing over you, imagine that you are giving your sadness to the waters and letting them heal you. With hands on your heart, thank your body for carrying you, your heart for beating, your breath for giving you life. Slowly return to the space you are in, feel your feet or back planted on the earth, look around at your surroundings and say my body is a safe place all of my emotions and sensations are welcome. Sending you so much love @sheleanaaiyana", + "likes": 28016 + }, + { + "caption": "Creating safety is at the root of our ability to heal. We cannot heal if we are in a triggered stage and we cannot heal if we are in an environment thats rife with judgment, criticism and volatility. While honesty and truth are vital to any healthy relationship, without gentleness and compassion our truth is nothing more than a product of our own ego. All of our wounding from relationship occurs as a result of being left to tend to our pain alone - without connection, compassion or understanding. We learn to wall off, hide, defend, numb or mask up - but ultimately underneath it all there is fear and a nervous system thats stuck in a pattern as if the original injury is still happening. This is why creating safety is the priority when it comes to our healing work. Our bodies need to be safe in order for pain to move through and out, and we need to co-regulate with other healthy and securely attached nervous systems to transform. Individualistic healing work and teachings are on the mark when it comes to recognizing that we must heal ourselves to heal the world, but it cannot be done without the healing power of relationship - friendship, community, romantic - all are flavours of connection that have the power to wound us and to heal us. Learning to listen, to empathize, to validate anothers reality, and to genuinely care for each other becomes easier when we are not deprived of this ourselves. Questions about safety? @sheleanaaiyana", + "likes": 36795 + }, + { + "caption": "Guest post from #RisingWoman #Astrologer @andrea_dupuis One of my favourite points to look at in a birth chart is Chiron. It shows the pain point running under the surface of our lives (core wound) and yet it also shows our greatest opportunity for growth in this lifetime. It represents our deepest gift to others and the world. Once we discover how to unlock it and alchemize it, it becomes the key to our highest potential. No one is exempt from the challenge of Chiron, or the gifts once unlocked. You can look up your Chiron at cafeastrology.com Check the house first and the sign second. Scroll through the slides to read about your Chiron house and sign+ If you want to learn more about how to read charts for yourself and others - the doors for our new Become Your Own Astrologer Course are officially open. More on our website or in bio link.Andrea is not only one of my dearest friends, shes the COO of Rising Woman AND writes our astrology reports. Shes been doing readings for me for years and I have deep admiration for the way she layers multiple methods together to create an extremely accurate reading. We also made sure to weave in trauma informed teachings into this program so that you can learn how to be extra mindful and nuanced with how you read a chart for someone else, as this is a very sacred responsibility! Which is also why Andrea believes everyone should have the ability to understand their own charts if they have the desire to learn. Thus, Become Your Own Astrologer was born! Sending you lots of love today beauties, @sheleanaaiyana", + "likes": 15184 + } + ] + }, + { + "fullname": "Qimmah Russo", + "biography": "Los Angeles Qimmahteam@qimmahtherapy.com Inspiration | Health Coach Entrepreneur | #QRCODE", + "followers_count": 1967281, + "follows_count": 1001, + "website": "https://linktr.ee/Qimmahrusso", + "profileCategory": 3, + "specialisation": "Health/Beauty", + "location": "", + "username": "qimmahrusso", + "role": "influencer", + "latestMedia": [ + { + "caption": "I heard Muscles arent attractive on a women.. But how about on a Cowgirl? ", + "likes": 60790 + }, + { + "caption": "@fashionnova fashionnovapartner Rise & Shine ", + "likes": 55224 + }, + { + "caption": "Yoga ball handstand Challenge ! Who can do it ? TAG A FRIEND SAVE & TRY I love feeling Strong & Powerful!", + "likes": 14074 + }, + { + "caption": "Happy Selfie Sunday Prepping for a new week! First day of August!!! New month new week! Lets get it ", + "likes": 71451 + }, + { + "caption": "Happy Saturday! Ive heard Some people say they miss the old Qimmah, but Im in love with the new Qimmah more. The women I have become is confident and determined. I feel stronger Mentally & Physically! I would never expect someone to be the same person they were 5,6,10 years ago. Love where you started but fall IN LOVE with where youre going. Dont let anyone slow you down in your journey, or discourage you! Continue to be your truest most authentic self. Youre RIGHT where you need to be in this very moment! Growth Is undeniable SAVE TRY SHARE ", + "likes": 23381 + }, + { + "caption": "Love Machine @digital.creations", + "likes": 88975 + }, + { + "caption": "Youve got to work for every last thing! HAPPY FRIDAY #motivation SAVE SHARE ", + "likes": 43043 + }, + { + "caption": "Queen Tings @shotbysham", + "likes": 150592 + }, + { + "caption": "ISSA LEG DAY! The Gym is the place to GRIND & GET BETTER! But also to have FUN Hope I can continue to Inspire all of you to put in work & to continue Growing & Challenging Yourself! ", + "likes": 17197 + }, + { + "caption": "Another Successful Leg Day! Workout coming in the AM! Who wants the Secrets? ", + "likes": 38777 + }, + { + "caption": "Know your worth, even if they dont. Rise to the occasion @simonneedhamphotography", + "likes": 57916 + }, + { + "caption": "Rise & Shine What BETTER way to start your day than a little Groovin & MOVIN to your favorite tunes! Live LIFE & SMILE ! TAG YOUR DANCE BUDDY @dr.robinb ", + "likes": 31760 + } + ] + }, + { + "fullname": "Jon Call", + "biography": "@hd.muscle 10% Code: JUJIMUFU @thebeardstruggle 20% Code: JUJI @reignbodyfuel athlete!!! CHECK OUT MY PROGRAMS ", + "followers_count": 1698473, + "follows_count": 330, + "website": "https://jujimufu.com/", + "profileCategory": 2, + "specialisation": "Athlete", + "location": "", + "username": "jujimufu", + "role": "influencer", + "latestMedia": [ + { + "caption": "BEARD TIME! Go to @thebeardstruggle & use code JUJI to save 20% on the best beard and haircare products! GIGANTIC selection and GREAT scents! Check them out!", + "likes": 5490 + }, + { + "caption": "I spent 1 week straight in my new gym without leaving. EAT, TRAIN, SLEEP, REPEAT. Check out the video on my YouTube channel.", + "likes": 84831 + }, + { + "caption": "GLAD TO BE PLAID WITH DAD.", + "likes": 36389 + }, + { + "caption": "RIP @black_tom_cruise. We shared a lot of good memories and made a lot of cool vids together over the years. I was looking forward to seeing him again this summer too! He set the benchmark higher for good sportsmanship and hyping up the heavy lifts. He was always supporting everyone in the lifting community and always had a fun attitude.", + "likes": 66207 + }, + { + "caption": "When playing with mousetraps, be sure you're totally fueled in both mind and body! Drink Reign and jump in!", + "likes": 26869 + }, + { + "caption": "We tore all 4 biceps on this 330 lb (150 kg) strict curl. @monstermichaeltodd", + "likes": 45665 + }, + { + "caption": "80 days out from my first bodybuilding show! Olympia Amateur! 245 lbs (111 kgs) this morning. Working hard and having a blast preparing for this show!", + "likes": 68628 + }, + { + "caption": "Mixing LEMON HDZ and MELON MANIA @REIGNBODYFUEL in the Erlenmeyer! Best flavor mix ever! I'm taking over their IG stories today and doing a live Q&A & HANGOUT 4 pm EST @reignbodyfuel Sam will be there too (behind the camera of course!) ", + "likes": 14988 + }, + { + "caption": "145 LBS FREESTANDING SISSY SQUAT. RIP KNEES. @mad_scientist_duffin @kabukistrength", + "likes": 55963 + }, + { + "caption": "Beard envy? Use code: JUJI to save 20% @thebeardstruggle to grow your best beard!", + "likes": 15900 + }, + { + "caption": "YOU HAVE TO LIVE IT", + "likes": 27267 + }, + { + "caption": "Polka dotted 550 lb snatch grip deadlift on a 4\" box with 120 lb added band tension at top. Groovy!", + "likes": 45731 + } + ] + }, + { + "fullname": "Val Cortez", + "biography": "Sharing my travel journey and life Argentina @val.aroundworld", + "followers_count": 1079075, + "follows_count": 119, + "website": "http://flow.page/valcortez/", + "profileCategory": 3, + "specialisation": "Artist", + "location": "", + "username": "val.aroundtheworld", + "role": "influencer", + "latestMedia": [ + { + "caption": "Pamukkale means Cotton Castle in Turkish, and it is true that it looks like one This is one of the most beautiful natural wonder i have ever seen, this magical place is located in the southwestern Turkish province of Denizli. The hot springs here are formed of terraced pools created by pure white travertine creating this beautiful natural landscape. To be honest pictures cant show the real beauty of this stunning place.", + "likes": 16498 + }, + { + "caption": "Live life in full bloom ", + "likes": 19106 + }, + { + "caption": "Be the reason someone smiles today 1-5 Which one is your favorite?", + "likes": 35012 + }, + { + "caption": "Paradise isnt a place, its a feeling ", + "likes": 45042 + }, + { + "caption": "Go wild for a while ", + "likes": 41319 + }, + { + "caption": "It is not how much we have, but how much we enjoy, that makes happiness ", + "likes": 28323 + }, + { + "caption": "Golden hour, Appreciating the little moments ", + "likes": 38478 + }, + { + "caption": "What was the last country you visited? Throwback to my amazing days in @melashotels In side, Turkey. This was the last place I visited before coming back home for a bit.", + "likes": 20207 + }, + { + "caption": "Be kind Follow @val.aroundworld if you love me", + "likes": 53169 + }, + { + "caption": "Have you missed me? ", + "likes": 54790 + }, + { + "caption": "Happiness is a day at the pool in @melashotels Starting my day with a Turkish coffee by the pool. After some days in istanbul I decided to visit the beautiful city of Antalya, couldnt ask for a better place than @melashotels to discover the real Turkish hospitality experience.", + "likes": 40013 + }, + { + "caption": "Good times and tan lines ", + "likes": 52435 + } + ] + }, + { + "fullname": "SiR", + "biography": "", + "followers_count": 473736, + "follows_count": 599, + "website": "http://inglewoodsir.com/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "inglewoodsir", + "role": "influencer", + "latestMedia": [ + { + "caption": "LiLi", + "likes": 62306 + }, + { + "caption": "#Headshots visual out now! @isaiahrashad #TDE", + "likes": 45791 + }, + { + "caption": "Brothers.", + "likes": 35253 + }, + { + "caption": "Same Space? With @tianamajor9 OUT NOW ", + "likes": 24066 + }, + { + "caption": "Isnt she lovely ", + "likes": 104543 + }, + { + "caption": "good days @sza @topdawgent", + "likes": 20893 + }, + { + "caption": "", + "likes": 52531 + }, + { + "caption": "Teach Me [Judas And the Black Messiah: The Inspired Album]", + "likes": 46936 + }, + { + "caption": "Go Vote!!!!!", + "likes": 24900 + }, + { + "caption": "", + "likes": 83500 + }, + { + "caption": "@colorsxstudios @aliciakeys @inglewoodsir Much love to ms. Keys for having me!!!!!", + "likes": 64901 + }, + { + "caption": "@sza Hit.different. Ft. @tydollasign ", + "likes": 56963 + } + ] + }, + { + "fullname": "Ghost Adventures", + "biography": "The official account of #GhostAdventures. Stream now on @discoveryplus. ", + "followers_count": 625681, + "follows_count": 24, + "website": "http://linkin.bio/ghostadventures", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "ghostadventures", + "role": "influencer", + "latestMedia": [ + { + "caption": " BIG NEWS @realzakbagans is heading to #HalloweenWars! We cant wait to see all the spooktacular creations this fall. You know the drill its time to mark those calendars! Get the details : Announcement: Hey everyone, I am so excited to announce that I have joined the new season of #HalloweenWars, premiering Sunday, September 19th at 9pm ET/PT on @foodnetwork and @discoveryplus. During the entire season I take inspiration from my collection of haunted & mysterious artifacts from my Haunted Museum in Las Vegas to challenge the teams to create frighteningly intricate cakes that are as spooky as they are tasty! Get ready! /: @realzakbagans", + "likes": 3426 + }, + { + "caption": "Who or what is haunting @hollymadisons Hollywood Hills home? Were about to find out. Stream #GhostAdventures Haunting in the Hills now at the #linkinbio. #discoveryplus", + "likes": 8852 + }, + { + "caption": "\"Oh, this thing? I carry it with me EVERYWHERE.\" Catch up on #GhostAdventures at the #linkinbio before an all-new episode drops this Thursday. #discoveryplus", + "likes": 35240 + }, + { + "caption": "Welcome to the Hollywood Hills : home to @hollymadison and the mysterious entities haunting her 1926 castle-style house. Join Holly, the crew and special guest @bridgetmarquardt for the all-new investigation, Haunting in the Hills, which drops this Thursday on #discoveryplus. #GhostAdventures @realzakbagans @aarongoodwin @billytolley @jaywasleyfilm", + "likes": 49168 + }, + { + "caption": "Please respect my me time, thank you. Stream the all-new #GhostAdventures episode Terror at the Toy Shop now at the #linkinbio. #discoveryplus via @ chrissycakouros", + "likes": 14281 + }, + { + "caption": "Its #InternationalFriendshipDay so naturally were feeling a little nostalgic. Swipe for a few of our favorite snaps of these absolute legends. #ghostadventures #discoveryplus #ghostadventurescrew", + "likes": 32576 + }, + { + "caption": "If you thought that security footage was chilling just WAIT until you see the evidence captured by the #GhostAdventures crew. : #GhostAdventures Terror at the Toy Shop, now streaming on @discoveryplus. #ghostadventurescrew", + "likes": 20518 + }, + { + "caption": "Get in loser, were going to watch the new episode of #GhostAdventures. Terror at the Toy Shop is now streaming at the #linkinbio. #discoveryplus #ghostadventurescrew", + "likes": 12658 + }, + { + "caption": "Oh, look at the time: Its sneak peek oclock! The crew investigates poltergeist activity at Hollywood Toys and Costumes (*of course* there are creepy dolls ) the all-new episode drops tomorrow on #discoveryplus. @realzakbagans @aarongoodwin @billytolley @jaywasleyfilm #GhostAdventures #ghostadventurescrew", + "likes": 24736 + }, + { + "caption": "ICYMI (because we did ): Did you spot this fast-moving shadow?! What do you think it is? P.S. Thanks for pointing this out, @BujinkanCloud! We our eagle-eye fans. : #GhostAdventures, The Great Saltair Curse, now streaming on #discoveryplus.", + "likes": 28559 + }, + { + "caption": "No spoilers but : Stream #GhostAdventures all-new investigation, The Great Saltair Curse, at the in our bio. #discoveryplus", + "likes": 13509 + }, + { + "caption": "Looks like you and @liampayne have the same weekend plans : Stream #GhostAdventures' The Great Saltair Curse now at the #linkinbio. (P.S. Thanks for being a fan, Liam! ) #discoveryplus #ghostadventurescrew", + "likes": 21789 + } + ] + }, + { + "fullname": "Awesome Travel & Nature", + "biography": "contact@earthfever.net k1k: earthfever We can post your photos Apply for a feature:", + "followers_count": 2220868, + "follows_count": 26, + "website": "https://www.earthfever.net/feature", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "earthfever", + "role": "influencer", + "latestMedia": [ + { + "caption": "If you could fly off to a destination right now, where would you go and why? You can check how to get your photos promoted in our account, use the link in our bio @earthfever @ryantseko Tampa, Florida", + "likes": 4159 + }, + { + "caption": "How cute? Follow @frankie_sandiego for more. Tag a dog lover Photo by @frankie_sandiego", + "likes": 3085 + }, + { + "caption": "Beautiful views in Cappadocia, Turkey We can post your photos in our account, follow the link in our bio: @earthfever and we will select your pictures Tag someone you'd visit Cappadocia with @filippobelluscio Petit Biscuit - Sunset Lover", + "likes": 8918 + }, + { + "caption": "How cute they are? Share your photos with us and we will post them in our account. Apply for a feature following the link in our bio: @earthfever @pati_dostlariii", + "likes": 36681 + }, + { + "caption": "Serbian countryside Wanna see your pictures posted in our account? Apply for a feature on earthfever.net (link in my bio: @earthfever) Which one is your favorite scene? Photos & edits by @decak_iz_topole", + "likes": 28997 + }, + { + "caption": "Dream A-frame cabin in the woods Get your photos posted in our account, apply for a feature visiting earthfever.net the link is in our bio: @earthfever Tag someone youd stay here with! @malakyunus & @the_fittherapist", + "likes": 12434 + }, + { + "caption": "The famous Mykonos sunset Wanna see your pictures posted in our account? Apply for a feature on earthfever.net (link in my bio: @earthfever) Tag someone youd eat dinner here with! @alexandradts Mykonos, Greece", + "likes": 11702 + }, + { + "caption": "Would You Give Me a Hug Please? Wanna see your pictures posted in our account? Apply for a feature on earthfever.net (link in my bio: @earthfever) @knutini_", + "likes": 20381 + }, + { + "caption": " Nearly 60 raging wildfires have broken out in Southern Turkey. As temperatures have soared and strong winds stoked the flames the past 3 days, killing at least 4 people along with 1,000+ farm animals and sending 60 more people to the hospital as their homes burned down. So far 18 villages have been evacuated and 35 aircrafts, 457 vehicles, and 4,000 personnel have been involved in the firefighting efforts, as separate wildfires raged in the provinces of Osmaniye, Kayseri, Kocaeli, Adana, Mersin and Kutahya. Turkey has battled a series of disasters caused by extreme weather conditions this summer, including flash floods last week that killed 6 people in the Black Sea region so please join us in praying for all the people and animals in these hard hit communities along with the brave firefighters and share this with your followers and friends Via @nature Wanna see your pictures posted in our account? Apply for a feature on earthfever.net (link in my bio: @earthfever)", + "likes": 22821 + }, + { + "caption": "Who would you ride with? Get your photos posted in our account, apply for a feature visiting earthfever.net the link is in our bio: @earthfever Monte Igueldo is a vintage amusement park perched atop one of San Sebastins three mountains. @beaa.alem San Sebastin, Spain", + "likes": 13420 + }, + { + "caption": "The Wedge Follow @wedgemel for more. Tag who youd go here with. Photos: @wedgemel by @mikemoirsurf", + "likes": 4245 + }, + { + "caption": "This is Italy Share your photos with us and we will post them in our account. Apply for a feature following the link in our bio: @earthfever Which place is your favorite from 1 - 10? 1. Tellaro @antocadei 2. Bellagio @alexpreview 3. Portofino @sennarelax 4. Venice @gianmarco.gabriele 5. Positano @markoconforti 6. Vermiglio @takemyhearteverywhere 7. Rome @markoconforti 8. Tuscany @sennarelax 9. Amalfi Coast @andreavetrano 10. Milan @sennarelax", + "likes": 19134 + } + ] + }, + { + "fullname": "Delta Air Lines", + "biography": "Because we could all use some inspiration on where to fly next. Share your travel photos using #Delta.", + "followers_count": 1099715, + "follows_count": 248, + "website": "http://clicklinkin.bio/delta", + "profileCategory": 2, + "specialisation": "", + "location": "Atlanta, Georgia", + "username": "delta", + "role": "influencer", + "latestMedia": [ + { + "caption": "Future Medallion Photo: Lisa H. - Sr. Marketing Analyst, #ATL", + "likes": 11909 + }, + { + "caption": "One word: winglet", + "likes": 19807 + }, + { + "caption": "Next stop: Canada Tag the person who would plan an epic trip. Photo: @thewickedhunt", + "likes": 9176 + }, + { + "caption": "Landing at SEA in 5, 4, 3 Photo: @wcaviation", + "likes": 17165 + }, + { + "caption": "And then tell us where you're going next. ", + "likes": 26484 + }, + { + "caption": "Sunrise is our favorite color. Photo: @cokecansandwinglets", + "likes": 10826 + }, + { + "caption": "Who has Zion National Park on their bucket list? Save this post for recommendations from a Utah native and Delta Medallion \"Ive visited Zion National Park more times than I can count - and its still my favorite Utah national park. What should you do while youre there? - Angels Landing / The Narrows - these are both incredibly popular hikes for a good reason. Ive done both several times. Start EARLY! - Explore the east side of Zion. Less visitors, no shuttles and more access. Ive spent so much time on this side of the park in the last year and loved every second of it. - Go canyoneering. I cant believe I spent 6 years in Utah before trying this and I already cant wait to do it again. - Explore the areas just outside the park. The amazing scenery doesnt end with the park boundaries. In fact, the nearby options often bring much smaller crowds and really impressive views.\" - @andreafcannon, Diamond Medallion Member Have Zion recs to add to our list? Leave them below ", + "likes": 9558 + }, + { + "caption": "The first rule of travel? Always be yourself and treat yourself. Don't miss a special episode of Netflix's @queereye, featuring one of our own employees, available on Delta flights.", + "likes": 2478 + }, + { + "caption": "Raise your hand if you watched this video at least 5 times Video: @t_y_m_i_l_l_e_r", + "likes": 15067 + }, + { + "caption": "Summer in Alaska is just *chef's kiss* Photo: Sara S. - Flight Attendant, #ATL", + "likes": 8134 + }, + { + "caption": "This is your captain speaking: I am adorable. Photo: @work.to.vacation", + "likes": 29637 + }, + { + "caption": "A view that never gets old. Photo: @jun.ior._", + "likes": 23710 + } + ] + }, + { + "fullname": "Barstool Outdoors", + "biography": "Fishing/Hunting for @barstoolsports Hosted by Sydnie Wells (@sydnie_wells) DM submissions here Bowfishing Big Blue Catfish", + "followers_count": 977787, + "follows_count": 56, + "website": "https://m.youtube.com/watch?v=KtF4TK1xyYU&pp=sAQA", + "profileCategory": 2, + "specialisation": "Entertainment Website", + "location": "", + "username": "barstooloutdoors", + "role": "influencer", + "latestMedia": [ + { + "caption": "Saint Augustine, FL spear fishing (Via @reeldreamfishing & @kingcopperbelly )", + "likes": 11258 + }, + { + "caption": "HANDS UP (Via @miranda_mccue )", + "likes": 2720 + }, + { + "caption": "He made that look easy (Via @bobby_guy_films )", + "likes": 36341 + }, + { + "caption": "Whos itching to take down some honkers? (Via @lainie_renee )", + "likes": 9499 + }, + { + "caption": "Small mouths in South Dakota (Via @joshbagwellmusic )", + "likes": 5973 + }, + { + "caption": "If this isnt my kid one day then I dont want it (Via @hurricanebellfishing )", + "likes": 24356 + }, + { + "caption": "This should get you fired up to catch some fish Barstool Outdoors with @sydnie_wells & friends jumped on the @stormshackmatagorda to catch a limit of red snapper. @marcusbladenvargas with the videography & edit @ashcraft.aviation", + "likes": 4419 + }, + { + "caption": "TOAD ( via @simsherron22 )", + "likes": 10128 + }, + { + "caption": "Day = Ruined ( Via @evan.james.hale )", + "likes": 5603 + }, + { + "caption": "Now thats a pretty sight (Via @jakefoy06 )", + "likes": 8825 + }, + { + "caption": "Caught in Port Salerno, FL (Via @bousedavid )", + "likes": 10648 + }, + { + "caption": "Dove season, were ready for you (Via @ashcraft.aviation )", + "likes": 54928 + } + ] + }, + { + "fullname": "Dylan Steven Geick", + "biography": "(poet)(artist)Human Snapchat, YouTube, Patreon @ DylanGeick Biz: Dylan@collxab.com", + "followers_count": 668992, + "follows_count": 736, + "website": "http://flowpage.com/dylangeick/", + "profileCategory": 3, + "specialisation": "Writer", + "location": "", + "username": "dylangeick", + "role": "influencer", + "latestMedia": [ + { + "caption": "Coolest guy I know.", + "likes": 25869 + }, + { + "caption": "Hey @damon_baker when you leave Im going to cry a lot ", + "likes": 42862 + }, + { + "caption": "Took the bike out to Vegas and even did a little off roading (not recommended on a Ninja 1k lol) because I couldnt help myself. Jam packed weekend celebrating with great food, pretty lights, and the best of friends. ", + "likes": 32207 + }, + { + "caption": "@zachclayton is one of the realest motherfuckers Ive ever met. We be getting back to the grind. We also did a collab for you on lonely fans, youre welcome. Break the internet. Dropping today, with more through the week. Link in bio.(Yeah I lifted in jeans, because I rode a motorcycle there and fuck excuses.)", + "likes": 72980 + }, + { + "caption": "Before pride month ends, Im happy to partner with @burstoralcare to help give back to the LGBTQ+ community which I owe and love so much. Burst has partnered with the amazing @csiriano to create a beautiful custom pride kit with proceeds being donated to Trevor Project (at a minimum of $25k) Take care of your teeth, love yoself, and support LGBTQ charities this month, not brands who dont give back (link in bio) . #burstpartner #brushburst", + "likes": 42855 + }, + { + "caption": "You aint punk rock sweetheart. Now call your daddy so he can get your bill ", + "likes": 29278 + }, + { + "caption": "I do not know how to speak. My mind feels constantly aflame, and my lips buzz, bubbling forth some froth of unknowable sound begging to be deciphered. I can not shut up and yet. Who am I? I have seen a hundred mountains and a thousand valleys and have made camp in dark places with men who know war. I have read the inked minds of a hundred women able to withstand living in this world. I know nothing of these things. I feel lost, like all I could say is untrue, and should be said better. Most of all I dont know how to speak about myself, though for some reason others want to know. So, today I climbed a mountain I already knew. I remembered the strength in my back and my feet and hands. I carried things. Today I am speaking. Today it feels good to speak. Today it feels good to live.", + "likes": 56422 + }, + { + "caption": "Its like in the great stories, Mr. Frodo. The ones that really mattered, full of darkness and danger they were. Sometimes you didnt want to know the end, because how could the end be happy? How could the world go back to the way it was when theres so much bad that had happened? But in the end its only a passing thing, this shadow; even darkness must pass.", + "likes": 49686 + }, + { + "caption": "Me and Masie. . . Artist: Gerald Brom", + "likes": 43215 + }, + { + "caption": "@ocean_vuong inspired me to share a little bit today. This is not from my next book, just what Ive written most recently. Ive seen a lot of positive talk about mental health on the internet recently and a lot of powerful openness, which is not something I usually feel. I hope all of you are taking care of yourselves and feeling love. Im sending out the birds.", + "likes": 14551 + }, + { + "caption": "What font do you use when your god speaks?", + "likes": 25959 + }, + { + "caption": "Beautiful fashion shoot with my talented friends. This shoot was a while ago and so much fun, so Im happy to finally share with all of you. Swim, lounge, BTS and more of this shoot exclusively at the link in my bio . Photos by the amazing @codykinsfather . Beauty by the beautiful @beautybyalyssag . and styled by the talented @christian_ramireztv", + "likes": 46647 + } + ] + }, + { + "fullname": "Yik Keat", + "biography": "Based in Singapore Tiktok: yk Business Photoshoots : yk@leeyikkeat.com Editing presets, prints", + "followers_count": 1199350, + "follows_count": 490, + "website": "https://linktr.ee/yikkeat", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "yk", + "role": "influencer", + "latestMedia": [ + { + "caption": "Direct eye contact street portraits in Japan, something so scary yet extremely rewarding", + "likes": 53697 + }, + { + "caption": "My eyes literally opened wide when I googled what to visit in Qatar and fast forward to being there irl, my jaw dropped too. This much of an open space for a cafe and boundless photo opportunities with the entire skyline at the back, something unheard of back home here and I'll always remember that moment.", + "likes": 36547 + }, + { + "caption": "One of the most intriguing buildings ever in Qatar, the pigeon tower meant just to satisfy and host the pigeons!", + "likes": 38116 + }, + { + "caption": "One thing not to be missed here is the amazing ultra modern architecture and the National Musuem is one of them. A feast for the eyes as the shapes and lines intertwine beautifully.", + "likes": 46142 + }, + { + "caption": "Over the next few posts I will be sharing visuals on my trip to Qatar for tourism work in late December 2020, a chunk of images kept hidden up till now. An intriguing color palette change as the city is full of reddish brown and warmer colors, compared to the ultra modern and cooler tones i'm usually surrounded by in Asia.", + "likes": 70170 + }, + { + "caption": " GIVEAWAY: SGD$160 worth of KrisPay miles to 2 of you! All you gotta do is comment #MyKrisPlusHoliday below and share this post to your story Winners will be announced in a weeks time! Sign up to Kris+ with my referral code: L541725 and earn 750 KrisPay miles (worth SGD 5) with your first transaction! But hey hear me out on my thought process while using Kris+ An escape visually and mentally has always been the core to balancing my creativity. I took some time to re-immerse myself while on Royal Albatross the perfect getaway made possible with Kris+. As I close my eyes, the gentle motion of the ship and salty air takes me back to wonderful moments overseas. I personally love to use apps where you can earn rewards as you spend and are easy to use. On Kris+, I can use my earned rewards to buy things such as the ticket to get on board the Royal Albatross. If you haven't downloaded it yet, be sure to do so as you can also get discounts while paying with Kris+! #MyKrisPlusHoliday #KrisPlus", + "likes": 41551 + }, + { + "caption": "Airplanes and their windows are greatly missed", + "likes": 79033 + }, + { + "caption": "That one time when the first car ever entered the magical Jewel which slide is your favourite? Shot with a mist filter to reduce clarity of the lights for a more cinematic effect", + "likes": 73658 + }, + { + "caption": "The everyday life - split into half swipe to view the full experience", + "likes": 69700 + }, + { + "caption": "Always remember (1st picture), and the every day moments no matter how big or small, can make an impact in the way bigger picture.", + "likes": 52983 + }, + { + "caption": "[Please read swipe to read message] Wow.. a Million followers here and I never thought this would happen in my entire career. I thank every single one of you from the bottom of my heart I want to take this chance to reach out to everyone, yes all you passion driven people too! Much more than gratitude, I really thought I could use if any, influence that I have to share... about something that is from my heart. No facade, no cinematic angles, just the real genuine message from deep within. This achievement might have been phenomenal but what will be even more, I guess is using this milestone for a better purpose. This took me a lot of courage to craft this and share it openly out here, it is a message about vulnerability, purpose, the heart to everything we do. When you read this I hope you can get something out of it, be inspired, ignite the fire within. For if anyone who reads this and the subsequent generations to come, as long as they relate/benefit from it, my purpose is fulfilled P.S. I chose this self portrait to correlate to the message tonality - exactly how I crafted my words, late at night, citys traffic white noise, illumination only from the screen, a perfect time to reflect, ponder and get inspired.", + "likes": 80093 + }, + { + "caption": "I'm always in love of the idea of beauty in every day life, especially in daily commutes. Just stay a little longer in the train or take a different route, receive with an open mind and you'll really see the beauty even in the chaos.", + "likes": 50026 + } + ] + }, + { + "fullname": "Jason Fong", + "biography": "The Boss of Bali Tech Investor and Luxury Travel Expert", + "followers_count": 2115534, + "follows_count": 1000, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "thebossofbali", + "role": "influencer", + "latestMedia": [ + { + "caption": "Travel is the best way to be lost and found at the same time . . . Who else is ready for a Bali vacation? . . . with @voyagefox_ . . . #bali #balivilla #balilife #thebalibible #baliindonesia #vacations #natureshot #ubud #ubudbali #seminyak #canggu #breakfastgoals #travelsolo #girltravel #luxuryresort #hotelsandresorts #dirtybootsmessyhair #balibody #breakfastinbed", + "likes": 36232 + }, + { + "caption": "All you need is love and a passport.. . . . Who would like to join me here one day? . . . with @northsouthtravels . . . #homesweethome #bali #vacation #bali #balilife #balidaily #villalife #luxuryhotels #luxlife #travelbali #balitrip #resorts #baliindonesia #ubud #seminyak #kuta #jimbaran #uluwatu #luxuryhomes #poolside #holidayhome", + "likes": 21126 + }, + { + "caption": "Create the life you cant wait to wake up to.. . . . Tag someone who would have breakfast here . . . with @dan_a_t @theedgebali . . . #bali #uluwatu #luxuryhotels #luxurybali #ubud #balibreakfast #breakfastgoals #seminyak #nusapenida #selamatpagi #nasigoreng #travellingtheworld #balilife #balidaily #thebalibible #travelquotes #bali #creativetravelcouples", + "likes": 25323 + }, + { + "caption": "Follow your dreams, they know the way . . . Who else is dreaming of Bali? . . . with @moraparadisiaca . . . #bali #thebalibible #bali #dreamin #balitravel #canggu #seminyak #kuta #ubud #travelgoals #balilife #balidaily #luxuryhotels #travelluxury #nusapenida #reelsvideos #reelsvideo #luxury #resorts #vacation", + "likes": 27663 + }, + { + "caption": "Good morning from Bali . . . Do you prefer breakfast in bed or breakfast in the pool? . . . with @sassychris1 @capellaubud . . . #bali #floatingbreakfast #breakfastgoals #breakfastinbali #travelbali #ubud #luxuryhotels #luxlife #seminyak #kuta #nusadua #legian #nusapenida #pooldesign #luxurylifestyle #balidaily #balilife #thebalibible #reelsvideos #reels #selamatpagi", + "likes": 23195 + }, + { + "caption": "Dream as if youll live forever, live as if youll die today . . . How would you rate this view out of 10? . . . with @jeremyaustiin @angelina . . . #balivilla #bali #bali#vacations #ubud #uluwatu #canggu #seminyak #kuta #nusadua #jimbaran #luxuryhotel #resorts #luxurygirl #luxlife #balilife #balitrip #balidaily #travelgoals #summertimesadness #thebalibible", + "likes": 30702 + }, + { + "caption": "Serenity opens the door to inspiration and creativity . . Who would like to take a swim here? . . . with @romanasnijder . . . #travelquotes #bali #bali #vacation #travelsolo #uluwatu #canggu #seminyak #nusapenida #ubud #kuta #poolgoals #thebalibible #balitrip #travel #travelasia #baliindonesia #terimakasih #selamatpagi #luxuryhotelsworld #luxuryresorts", + "likes": 30574 + }, + { + "caption": "Make the rest of your life the best of your life. . . . Who else is ready for a Bali vacation? . . . with @artur_pirojckov . . . #bali #bali #uluwatu #seminyak #ubud #thebalibible #balidaily #kuta #canggu #summertimesadness #travellist #travelporn #balivilla #baliisland #balilocal #beachbabes #beachlover #vacationgoals", + "likes": 17147 + }, + { + "caption": "BALI VACATION GIVEAWAY! Im thrilled to announce Ive partnered with @villacellabella on a Luxurious Bali GIVEAWAY!! The lucky winner of the GIVEAWAY will receive a 5 night stay at VILLA CELLA BELLA, UBUD, BALI for two people including a FREE 1hr professional Photoshoot for 2 people & a custom made FLOWER POOL Follow these 3 easy steps below to enter 1. Like this post 2. Must follow: @villacellabella & @thebossofbali 3. Tag 3 friends The winner will be chosen at random and announced on @villacellabella Instagram Story on April 29, 2021. We will DM the winner. The contest period: April 24 - April 29, 2021. This Instagram giveaway is not sponsored, endorsed, administered by, or associated with Instagram. You must be at least 18 years old to enter. The winner will be contacted via DM. The GIVEAWAY is for the CRYSTAL SUITE Valid for travel till Dec 15 2022 Not valid during high season or peak season. . The winner must select the dates by September 1, 2021. GOOD LUCK TO EVERYONE", + "likes": 37299 + }, + { + "caption": "Opportunities are like sunrises. if you wait too long you will miss them... . . . Do you prefer sunrise or sunset? . . . with @agirlwhoblooms @alifeiimagined", + "likes": 37417 + }, + { + "caption": "Creativity arises from our ability to see things from many different angles...do you agree? . . . with @anyuta_rai", + "likes": 32335 + }, + { + "caption": "Behind every successful woman is a tribe of successful women who have her back.. . . . Happy International Womens Day . . . with @chloemadison @rachelbowler_ @cocosirens @brendanforbes", + "likes": 26380 + } + ] + }, + { + "fullname": "YETI", + "biography": "We make gear that helps you stay out longer, travel farther, and live harder. #BuiltForTheWild", + "followers_count": 1664904, + "follows_count": 1201, + "website": "https://linkin.bio/yeti", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "yeti", + "role": "influencer", + "latestMedia": [ + { + "caption": "The new Highlands Olive Collection is inspired by the green hills of Scotland and gives you every reason to load up, hike out, and stay awhile. Stock up on everything from base camp coolers to hike-worthy drinkware before this fan-favorite hue dips out.", + "likes": 9479 + }, + { + "caption": "Cast anywhere. @keithroseinnesflyfishing @alphonsefishingco", + "likes": 8406 + }, + { + "caption": "Up for an adventure? Our Crossroads Luggage features expedition-grade TuffSkin Nylon for action-packed itineraries #YETIBags Photo: @austincoit", + "likes": 4415 + }, + { + "caption": "Septembers so close, you can almost smell it. Let the 30 day countdown begin. Video: @elk101", + "likes": 26508 + }, + { + "caption": "The Panga 100 takes a plunge during a mid-float portage on the Devils River. Photo: @samaverett", + "likes": 8023 + }, + { + "caption": "The real fight begins @shallowwaterexpeditions. Photo: @austin_stapleton", + "likes": 6282 + }, + { + "caption": "Whos hittin the road this weekend? Photo: @maaikephoto", + "likes": 11752 + }, + { + "caption": "Backcountry escalator @dustinroe @backcountrybcandbeyond : @nmarchiando", + "likes": 5161 + }, + { + "caption": "Winemakers know better than anyone that patience makes any reward sweeter. Once a year, experts like Rajat Parr eagerly await that pivotal pocket of time when Mother Nature delivers the fruits of her labor. And when the time is ripe, they transform each perfected grape into a taste only achievable through longevity (and a little elbow grease). @rajatparr Discover the new Harvest Red Collection through the link in our bio.", + "likes": 7302 + }, + { + "caption": "Introducing the new Harvest Collection inspired by the sweet fruits of natures labor, and designed for anyone who likes to pair a great pour with an epic view. Discover Harvest Red through the link in our bio.", + "likes": 16233 + }, + { + "caption": "Our livelihood as commercial fishermen depends on the salmon that we dont catch in our net just as much as the ones that we do. We take care of our wild salmon fishery so that it continues to thrive for years and years to come. Michael and Nelly Hand own and operate @driftersfish, in Cordova, Alaska. Check out our story to learn more about their operation and how they work with the Alaska Department of Fish & Game to catch healthy, wild caught salmon for their customers while using science to maintain the species population in their fishery. Photos: @luciannamcintosh", + "likes": 6001 + }, + { + "caption": "Built to keep your water cold, when you finally catch a break to drink it. Photo: @perrinjames1", + "likes": 9320 + } + ] + }, + { + "fullname": "A L L I E \ud83d\udd4a", + "biography": " you belong. speaker & friend love God, love people founder of @chosenandfreeco allie@recapturemgmt.com", + "followers_count": 567264, + "follows_count": 552, + "website": "https://youtu.be/K6i0Cd3mNSU", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "allieschnacky", + "role": "influencer", + "latestMedia": [ + { + "caption": "celebration > comparison !!! Can we talk for a sec?? ;) Have yall ever found yourselves in situations where you genuinely want to be happy for someone else but for some reason feelings of jealously overtake you?? Well Ive totally been there!! And let me tell you, not only is it the worst, but its also a trap. There is a unique plan, a calling, an individual purpose for YOUR life that was placed over you when God created you. There is something inside of you that this world needs, something that nobody else has but YOU. Every little detail about you, the way you look, your personality, the things you love, were all intentionally placed inside of you to help fulfill this purpose. Crazy right?? Can you guess what the first thing is that stops us from walking in our individual callings and ultimately living a fulfilling life? Focusing and trying to walk in someone elses!! Only when we walk in our own callings will we feel truly fulfilled. When we realize that not only are we each individually chosen by God & that He has a plan for each of our lives, but that someone elses success doesnt hinder ours, we become unstoppable!! Because only then can comparison end, and celebration begin!!! Our gifts compliment one another and make us powerful!! We need each other Tag someone youre proud of to celebrate them ", + "likes": 9377 + }, + { + "caption": "yeehaww swipe to see what our relationship w/ the horses rlly looked like", + "likes": 32029 + }, + { + "caption": "Hiiii friends Popping on here real quick w/ my final @bondiboost update for ya ;) So if you know me, you know I really dont put my word behind anything that I truly dont believe in. So when I started using bondi boost a couple months ago I had promised myself I would give yall my honest review on if these products really did restore and transform my hair as much as they said they did. Now I can honestly tell you after 3 months of using @bondiboost that I have never found a hair product that has made my hair stronger, fuller, and shinier than these products!! I am 100% a true fan and will be ordering some more once I run out. Definitely recommend trying bondi boost !! It deserves the hype ;) Just dont forget to use my discount code ALLIESCHNACKY20 if you do!! I got yalls backs #partner #bondiboostus #boostyourroots", + "likes": 10989 + }, + { + "caption": "its a sideways hat kinda day alsoo the new vlog is out !!!! link in bio if you want a good laugh to get ya through the day :)", + "likes": 42640 + }, + { + "caption": "when your siblings your best friend >> so proud of u no you inspire me :)", + "likes": 71602 + }, + { + "caption": "i love summer One month in and I am so blown away by how much @bondiboost has transformed & restored my hair!!!Honestly I never even knew how bad my hair needed help until I started using this product lol Almost from the first day I started using this @bondiboost I could feel a difference in how soft and more full my hair felt!! Living in Florida with all the humidity and salt water really poorly effects my hair, especially during summer, so Im extra thankful i can bring this lifesaver on all our spontaneous beach trips w/ me #bondiboostus #boostyourroots #partner", + "likes": 16677 + }, + { + "caption": "JOY!!! Your joy is contagious Ive been thinking about the concept of influence a lot lately. Especially the way our presence can influence every single person we encounter and every room that we step foot into. This is your reminder today that You Have Influence. Lets be the type of people that dont adapt to the mood of the room, but rather kind of person whose joy brings a smileee and impacts even the most mundane of days love yall!! Tag someone that always brightens your day ", + "likes": 54381 + }, + { + "caption": "if you aint talking mosey i dont wanna talk hahah not usually a cat person but after yesterday I am now officially snatching austins cat (: Whats yalls pets names??", + "likes": 31863 + }, + { + "caption": "strangers in the night I cant be the only hopeless romantic here ;) Comment a classic love song that never fails to make your heart flutter !!!", + "likes": 44580 + }, + { + "caption": "i love my friendsss (:", + "likes": 55057 + }, + { + "caption": "Hii friends On my story yall said you wanted more beauty tips so here we go !!! One of the questions I always get is what I use on my hair and the truth is Im very picky but Im super excited to be starting my hair care journey w/ @bondiboost Between bondiboost literally always popping up on my socials and its over 20,000 5 star reviews, I decided Id give it a shot its also vegan friendly, cruelty free, organic, natural and AUSTRALIAN so thats a major bonus !!! Gonna keep yall updated on my results !!! :) #boostyourroots #bondiboostus #partner", + "likes": 18215 + }, + { + "caption": "I hope u know how loved u are Tag someone you love in the comments!!", + "likes": 53926 + } + ] + }, + { + "fullname": "Crystal Hefner", + "biography": "Former finding her path... globetrotter real estate investor Fb.com/crystalharrishefner 6M Travel with with me & @unitedplanet ", + "followers_count": 3018414, + "follows_count": 276, + "website": "https://www.unitedplanet.org/volunteer-abroad/travel-with-crystal-hefner", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "crystalhefner", + "role": "influencer", + "latestMedia": [ + { + "caption": "Golden hour at the casa ", + "likes": 10770 + }, + { + "caption": "Best adventure day. Truly a dream. Scroll for some pics of @majahuitas & @vallarta_adventures. A must do if you are ever in Puerto Vallarta. P.s. Pancho is the sweetest pup. Hell be there when you visit :) #vallartaadventures #pv #puertovallarta #casademita #puntamita #puntademita #fourseasons #travelmore #travel #mexico #majuitas #va #united #lovelife #adventure @ryanmalaty", + "likes": 8144 + }, + { + "caption": "A day out on the water with my favorite crew @vallarta_adventures ", + "likes": 6333 + }, + { + "caption": "Beach life This is always my favorite place. A three hour plane flight from Los Angeles to complete paradise. Ive been spending a lot of time on the things that are important... healing and truly feeling and soaking in moments of happiness, focusing on the positive, pushing out the negative, and enjoying the person Im becoming. @casademita @ryanmalaty #casademita #puntamita #mexico", + "likes": 8031 + }, + { + "caption": "Mexico hits different ", + "likes": 4400 + }, + { + "caption": "Happiest when traveling : @casademita : @ryanmalaty #nayarit #casademita #puntamitamexico #pv #puertovallarta #travelmore #travel #mexico #ocean #puntamita #fourdiamond #fivestarcreations #fivestar #love #model", + "likes": 7206 + }, + { + "caption": " ", + "likes": 15427 + }, + { + "caption": "Having the best time at this Mexican hidden gem @casademita", + "likes": 9964 + }, + { + "caption": "Sunset from my favorite spot @casademita @ryanmalaty", + "likes": 8700 + }, + { + "caption": "#mansionmemories", + "likes": 6991 + }, + { + "caption": "", + "likes": 8740 + }, + { + "caption": "The next chapter...", + "likes": 7278 + } + ] + }, + { + "fullname": "KIKI WONG", + "biography": "Shrednanigans Author 30-Day Travel Challenge Co-Founder @nomlist Guitarist @vigilofwar Sober AF LA Support", + "followers_count": 555881, + "follows_count": 698, + "website": "https://beacons.ai/kikiwongo", + "profileCategory": 3, + "specialisation": "Musician", + "location": "", + "username": "kikiwongo", + "role": "influencer", + "latestMedia": [ + { + "caption": "BYOB by @systemofadown with the amazing @kriss_drummer @schecterguitarsofficial @getmgetmstraps For more shrednanigans, check out my OnlyFanz in the link in my bio. ", + "likes": 38007 + }, + { + "caption": "My Own Drum the VIVO Theme Song Gone Metal. @netflixfilm If you love music, this is an animated film you must see. Its the heart-warming story about a kinkajou (voiced by Lin-Manuel Miranda) that goes on a journey from Cuba to Miami to deliver a very important song and also features Gloria Estefan. It showcases the importance of music and how it brings us all together. Dont forget to stream it August 6th ONLY on Netflix! #vivosong", + "likes": 21113 + }, + { + "caption": "Psychosocial by @slipknot RIP Joey Jordinson @abasiconcepts @getmgetmstraps", + "likes": 58193 + }, + { + "caption": "Questions I get asked as a guitar player What question would you ask me? ", + "likes": 40110 + }, + { + "caption": "Shoutout to all my seggsy ladies. For more shrednanigans, check our my Onlyfanz in the link in my bio. . . . #guitar #guitarist #guitarplayer #guitarlife", + "likes": 40029 + }, + { + "caption": "Day 8 of practicing singing until I get better. Using these videos to track my progress. Today I struggled with head voice and tone. Im trying to mix the breathier and lower vocals tones with some of my head voice and had a tough time moving between the two. This song was the perfect exercise to practice. Still have lots to learn. Practicing each day. ", + "likes": 20761 + }, + { + "caption": "The difference between a good girl and a bad girl is a good girl chooses who shes bad with. : @jacklue @schecterguitarsofficial @getmgetmstraps", + "likes": 57258 + }, + { + "caption": "Beggin by @ykaaar @ethaneskin @thomasraggi__ @maneskinofficial gone metal Which song do you want to hear heavy next? @abasiconcepts @getmgetmstraps For more shrednanigans, check our my OnlyFanz in the link in my bio. . . . #guitar #guitarcover #guitarplayer #guitarist #guitarlife", + "likes": 129499 + }, + { + "caption": "As the Palaces Burn by @lambofgod Check out the full song video on YouTube in the link in my bio! @officialjacksonguitars @getmgetmstraps", + "likes": 29961 + }, + { + "caption": "Dont worry, I bite. : @jacklue", + "likes": 46089 + }, + { + "caption": "Shoutout to the real MVPmy neighbor next doorwhoever you are. For more shrednanigans, check out my OnlyFanz in the link in my bio. ", + "likes": 55759 + }, + { + "caption": "That moment of existential crisis when you realize the one that knows your deepest and darkest secrets judgement-free is a stuffed alpaca named Lamar. Steve, my plastic house plant gets me, but Lamarhes on another level. I hope you all are having a great day. Its been a rough week for me, drop a funny commentcould use a good laugh right about now. ", + "likes": 57681 + } + ] + }, + { + "fullname": "VOYAGED by 9GAG", + "biography": "Wander around and wonder about the world. Hashtag #voyaged for a chance to get featured", + "followers_count": 3062362, + "follows_count": 7, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "voyaged", + "role": "influencer", + "latestMedia": [ + { + "caption": "Finding peace in chaos #flood #switzerland @michelphotographych Yimura - Kiss The Rain #voyaged #travel #adventure", + "likes": 45952 + }, + { + "caption": "The honey-coloured, chocolate-box stone cottages define 'The Cotswolds' region #cotswolds #uk @eskimo #voyaged #travel #adventure", + "likes": 43276 + }, + { + "caption": "Strolling through the unique streets of Mykonos #mykonos #greece @rebecca.paviola #voyaged #travel #adventure", + "likes": 37862 + }, + { + "caption": "Whom would you invite for an idyllic picnic at Lake Bled? #lakebled #slovenia @krenn_imre #voyaged #travel #adventure", + "likes": 69773 + }, + { + "caption": "Ever wondered how photographers take cool travel shots? Heres how to take the panning shot by @kohki #japan @kohki #voyaged #travel #adventure", + "likes": 78627 + }, + { + "caption": "Whos your favourite companion? @aiandaiko are buddies who bring joy to everyone they see while exploring Japan. Want to get your work featured along with Ai and Aiko? Send your photos to @aiandaiko via DM for collaboration! #aiandaiko #lovecanhappenanywhere", + "likes": 37102 + }, + { + "caption": "Would you park by the road and go take a dip in that blue water at one of the most beautiful drives in Australia? #australia #greatoceanroad @yantastic #voyaged #travel #adventure", + "likes": 46728 + }, + { + "caption": "Whos your mate? Wouldnt this be the perfect bike ride? #dolomites #italy @formgestalter Petit Biscuit - Beam #voyaged #travel #adventure #biking", + "likes": 26237 + }, + { + "caption": "A morning walk though the prettiest city in the Bretagne region. #Dinan #france #Bretagne @bokehm0n #voyaged #travel #adventure", + "likes": 50679 + }, + { + "caption": "A room with this view costs less than $30 per night in Bali #bali #indonesia #uluwatu @where.to.find.me Lucky One - mich #voyaged #travel #adventure", + "likes": 53730 + }, + { + "caption": "This cluster of so-called wonky houses make it look as if youd travelled back in time in the German town of Werningerode. #germany #Werningerode #Harz @themodernleper #voyaged #travel #adventure", + "likes": 79132 + }, + { + "caption": "Who would you bring here at the beautiful batwall in Lofoten ? #lofoten #norway @iverp #voyaged #travel #adventure", + "likes": 45410 + } + ] + }, + { + "fullname": "TRAVELLING THROUGH THE WORLD \u00a9", + "biography": " Founders: @takemyhearteverywhere Travel the world with our photos Shop our @tmhepresets ", + "followers_count": 2105557, + "follows_count": 138, + "website": "https://takemyhearteverywhere.com/product-category/presets/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "travellingthroughtheworld", + "role": "influencer", + "latestMedia": [ + { + "caption": "The Australian wildlife Courtesy of @reneehowell18 Tag your best travel photos with #travellingthroughtheworld", + "likes": 17328 + }, + { + "caption": "Special offer from @danielwellington Use the code TRAVELLING for extra 15% off on Danielwellington.com #danielwellington", + "likes": 1238 + }, + { + "caption": "Who would you take to Hawaii? Courtesy of @vincelimphoto Tag your best travel photos with #travellingthroughtheworld", + "likes": 25507 + }, + { + "caption": "An unconventional friendship Courtesy of @fiona_the_great_pyrenees Tag your best travel photos with #travellingthroughtheworld", + "likes": 31028 + }, + { + "caption": "The beauty of Brazil which place is your favorite 1-8? Courtesy of @thiago.lopez Locations: 1. Lenois Maranhenses 2. Jalapao 3. Arrial do Cabo 4. Isla de Fernando de Noronha 5. Chapada dos Veadeiros 6. Magarogi 7. Isla de Fernando de Noronha 8. Jericoacoara Tag your best travel photos with #travellingthroughtheworld", + "likes": 30005 + }, + { + "caption": "Which is your favourite village of fairytales in the UK? 1, 2, 3, 4, 5, 6, 7, 8 or 9? Courtesy of @monalogue 1. Dorset 2. Wiltshire 3. Snowdonia 4. Bibury, Gloucestershire 5. Stow on the Wold 6. Lulworth 7. Bath, Somerset 8. Castle Combe 9. Castle Combe Tag your best travel photos with #travellingthroughtheworld", + "likes": 38191 + }, + { + "caption": "This is Germany which photo is your favorite 1-8? Courtesy of @tom_juenemann Locations: 1. Rakotzbrcke 2. Neuschwanstein Castle 3. Harz National Park 4. Eltz Castle 5. Eibsee, Bayern 6. Freudenberg, Nordrhein-Westfalen 7. Bayern 8. Cochem Castle Tag your best travel photos with #travellingthroughtheworld", + "likes": 37271 + }, + { + "caption": "Tag someone to bring a smile to their day The most adorable thing youll see today Courtesy of @geralds.life Tag your best travel photos with #travellingthroughtheworld", + "likes": 48100 + }, + { + "caption": "Sweetest thing Ive ever seen This is what I need right now! Courtesy of @samsonthedood Tag your best travel photos with #travellingthroughtheworld", + "likes": 102339 + }, + { + "caption": "This is switzerland Which one is your favorite 1-7? Courtesy of @sennarelax 1. Lungern 2. Kandersteg 3. Canton of Bern 4. Gelmerbahn 5. Uri 6. Stans 7. Grindelwald Tag your best travel photos with #travellingthroughtheworld", + "likes": 66814 + }, + { + "caption": "Please tag your friends or share this on your stories! Wildfires have erupted around the world; the most devastating in Turkey. Italy, USA, Spain, France, Cyprus, Finland, Lebanon, Canada & Greece have also had terrible fires! There has been severe flooding in Germany, China, Italy, Belgium & Netherlands. Hail bigger than tennis balls has rained down in northern Italy, and its even snowed in Brazil! The second largest river in South America, Paran River, is currently suffering from a severe drought, and weve seen tornadoes in Czechia. We are receiving countless messages from our wonderful Turkish followers today, asking to share this. To all of you, my thoughts are with you, your family and your friends. Via @earthfocus", + "likes": 68178 + }, + { + "caption": "Black Jacobin Hummingbird These pictures are beyond stunning! Courtesy of @christianspencerphoto Tag your best travel photos with #travellingthroughtheworld", + "likes": 33257 + } + ] + }, + { + "fullname": "John Paul Jones", + "biography": "@jibberjabberwithjpj Hannah_haarala@j1s.com", + "followers_count": 525815, + "follows_count": 358, + "website": "http://apple.co/jpj", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "johnpauljonesjohnpauljones", + "role": "influencer", + "latestMedia": [ + { + "caption": "Find someone who looks at you the way Im looking at my first lobster roll", + "likes": 29690 + }, + { + "caption": "@jibberjabberwithjpj is out now! Click on http://apple.co/jpj (also in my bio) to subscribe. Ill post on my stories to let you know when you can call in. So stoked to talk with you!", + "likes": 2110 + }, + { + "caption": "It is with great enthusiasm that I announce my new podcast, Jibber Jabber with JPJ, which will be out this Thursday! Well talk Bachelor, well laugh, well cry, maybe well even have a spit take or two. Ill be speaking with incredible guests about how they got to where they are today, Ill answer your phone calls and we can talk about all the deep things. Subscribe early now @applepodcasts and be sure to follow @jibberjabberwithjpj @cloud10 #podcast #jibberjabberwithjpj", + "likes": 11500 + }, + { + "caption": "", + "likes": 10799 + }, + { + "caption": "This my gulfwend", + "likes": 80503 + }, + { + "caption": "My sister, @joneskjudi is one of the toughest people Ive ever known. She performed on the biggest stage in college track and field and in the most grueling race, the steeplechase. Despite getting tripped over the water jump, she got up immediately and ran her heart out. It was beyond an inspiring performance. Congratulations on your outstanding collegiate track career, Judah! Lookout for this girl in the Olympic Trials!", + "likes": 33304 + }, + { + "caption": "", + "likes": 28851 + }, + { + "caption": "Congratulations to the cast and crew of @bathtubchroniclesfilm (written by the always lovely @rebeccaruhm) on the invitation to @festivaldecannes! The purpose of the film is to put an end to the cloudiness of rape culture. I hope youve been moved by the film if youve seen it. If you havent seen it, you can view it on Amazon or Vimeo via the following links: https://www.amazon.com/Bathtub-Chronicles-John-Paul-Jones/dp/B08KCX1G5W/ref=sr_1_1?dchild=1&keywords=bathtub+chronicles&qid=1612631249&sr=8-1 https://vimeo.com/ondemand/bathtubchronicles/447620751", + "likes": 7772 + }, + { + "caption": "Such a privilege to spend time with one of the most inspiring and accomplished leaders I have ever had the pleasure of knowing! @chippaucek is the founder and CEO of @2uinc, the leading education technology platform on the planet! He is making higher education more affordable and accessible to thousands of students across the globe! Watch his company go and grow!", + "likes": 26307 + }, + { + "caption": "Maryland watermen have been using oyster tongs (the making of which is now a nearly extinct craft) very similar to these, since the 1700s to retrieve oysters from the bay waters. There were over 5,000 tongers working the Chesapeake Bay. Today there are less than 500. Harvesting oysters is hard work requiring strength, stamina, and fortitude! But the reward is an amazingly sweet, briny, meaty, and smooth treat that is one of the most unique and coveted delicacies on the planet!! We have to do everything possible to preserve and grow this incredible and valuable natural resource! Bon Appetit! ", + "likes": 27157 + }, + { + "caption": "Smile more", + "likes": 70193 + }, + { + "caption": "Quality 10 miles this morning with Captain America. Thanks for the push @nickbarefitness @georgewmacy", + "likes": 29919 + } + ] + }, + { + "fullname": "United Airlines", + "biography": "Connecting people. Uniting the world. Sharing moments from your #MyUnitedJourney and inspiring the next.", + "followers_count": 831609, + "follows_count": 612, + "website": "https://likeshop.me/united", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "united", + "role": "influencer", + "latestMedia": [ + { + "caption": "Just having a JFK takeoff moment. : @erubes1", + "likes": 2847 + }, + { + "caption": "Touch down in time for kick-off! Football season is almost here and we're flying nonstop to the biggest games of the year. We've got more routes and more planes with more seats to get you to football games across the country both college and pro. Swipe to see our schedule, then tap the link in our bio to plan your trip. : @diecastryan", + "likes": 11683 + }, + { + "caption": "Things on our new planes* that just make sense: 1 Bluetooth connectivity for your wireless headphones. 2 Enough space for everyone's carry-on bags. 3 Screens at every seat. 4 In-seat power at every seat. *While United's signature interior will be on all new single aisle aircraft (we just ordered 270 of 'em), we are also retrofitting our entire narrow-body fleet to include all of the above. Link in bio to learn more.", + "likes": 30958 + }, + { + "caption": "Youll never know until you go. #FridayFlyday : @grossglausair", + "likes": 15423 + }, + { + "caption": "Superhuman ability. Superhuman bravery. and support to our partner and friend @simonebiles.", + "likes": 24360 + }, + { + "caption": "London's calling and it's time to answer. Beginning August 2, vaccinated U.S. travelers are welcome back to England with proof of a test prior to departure and a PCR test within two day of arrival. We are flying nonstop to London from Chicago, Houston, New York/Newark, San Francisco and Washington, D.C. Tap the link in our bio to start planning. : @lammdogg_aviation", + "likes": 20582 + }, + { + "caption": "Its the journey, not the destination. Especially when your journey looks like this. #DreamPolaris : @bucketlistbums and @pret.a.photo", + "likes": 17059 + }, + { + "caption": "Guess you could say their vacation is really ....taking off. : @erubes1", + "likes": 9848 + }, + { + "caption": "Canada is reopening for travel! Here's what you need to know: Fully vaccinated visitors from the U.S. can enter the country beginning August 9. All travelers 5+, even if vaccinated, must provide a negative PCR test 72 hours prior to departure to Canada. We're flying nonstop to Toronto, Vancouver, Montreal and Calgary from Chicago, Denver, New York/Newark, San Francisco and Washington, D.C. Start planning your trip today at the link in our bio. : @aap.yvr", + "likes": 13566 + }, + { + "caption": "Its called the @united ramp of the future. in bio. Cc: @boomsupersonic", + "likes": 35743 + }, + { + "caption": "Sunsets hit different at the airport. #SunsetSunday : @james.holt.ig", + "likes": 11366 + }, + { + "caption": "From the outside this might look like a typical United aircraft. But inside we've got something special. This plane ( please) was the first to fly with our new signature interior. The flight from Houston to Las Vegas was the first to pack plenty of customer upgrades: More legroom Overhead bin space for all Enhanced inflight entertainment Bluetooth throughout the cabin Smaller carbon footprint per seat", + "likes": 17497 + } + ] + }, + { + "fullname": "\ud64d\uae30 \uc774", + "biography": "", + "followers_count": 2136496, + "follows_count": 623, + "website": "https://youtu.be/Je-TIlzrpqo", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "skullhong12", + "role": "influencer", + "latestMedia": [ + { + "caption": " ... ... ##", + "likes": 64844 + }, + { + "caption": "GN", + "likes": 71506 + }, + { + "caption": " ", + "likes": 59784 + }, + { + "caption": " ...", + "likes": 66453 + }, + { + "caption": " mc !!! !!! !!! #neomudeowar @theplaylist.official", + "likes": 57109 + }, + { + "caption": " !!! ... ... ", + "likes": 62898 + }, + { + "caption": " ..? ... ...... !!! @_minzy_mz ###mc", + "likes": 47605 + }, + { + "caption": "...? .", + "likes": 54464 + }, + { + "caption": " ... ... !!", + "likes": 63634 + }, + { + "caption": " !!!! ... ... #theplaylist", + "likes": 62633 + }, + { + "caption": "PTQ......", + "likes": 56636 + }, + { + "caption": "~~~~~ ... ~~~~~ ...", + "likes": 67822 + } + ] + }, + { + "fullname": "Marino Katsouris", + "biography": " Fitness | Travel | YouTube @MyProteinus | @Rise Athlete Upcoming Coaching App ", + "followers_count": 1421912, + "follows_count": 933, + "website": "https://www.tmdtraining.com/marino", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "marino_katsouris", + "role": "influencer", + "latestMedia": [ + { + "caption": "INTENSE CARDIO FINISHER 20 seconds on each exercise - 5 rounds Tag a friend to smash this with #cardioworkout #hiit #intense #burpee", + "likes": 9551 + }, + { + "caption": "One does not simply get out of the pool gracefully. From this point onwards its all down hill. @zoetrymallorca", + "likes": 35119 + }, + { + "caption": "Knee dip challenge No.2 Difficulty level increased with a lower water level and the wall right behind me Tag a friend who you think can do this #challenge #hard #legs #strongknees", + "likes": 44978 + }, + { + "caption": "Push workout Cant go wrong with a bit of chest shoulders and triceps in this great weather 1. DB pause shoulder press 4x10 (dropset) 2. Machine chest press 5x10 3. Cable chest fly 4x12 into 4. Kneeling DB lateral 4x12 5. Dips (bodyweight) 4x20-25 6. Tricep rope extensions 4x15/12/10/10 Routine has been a little all over the place since getting to Mallorca but we are still getting it done! Pre sign up for my APP for an exclusive ongoing discount at launch ", + "likes": 31774 + }, + { + "caption": "Get this man some tapas AD Stretch chinos from @legendlondonco - support code marino if you grab a pair", + "likes": 23907 + }, + { + "caption": "25000 m gym facility you say? FINALLY somewhere that can fit my massive calves. @megasport - what a place ", + "likes": 24502 + }, + { + "caption": "FULL DAY OF EATING This is an example of what I eat in a day during the summer. I dont strictly track my macros anymore but its roughly around 2800-300 calories Vitamins + Energy - @myprotein", + "likes": 27818 + }, + { + "caption": "RAW Chest & Back workout Theres something truly special about an old school push & pull workout for an outrageous pump Save, tag a friend & lets go: 1. Weighted dips (heavy) 3x8-10 2. Incline DB press 4x12/10/8/6 3. Chest supported row 3x10-12 4. Pulldown 4x8-10 5. Machine chest flys 3x12-15 into 6. Straight arm pulldowns x face pulls 3x12 7. Incline machine 3 sets to failure Make sure to sign up to my upcoming online training for an exclusive discount at launch @vitorcarlosfit", + "likes": 18393 + }, + { + "caption": "When someone tells you that you drink too much coffee Jeans from @legendlondonco Use support code: MARINO if you grab yourself a pair ", + "likes": 30225 + }, + { + "caption": "Back to business and by business I mean taking enough caffeine to fuel the sun AD - 55% off everything on the @MyProteinUS site Its not lasting long, so make sure you dont miss out! Code: MARINOVIP ", + "likes": 34936 + }, + { + "caption": "PUSH UP VARIATIONS FOR A BIGGER CHEST 1. One arm elevated push ups (with a twist) 2. Side to side push ups 3. Wide to close push ups 4. Shoulder tap push ups 5. 1 & 1/2 push ups Master & throw these into your routine and I can guarantee your chest will grow #chest #pushup #bodyweighttraining", + "likes": 27752 + }, + { + "caption": "Waiter: So what can I get you? Me: Yes @cafecoho @legendlondonco", + "likes": 30813 + } + ] + }, + { + "fullname": "Travel Tips & Dad Joke Hits \ud83c\udfb6", + "biography": " Princess of Puns King of K9s Teller of Travel Tips Passion for Prohibited Items Admirer of Alliteration DMs not actively monitored", + "followers_count": 991817, + "follows_count": 472, + "website": "https://www.tsa.gov/linkinbio", + "profileCategory": 3, + "specialisation": "Government Official", + "location": "", + "username": "tsa", + "role": "influencer", + "latestMedia": [ + { + "caption": "Guess whos working like a dog? Meet Bor, he works @flysea. This doggie loves his reward toy! #TSA #TSAK9 #NationalWorkingLikeADogDay #K9Reel #Reward", + "likes": 547 + }, + { + "caption": "Our dogs (and cat) might be #1 in our hearts, but they're not exactly qualified for our upcoming TSA 2021 Cutest Canine Contest. We'll leave that to the K9s who keep our transportation systems safe. Stay tuned, because in just a few short weeks **YOU** will get your chance to choose this year's winner! Really thoughwhos your favorite in the photo above? Are you a dog or cat person? #TSA #NationalWorkLikeADogDay #Dogs #ACat #DogsOfInstagram #TSACutestCanineContest", + "likes": 1187 + }, + { + "caption": "We dont know how many more times well have to say this, but it seems like some people never learn. You cannot carry guns of any kind, loaded or unloaded, on an airplane. Were not saying you cant travel with your guns. Were just saying that they need to be unloaded and securely packed inside of a proper gun case and either checked as a stand-alone item or included in your other checked bags. We see this at airports every day, and almost every time we hear I didnt know it was there. Nobody wants to be *that* person, holding up the security lines because theyve left a gun in their bag. Plus, there are some pretty serious penalties associated with trying to sneak a weapon on a plane. So just dont. Any questions about traveling with guns? Reach out to our #AskTSA team! #traveltip #meme #protip #willywonka #tipoftheday #airportsecurity #TSA", + "likes": 11403 + }, + { + "caption": "Theres at least 50 reasons to love this airport. Whether coming or going, the phrase stays the same. Youll erupt in pure delight from all the beautiful scenery! Where am I? #TSA #Airport #GuessTheAirport #BeautifulScenery #Delightful", + "likes": 3701 + }, + { + "caption": "Lets crack open this scenario. Solid foods like boiled eggs are good to go. Creamy or spreadable items like egg salad must be 3.4oz or less. These arent fluffed up rules, theyve been around for dozens of years. No need to scramble you with more info. If youre feeling shelled with travel questions poach out our friends at AskTSA. You dont have to be plucky to find them on Facebook or Twitter. #TSA #Eggs #HardBoiled #EggSalad #Scramble #AskTSA", + "likes": 15059 + }, + { + "caption": "TGIF, Instagram fam! Anyone else have that #FridayFeeling?? Tuitor, our happy guy from Boston-Logan International Airport (BOS) is definitely ready for the weekend. How many licks will it take to get to the center of a great caption for this fella? Heres how our IG captioning Olympics will work: We have discretion to edit all captions before use. Well have Gold / Silver / Bronze winners according to the caption with the most likes. Stay tuned as we tag the winners. Let us ruff out a few friendly reminders, dont startle, feed or pet our furry friends. Be on the lookout for our upcoming Cutest Canine Contest, public voting starts August 16th. #TSA #TSAK9 #CaptionThis #CaptionOlympics #Winners #StayTuned #DogsOfInstagram #TGIF #WorkingK9", + "likes": 1899 + }, + { + "caption": "Its Thorsday and were feeling the lighting and the thunder, thunder, thunder with this one Look at this marvel-ous pic we received from AskTSA. This question Loki made us giggle. Where are they headed and to avenge what? In a carry-on, our Hawk-eye officers would definitely thwart this attempt. Allow us to pound home some guidance during this hammer time. The endgame is always to place your replica weapons in checked bags. However, you may keep your infinity stones with you. Our AskTSA team will always serve justice to all your travel questions. Ragnarok your way over to our band of super heroes through Facebook or Twitter. Avengers Assemble! #TSA #Thor #Hammer #EndGame #Avengers #Ragnarok #AskTSA", + "likes": 2942 + }, + { + "caption": "Check out this pho-toe. Are these socks with sandals or sandals with socks ? These friends definitely put their best foot forward. Who really wants bare feet on the checkpoint floor anyways ? Did you know that with a TSA PreCheck membership, its possible nobody will see your socks? Convenient for those with two left feet. Are you flip-flopping on that TSA PreCheck membership? Wellif youre getting cold feet let us tickle you with this advice; be sure to use a reputable site to sign-up. Toe tap your way to our link in bio to polish up for your next sole-ful travel adventure. #TSA #TSAPreCheck #ShoesOn #SocksAndSandles #SandlesAndSocks #ColdFeet #Travel #TwoLeftFeet", + "likes": 6901 + }, + { + "caption": "Take a look, it's in a book. Hi, LeVar Burton who is currently hosting Jeopardy . We'll take \"Things You Shouldn't Conceal in your carry-on for $200\". Answer: What is, a really bad idea? Youuuu cant go anywhere // with this knife // its not so nice, at any airpooorrrrrrt. For real though, were proud of our team at Huntsville International Airport (HSV) for catching this tear-ible plot twist. Check-out our link in bio for more on traveling with knives. #TSA #ConcealedKnife #PlotTwist #Knife #Knives #knivesofinstagram", + "likes": 1824 + }, + { + "caption": "Hey Tony! We saw you recently dropped in @olympics. Definitely noticed you there, but our hawk-eyed officers arent in the celebrity recognizing business. Dont get it twisted, were huge fans and may not make that mistake twice. Were busy detecting threats to the transportation system. After all we screened over 2 million people yesterday. Thats like doing a 360 flip mute to fakie over and over again. Just as a reminder, travelers: Make sure you carve out some time before May 2023 to get your REAL-ID. The deadline will be here before the next summer games, so it's never too soon to snag yours! Kickflip your way to our link in bio to learn more. #TSA #TonyHawk #Legend #Unrecognized #Olympics2021 #TokyoOlympics #Skateboard #REALID", + "likes": 47215 + }, + { + "caption": "Its been a ruff week but TGIF! Meet Willow, one of our K9s out of Phoenix Sky-Harbor International Airport (PHX). Friendly reminder our TSA canines are always hard at work, so remember its important to not touch, feed or startle our furry friends. Were ending this work week with your one and only chance to boop one of our K9s on the nose. #TSA #TSAK9 #Boop #OnlyChance #HappyFriday #TGIF #DogsOfInstagram", + "likes": 34431 + }, + { + "caption": "Sweet dreams are made of this @nationalparkservice - We're back here roping you in for more info. Can you help us find a better place for this traveler to chill out?! I mean we dont think @flysea is the greatest sway and chill park out there! **Hammocks are good to go but if you have any poles or stakes they must go in checked bags. Heres the real cliff hanger so we dont leave you hanging on our hammock guidance. Check with your airport for additional details on their policies about hanging your swing n things in the terminal.** Who else is swinging into Friday like #TSA #NationalParkService #NationalHammockDay #Travel #OutdoorHammock #SweetDreams", + "likes": 48925 + } + ] + }, + { + "fullname": "Las Vegas", + "biography": "What Happens Here, Only Happens Here. #OnlyVegas", + "followers_count": 842615, + "follows_count": 419, + "website": "https://www.visitlasvegas.com/", + "profileCategory": 2, + "specialisation": "", + "location": "Las Vegas, Nevada", + "username": "vegas", + "role": "influencer", + "latestMedia": [ + { + "caption": "Yup. We still got it. #OnlyVegas : @claytonhamm", + "likes": 10747 + }, + { + "caption": "Its time to get that camera ready with these five Insta-worthy moments. #OnlyVegas", + "likes": 1887 + }, + { + "caption": "All we can hear is, \"You're doing great sweetie!\" : @caesarspalace", + "likes": 8093 + }, + { + "caption": "Q: Water you doing this summer? A: Splashing it up in Vegas! #OnlyVegas", + "likes": 6734 + }, + { + "caption": "Sun-kissed ... in the lap of luxury. : @amyseder @FSLasVegas", + "likes": 4748 + }, + { + "caption": "Entertainment is our specialty and you know no one serves it up like we do in Las Vegas! #LIVEinVegas", + "likes": 5585 + }, + { + "caption": "Grab the crew and order some margs, happy #nationaltequiladay! #OnlyVegas : @ChayoLV @linqpromenade", + "likes": 2962 + }, + { + "caption": "If you can't see the @stratvegas, you're in the wrong city. #OnlyVegas", + "likes": 25602 + }, + { + "caption": "What time is it? Brunch-o-clock! @gvrcasino", + "likes": 2432 + }, + { + "caption": "Start the group text, book your stay and submit that PTO cause its time to party! #LIVEinVegas", + "likes": 2194 + }, + { + "caption": "If in doubt, swim it out...in Vegas! : @helloomelissa at @cosmopolitan_lv", + "likes": 15864 + }, + { + "caption": "What does a new mezcal bar a neon boneyard, and a dazzling canopy have in common? You can find them all in Downtown Las Vegas. ", + "likes": 2347 + } + ] + }, + { + "fullname": "AZULIK\u2122", + "biography": "Created by @roth.azulik Reconnecting people with nature, art, and ancestry.", + "followers_count": 2223664, + "follows_count": 77, + "website": "http://www.azulik.com/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "azulik", + "role": "influencer", + "latestMedia": [ + { + "caption": "Reconnection is at center of all our common humanity and all our AZULIK initiatives. Its about finding that click, that harmony with ourselves and others through nature, art & ancestry. Do you practice reconnection? Tell us about some ways to stay present. Thank you to @lulichaia @fedegallardo1 for sharing your moments with us. #AZULIK #TulumMexico #Mexico#RivieraMaya #hoteldesign #hotels#luxuryhotel #luxurylifestyle#luxuryhotels #jungle #nature#hotelsandresorts #beautifulhotels", + "likes": 9900 + }, + { + "caption": "We woke up like this, and its our happy place! Every morning at AZULIK Tulum is a magical experience enhanced by the sweet melody of the Mexican Caribbean, the sway of the Mayan jungle, and the ancestral wisdom of the land. @diegoweisz #AZULIK #TulumMexico #Mexico #RivieraMaya #hoteldesign #hotels #luxuryhotel #luxurylifestyle #luxuryhotels #jungle #nature #hotelsandresorts #beautifulhotels", + "likes": 8986 + }, + { + "caption": "There is always light at the end of the tunnel Take the path less traveled, follow all the rabbit holes, and discover magic. #AZULIK #TulumMexico #Mexico #RivieraMaya #hoteldesign #hotels #luxuryhotel #luxurylifestyle #luxuryhotels #jungle #nature #hotelsandresorts #beautifulhotels", + "likes": 14721 + }, + { + "caption": "Be present. Take a moment and look around to appreciate the beauty of the world that surrounds us. She: @gabriellalenzi #AZULIK #TulumMexico #Mexico #RivieraMaya #hoteldesign #hotels #luxuryhotel #luxurylifestyle #luxuryhotels #jungle #nature #hotelsandresorts #beautifulhotels", + "likes": 12678 + }, + { + "caption": "The light always shines through when our heart is pure and the intention is clear. She: @yoguilover : @diegoweisz", + "likes": 6713 + }, + { + "caption": "Oh we could write an anthology of leisurely evenings, surrounded by candlelight and indulged in a sweet bath! Did you know that we use cenote water at AZULIK Tulum? : @diegoweisz #AZULIK #TulumMexico #Mexico #RivieraMaya #hoteldesign #hotels #luxuryhotel #luxurylifestyle #luxuryhotels #jungle #nature #hotelsandresorts #beautifulhotels", + "likes": 38399 + }, + { + "caption": "There is magic And we know where, located at the City of Arts at AZULIK Uh May the light hits differently. Its our favorite place. #AZULIK #TulumMexico #Mexico #RivieraMaya #hoteldesign #hotels #luxuryhotel #luxurylifestyle #luxuryhotels #jungle #nature #hotelsandresorts #beautifulhotels", + "likes": 23820 + }, + { + "caption": "Take my hand and follow me to a world of astrological wonders at the Moon Villa at AZULIK. Our special space is imbued with the magic and the power of our orbiting goddess. #AZULIK #TulumMexico #Mexico #RivieraMaya #hoteldesign #hotels #luxuryhotel #luxurylifestyle #luxuryhotels #jungle #nature #hotelsandresorts #beautifulhotels", + "likes": 13253 + }, + { + "caption": "Woke up like this, alongside with the blissful lull of the sunrise And you, what is your morning routine? Do you wake up to watch the sunrise? Did you know that it has been proven that watching the sunrise gives you a better sense of gratitude for the Earth? ", + "likes": 8889 + }, + { + "caption": "Sunday plans: morning in bed followed by a bath in an artisan tank filled with cenote water! What are your plans for today? #AZULIK #TulumMexico #Mexico #RivieraMaya #hoteldesign #hotels #luxuryhotel #luxurylifestyle #luxuryhotels #jungle #nature #hotelsandresorts #beautifulhotels", + "likes": 27287 + }, + { + "caption": "Lifes a runway. Treat it like one in style, especially that of @anikena.azulik She: @kellieisthebest", + "likes": 11622 + }, + { + "caption": "Sunrise is yet another reminder that everyday is a great day to live out your dream. We live out our dreams everyday at AZULIK Tulum. #AZULIK #TulumMexico #Mexico#RivieraMaya #hoteldesign #hotels#luxuryhotel #luxurylifestyle#luxuryhotels #jungle #nature#hotelsandresorts #beautifulhotels", + "likes": 10634 + }, + { + "caption": "Wander through the lush and discover its secrets Did you know that AZULIK Uh Mays SFER IK Museion is also a botanical heaven of tropical sprouts? Wearing: @anikena.azulik", + "likes": 7842 + }, + { + "caption": "AZULIK Tulums own ZAK IK hosted @bulgari Cruise Trunk Collection #BvlgariTvlvm this weekend, drawing a crowd of glitz and glamour to Tulum and the City of Arts at AZULIK Uh May. Guests had exclusive access to shop the renowned brands jewelry, watches, and bags and explore the extents of our biophilic design and architecture as their host. #AZULIK #TulumMexico #Mexico#RivieraMaya #hoteldesign #hotels#luxuryhotel #luxurylifestyle#luxuryhotels #jungle #nature#hotelsandresorts #beautifulhotels", + "likes": 16800 + }, + { + "caption": "Who do you want to spend your special moments with? And where? The answer is easy for us. AZULIK Tulum Thank you to @thomasvaneden @victoriacosio for sharing your moments with us. Wearing: @anikena.azulik #AZULIK #TulumMexico #Mexico #RivieraMaya #hoteldesign #hotels #luxuryhotel #luxurylifestyle #luxuryhotels #jungle #nature #hotelsandresorts #beautifulhotels #beautifuldestination", + "likes": 51086 + }, + { + "caption": "Let the journey unfold before you as you forgo the plans, trust your instincts, and let curiosity serve as the guide.", + "likes": 9737 + }, + { + "caption": "And we couldnt help but wander... letting the expanse of the landscape envelop us in its lush Did you know that half an hour from Tulum lies the City of Arts at AZULIK Uh May where wonderland comes alive? #AZULIK #TulumMexico #Mexico#RivieraMaya #hoteldesign #hotels#luxuryhotel #luxurylifestyle#luxuryhotels #jungle #nature#hotelsandresorts #beautifulhotels", + "likes": 46251 + }, + { + "caption": "In the garden of dreams amongst fauna & flora, magic is born! AZULIK Tulums Maya Spa is the heartbeat of reconnection, a space that inspires a more profound understanding of oneself and the world around us She: @gabriellalenzi Wearing: @anikena.azulik #AZULIK #TulumMexico #Mexico#RivieraMaya #hoteldesign #hotels#luxuryhotel #luxurylifestyle#luxuryhotels #jungle #nature#hotelsandresorts #beautifulhotels", + "likes": 10421 + } + ] + }, + { + "fullname": "Southwest Airlines", + "biography": "We run on #SouthwestHeart. Got a great photo from flying? Share it using #swapic! For a formal response, visit southwest.com/feedback.", + "followers_count": 769477, + "follows_count": 636, + "website": "https://southwest.com/", + "profileCategory": 2, + "specialisation": "", + "location": "Dallas, Texas", + "username": "southwestair", + "role": "influencer", + "latestMedia": [ + { + "caption": "Up close and personal for today's #WingletWednesday. (@me_and_HOU)", + "likes": 6589 + }, + { + "caption": "\"One's company, two's a crowd, and three's a party.\" -Pretty sure an ATCS at LAS said that. (: @southwest.air.luvflyer)", + "likes": 8936 + }, + { + "caption": "Stunning #WingletWednesday capture by @lilylongphotography.", + "likes": 6454 + }, + { + "caption": "Revisiting the classics this Sunday. (@dfw.spotting)", + "likes": 8174 + }, + { + "caption": "Anyone know of a low cost airline where two bags fly free?* Asking for a frond. (We're sorry). : @planehowie *Weight and size limits apply.", + "likes": 8461 + }, + { + "caption": " (@puigaviation)", + "likes": 6454 + }, + { + "caption": "Ever been to a wedding at 35,000 ft? #SouthwestHeart", + "likes": 9621 + }, + { + "caption": "yOu know the driLl. Your favorite Massive sPorting event, whose offIcial title is heavily Copyrighted, will be available onboard via free live tv on our inflight entertainment portal. See you there! (: @kellercam)", + "likes": 12132 + }, + { + "caption": "Last month, our Employees put their #HeartinAction to support our official community partner of our 50th anniversary, the @thebirthdaypartyproject, through a companywide toy drive. More than 1,500 Southwest Employees donated gifts valued at more than $50,000 from over 50 Southwest locations. #Southwest50", + "likes": 2740 + }, + { + "caption": "Where are you headed this weekend? (@me_and_HOU)", + "likes": 8850 + }, + { + "caption": "Chompie the Shark took flight this week as we celebrate #SharkWeek with our partner @Discovery and a plane full of Customers headed for Pensacola! Tune in to the action as @SharkWeek continues on Discovery, @discoveryplus, and our Inflight Entertainment Portal!", + "likes": 12898 + }, + { + "caption": "Whos got two free bags, no change fees, no cancel fees, and all the possibilities? (The answer should be you.) Turn your #WannaGetAway into Gonna Get Away and share with us where youre headed.", + "likes": 1471 + } + ] + }, + { + "fullname": "Emilie Ristevski", + "biography": " slow & mindful wanderings little moments @emilielula management@helloemilie.com Photography Book", + "followers_count": 1329421, + "follows_count": 989, + "website": "https://smarturl.it/ForeverWandering", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "helloemilie", + "role": "influencer", + "latestMedia": [ + { + "caption": "The fragility of our planet Im still in awe of this dreamscape. Layers of sand and clay are continually carved by nature The wind and rain slowly eroding the earth, revealing formations and remains from tens of thousands of years ago. Muthi Muthi, Nyiampaar and Barkinji country #stayandwander #traveldeeper #girlswhotravel #wanderlove #travelblogger #travelcommunity #wanderlusters #momentsinthewild #mungonationalpark #mothernature #sunset #goldenglow", + "likes": 23640 + }, + { + "caption": "Otherworldly colours + patterns found on our planet Transforming with the sun and sky, we are intricately connected to everything around us; earth, water, air and spirit intertwined together. . . . . . . . . . #reels #reelsinstagram #stayandwander #traveldeeper #girlswhotravel #wanderlove #travelcommunity #wanderlusters #momentsinthewild #traveldeeper #travel #wanderlust #searchwandercollect #exploremore #lovetheworld #nature #tlpicks #visualsofearth #planetearth", + "likes": 14143 + }, + { + "caption": "We have the same kind of star-dust in our souls The atoms of our bodies are traceable to stars that manufactured them in their cores and exploded these enriched ingredients across our galaxy, billions of years ago For this reason, we are biologically connected to every other living thing in the world. We are chemically connected to all molecules on Earth. And we are atomically connected to all atoms in the universe. We are not figuratively, but literally stardust ", + "likes": 31047 + }, + { + "caption": "Es.cap.ism The tendency to escape from daily reality Happy Sunday! Hope you are staying well, sending my love from lockdown & looking forward to sharing some more of what Ive been working on behind the scenes soon. x", + "likes": 22674 + }, + { + "caption": "When the Outback sky is on fireMy top 5 highlights from our @queensland road-trip: 1. Mount Isa to Cloncurry Camp-fire & sleep under the stars 2. Cloncurry to Normanton Fly over the vast magic of the Gulf of Carpentaria 3. Normanton to Karumba Experience wildlife & spot a Crocodile on a boat Cruise along Normanton River 4. Karumba to Talaroo Soak in the healing and spiritual waters of Talaroo Hot Springs 5. Talaroo to Undara Explore Queenslands ancient volcanic landscape from below Earths surface. @britzcampervans #thisisqueensland #outbackqueensland #outbackqldmagicmoments . . . . . . . #photooftheday #photochallenge #nature #landscapephotography #travelphotography #reels #trendingnow", + "likes": 10842 + }, + { + "caption": "The winding river patterns of Australia Where the outback meets the sea From above you can truly appreciate the vast magic of this landscape. An intricate ecosystem of tidal oceans and river systems. Golden river veins appear almost as they are shining like liquid gold, intricately entwined together like a surreal painting or growing tree roots Mother Nature is so inspiring, this landscape is forever changing and evolving A truly special part of North-west @queensland. Gkuthaarn, Kukatj, Mayi-Kulan and Kuthant Country @britzcampervans #thisisqueensland #outbackqueensland #outbackqldmagicmoments", + "likes": 31249 + }, + { + "caption": "From the tiny details to the vast untouched landscapes of the Outback A collection from our time exploring North-West Queensland Savannah Country is a seemingly desolate and arid terrain, yet exploring a little deeper I discovered this land is so much more than meets the eye. Full of diversity and wildlife, each landscape we experienced had an indescribable sense of interconnection. A reminder that even in some of the harshest of places, life can be found & thrive. @queensland @britzcampervans #thisisqueensland #outbackqueensland #outbackqldmagicmoments #momentsinthewild", + "likes": 23644 + }, + { + "caption": "Golden moments wandering through the natural wonders of Outback @queensland Amongst the red dusty roads, big blue skies & glowing savannah landscapes we found a true Australian Outback experience an escape to disconnect, listen to the stories of the land & discover a slower pace of life. @britzcampervans #thisisqueensland #outbackqueensland #outbackqldmagicmoments #momentsinthewild", + "likes": 32225 + }, + { + "caption": "The warm glow of an ancient Volcanic landscape Before we ventured out onto the Savannah Way, I had no idea this place existed in @queensland! I left in complete awe learning of this natural wonder Considered to be one of the longest lava tubes on our planet from a single volcano Attenborough named this place the 8th wonder of the world. This landscape was formed by immense volcanic activity over 190,000 years ago. Undara is an Indigenous word meaning long way. The Lava tubes were formed by a molten lava flow cooling and solidifying on the outside. Surrounded by rich, red volcanic basalt soils, nature has now reclaimed this landscape, covered in a sea of native savannah grasses, concealing the hidden lava tubes below the earths surface. We witnessed these volcanic craters from above in the sky and below we wandered underground within the depths of the lava tube structures A truly fascinating experience to learn about the incredible natural history of this region and the magic of Mother Nature. @undaraexperience @queensland @britzcampervans #thisisqueensland #exploreTNQ Ewamian Country", + "likes": 28402 + }, + { + "caption": "The colours of the Outback >>>> Sunsets here are a special experience in themselves, as the sun goes down this entire landscape comes alive and begins to glow deep burnt oranges and reds On our road trip we stumbled upon these rock formations just outside of Mount Isa and fell in love with watching the changing colours of this landscape. @queensland @britzcampervans #thisisqueensland #outbackqueensland #outbackqldmagicmoments Kalkadoon country", + "likes": 24384 + }, + { + "caption": "Rising desert moon Last month I had the chance to explore the hidden gems of the outback with an adventure throughout North West Queensland >>>>> A part of @outbackqueensland which has always intrigued me, we ventured out on a 10 day road trip to experience a one-of-a-kind nomadic adventure. North West Queensland is full of so much beauty, wandering throughout the changing colours of the landscape and spent nights living off grid under the starry skies (the best way to explore up here!) Im very grateful to see more of my homeland, lots more to share over the coming weeks. @queensland @britzcampervans #thisisqueensland #outbackqueensland #outbackqldmagicmoments #mountisa Kalkadoon country", + "likes": 25822 + }, + { + "caption": "This time of year is full of wild yet magical weather Rainbows, storm clouds, snow & rays of golden light. Ive had the most incredible time exploring @tasmania throughout winter pieces of my heart are still here #tassieoffseason #discovertasmania #momentsinthewild #comedownforair", + "likes": 26481 + } + ] + }, + { + "fullname": "Disney Cruise Line", + "biography": "The official Instagram account for Disney Cruise Line. Tag your vacation photos #DisneyCruiseLife for a chance to be featured! ", + "followers_count": 1337893, + "follows_count": 50, + "website": "http://di.sn/6002yOZQe", + "profileCategory": 2, + "specialisation": "", + "location": "Lake Buena Vista, Florida", + "username": "disneycruiseline", + "role": "influencer", + "latestMedia": [ + { + "caption": "The #DisneyWish is getting closer and closer to sailing each day. Take a look at some of the latest construction updates from our eyes and ears on the ground at the Meyer Werft shipyard in Papenburg, Germany!", + "likes": 8328 + }, + { + "caption": "Were making waves with @Freeform's @grownish! Enter for a chance to win a @disneycruiseline vacation and be among the first to sail on the all-new #DisneyWish in Summer 2022. Catch new #grownish episodes Thursdays at 8p/7c on Freeform. ______ How to enter: Must be following @grownish, @Freeform & @disneycruiseline. Like this post. Comment #grownishGetawaySweepsEntry & tag one friend below.", + "likes": 11812 + }, + { + "caption": "Enter for a chance to win one of 50 dream vacations on the new Disney Wish. Just follow and tag @DisneyCruiseLine and post a photo of you with your favorite vacation dining companions, and include #YearOfWishes and #Sweepstakes. Check back next month for another opportunity to win. NO PURCH. NEC. Open to legal res of 50 US/DC/CA (excl. QC), 18+ age maj. only. Begins 6/1/21 and ends 3/31, 2022. 10 entry periods/sweepstakes. 50 winners and 50 total prizes, 5 per entry period, each with an ARV of $7,800 USD / $9,470.88 CAD. Math skill testing question required for Canadian residents. Entries reposted at http://di.sn/6170ygn8i. For Rules, visit http://di.sn/6171ygn8c. Void in QC & where prohibited. Msg & data rates may apply. Instagram, Twitter, and/or Facebook account(s) required to enter and must remain public through 3/31/22.", + "likes": 30742 + }, + { + "caption": "Magic is relaxing on the sun-soaked sands of a private island paradise. Magic is watching enchanting entertainment inspired by the stories you love. Magic is an epic ocean voyage. Sailing again in August 2021. ", + "likes": 9195 + }, + { + "caption": "This just in! Beginning August 9, the Disney Dream will kick off our long-awaited return to cruising with three- and four-night cruises from Port Canaveral, Florida. Check out this video and the Disney Parks Blog (link in bio) for important details to help you plan your next @disneycruiseline vacation!", + "likes": 14024 + }, + { + "caption": "With three brand new family dining restaurants, the #DisneyWish is bringing family dining to a whole new level. Take a look in the latest episode of Designing the Disney Wish!", + "likes": 2966 + }, + { + "caption": "Were celebrating #HalfwaytotheHolidays by getting extra excited for Very Merrytime Cruises talk about a jolly good time!", + "likes": 7794 + }, + { + "caption": "Take a look at two more enchanting dining experiences coming to the #DisneyWish in summer of 2022, the recently announced Mickey & Friends Festival of Foods and Marceline Market. See more on the @DisneyParksBlog now!", + "likes": 13571 + }, + { + "caption": "Just announced! Avengers: Quantum Encounter will debut aboard Disney Cruise Lines newest ship, the #DisneyWish. Take a special look at how this ambitious dining adventure will come to life in summer of 2022 on the @DisneyParksBlog now.", + "likes": 8026 + }, + { + "caption": "Here's a 'tiny' hint at some big news about Worlds of Marvel coming to #DisneyCruiseLine's newest ship, the #DisneyWish. Check the Disney Parks Blog tomorrow for all of the details!", + "likes": 13478 + }, + { + "caption": "Aboard the new Disney Wish, adults can relax, dine and indulge in spaces designed just for them. And now you can enter for a chance to win one of 50 Disney Wish dream cruise vacations! Just share a photo of your ideal adult Disney cruise escape and include #YearOfWishes and #Sweepstakes and follow and tag @DisneyCruiseLine. Check back next month for more opportunitiesto win. NO PURCH. NEC. Open to legal res of 50 US/DC/CA (excl. QC), 18+ age maj.only. Begins 6/1/21 and ends 3/31/22. 10 entry periods/sweepstakes. 50 winners and 50 total prizes, 5 per entry period, each with an ARV of $7,800 USD / $9,471CAD. Winners randomly selected. All winners must take trip June 4-8, 2022. Math skill testing question required for Canadian residents. Entries reposted at http://di.sn/6170yVlHq. For Rules, visit http://di.sn/6171yVlHS. Void in QC & where prohibited. Msg&data rates may apply. Instagram, Twitter, and/or Facebook account(s) required to enter and must remain public through 3/31/22.", + "likes": 7519 + }, + { + "caption": "Red, white & crew! Wishing you a happy 4th of July from your friends at Disney Cruise Line. ", + "likes": 18187 + } + ] + }, + { + "fullname": "Lyss", + "biography": "Living in NYC & the world Creator, traveler, singer, writer.. Partnerships@lyssboss.com @lysspodcast @lyssthelabel", + "followers_count": 1612150, + "follows_count": 863, + "website": "", + "profileCategory": 3, + "specialisation": "Public Figure", + "location": "", + "username": "lyss", + "role": "influencer", + "latestMedia": [ + { + "caption": "Dreamiest set up for a premiere @amazonprimevideo @modernlovetv spent the night on a boat with friends, they had the premiere screening on a sail that passed by. I love NYC.", + "likes": 10296 + }, + { + "caption": "do you believe in soulmates? if so, have you met yours?", + "likes": 10569 + }, + { + "caption": "When I went to Tulum last, I had an incredibly spiritual experience. I participated in a cacao ceremony, and following that, I was lying down by the beach and I felt this warm sensation come over my entire body. All of my thoughts disappeared, and I couldnt think of anything - all I could do was feel. I heard the ocean, felt the air, but my mind powered off for what felt like a minute but it was really 5 hours. It felt like my ego had completely dissolved and it was just my soul and the earth, existing and at peace. I know it sounds kind of crazy but it was something Ill never forget or be able to fully explain. Has anyone else ever experienced something like this? @aaronorttega", + "likes": 16142 + }, + { + "caption": "Imagine having someone whose supposed to be your biggest supporter telling you, brands just dont care about you anymore. What better motivation do I need? This next year I will be making up for lost time and I will be extremely successful in whatever I do. To everyone who saw my stories, thank you for your kind words. Excited for this next chapter of my life and my career.", + "likes": 14997 + }, + { + "caption": "Summer on the high line ", + "likes": 10438 + }, + { + "caption": "whats your sign? im on the cusp of capricorn and aquarius..ambitious and a little bit weird sums me up pretty well.", + "likes": 9633 + }, + { + "caption": "I think it might be time for a European summer this time, Id be traveling solo for the first time in a long time. where should I visit!? ", + "likes": 20268 + }, + { + "caption": "sweet dreams NYC ", + "likes": 16759 + }, + { + "caption": "Attending the #gossipgirl premiere in NYC @gossipgirl @hbomax #xoxopremiere #hbopartner", + "likes": 9644 + }, + { + "caption": "Last night was a dream!!! @gossipgirl @hbomax", + "likes": 10526 + }, + { + "caption": "Today Ill be your one and only source for the scandalous lives of Manhattans elite. More than excited to be attending the premiere of @gossipgirl with @hbomax tonight. Stay tuned on stories! #gossipgirl #xoxopremiere #ad", + "likes": 12110 + }, + { + "caption": "HAPPY 4TH!! what are your plans tonight? Im in Brooklyn eating pizza, hanging at the park, and watching fireworks later with some friendsss!", + "likes": 14731 + } + ] + }, + { + "fullname": "Marie & Jake | Love & Travel", + "biography": " German - Australian couple Building in Bali @majacanggu @belajarbali We love teaching you @clublifedesign Our @bloomapp | All links", + "followers_count": 1066274, + "follows_count": 1892, + "website": "https://msha.ke/mariefeandjakesnow/", + "profileCategory": 2, + "specialisation": "Public Figure", + "location": "", + "username": "mariefeandjakesnow", + "role": "influencer", + "latestMedia": [ + { + "caption": "7 reasons why we fell in love with the van lifestyle and why we think everyone should give it a go someday 1. A roof over your head for a fraction of the cost of a house 2. Freedom to move and live where ever you like 3. You spend more time in nature 4. Less distractions/more living 5. New inspiring adventures every day 6. Moving around inspires creativity & creates more memories 7. Cute picnics with new friends Which of these things attracts you the most (1-7)? Location: Freiburg, Black Forest #germany #freiburg #blackforst #vanlife #vantrip #vanlifers #reels #fypchallenge #fun #reelsviral #vanlife.living #picnic #bestday", + "likes": 15044 + }, + { + "caption": "We are ready for VANLIFE again! no 1 Our vanlife photo timeline 2017-today: Feb 2017 - We bought our first April 2017 - My birthday June 2017 - Our East coast trip Jan 2018 - Great Ocean Road Feb 2018 - Vanlife in New Zealand Nov 2019 - Weekend trips in South Australia Sept 2020 - Germany to August 2021 - A NEW ADVENTURE Any guesses where we are going first?? #vanlife #adventurelife #vanlifedistrict #ourvan #livingvanlife #vanlifeexplorers #camperlife #vanlifegermany #couplegoals #couples #europetrip #mariefeandjakesnow #europe", + "likes": 60059 + }, + { + "caption": "We still cant believe it This is now our home away from our Bali home We have two questions for you..? Who would like to meet us as we cruise around Europe for the next few weeks? And who could imagine living in a van like this? Thanks for making our dream come true @kaptenandson #bekapten #kaptenandson #wanderlust #campervan #livingvanlife #homeiswhereyouparkit #reiselust #europareise #camperlife #viralpost #reelviral #mariefeandjakesnow", + "likes": 52401 + }, + { + "caption": "The secret is out!! Say hello to our little European home For the last 10 months weve been working together with @kaptenandson to design and build our dream van home here in Europe If you havent been following us since 2017 you might not know that our journey together started in a Van in Australia! We spent all the money we had back then on a little camper that we lived in for 4 months. It was the pictures we took with that van that got our Instagram started We fell in love with the free lifestyle of being able to wake up in a different spot everyday, park next to the ocean and have picnics and nights under the stars Now we are here in 2021 and although a lot has changed for us, I guess somethings never change swipe to see how we started #vanlife #adventurelife #kaptenandson #bekapten #vanlifedistrict #livingvanlife #vanlifers #vanlifeexplorers #camperlife #vanlifegermany #oldtimes #lovers #couples #europetrip #mariefeandjakesnow", + "likes": 68961 + }, + { + "caption": " Cheers to exciting adventures, friendships, love & lifetime memories One more adventure down & we are ready to start the next one. Who can guess what we are planning right now (big surprise coming tonight)? We will try to check all your answers #italytravel #visititaly #positano #positanoview #goodtimeswithgoodpeople #glcklich #freunde #friendsreunion #viralreel #reels #travelreel #romance #fyp", + "likes": 25990 + }, + { + "caption": "Goodbye Positano 7 photos showing 7 things that we will miss about this place in Italy 1) The cute vintage cars 2) The view of Positano 3) The food & restaurants 4) Days on the boat 5) Time with friends 6) Swimming/ playing in the 7) Fun & Romantic moments with my partner in crime #positanoitaly #positanocoast #italytravel #italy_creative_pictures #europetravels #happytimes #goodtimeswithfriends #travelcouples #coupleswhotravel", + "likes": 54056 + }, + { + "caption": "Spending time with kids makes you feel like a big kid & I love it who else? I cant wait to start our own family What do you think we would get first or ? @bluestarpositano #positanoitaly #bluestarposigano #happymoment #familyislove #beautiful_italy #peoplearoundyou #goodvibesonly #reelviral #reelvideos", + "likes": 49340 + }, + { + "caption": "Do you know what makes everything better? Literally everything!! Love I know Positano is beautiful but experiencing it with people you love is magic The same goes for everything else in life!! Anything + Love = Better #positanooficial #positanoitaly #italytravel #positanocoast #almalficoast #italygram #travelawesome #beautiful_italy #europestyle_", + "likes": 60659 + }, + { + "caption": "I think we have all had those dreams of a picture perfect morning with a cute terrace overlooking a view like this in a beautiful Italian town I could definitely do many more mornings like this Who is dreaming of a romantic European getaway? #positano #italy #amalficoast #lovers #wildlovers #couples #couplegoals #romance #positanoitaly #bestvacations #bucketlist #kisses", + "likes": 38560 + }, + { + "caption": "ITALY memories 2020 Now we are back to make new ones #italytravel #italya #italy_vacations #reelsvideo #reelsviral #couplevideos #couplelife #travel_ust #aroundtheglobe #youandi #travelgrams", + "likes": 58973 + }, + { + "caption": "Some places have to be seen to be believed This is one Tag someone who would want to have breakfast here Location: @calilo_ios #greecetravel #griechenland #greeceislands #hotelgoals #europetravel #reeltrending #reelviral #videoftheday #beststay #inspiration #travelgirlsgo #thalassa #agapi", + "likes": 59118 + }, + { + "caption": " Win a 3 night stay for you and a Loved one at the most breathtaking hotel in the world!! To celebrate the launch of our new Travel feature in the @bloomapp , we have teamed up with our dear friends at @calilo_ios to offer you guys the chance to win a stay at their stunning hotel SWIPE ACROSS to see what we mean by stunning For your chance to win: - Follow @calilo_ios - Download @bloomapp (link in bio) - Like this Post Winner will be announced next Sunday August 1st Keep in mind flights and food are not included. Stay can be booked anytime outside peak season. Bonus entries will be given those that check out our new travel feature and start a FREE trial in @bloomapp using the code MAJA (remember you can cancel for free at anytime in the next 30 days) If you are already a subscriber or have started a FREE trial, you are in for the bonus!! Our mission with @bloomapp is to help you become the best version of yourself, we are so excited to expand and grow this already powerful wellness tool into something truly life changing. This is only the beginning Good luck, stay safe and stay well Xx MJ", + "likes": 41086 + } + ] + }, + { + "fullname": "Charlie Rocket \ud83d\ude80", + "biography": "Touring across America making dreams come true Founder of The Dream Machine Foundation Tell me your dream on @dreamr.app Tiktok 3,100,000+ (@charlie)", + "followers_count": 536781, + "follows_count": 7347, + "website": "https://linktr.ee/Dreammachinefoundation", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "charlie", + "role": "influencer", + "latestMedia": [ + { + "caption": "I need yalls help. Audra is a kindergarten teacher who has beat breast cancer twice but it has now spread to her lungs. I saw her Facebook posts trying to raise money for supplies! It breaks my heart Bc teachers are underpaid & she needs money for supplies My friend Bens mom was a teacher who passed away from cancer. He felt a connection & wants to help. He just released a book called, Uncommon Leadership & said he will donate 100% of book sales to supporting Audra & teachers in need in honor of his mom! If we sold 500 books, we could donate $10,000! Thank you so much brother @continuedfight !Click the link in my bio to donate to Audra & teachers in need ", + "likes": 8044 + }, + { + "caption": "Dreams come true!!! @whoopigoldberg surprised @lilygrigsbybrown with an opportunity of a lifetime!!!!! Thank you to everyone following for helping get @whoopigoldberg attention! This is the power of social media! This is how we use it to change lives!!! I believe Lily will change the world thru film! Thank you sooo much Jamie hammer, Whoopi Goldberg, and Tom Leonardis!", + "likes": 24017 + }, + { + "caption": "We just received the most life changing news about our TV show!!! We had to bleep out all names because the deal isnt all the way 100% complete yet. But everyone manifest with us so that everything continues smoothly ", + "likes": 20770 + }, + { + "caption": " Shelby got to find out yesterday that she wont be homeless again and now has $45,000. Shes been thru so much. Just Last month she had to bury her son, she was facing eviction and she was gonna end back up on the streets until all of my followers stepped up yesterday. I had no idea yall would step up like this. I thought we were gonna get Shelby $4500. I didnt know yall would donate $45,000. It happened so fast. 1 post. 1 tiktok. Yall really are amazing. Shelby is going to be okay! Shelby now will have a home. And a financial money manager to help her with the money. We got her a computer so she can start working on her poetry book again. My friend @drew_cohen is going to help her learn the computer and move into her new place. Yall realize what yall have done?!? Yall changed an entire life! She was so scared to have to be back on the streets! Yall saved Shelbys life. She has been thru so much. Especially with having to bury her son. Thank yall so much for helping me with this", + "likes": 13970 + }, + { + "caption": "Wow. Yall really stepped up for Shelby. Yall helped raise $40,000 in under 24 hours!!! And now Shelby wont be homeless again After her son passed away, Shelby didnt know who else to turn to for help. Her son is up in heaven making all of this happen for her I just cant believe this movement thats started!!! Yall are the reason for this not me! This is so beautiful!!! Thank u to every follower of mine for being open to helping!!!", + "likes": 21514 + }, + { + "caption": "Big life moment alert!!!I signed my biggest speaking engagement contract today for $40,000 ", + "likes": 11550 + }, + { + "caption": "Shelby is a homeless poet that we met in Washington DC last year. But I just found out that she is about to get evicted from her home. Her son just passed away a few weeks ago and we helped her with the cremation costs. Her rent is $375/month, Im stepping up and I ask yall to step up with me. lets get her rent paid for the whole year. Last month we got her a laptop so she can work on her poetry. And we helped her with a funding for a car. But this situation is breaking my heart. So please lets help Shelby. Click the link in bio to help Shelby ", + "likes": 123090 + }, + { + "caption": " Just know. There will be revenge When we hit 4,000,000 followers on Tik Tok Ima never get caught slipping again!", + "likes": 12339 + }, + { + "caption": "The team pranked me when I hit 2 million followers on Tik Tok. But I didnt fall for it this time round with 3 million. Yall really thought I was stupid Yall gotta do better than this!!", + "likes": 8769 + }, + { + "caption": "Lily is such a powerful woman Everyone please help me make her dream come true and tag @whoopigoldberg !!! #explore #giveback #actsofkindness", + "likes": 36138 + }, + { + "caption": "LIFE UPDATE. Its been a long scary 2 weeks. The entire team got sick. Me and Timmy ended up in the ER. But now were back and ready to make dreams come true Wait until yall see this dream we just found Follow the dream team @timmy.the.dreamer @lank_ii @_niamhkavanagh_ @tyler_bishop_studios @perrisaenz @lilyclaireclaire @jaymurga_ @huntersmalling", + "likes": 13625 + }, + { + "caption": "My man @taylerholder messaged me a few weeks ago about helping making Richards dream come true. We ran into eachother tonight & were gonna make a dream come true next week stay tuned ", + "likes": 26646 + } + ] + }, + { + "fullname": "Simplyshredded.com", + "biography": " The Ultimate Lifting Experience @ecommerce_mentor @batsvj | Ambassador - Your Journey Starts Here! 12 Week Shred Guide / 60% OFF", + "followers_count": 1974879, + "follows_count": 647, + "website": "http://transform.simplyshredded.com/", + "profileCategory": 2, + "specialisation": "Health & Wellness Website", + "location": "", + "username": "simplyshredded", + "role": "influencer", + "latestMedia": [ + { + "caption": "Absolutely diced! @dickersonross", + "likes": 3341 + }, + { + "caption": "Solid lift regardless.. (via @sherryberdigan)", + "likes": 11331 + }, + { + "caption": "Legendary. @schwarzenegger", + "likes": 5605 + }, + { + "caption": "Double tap if you smiled @travis_ortmayer", + "likes": 24353 + }, + { + "caption": "Life of a gym rat! : @kalimuscle", + "likes": 14288 + }, + { + "caption": "Like if being in shape has its perks! #shredded", + "likes": 25528 + }, + { + "caption": "Like a sculptor and his work of art. Arnold Schwarzenegger and Joe Weider. #godfathers", + "likes": 5220 + }, + { + "caption": "Shes in the back like (via @evan_kardon)", + "likes": 14598 + }, + { + "caption": "Arnold In His Prime! @schwarzenegger", + "likes": 10050 + }, + { + "caption": "Respect! Hit that if you agree!! : @smiles_taylor", + "likes": 19516 + }, + { + "caption": "Save this and try it for your next chest day! : Chest Day Finisher Exercise : @ulissesworld", + "likes": 22200 + }, + { + "caption": "4x Mr Olympia Jay Cutlers Legendary Quad Stomp! : @jaycutler", + "likes": 11646 + } + ] + }, + { + "fullname": "Art of Visuals | CREATORS \ud83c\udfa8", + "biography": "Made For Creators.", + "followers_count": 2103376, + "follows_count": 1072, + "website": "http://tap.bio/artofvisuals/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "artofvisuals", + "role": "influencer", + "latestMedia": [ + { + "caption": "Image by @ilyablind featuring @lenta_vremeni Bali, Indonesia \"Annihilation The effect of this cannot be understood without being there. The beauty of it cannot be understood, either, and when you see beauty it changes something inside you.\" #artofvisuals #bevisuallyinspired #oceanlife #portraitphotography #baliindonesia", + "likes": 8399 + }, + { + "caption": "3.2 instillation by @404.zero at @dark_mofo, Hobart, Tasmania, June 2021 Our first experience of a complete remotely produced large-scale installation. The whole setting up went surprisingly smooth without any issue thanks to the highly professional Dark Mofo crew. The entire audiovisual content was produced before real setting up - we spent two weeks in a warehouse in Saint Petersburg with a similar sound system, full tables of modular synthesizers, and visualizer. It was a new experience for us - never had the ability to deeply focus on sound and light for such a large-scale setup rather than counting hours before running the show. So great thanks to Dark Mofo for believing in us! And great thanks to our local friends for tech support during the preparation of the content: @sevcableport, @setupdesigns, @tokimprovisation 3.2 light and sound installation Algorithmic light patterns produced with @touchdesigner and the sound of modular synthesizers Dimensions: 60x24x5 m Concept, light, and sound by @404.zero Curated by @theiaconnell Creative producer @hol_y Technical production @dark_mofo, @colourblindlighting Shooting DarkLab Media Camera @eva_otsing #artofvisuals #lightinstallation #modularsynth #touchdesigner", + "likes": 2921 + }, + { + "caption": "A couple more images from my recent collab with a few dozen honeybees and Marvin @beelikejelly. I find bees to be such a calming presence. Watching them work and communicate is amazing. I hope these photos highlight that, whatever you personally might feel about bees! Images by @erinoutdoors #artofvisuals #honey #bees #honeybees", + "likes": 13017 + }, + { + "caption": "BACK TO SCHOOL GIVEAWAY! We're teaming up with @adorama to giveaway a brand new Sony A7C Camera, Sony 28-60mm f/4-5.6 Lens, Apple MacBook Air 13.3\" M1 (2020), WANDRD PRVKE 21L Bag, Sony WH-1000XM4 Noise Cancelling Headphones, and SanDisk 1TB SSD (worth over $4000)! To Enter: 1) LIKE this post 2) FOLLOW @adorama 3) TAG 3 friends below! Extra tags = extra entries! Dates: 8/2-8/6. Winner announced on 8/7. Good luck! Have you heard about @adorama's Student Discount Program? Creators GearUP is designed to help you get the gear you need for your studies, creative passions & everything in between. Get fully equipped for the year with deals on the latest cameras, gimbals, laptop computers, hard drives, and more. To unlock your savings, sign up now and verify your student status with SheerID at adorama.com/students!", + "likes": 16934 + }, + { + "caption": "Our team took a trip to Sedona using the #Xperia1III by @sonyxperia @sonyxperiaus. With four versatile lenses (from ultrawide to tele), we captured every moment at the drop of a hat. From sunrise to sunset, we utilized the phone just like we would an Alpha camera by Sony, and it did not disappoint. Having a device with these capabilities that fits in your pocket, is a game changer. Its portable while still remaining professional. #artofvisuals #Xperia1III #SonyXperia #MobilePhotography #MobileVideography #TravelByXperia #TakenWithXperia #Sedona", + "likes": 1517 + }, + { + "caption": "Theres delays on the circle line again Its been a long night and I just want to get home... Any favorites? With @camilabaldo ! Image taken on my trusty 24-70mm 2.8! Images captured by @scottdennis_photography #artofvisuals #portraits #subway ", + "likes": 14535 + }, + { + "caption": "I grew up playing basketball my whole life. And while I always dreamed of being able to dunk, I was never quite able to... until now that is This counts, right? Image by @andrewoptics #artofvisuals #bevisuallyinspired #basketball #hooping", + "likes": 23469 + }, + { + "caption": "Tokyo golden morning! Image by @m.ssaa.k . #artofvisuals #bevisuallyinspired #tokyo #japan", + "likes": 12196 + }, + { + "caption": "\" Wings of a mind \" (Shot on phone) Image by @abybaig . . One of my favourites Phone click .. Abbas Baig, 2019... . . . . #artofvisuals #tajmahal #india #aovindia", + "likes": 11615 + }, + { + "caption": "Out for an evening moon walk! Image by @need_to_fly . . . #artofvisuals #cat #moon", + "likes": 31777 + }, + { + "caption": "Pictures of a very unique and amazing woman in a very special settingHow do you like it? Images by @vawunsch ft model @wolfishglow #artofvisuals #portrait #airplane #vougue", + "likes": 10528 + }, + { + "caption": "I used to have an obsession with birds of prey as a little kid. Little Victor would have been so frigging stoked if he ever spotted a Bald Eagle! But, if I'm being honest, I still get excited every time I spot one. And being able to photograph these majestic creatures puts me right in my element. by @victoraerden . . . . . . . #artofvisuals #baldeagle #birdsofprey", + "likes": 15693 + } + ] + }, + { + "fullname": "Michael Phelps", + "biography": "Husband to @mrs.nicolephelps Dad to @boomerrphelps @beckettrphelps and @mavericknphelps", + "followers_count": 3493502, + "follows_count": 260, + "website": "http://www.michaelphelps.com/", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "m_phelps00", + "role": "influencer", + "latestMedia": [ + { + "caption": "Giving Beast Mode a whole new meaning. Ive been helping support my workout recovery with @Silk ULTRA, thanks to its 20g of complete plant-based protein per serving", + "likes": 12552 + }, + { + "caption": "A few more shots from the trip Words cant describe how much fun I had! Thanks @nbcolympics - I had a BLAST!! What an experience!! Congrats to the athletes who have competed and good luck to those competing this week!", + "likes": 191907 + }, + { + "caption": "", + "likes": 102633 + }, + { + "caption": "#ad The only way I could cheer any louder is if my mouth wasnt full of peanut butter and chocolate! Love seeing @TeamUSA in action. #TeamReeses", + "likes": 76896 + }, + { + "caption": "44 medals total.. Thats a lot @todayshow #olympics", + "likes": 197387 + }, + { + "caption": "Congrats ladies!! @arschmitty @paigemadden1 @katieledecky @katiemclaughlin21", + "likes": 380655 + }, + { + "caption": "Got to surprise @jordanchiles and @grace.mccallum on @todayshow Plus got to have a good sit down w @lesterholtnbc ", + "likes": 160980 + }, + { + "caption": "Always fun to hang w yall in the booth !! #olympics", + "likes": 175918 + }, + { + "caption": " being with @hodakotb and @savannahguthrie on @todayshow! Always good to hang and chat!! #usa #olympics2021", + "likes": 218264 + }, + { + "caption": "Lets go @chasekalisz !!! Its been a fun ride watching you grow up in the sport. Congrats on accomplishing your childhood dream!! #proudofyoulittlebro", + "likes": 322424 + }, + { + "caption": "Tokyo bound! Excited to join the team! @nbcolympics @miketiriconbc @danhicksnbc @rowdygaines @ebeisel34", + "likes": 302574 + } + ] + }, + { + "fullname": "USA Swimming", + "biography": "Official account of USA Swimming, National Governing Body for the sport in the USA. ", + "followers_count": 650237, + "follows_count": 253, + "website": "https://linkin.bio/usaswimming", + "profileCategory": 2, + "specialisation": "", + "location": "Colorado Springs, Colorado", + "username": "usaswimming", + "role": "influencer", + "latestMedia": [ + { + "caption": "#SpeedoSummerChamps is just heating up : @mike2swim // Irvine, Calif.", + "likes": 19757 + }, + { + "caption": "A hard-fought race @swimhaley & @atwall616 both with top-10 finishes for the US in the 10K! ", + "likes": 29109 + }, + { + "caption": "PSA: #TokyoOlympics swimming isnt done yet! Open water racing kicks off Aug. 3 (USA)!", + "likes": 44185 + }, + { + "caption": "Can we GIVE IT UP for the prelims & finals relay swimmers?! (Not pictured: @beefytshields) #TokyoOlympics x @teamusa", + "likes": 68682 + }, + { + "caption": "The big 30 Open water up next!", + "likes": 43836 + }, + { + "caption": "Out with a bang! Incredible night for all! Open water!!", + "likes": 38465 + }, + { + "caption": "If you thought he didn't have it, again : @nbcolympics", + "likes": 74471 + }, + { + "caption": "Historic. @caelebdressel x #TokyoOlympics", + "likes": 76857 + }, + { + "caption": "This energy , please. #TokyoOlympics x @teamusa", + "likes": 72428 + }, + { + "caption": "You're looking at the fastest men's medley relay on the planet! :. #TokyoOlympics x #OmegaOfficialTimeKeeping", + "likes": 75632 + }, + { + "caption": "Two words: Caeleb Dressel #TokyoOlympics x @teamusa", + "likes": 70624 + }, + { + "caption": "Bear besties in the hot seat @abbeyweitzeil x @katiemclaughlin21 #TokyoOlympics", + "likes": 15695 + } + ] + }, + { + "fullname": "Jonathan Barzacchini", + "biography": "Personal best bluegill: 1.34lbs #outdoors #fishing #youtube #traveling #film #sloth", + "followers_count": 648613, + "follows_count": 1275, + "website": "https://youtu.be/aRojHPWr57g", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "jonbrollin", + "role": "influencer", + "latestMedia": [ + { + "caption": "Whatre yall throwing in this mini backyard canal?? #fishing #bass #outdoors #hunting", + "likes": 31956 + }, + { + "caption": "Been an absolute rip these past few days back in Texas. Stocking the pond, exploring new waters, and catching doinkers. : @jakeleuz", + "likes": 22151 + }, + { + "caption": "Feels good to be back in Texas hammering certified units. 7.4lbs on the dot.. idk why she looks so scrawny in that second pic. Despite what yall think I stay on that meat wagon, mega bag activity.", + "likes": 39377 + }, + { + "caption": "Leave Maine, come back to Texas and still catch stripes. Hands down my favorite fish to chase. Nothing better than slanging rigs with the boys over piles of striper", + "likes": 24283 + }, + { + "caption": "Taught the boat a new trick today. #fishing #bass #boats #outdoors", + "likes": 49592 + }, + { + "caption": "Epic hold and an even more epic face. Just another day on the ole pond getting guided by @kyleborgschatz", + "likes": 14437 + }, + { + "caption": "It has been a smallmouth filled week up here in Maine. @grant_langmore7 and I have chased down stripers, fished 7 different lakes and competed in the second Maine derb of the season all in a matter of a few days. I know Ive been lacking on the uploads but just know the best is coming. Thank you wieners for being patient ", + "likes": 32979 + }, + { + "caption": "A week in Maine with the homie @grant_langmore7 . Stoked to soak up the north for another a couple more New England sends. The second pic is us trying to figure out how use the timer on an iPhone. Thanks for the photo bomb Luck", + "likes": 32489 + }, + { + "caption": "Ouch", + "likes": 44691 + }, + { + "caption": "Had such a freakin fun day with @rygid34 fishing my first team derb up here in Maine. Met so many genuine, welcoming anglers today on the water. Weather was perfect, bite was on fire.. the times up here just too good.", + "likes": 27795 + }, + { + "caption": "First week @ camp claw: ", + "likes": 46510 + }, + { + "caption": "How we keep ourselves busy when the bass fishing is slow. Just add bread ", + "likes": 43149 + } + ] + }, + { + "fullname": "H\ud83d\udc79\ud83d\udc79D", + "biography": "#FREEHOOD #LLRoccy", + "followers_count": 1021221, + "follows_count": 266, + "website": "https://music.empi.re/designerdopeboyz", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "hoodrich_pablojuan", + "role": "influencer", + "latestMedia": [ + { + "caption": "Jody Iverson @jodyhighroller #DesignerDopeBoyz Streaming everywhere now", + "likes": 7486 + }, + { + "caption": "#FreeHood coming soon Merch available now contact @spiffyglobal", + "likes": 19463 + }, + { + "caption": "Mony Walk Prod by @spiffyglobal #FREEHOOD", + "likes": 19799 + }, + { + "caption": "2598 Candler Rd, Decatur, GA 30034 #FREEHOOD", + "likes": 5696 + }, + { + "caption": "Trapping rapping I can clean the money just like dishes #BondMoney out now link in bio #FREEHOOD ", + "likes": 18880 + }, + { + "caption": "Produced by @spiffyglobal Link in my bio ", + "likes": 10372 + }, + { + "caption": "Since yall think its a game #AllBlueRacks out now link in my bio #DesignerDopeBoyz @ midnight #FREEHOOD", + "likes": 16320 + }, + { + "caption": "Designer Dope Boyz (The Album) #FREEHOOD", + "likes": 19778 + }, + { + "caption": "#FreeBlo comments unlock this new album .... 3,2,1 ", + "likes": 42306 + }, + { + "caption": "Take me out da Hood but cant take da Hood outta me. New video #CONSISTENT shot by @juddyremixdem out now on my @youtube #DDBz otw #FREEBLO", + "likes": 22505 + } + ] + }, + { + "fullname": "Ocean Ramsey #OceanRamsey", + "biography": "Author of What you should know about sharks Link to book, online class, documentary at OceanRamsey.Org Dive w me @oneoceandiving #helpsavesharks", + "followers_count": 1382968, + "follows_count": 4240, + "website": "https://oceanramsey.org/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "oceanramsey", + "role": "influencer", + "latestMedia": [ + { + "caption": "If you havent watched the free guide to advanced shark diving check it out on my website: OceanRamsey.Org or on IGTV split between @juansharks and my account. Its a build onto information shared in my book and then online course. More to come when we can manage time but till then I hope youre enjoying and I hope you and your ohana (family) are healthy and enjoying the incredible little and big moments in life. I enjoy working 7 days a week, but I find its helpful to take random moments to find the smallest thing to be extra amazed and extremely grateful for, to consciously appreciate something a little more fully, and that makes the challenging parts of work easier too. Perspective is powerful, I appreciate what Ive experienced while traveling or working abroad, to know how fortunate I am to have the rights, choices, and access to basic necessities that many people in the world dont have. Sometimes that small moment of conscious gratitude is for being able to switch on a light switch or readily have access to clean drinking water, which is actually pretty huge. I hope wherever you are you have that. Have a great night. Aloha #Readytogo #oneocean #oneoceanseries #smallmoments #thoughtful #busy #tips #series #shark #sharks #learnaboutsharks #oneoceansharks #reflect #random #ifyoucoulddoanything #whatwouldyoudo #interesting #helpsavesharks #savetheocean Footage by @juansharks and @jarebutter edited by @jarebutter", + "likes": 9037 + }, + { + "caption": "Want to work with sharks and help save them by educating the public about them, saving them from entanglement, and so much more? @OneOceanDiving is now hiring people who are passionate about working with sharks in a marine conservation and safety focused career. Must have advanced freediving abilities, a PADI Divemaster certification, a degree or coursework in conservation biology, marine bio, environmental science, animal behavior, or other related scientific field. We are heart broken to be down to the last few months before my absolutely incredible predator scientist seaster @tracyann_saltygirl featured in the video here moves off island because her husband got a (not as cool as this job ) position on the mainland teaching at another University after finishing his PhD. Congrats Matt We are so happy for you and so sad to be losing Trace To apply, and hopefully get to train with this amazing #LadyShark before she swims away send your resume and a brief cover letter introducing yourself to: OneOceanDiving@Gmail.com The training for the position is very tough, its a very serious career position, so please only apply if youre very serious about working with sharks full time, extremely serious about safety, and also of course working to save as many sharks as possible. #nowHiring #WomenInConservation #WomenInDiving #WomenInEducation #WomenInScience #SharkJob #WorkWithSharks #HelpSaveSharks #SaveTheOcean #LearnAboutSharks #Oahu #MarineBiology #MarineConservationJobs #JobsInConservation #ocean #sharkdive #sharkdiving #newlife #redefine #freedivinglife", + "likes": 18094 + }, + { + "caption": "Happy Shark Awareness Day!!! Thank you @gopro for helping to raise awareness about the importance of sharks, marine life, and the ocean for the planet. #Repost @gopro with @make_repost All life below the surface serves a purpose. The health of our ocean is the health of our planet. Read below for wisdom from #GoProFamily member @oceanramsey \"Sharks are like the doctors of the oceancrucial for the health of marine life, ecosystems, + future populations. They keep fish stocks healthy by picking off the sick, weak, + dyingpreventing disease from spreading + leaving resources for the strongest to be able to better survive and reproduce. They also help keep coral reefs + sea grass beds healthy, while moving vital nutrients throughout their environment. With this keystone species spiraling towards extinction, we ask that you help save the sharks by raising awareness for their importance + their plight. Filmed by @JuanSharks @Pelagicdivefuvahmulah @oneoceanglobal @hurawalhi @nakaialimatharesort @oneoceanconservation is doing a giveaway if you tag them in a post about shark conservation today #Maldives #GoPro #FreeDiving #Shark #Sharks #WildlifePhotography #sharkawarenessday #discoversharks #oceanexploring #goproforacause #foracause", + "likes": 27253 + }, + { + "caption": "did everything I teach people not to do, here is what it looks like and how to respond as the #OneOceanSeries continued(Next one is going up on @Juansharks IG) @JuanShaks and I have been working with sharks for 20+ years now, its fascinating to study their behavior and I cannot even convey how incredible it is to get to know them as individuals. It is because of those individual sharks and other marine creatures that my passion and drive to help save them is constantly renewed and why I share this information with the public and have trained so many other wonderful professionals @OneOceanDiving to be a voice for those without a voice, and to facilitate better interactions with the highest level of awareness and experience through extensively applied techniques. **Disclaimer** This information builds off the information in my online course which is a visual taster of my book (links in bio,) however, sharks are important apex predators that need and deserve to be respected as such, so please do not attempt to recreate this. I share this information because I want people to be more knowledgable, aware, and as safe as possible when they have the incredible experience of enjoying time with sharks under the guidance of an extensively trained and experienced professional guide. Speaking of extensively trained professional shark safety guides@OneOceanDiving is now hiring people who have an unwavering passion for marine conservation, shark-strong work ethic/grit, and a very positive attitude PADI Divemasters or PADI professional freedive instructors who ideally have a degree related to marine science. Dont worry, we teach you all about shark behavior and safety because there is no university or other course that will teach you this, but you do have to be exceptional in the water to pass the swim test, and very good at guiding other people in water. Watch the next episode @Juansharks iGTV and if you missed any they are on my website with links to my online course and book. Link in bio. THANK YOU MAHALO NUI LOA @juansharks & Editor & videographer @jarebutter ", + "likes": 30338 + }, + { + "caption": "This information builds off of my book What you should know about sharks. It also builds off of the educational content in this same video format of my masters style class (link on my website) in addition to building on the other free Advanced Shark Diver videos in the #OneOceanSeries So if you havent read the book, taken the online course, and watched the other free videos in this series it will be out of context. Important: ***Disclaimer*** Please do not attempt to replicate this, I am sharing this information I hope someone could consider in an emergency but also for awareness for shark behavior and safety, because that is an important part of conservation. I want people to better understand and coexist with sharks and the best way to do that is to learn about them, their importance, maybe even to go snorkeling, scuba, or Freediving with them with a very experienced and respectful professional guide, in order to spend time with them as safely as possible, and with as much personal awareness as possible. Sharks are absolutely INCREDIBLE, there is NOTHING like a shark, and each species has its own unique and beautiful presence, and each individual its own unique and fascinating personality. I see it everyday @oneoceandiving as peoples perceptions change from fear to fascination and respect, and that shift has inspired support for conservation efforts Thank you to those who support, & to my love love @juansharks and to our very patient, professional, and extremely talented videographer and editor extraordinaire MR @jarebutter who put this together @oneoceandiving @oneoceanresearch @oneoceanconservation #OneOcean #HelpSaveSharks #LearnAboutSharks #JuanSharks #malamaman #discoversharks #learn #sharkdiving #sharkconservation #sharkresearch #sharkattack #sharkbite BAN #sharkfinsoup BAN #sharkfinning #openwater #oceanramsey #swimmingwithsharks #oneoceandiving", + "likes": 25668 + }, + { + "caption": "I am so grateful to the wonderful people who have helped create more educational, factual, and conservation-inspiring films about the plight of sharks and marine life. Swipe to see the soon to be released documentaries: #FinTheMovie produced by the incredible and inspiring team: @realeliroth @nina & @leonardodicaprio thank you, thank you, thank you for all that you do Swipe: @envoyfilm is such an important film to watch, and the team and film wouldnt have come together without the passionate leaders: @andreborell & @sarah.borell And I cannot mention these without also saying thank you to @keonishoots & @juansharks who worked incredibly hard for years to put together @savingjawsmovie which I was extremely grateful was finally released in late 2019 on @amazonprimevideo & @hulu Oh! I must also highly recommend watching @sirdavidattenborough A life on our planet on @netflix if you get a chance, actually I could recommend a lot of documentaries now (another post )) but I want to say how happy I am at this moment in time that the # of conservation-inspiring films showing the true reality of sharks and the plight of the ocean & marine life is increasing AND finally getting the law to protect sharks in Hawaii to pass & seeing so many work to pass more laws & support existing protection in other areas of the world gives me hope the tide is turning for sharks. If enough people join the effort to save sharks, it will also save many other marine species & ecosystems. #sharkdocumentaries #sharklife #helpsavesharks #sharkmovie #sharkweek #jawsmovie #sharkfishing #sharkfinsoup #sharkattack #shark #sharks #savetheocean", + "likes": 28212 + }, + { + "caption": "Disclaimer this sub-series is more than 4 parts, the 2nd video will be released on @Juansharks IG next, however this information is meant to be used for emergencies only. I want help people and sharks to coexist as safely and respectfully as possible and sometime that means giving them their space back and exiting the water, even if youre extremely experienced working around them. I generally only start to share this information with professional shark safety diver guides once theyve already been working with sharks on a daily basis for an extended period of time, only those who have the water skill required to quickly and efficiently move themselves around in the water and adapt to a rapid approach and are trained to look in all directions continuously to see an approach or issue before it becomes a serious issue. I make it look easier than it is because Ive done it a lot in many places around the world with many species and Ive worked in the water daily for over two decades specifically for water safety and mostly always focused around sharks and studying their behavior. So, please be aware of your personal abilities a d respectful of them and choose to stay safe, dont become complacent or assume every approach will be the same. Special mahalo nui loa (thank you so much) to my love @Juansharks for filming me and also to our editor @Jaredbutler for your incredible patience, many revisions, and beautiful talents shared. Learn the information this builds on by taking my online course and reading my book which covers much more information in detail. Link on my website along with more free videos like this and links to my books. Thank you deeply/sincerely for your support and I hope everyone is busy in the best way possible this 2021 summer :) or winter down-undah If youre afraid of sharks, love them, or dont know much about them I would highly encourage you to watch @savingjawsmovie on @amazonprimevideo and @hulu and check out the soon to be released: @envoyfilm and #FinTheMovie on @discoveryplus", + "likes": 21857 + }, + { + "caption": "Disclaimer this sub-series is more than 4 parts, the 2nd part of this I will release soon and the 2nd video segment will be released on @Juansharks IG next, however this information is meant to be used for emergencies only. I want help people and sharks to coexist as safely and respectfully as possible and sometimes that means giving them their space back and exiting the water, even if youre extremely experienced working around them. I generally only start to share this information with professional shark safety diver guides once theyve already been working with sharks on a daily basis for an extended period of time, only those who have the water skill required to quickly and efficiently move themselves in the water and adapt to a rapid approach and are trained to look in all directions continuously to see an approach or issue before it becomes a serious issue. I make deterring look easier than it is because Ive done it a lot in many places around the world with many species and Ive worked in the water daily for over two decades specifically for water safety and mostly always focused around sharks and studying their behavior. So, please be respectful of them and your own abilities/knowledge/experience and stay safe, dont become complacent or assume every approach will be the same, they wont be. Read my book what you should know about sharks for a lengthy explanation. Special mahalo nui loa (thank you so much) to my love @juansharks for filming me and also to our editor @jarebutter for your incredible patience with editing and revisions, and beautiful talents shared for a cause #GratefulForYou. Learn more by staying tuned, taking my online course (Link on my website also with more free videos like this) and links my books are also on my website: OceanRamsey.Org Thank you deeply/sincerely for your support and I hope everyone is busy in the best way possible this 2021 summer :) or winter down-undah", + "likes": 30495 + }, + { + "caption": "My love @juansharks sweeping me off my fins at sunrise the other day @ #SharksCove Freediving is an important part of my life and its what I grew up doing the most, even more than surfing, and its helped me to have incredible experiences with marine life that have helped shape my understanding, appreciation, and passion for marine conservation. Filmed by @oneoceandiving safety diver: @hannahtuomistobell while also #freediving with @gopro #hero9black unedited Signature fins by @cressi1946 who will one day release a line of fins we designed years ago. Patience is key in #apnea #underwaterlove #happy #happyplace #underwatercouple #underwaterdance #couplegoals #couple #couplesharks #underwaterlife #underthesea", + "likes": 30092 + }, + { + "caption": "Thank you for helping to #SaveTheOcean and these increasingly rare incredibly important marine species. Hb0553 just passed to give sharks full protection in Hawaii Video shot at home off Oahu, Hawaii. Some of my favorite life moments that just further drive my dedication to living a life for marine conservation. Filmed by @juansharks Happy world Ocean day!! . All life is connected to the ocean so its important that we make efforts to help protect it for the sake of all species. Did you know that hundreds of millions of sharks and thousands of dolphins are killed every year as bycatch by industrial fishing fleets... Did you know that going vegetarian as much as possible is a good choice that alone would make the greatest positive impact across the span of your lifetime for the ocean, biodiversity, and the environment as a whole...Food for thought... Video of one of my favorite moments as a rough tooth dolphin plays with Grandma great white The ocean and its inhabitants are more magical than one would imagine, its just sad that so many are being killed off before we can even fully understand and appreciate the magnitude of their importance and fascinating behavior My deepest gratitude to those who make efforts large and small to support ocean conservation Please credit @juansharks & @oneoceandiving if you repost #sharkdolphin #worldoceanday #oceanramsey #greatwhitedolphin #dolphinwithshark #oceanwonders #oceanconservation #marineconservation #helpsavesharks #juansharks #oneoceandiving", + "likes": 36791 + }, + { + "caption": "We are mailing out prizes to people who do a nature cleanup tomorrow and post photos or a video & tag @oneoceanconservation & @savetheseaturtlesinternational Tag one or all of the prize brands to specify which prizes you want most. Giveaways include: -Swiss lux watches from @luminoxworld -Free spots @oneoceandiving -Clothing by @oneoceandesigns & @clarklittleclothing & @juansharks -Reusable water bottles from @hydroflask -sunscreen from @rawelementsusa -My What you should know about sharks book & my 1st childrens book -Our limited edition @savesharkschocolate dark chocolate -conservation sticker packs -Jewelery from @weartoddy -A thirty minute professional photo shoot with the extremely talented @taylorrwalstonphoto who also edited this video & participated in this Reef clean up along with the extremely amazing (& also hilarious) @poorandindanger who rescued a fish that was caught and stuck suffering on an abandoned hook and line that was wrapped around the coral. I am so happy he got to swim away alive, a life directly saved from marine debris. One of the honu ( sea turtles) had a small hook & line in his armpit area, unfortunately we couldnt cut the line any shorter. Thank you to everyone who makes efforts large and small to help reduce damaging human impacts on reefs, other marine life, & the ocean. Tag us in your efforts tomorrow and 20 winners will be selected. Please use the #WorldReefDay2021 & tag @oneoceanconservation & @savetheseaturtlesinternational & the brand of the prize from the list above on your photo or video tomorrow. #sealifesavingswim #savetheseaturtlesinternational #savethereef #coralgardeners #marinedebris #reefsafe #memorialdayweekend #coral #savetheocean Vid edit @taylorrwalston for @oneoceanconservation @savetheseaturtlesinternational Mahalo ", + "likes": 4948 + }, + { + "caption": "Boy meets girl and they swim off into the blue pectoral fin to pectoral fin trailed by fish throwing sand in their wake The shark on the left is a large dominant female unphased by this male on the right bumping (aka ramming) her gills. A sharks gills are a very sensitive part of their body and generally Ill observe an abrupt bolt or movement away when another shark bumps, brushes, or rams (the behavioral term used for side body bumping without biting) another in this area. Males will bite females around the pectoral area, sometimes on the gills, or even the dorsal when attempting to mate. He has his mouth closed so its more likely hes trying to displace her in a territorial dispute. Some species of female sharks actually have thicker skin than the males (like many female women .) I love this slow motion clip watching them together. Even the other fish behavior and their expressions are so cute. If you look close there is a 3rd tiger shark in the background. Wondering how to tell male from female? Notice the difference of the sharks on the underside closer to the tail (also known as a caudal fin) the male on the right has two extra appendages called claspers behind his pelvic fins and before the anal fin and caudal fin. Diving with @pelagicdivefuvahmulah Captured on my very durable @gopro #Hero9Black #GoPro3000 #Sharkbehavior #TigersharkIsland #Tigersharkseason #Maldives #Oahu #discoversharks #oneocean", + "likes": 15072 + } + ] + }, + { + "fullname": "Kanoa Igarashi", + "biography": "Olympian ", + "followers_count": 559376, + "follows_count": 596, + "website": "https://linktr.ee/KanoaIgarashi", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "kanoaigarashi", + "role": "influencer", + "latestMedia": [ + { + "caption": "Family first ", + "likes": 219890 + }, + { + "caption": "For everybody asking me what the Olympic Village looks like, here it is! Its got everything you need and so convenient. Everything is 24 hours ", + "likes": 129239 + }, + { + "caption": "Happy SNS 2024WSL2 ", + "likes": 195529 + }, + { + "caption": "What a journey! I cant stop smiling from the positive messages and love from everybody. Finally sinking in. Although surfing is an individual sport and Im the one holding the medal, its team work. I wish everyone in my corner could come up on the podium with me and have a piece of the medal. There are so many people around me that work countless hours and dedicate so much for me. You all know who you are, this is ours. To my family and friends, we did it! Words will never describe what this means to me and how proud I am to be able to show this medal and celebrate it. To my fellow competitors also, we did it! . Who would have thought we would be in the Olympics fighting for medals, Im so proud to be a surfer and I think we represented our sport well this week. Mission accomplished. love", + "likes": 137732 + }, + { + "caption": "One of the most special heats of my career so far. Needing a 9 in the last 8 minutes of the heat against the best surfer in the world to guarantee a medal, the pressure was really weighing on me but I knew it was a big moment for me. Im so thankful the wave came thank you for always pushing our sport @gabrielmedina . ", + "likes": 191478 + }, + { + "caption": "", + "likes": 197454 + }, + { + "caption": "It all starts tomorrow . ", + "likes": 121483 + }, + { + "caption": "Off to the opening ceremony. ", + "likes": 60320 + }, + { + "caption": "Such a special feeling to be here in Tokyo preparing for the Olympics. What better way to unite the world than through sport? In a time where we need it more than ever, I think we can spread a positive message and lift each other up. I cant wait to represent my sport and country. Here we go ", + "likes": 60963 + }, + { + "caption": "Good to be back in Japan and getting ready for a very big week . Olympics szn.", + "likes": 43981 + }, + { + "caption": "So excited for the next few weeks. Time to head to Tokyo @galhardo18", + "likes": 24154 + }, + { + "caption": "I love surfing with nobody out and yesterday was one of those days starting to lock in @expensive.bs ", + "likes": 32141 + } + ] + }, + { + "fullname": "BlacktipH", + "biography": "I love to catch big fish! TXT VIP +1 737-210-5114 New YouTube videos every other Tuesday! Private trips available! Check out @blacktiphbrand", + "followers_count": 616869, + "follows_count": 626, + "website": "http://bit.ly/blacktiph-join", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "blacktiph", + "role": "influencer", + "latestMedia": [ + { + "caption": "Caught a fish with my bare hands and @loganpaul couldnt believe it! #blacktiph #fishing #barehands #dockfishing #puertorico #puertoricofishing #saltwater #fish #nature #boat @davis_bennett_", + "likes": 27406 + }, + { + "caption": "So we took @loganpaul on his first Blue Marlin trip with @caribbean_fishing_adventures. Who do you think won the battle, the ocean or Logan? #blacktiph #fishing #bluemarlin #puertorico #caribbean #marlin #loganpaul", + "likes": 33471 + }, + { + "caption": "We just launched our BlacktipH Platinum Club for our most dedicated fans! We will be uploading exclusive content to the Platinum Club that wont be see on any other platform. Also will be giving away monthly fishing trips to members, merch discounts, and much more! Click the link in our bio for more details! #blacktiph", + "likes": 5470 + }, + { + "caption": "We just hit 1 billion views on YouTube!! This is an incredible milestone for a fishing show! If you told me back in 2006, when I began uploading, that we would one day reach a billion views, I wouldn't believe you! Thank you for all the support! #blacktiph #fishingshow #youtube #milestone @blacktiphbrand", + "likes": 10259 + }, + { + "caption": "My brother @jakejorgs caught his first swordfish with @d_riley40 and @louisthornton22 #blacktiph #swordfish #swordfishing #louisiana #louisianafishing #saltwaterfishing #oceanfishing @davis_bennett_", + "likes": 26567 + }, + { + "caption": "These are some of the most insane shark moments weve filmed over the years #blacktiph #fishing #shark #sharks #sharkattack #sharkfishing #aerialphotography #drone #florida #bahamas #sharkweek", + "likes": 61894 + }, + { + "caption": "After an intense battle, @cmpulisic finally caught and released his first shark. Christians stamina is next level folks! Caught and released with @docb22 and @emadgg_ #blacktiph #fishing #shark #sharkfishing #catchandrelease #florida #offshorefishing #football #soccer @blacktiphbrand", + "likes": 28904 + }, + { + "caption": "Most fishermen dream of catching a world record-sized fish, especially a world record tarpon! We caught this massive Tarpon in Colombia with @fishcolombia and @docb22 in Baha Solano. We had no idea how big this fish truly was until we got on some WIFI at the lodge and started doing some research. After speaking with @delphfishing and Raymond Douglas from @kingsailfishmounts and using the @bonefishtarpontrust tarpon weight calculator, we estimated that our fish was around 312lbs, beating the current world record by over 25lbs! We used a goggle eye for bait. Colombia has massive tarpon and if you want to catch one over 200lbs, I highly recommend booking a trip with @fishcolombia #blacktiph #fishing #tarpon #record #worldrecord #tarponfishing #colombia #pacific #ocean #fish #monsterfish @davis_bennett_", + "likes": 80582 + }, + { + "caption": "After years of talking about it, @donaldjtrumpjr and I finally got to catch some monster Goliath Groupers together with @docb22. We caught one that was pushing 500lbs and a bunch over 300lbs! #blacktiph #fishing #goliathgrouper #grouper #florida #offshore #giant #monster #fish #goliath #nature #ocean #trump @blacktiphhunter", + "likes": 61702 + }, + { + "caption": "Found some big snook with @donaldjtrumpjr and @ryannitz! Don caught his personal best snook back to back! #blacktiph #snook #fishing #inshore #snookfishing #florida #inshorefishing @ryannitz", + "likes": 34732 + }, + { + "caption": "Opening day of red snapper fishing was incredible with @martyreddell7 and @fairhope_fishing_company! Huge thanks to @fishalabama for helping us out with this trip! There are some toads in Alabama!! #blacktiph #fishing #snapper #alabama #redsnapper #alabamafishing #bottomfishing @davis_bennett_", + "likes": 22463 + }, + { + "caption": "Happy Fathers Day to all the fathers out there! Take your kids fishing and make memories! @blacktiphbrand #blacktiph #fishing #kids #fathersday", + "likes": 19597 + } + ] + }, + { + "fullname": "Kai Lenny", + "biography": "Big Wave Surfer: the greatest rides of our lives book", + "followers_count": 898431, + "follows_count": 1874, + "website": "https://www.rizzoliusa.com/book/9780847870851", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "kai_lenny", + "role": "influencer", + "latestMedia": [ + { + "caption": "Morning hill sprints to simulate the high heart rate when paddling into a big wave. @pinarello_us : @mauimarcc", + "likes": 8606 + }, + { + "caption": "Winter cant come soon enough. So excited Im getting prepped in the middle of summer. Ill probably do this 6 more times before we actually get some waves of consequence. @cariuma thanks for being my work boots off the water", + "likes": 12072 + }, + { + "caption": "A couple clips from the training cam. Two awesome days spent in the pool working on new moves. Cant wait to bring them to the ocean with 3X the speed. Thank you @redbull : @teammpg @hurley @tagheuer @cariumasurf @gopro @ktsurfing", + "likes": 51914 + }, + { + "caption": "Just a hundred yards outside the line up at Namotu lefts in Fiji : @stugibson", + "likes": 25909 + }, + { + "caption": "The best gym in the world pic: @zaknoyle @hurley @redbull @tagheuer @cariumasurf @gopro @ouraring", + "likes": 37749 + }, + { + "caption": "I am stoked to be joining the @ouraring team! I push myself as hard as I can everyday and for years I only relied on my morning heart rate and how I felt when I woke up. Where is now, Im able to be super analytical and learn things about myself I didnt even know. It helps me figure out how hard I should push or how much recovery I need. It has been a great tool for helping me achieve my best! #ouraring Pics: @zaknoyle", + "likes": 14389 + }, + { + "caption": "The strong winds on Maui have taught me that sometimes you dont need to see where your going, you just gotta feel it : @slaterneborsky @hurley @redbull @tagheuer @cariumasurf @gopro @ktsurfing @minksystems", + "likes": 54078 + }, + { + "caption": "Mid-summer and thinking about mid-winter @mikecoots @hurley @redbull @tagheuer @gopro @cariumasurf @ktsurfing", + "likes": 38071 + }, + { + "caption": "Paradigm Found pc: @mikecoots @hurley @redbull @tagheuer @gopro @cariumasurf", + "likes": 16138 + }, + { + "caption": "Keeping things fun by Duck Diving my SUP I dont make all of them but when I do it is incredibly satisfying! Board is 74 x 24 x 4 @stugibson @hurley @redbull @tagheuer @gopro @cariumasurf", + "likes": 48178 + }, + { + "caption": "Looking forward to getting back into more of this : @pataorazzi @hurley @redbull @tagheuer @gopro @cariumasurf @ktsurfing", + "likes": 36332 + }, + { + "caption": "The best days are spent from sun up to sun down in the ocean : @mauimarcc @hurley @redbull @gopro @cariumasurf @tagheuer @ktsurfing", + "likes": 8359 + } + ] + }, + { + "fullname": "OCEANS 24/7", + "biography": "The World Beneath the Surface! ", + "followers_count": 1121159, + "follows_count": 2, + "website": "http://hazefalls.com/", + "profileCategory": 2, + "specialisation": "Local & Travel Website", + "location": "", + "username": "oceans247", + "role": "influencer", + "latestMedia": [ + { + "caption": "Which one is your favorite 1,2,3 or 4? . Relax yourself by breathing in the soothing scent of aromatherapy and watching the cascade effect from the Haze! . Get yours now while it's still 50% OFF by clicking the link in bio @hazefalls ", + "likes": 5653 + }, + { + "caption": "Warm hugs in cold water. This stunning shot captures the moment a seal takes a free ride from a beluga whale . Tag someone that needs to see this . Credit: @vizerskaya ", + "likes": 62596 + }, + { + "caption": " this humpback whale is a survivor & total badass. In 2001 she earned the name Blade Runner after she survived being cut up by a boat propeller. She earned her stripes along with triple OG status, and has the survival scars to show it", + "likes": 46229 + }, + { + "caption": "#sealions surfing giant waves @lawofthelandnsea @pacificoffshore", + "likes": 96446 + }, + { + "caption": " // There are some breath-hold dives where the experience is so mesmerizing I completely forget about the burning sensation in my lungs. This was one of those occasions. As the whale song of a distant male reverberated through my body, this devoted mother humpback basked in the warm waters off the coast of Tonga patiently waiting for her baby to grow, and building strength for the long journey back to their feeding grounds in Antarctica. I bid a silent farewell before gently floating to the surface so as not to disturb them. With @scott.portelli and @kyle.roepke in Tonga under Special Interaction Permit (Regulation 13) from the Ministry of Tonga. #whale #humpback #calf #mother #baby #tonga #underwater #freedive #wildlife #nature #naturelovers #gratitude #breathless By @paulnicklen", + "likes": 34742 + }, + { + "caption": "If a parrotfish smile doesn't put a smile on your face we don't know what will! : @bobtec", + "likes": 38104 + }, + { + "caption": "Ever seen a whirlpool before? Devils hole in British Columbia, Canada Video by Oliviaffar01 | TT #whirlpool #britishcolumbia #devilshole #canada #ocean #pacificocean #scary #sea", + "likes": 27970 + }, + { + "caption": "Whale shark, floating through space @nuttynulty w/ @silversharkadventures", + "likes": 22440 + }, + { + "caption": "Octopus hitching a ride on a bottlenose dolphin! by: @jodie_lowe88", + "likes": 28993 + }, + { + "caption": "Wait for it.... incoming! Whale watchers in the splash zone Video by @glacierbayalaska", + "likes": 38432 + }, + { + "caption": "A day in the life of a volunteer at @ogasawara_marine_centre Tag a friend who'd love this!", + "likes": 40036 + }, + { + "caption": "You make me happy His right eye, which was injured, was blind, but his wounds healed. He always make me happy Lets keep smiling Video by @dolphin808m913", + "likes": 62445 + } + ] + }, + { + "fullname": "Caeleb Dressel", + "biography": "", + "followers_count": 660270, + "follows_count": 293, + "website": "https://piecebypiecewithdressel.learnworlds.com/courses", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "caelebdressel", + "role": "influencer", + "latestMedia": [ + { + "caption": "Same but different.", + "likes": 299052 + }, + { + "caption": "Thats how you end a meet! Its been a dream of mine to be on an Olympic relay with @ryan_f_murphy. I got to have that moment with not only him but the fastest to ever do it. What a pleasure. #boystrip", + "likes": 259481 + }, + { + "caption": "Im tired. Thank you Japan for a week to remember. Thank you family and friends for the support from afar now for a break and some wine ", + "likes": 361851 + }, + { + "caption": "Now you can watch me swim from anywhere in AR! On your phone, Google search my name Tap view in 3D Tap view in your space And boom, freestyle.", + "likes": 53420 + }, + { + "caption": "A strong body deserves a strong mind. Train both your body and mind, empowering you to be what you want. Thank you for supporting my journey, both in and out of the pool. #trainbodyandmind", + "likes": 88962 + }, + { + "caption": "Boys trip.", + "likes": 124668 + }, + { + "caption": "Let the games begin ", + "likes": 162075 + }, + { + "caption": "Guys being dudes.", + "likes": 69724 + }, + { + "caption": "Hey @minions - hows my cannonball form? Im looking to make a splash at the #TokyoOlympics !", + "likes": 37937 + }, + { + "caption": "Welcome to Tokyo super easy travel day btw", + "likes": 91022 + }, + { + "caption": "What am I doing throughout the day thats going to help me get better at swimming? Im always looking for any little percentage I can gain. Having @nordictrack in my home has been a game changer. I can work out all around the world, day or night, with my @ifit trainers. #nordictrack #trainbodyandmind", + "likes": 16958 + }, + { + "caption": "So many people ask me about my tattoos. I've got Florida repped to the fullest, but it goes deeper than that.@shopmadrabbit and I had some funtalking sleeves, tattoo aftercare, mindfulness, and the importance of creativity. Check it out andlet me know what tattoo I should get next? #bebold #madrabbitpartner", + "likes": 14430 + } + ] + }, + { + "fullname": "Dive Into The Deep \ud83c\udf0a", + "biography": "Oliver Aus Greenpeace Ambassador Dive Master | Freediver Check out @kotravellers @fathomless ", + "followers_count": 1340452, + "follows_count": 507, + "website": "", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "fathomlesslife", + "role": "influencer", + "latestMedia": [ + { + "caption": "This beautiful sharks name is Zola, the name Zola is of African origin meaning piece of earth. Which is beautifully symbolic when we consider how sharks are such important pieces of earth.. Its also neat, that two of our newest squad members are sailing the Caribbean on a boat named Zola @sailingzola . . . Video by @sharkweek via @neptunic_com #neptunic #shark #sharkweek #bansharkfinning #savethesharks #sharkconservation #sharkapparel #ocean #underwater #oceanconservation #spearfishing #diving #freediving #sharksuit #underwaterphotography #neptunic_com #travel #adventure #nature #wildlife #oceanlife", + "likes": 6185 + }, + { + "caption": "Greetings with the unknown. who would like to do this? Photos by @alexkyddphoto ft. @rhysjms and @ellemayell Raja Ampat, West Papua. #freedive #jellyfish #ocean #nature #uwphotography #oceanphotography #dive #freediver #sealife #oceanlife #marinelife #wildlife #naturelover", + "likes": 5478 + }, + { + "caption": "Imagine waking up to this everyday tag someone youd take to the Maldives with you! Video by @rebecca.him #shark #sharks #ocean #sea #maldives #beach #beachlife #wildlife #nature #sealife #oceanlife #marinelife #animals #animal #naturephotography #naturelovers #naturelover", + "likes": 27266 + }, + { + "caption": "Actual footage and A Rare Sighting of a Glass Octopus Reveals its Nearly Transparent Membrane in Extraordinary Detail On a 34-day expedition around the Phoenix Islands Archipelago, marine scientists from the Schmidt Ocean Institute captured exceptionally rare footage of the elusive glass octopus. With a speckled, iridescent membrane, the aquatic animal is almost entirely transparentonly its optic nerve, eyes, and digestive tract are visible to humansand sightings like these are so infrequent that scientists previously resorted to studying the species only after pulling it from the stomachs of its predators. Source: thisiscolossal.com Video by: @schmidtocean Via @earthpix #octopus #cephalopod #blackdiving #scubadiving #diving #dive #diver #divers #scubadive #scubadiver #scubadivers #scuba #marinelife #sealife #oceanlife #ocean #sea #underwater #animals #creatures #wildlife #nature #blueplanet", + "likes": 11539 + }, + { + "caption": "If a parrotfish smile doesn't put a smile on your face I don't know what will! Photo by @bobtec #parrotfish #ocean #sea #oceanlife #sealife #marinelife #nature #wildlife #natgeowildlife #naturephotography #seas #nature_perfection #natureisawesome #natureismetal #wildlife_photography #wildplanet #wildlifeofinstagram #wildlifeperfection #wildlifeonearth #wildlife_shots #wildlife_vision #wildlifephotographer #wildlifelovers #wildlifephotography #wildlifevision #oceans", + "likes": 17864 + }, + { + "caption": "Dolphin drifting via @bbcearth These dolphins are hunting in waters only a few centimetres deep, using a technique called hydroplaning. As fish move into shallower water, the dolphins usual hunting techniques no longer work. Instead they pump their tails to gain speed and hydroplane, allowing them to catch fish even in the shallowest waters. Footage by BBC NHU @bbcearth #PlanetEarth . . . . #bbcearth #dolphins #oceans #underwaterphotography #oceanphotography #wildlife #wildlifephotography #naturephotography #amazinganimals #nature #naturelovers #earth #earthlovers", + "likes": 16777 + }, + { + "caption": " Did you know Lobsters have blue blood? By @_bugdreamer_ : Some invertebrates use a molecule called haemocyanin to carry oxygen around their bodies using copper atoms instead of iron. The colour comes from the copper atoms in the haemocyanin molecule, which is blue when it is carrying an oxygen atom. It is dissolved directly into their blood instead of being enclosed in blood cells. Location: Komodo National Park Filmed by Marcelo Johan Ogata #bugdreamer #extraterrestrial #crustacean #behaviour #komodonationalpark #wonderfulindonesia #yourshotphotographer #night #alien #black #blackwater #seacreatures #UnderwaterPhotography #underwater #buceo #plongee #tauchen #paditv #scubadiving #scuba #diving #oceanconservation #sea #biodiversity #marinebiology #reels", + "likes": 7546 + }, + { + "caption": "A humpback whale skeleton rests on the sea floor. By @jakewiltonphoto: Stumbling across an oily slick on the surface of the water with birds feeding in it we stopped to investigate. @ellemayell and I noticed a shimmering white thing on the bottom so we decided to get in the water to check. Sliding in revealed a humpback whale skeleton that had been completely devoured by sharks and other scavengers.. All the sharks had moved on by this time but it was an amazing sight to see! Western Australia has the largest population of migrating humpback whales in the world with Ningaloo Reef being one of the many places the breed and give birth. As the population increases scenes like this will become more common which is a bonus for the health of the ecosystem feeding the entire food chain from the bottom up. #whale #humpbackwhale #ningalooreef #ningaloo #australiascoralcoast #australia #australiangeographic #ocean #whalecarcass #feedingfrenzy #underwatervideo #underwaterphotography #diving #wildlife #sharks #humpbackwhales #whales #earthcapture #natgeo", + "likes": 10372 + }, + { + "caption": "Take a breather Video by @elliotgrafton #turtle #turtles #seaturtle #ocean #sea #animals #wildlife #australia", + "likes": 5701 + }, + { + "caption": "Star Shark, floating through space tag someone who would love this! Video by @nuttynulty w/ @silversharkadventures . . Disclaimer its a whale shark... no such thing as a star shark... but there should be #whaleshark #whalesharks #shark #sharks #oceanlife #sealife #marinelife #ocean #sea #animals", + "likes": 10906 + }, + { + "caption": "Have you ever gone @scubadiving with seals? Seals are like puppies of the sea. Diver Ben Burville experienced this first hand! Tag a friend who needs to see this Video by Ben Turville, via his YouTube channel: https://youtube.com/user/bburville #seal #seals #scubadiving #scubadive #scubadiver #diving #diver #natgeowildlife #nature #naturephotography #seas #nature_perfection #natureisawesome #natureismetal #sealife #wildlife_photography #wildplanet #wildlifeofinstagram #wildlifeperfection #wildlifeonearth #wildlife_shots #wildlife #wildlifephotographer #oceanlife #wildlifelovers #wildlifephotography #sea #wildlifevision #wildlife #ocean #oceans", + "likes": 26858 + }, + { + "caption": "You make me happy His right eye, which was injured, was blind, but his wounds healed. He always make me happy Lets keep smiling Video by @dolphin808m913 #porcupinefish #hawaii #hawaiilife #hawaiistagram #oahu #underwaterphotography #underthesea #ocean #oceanlife #beachlife #instagood #instalike #instagram #keepsmiling #hilife #aloha #savetheocean #freediving #daily #love #beautiful", + "likes": 34528 + } + ] + }, + { + "fullname": "Surfline", + "biography": "Know Before You Go", + "followers_count": 1939874, + "follows_count": 531, + "website": "http://linktr.ee/surfline", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "surfline", + "role": "influencer", + "latestMedia": [ + { + "caption": "Youve heard it once, youve heard it a million times: Indo has been pumping recently. Like, seriously. Heres proof from @jonathangubbins . And this dream run of swell aint over yet; hit the link in bio to check out the forecast. : @sahdisurfphotos", + "likes": 2350 + }, + { + "caption": "South of the Border and standing tall. @jackrobinson72 while filming for @Snapt4 during a recent trip to Mainland Mex. Hit the link in bio to watch the full edit. : @evo_n8", + "likes": 6802 + }, + { + "caption": "Laguna Beach's @blairconklin is most known for skimboard and soft-top shenanigans. But give him a perfect, tubing righthander -- like he recently scored in the Maldives -- and he'll pull out a thruster. Wouldn't you? : @liquefy_maldives", + "likes": 13688 + }, + { + "caption": "Today, the @wsl announced a few big shakeups to the 2022 CT and QS seasons the changes include a mid-season cut, a return to G-Land and Trestles (as a regular CT event), an as-of-yet unannounced location for the Finals, and other modifications. Hit the link in bio to read more. : @miahklein", + "likes": 12800 + }, + { + "caption": "Kicking off our new series, \"Through the Lens\", is the one and only Jeremiah Klein (@miahklein). Take a photographic journey through Klein's hometown of San Clemente, featuring captions from Dane Gudauskas (@danedamus). \"Hes a fly on the wall whether its in the lineup, on the beach, or lifestyle stuff,\" said Dane. \"He has this ability to bring out these amazing angles and truly unique perspectives with his photos. Hit the link in bio for the full feature. : @miahklein", + "likes": 14801 + }, + { + "caption": "More solid Indian Ocean swell pulsed into the Island of the Gods -- and then things got serious. #GoodToEpic from Indonesia on July 31st. : @hamishhumphreys", + "likes": 12430 + }, + { + "caption": "Two mates, one epic surf journey in a van, and countless tubes along the way. Thats the premise of Lost Track: Atlantic, the new four-part series from surfer @torrenmartyn and filmmaker @ishkaimagery. And episode three, Morocco, just dropped featuring many stylishly ridden waves like the one above from Martyn. Hit the link in bio to watch the whole thing. @needessentials", + "likes": 22368 + }, + { + "caption": "Meanwhile, Brazil continues to pump, dishing out pleasure and pain in equal measures the latter illustrated perfectly by @kalanilattanzi here. : @matheusscouto / @itacoatiarabigwave", + "likes": 23989 + }, + { + "caption": "If youre not familiar with the man, given his nickname, you probably dont follow big-wave surfing.Because @pedroscooby Vianna has been in the thick of it for many years now. In fact, it wouldnt be unfair to say hes one of the few Brazilian big-wave surfers to effectively bridge the gap between Carlos Burle and Lucas Chianca, particularly atNazar,which almost claimed his life. But that wasnt his only brush with death. Hit the link in bio to see how hes overcome tragic obstacles both in the water and on the streets. @redbullsurfing", + "likes": 22099 + }, + { + "caption": "When its kind of pumping, things kinda get blurry. Maldives, yesterday. : @henriquepinguim / @nivanasupertrips", + "likes": 14102 + }, + { + "caption": "Broke folks surf, too! And although its nearly impossible to turn a luxury trip into a regular trip, we can all turn a regular trip into a cheap trip. Click the link in bio for valuable intel on the least-expensive route to a priceless experience, delivered by lifelong surf travelers @kepaacero, @natemcnasty and @chelseatuach. Dont worry: its free.", + "likes": 19307 + }, + { + "caption": "The open road. Empty waves. Exotic, foreign cultures. For years, surfers have been lured to travel for these simple factors. But few surf trips stack up continent-crossing, decades-spanning adventures of Kevin Naughton and Craig Peterson throughout the 70s and 80s. From Central America to the South Pacific, the two were on the ultimate waveriding voyage. We wanted to explore for new waves, discover our own spots, find beaches without another surfboard in sight, said Peterson. This was the promise the seventies decade made to surfers who were willing to look beyond the world of Southern California. Hit the link in bio to read more.", + "likes": 12581 + } + ] + }, + { + "fullname": "LakeForkGuy", + "biography": "I'm LFG and I'm a #fishing freak with a camera. Travel, film creatures, come home to wife and bulldog. LATEST VID", + "followers_count": 530444, + "follows_count": 444, + "website": "https://youtu.be/jUdfBc8Depg", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "lakeforkguy", + "role": "influencer", + "latestMedia": [ + { + "caption": "When a short cast is unacceptable #fishing #toddlerlife", + "likes": 6627 + }, + { + "caption": "Playing around with our new micro klutch for crappie. Vertical fishing on light tackle its fun! #crappiefishing #tackle #lures", + "likes": 11004 + }, + { + "caption": "Picked up this e bike to put in the camper when I cant carry the meat wagon. Cant wait to sneak around at deer camp and smack some snooters with it! Quality ride from @bakcoulife", + "likes": 4705 + }, + { + "caption": "Ocean spoon girl carrying our 2nd child and a slab crappie at the same time while kayaking. I love her #crappiequeen #kayak #pregnant #married #fishing", + "likes": 20193 + }, + { + "caption": "Chubby summer shade dweller in the big slim shake worm #dock #bassfishing #summertime #shade #worms", + "likes": 9040 + }, + { + "caption": "Theres nothing quite like a good topwater bite. I just dont know what I like more, seeing it or hearing it! #topwater #fishing #smr", + "likes": 8461 + }, + { + "caption": "First fish in the silver bullet with Dad, priceless #crappie #fishing #outdoors #kids #firstfish", + "likes": 8392 + }, + { + "caption": "Great family dangle over the weekend. We all caught fish and ate like champs! #family #independence #fishinglife #summer #4thofjuly", + "likes": 13086 + }, + { + "caption": "Shes been wanting to go in daddys boat and go fishing for months so we slapped some floaties on and went live scoping with her kiddy pole. As soon as she caught her first fish, she was ready to do donuts in the boat again, lol #fishing #little #daddysgirl #gofaster", + "likes": 13143 + }, + { + "caption": "Big or small, the tug is the drug. Just doing a buddy pond dangle on some magnum gills @hecz and Matt #summer #fishing #tug #fly #googan #bluegillfishing", + "likes": 14051 + }, + { + "caption": "Sharing some OSG chocolate chip cookies with my favorite fairy princess. Cant ask for anything more on Fathers Day #fathersday #daddydaughter #cookiesofinstagram #mygirl", + "likes": 13536 + }, + { + "caption": "Happy Fathers Day to all the dads out there, including my own LFD He got me hooked on the outdoors from the get go! #fathersday #dads #outdoors #fishinglife", + "likes": 8202 + } + ] + }, + { + "fullname": "GooganSquad", + "biography": "- 2345 Nail Rd. Krum TX - Fishing is life... & YouTube - New Videos Every Week New Bundles here!!", + "followers_count": 735635, + "follows_count": 25, + "website": "https://rb.gy/fw5jwa", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "googansquad", + "role": "influencer", + "latestMedia": [ + { + "caption": "That feeling when you find a pack of baits you had forgotten in your fishing fanny pack! Who would rock the Googan fanny pack? Pick one up Googansquad.com (or link in bio) #googansquad #googanbaits #googantakeover", + "likes": 4205 + }, + { + "caption": "At least he lettuce know what theyre biting #googansquad", + "likes": 12687 + }, + { + "caption": "That face a fish makes when it sees a Bandito Bug! What is your favorite Googan bait? #googansquad #googanbaits #googantakeover", + "likes": 10623 + }, + { + "caption": "OMG its touching me! #googansquad", + "likes": 13913 + }, + { + "caption": "Buy any 10 soft baits, and get a free derby jersey! Swipe up on our story or go to googansquad.com! #tackletuesday #googansquad", + "likes": 9337 + }, + { + "caption": "@lakeforkguy sneaking in a quick sniff mid-picture #googansquad", + "likes": 4967 + }, + { + "caption": "Googans decided to help out at the boat ramp #googansquad", + "likes": 22155 + }, + { + "caption": "A Beefcake searching for a Beefcake #googansquad", + "likes": 9002 + }, + { + "caption": "Well that escalated #googansquad #fullsend", + "likes": 19519 + }, + { + "caption": "Sunday FUNday! Whos dangling today? #googansquad #googanbaits #googantakeover", + "likes": 4517 + }, + { + "caption": "Bass took the dub on this one #googansquad #fishing", + "likes": 34540 + }, + { + "caption": "Who wears the Slim Shake better? @lakeforkguy or this beauty of a bass? #GooganSquad", + "likes": 7597 + } + ] + }, + { + "fullname": "Mystery Tackle Box", + "biography": "Mystery Tackle Box is fishing simplified. Like Christmas every month! Christmas every month starts here: ", + "followers_count": 760917, + "follows_count": 1043, + "website": "https://sprout.link/mysterytacklebox", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "mysterytacklebox", + "role": "influencer", + "latestMedia": [ + { + "caption": "FIRST BASSMOBILE EVENT TONIGHT! The boys driving the new @catchcompany Bassmobile are stopping at the @gostripers game in Gwinett, GA. So of course @georgia_bassmaster is stopping by as well. Follow @catchcompany, @brickfishing, and @benoutdoorsusa to see all the awesome events with the BASSMOBILE!", + "likes": 1869 + }, + { + "caption": "I couldn't focus on the rest of Shrek", + "likes": 16901 + }, + { + "caption": "An inshore treat from some recent Saltwater boxes: The 4\" Shrimp from our friends @aaronsbaits in NEW PENNY color! They recommend rigged wacky to pop behind a cork or on a jig head for a slooow tantalizing fall and hops along the bottom. You throwing this one?", + "likes": 7260 + }, + { + "caption": "When that frickin spinnerbait you rigged up won't stop jingling in the back of the car", + "likes": 8464 + }, + { + "caption": "Rate this EPIC rod rack wall 1-10 via @phantomfishing", + "likes": 2927 + }, + { + "caption": "With outer banks returning it only felt right to clarify again", + "likes": 24327 + }, + { + "caption": "This week's #MTBKeeper winner is @adams_dayton with this 4 lb beefer! How'd everyone else do this weekend?", + "likes": 5579 + }, + { + "caption": "LIVE NOW! @Catchcompany COVERING WATER with @Nattieupnorth and @offthehookfishing! Go see some fishing and conversation with one of the most interesting characters in all of fishing! LINK IN BIO", + "likes": 4099 + }, + { + "caption": "Make sure to watch @ikeliveshow tonight! I heard they've got some special guests and doing a little giveaway...", + "likes": 3143 + }, + { + "caption": "You better mean it when you ask \"how's it goin\" for a few days", + "likes": 11181 + }, + { + "caption": "Pick 2 to throw this weekend. I'm taking 1 and 3", + "likes": 8634 + }, + { + "caption": "MTB Hat Guy finding the fish anywhere in the city. Anybody else taking their bass boat anywhere the fish might be this weekend?", + "likes": 5917 + } + ] + }, + { + "fullname": "OutofMind", + "biography": "", + "followers_count": 562931, + "follows_count": 41, + "website": "", + "profileCategory": 2, + "specialisation": "Community", + "location": "", + "username": "outofmind", + "role": "influencer", + "latestMedia": [ + { + "caption": "Puzzle piece falling into place By @sirwrender . Follow @outofmind #puzzlepiece #c4d #tilefloor #hypnotic #asmrsound #uvlight", + "likes": 26557 + }, + { + "caption": "Caption this By abear24.7 (TikTok) . Follow @outofmind #mortar #rocketlaunch #ignite #shockwave #launchpad #liftoff", + "likes": 51070 + }, + { + "caption": "Sprouting cherry tomato seeds By ngohuynhdang (TikTok) . Follow @outofmind #sprout #cultivate #soil #tomatoplant #cherrytomatoes #oddlysatisfying", + "likes": 49427 + }, + { + "caption": "Waves at the dock By @lucidstang . Follow @outofmind #rippleeffect #asmrsound #watersplash #quay #jetty #riverbank", + "likes": 28208 + }, + { + "caption": "Trampoline + snow By peopleinpain (TikTok) . Follow @outofmind #trampolinepark #snowangel #tumble #elastic #acrobat #icestorm", + "likes": 16860 + }, + { + "caption": "A new way of cooking eggs By sunnycusine (TikTok) . Follow @outofmind #sunnysideup #eggyolk #eggsbenedict #breakfastfood #eggroll #eggwhites", + "likes": 23445 + }, + { + "caption": "Mammatus clouds By @beautyandruin . Follow @outofmind #phenomenon #rainclouds #rainstorm #cloudforest #oddlysatisfying #stormclouds", + "likes": 28661 + }, + { + "caption": "Elephant rock By @h0rdur . Follow @outofmind #rockformation #erode #molten #bedrock #weathering #volcanic", + "likes": 34215 + }, + { + "caption": "Marine Iguana By @kenzokiren . Follow @outofmind #marinebiology #herbivore #galapagosislands #algae #serpent #prehistoric", + "likes": 25206 + }, + { + "caption": "Caterpillar creates a hut to hide from predators while eating via ratterstinkle (Reddit) . Follow @outofmind #ecosystem #hut #shelterinplace #larva #zoology #biologist", + "likes": 28662 + }, + { + "caption": "Stroll on the beach By @ghost3dee . Follow @outofmind #seacreature #3drender #invertebrates #aquatic #creaturedesign #3danimation", + "likes": 56235 + }, + { + "caption": "Tree falling into lake By Barleypops (TikTok) . Follow @outofmind #lumberjack #lumber #logger #chainsaw #firewood #fell", + "likes": 46689 + } + ] + }, + { + "fullname": "Scuba Jake", + "biography": "My name is Jake. I'm a Scuba Diver, Treasure Hunter and YouTuber w/ 12,000,000 + Subscribers! Email: dallmyd@nightmedia.co", + "followers_count": 430498, + "follows_count": 182, + "website": "https://t.co/gsaJRtxXKB?amp=1", + "profileCategory": 3, + "specialisation": "Public Figure", + "location": "", + "username": "dallmyd", + "role": "influencer", + "latestMedia": [ + { + "caption": "5 years ago today I went scuba diving for the first time!! How my life has changed ", + "likes": 21356 + }, + { + "caption": "I dont say it enough, but this is my beautiful girlfriend/ partner in crime ", + "likes": 30120 + }, + { + "caption": "We reached 1.5 billion views on @youtube today!! This is wild. Thank you! ", + "likes": 9380 + }, + { + "caption": "I want to congratulate @yappy_twan and @kenseyyaptengco on getting married!! We woke up, shot some guns and had a beautiful day watching yall get married. Im very proud of yall and look forward to more crazy adventures! Love yall!! ps, whos going to tell @brandonmjordan that hes holding a leaf blower lol", + "likes": 13750 + }, + { + "caption": "Treasure is so spoiled!! ", + "likes": 24885 + }, + { + "caption": "I want to wish my beautiful girlfriend @kyndall__johnson a happy 22nd birthday! Im very thankful of all the adventures and memories we have shared over the years. Youre an amazing person and an even better travel partner! Heres to many more adventures!! Also, happy 4 year anniversary!!! Love you! ", + "likes": 26057 + }, + { + "caption": "Treasure is my baby no matter how big she gets Happy Birthday! (4 years old)", + "likes": 20846 + }, + { + "caption": "After I broke my shoulder I took physical therapy very serious and it opened my eyes to how important daily training is. Im not exactly where I want to be, but Im working hard to reach that goal everyday! Your day one can start now and I believe in you! ", + "likes": 15528 + }, + { + "caption": "Happy Mothers Day to my beautiful mom @scuba_mom! Youre my best friend, proud to have you apart of my team and most of all youre the best mom I could ask for. Heres to many more adventures we will share together! I love you!", + "likes": 8934 + }, + { + "caption": "We just hit 12 million subscribers on YouTube!! Thank you! https://www.youtube.com/user/DALLMYD", + "likes": 19054 + }, + { + "caption": "Surfing in Destin, Florida for the first time with my brother! Just like old times in Huntington Beach @thomas_gotham ", + "likes": 9878 + }, + { + "caption": "I went spearfishing at a spot called The Tongue of the Ocean in the Bahamas! Check out the video to see how we got all this amazing food. Half of the food went to a local to help feed his family. ", + "likes": 8489 + } + ] + }, + { + "fullname": "Sea Shepherd", + "biography": "The only international marine conservation organization using direct action and a fleet of ships to protect, conserve and defend marine wildlife.", + "followers_count": 1050550, + "follows_count": 146, + "website": "https://www.seashepherdglobal.org/IG/", + "profileCategory": 2, + "specialisation": "Nonprofit Organization", + "location": "", + "username": "seashepherd", + "role": "influencer", + "latestMedia": [ + { + "caption": " Sea Shepherd's volunteer deckhands are essential members of our crew. They're responsible for everything from launching the small boats for an inspection and hauling in illegal fishing nets to cleaning the hull and making all kinds of repairs to make sure the ship stays in top shape. Although many of our deckhands have little or no prior experience at sea, our veteran crew carefully trains them up to ensure everything runs smoothly and safely during our campaigns. \"Beyond serving the crew and the ship, being a deckhand is getting your hands dirty to save the ocean.\" Are you up for the challenge? Learn more about how you can volunteer for Sea Shepherd's fleet through the link in our bio! #crewlife #volunteer #ShipLife #HumansAtSea #Sailor #SeaShepherd #Crew #LifeAtSea #MarineConservation #ForTheOcean #SaveTheOcean #SSCS", + "likes": 4346 + }, + { + "caption": "Just yesterday, a second #grindadrap was carried out in the Northern town of Hvannasund in the Faroe Islands, claiming 39 lives including females and juviniles, but not counting the unborn. This is the same infamous town that in a chaotic manner killed 123 whales just over a month ago, and where a gunman shot at our drone in the middle of the crowd. Sea Shepherd has campaigned against the grindadrap in the Faroe Islands since the 1980's, including several direct-action campaigns saving over a thousand whales and dolphins. We typically ask you a question, but out of respect for the individuals who lost their lives, we ask that you leave a like and a comment so the message of this atrocity can get spread as far and wide as possible. Giacomo Giorgi / Sea Shepherd #PilotWhales #Dolphins #Whales #FaroeIslands #VisitFaroeIslands #MarineConservation #SaveTheOcean #ForTheOcean #SSCS #SeaShepherd", + "likes": 20446 + }, + { + "caption": "The Baltic Sea Campaign is in full gear these days to make a difference for the overfished and polluted Baltic sea and the animals within, and particularly the endangered harbor porpoise population. This year, the campaign is particularly targeting the ghostnets and plastic debris littering the german coasts, and in so doing, have cleaned up 50 kilometers of German coastline, removing almost two tons of debris, including about 100.000 cigarette butts and over a ton of abandoned industrial fishin#germany The Baltic Sea campaign uses a vessel donated by long-time supporters at a certain soap company that we love! Do you know which company and what the name of the boat is? Katie Maehler / Sea Shepherd #balticsea #Baltic #SeaShepherd #MarineDebris #PlasticKills #FishingGear #ghostnets #Abandoned #SSCS #PlasticPollution #StemTheTide #Plastic #Germany", + "likes": 17883 + }, + { + "caption": "Ever considered crewing with the Sea Shepherd fleet, or maybe you already signed up and are on the waiting list? If so, you may have a few questions that you haven't found answers to yet - so take a look at our crewing FAQ, linked in our bio! And if you still have questions related to crewing with Sea Shepherd, do let us know in the comments and we will answer them Simon Ager / Sea Shepherd #Sailor #Crew #SeaShepherd #ShipLife #LifeAtSea #MarineConservation #HumansAtSea #ForTheOcean #SaveTheOcean #Wildlife #SSCS", + "likes": 21757 + }, + { + "caption": "Since July 1st, twelve amazing, large-scale sculptures of endangered marine animals by artist Vincent Mock have been hosted in Porto Cervo, Italy as a part of his AMO exhibition. The sculptures are each made out of one of the very things that endanger their lives - long-line hooks. Through his powerful and gracious sculptures, Vincent Mock aims to raise awareness around the importance of these species for the health of the ocean, and for the wider future of our planet and humanity. The center-piece in the collection, a 12-meter-long (39 ft) whale shark also made out of longline fish hooks is also on sale, with 100% of the profits from it's sale going to Sea Shepherd. It obviously took a ton of effort and time to build these sculptures, and especially the whale shark, but how many hooks do you think were used? We will follow the person with the closest guess within 24 hours! #WhaleShark #AMO #VincentMock #Sharks #Wildlife #Art #Sculptures #ForTheOcean #SaveTheOcean #SeaShepherd #OceanLife #Longlines #Overfishing #IUUFishing #saveoursharks #MarineConservation", + "likes": 70389 + }, + { + "caption": ":O It's finally Friday, and we REALLY need your help with captioning this! Photo generously donated by Mike Snder through the link in bio! #Pufferfish #OMG #Wow #Surprise #SeaShepherd #ForTheOcean #SaveTheOcean #Wildlife #Fish #MarineConservation", + "likes": 19693 + }, + { + "caption": "It's one of the newer vessels in the Sea Shepherd fleet, geared for coastal operations and outfitted to pick up illegal nets and other fishing gear. Do you know its name and where it's based? Erica Varaia / Sea Shepherd #SeaShepherd #ShipLife #LifeAtSea #HumansAtSea #Catamaran #SaveTheOcean #MarineConservation #ForTheOcean", + "likes": 16360 + }, + { + "caption": "The world's most famous at-sea chase through the eyes of the world's best graphic novelists! 'Operation Icefish' saw the Bob Barker and the Sam Simon chase the 'Thunder' for 110 days before it sank itself, ending the career of one of the world's most notorious illegal fishing vessels. Relive the adventure in this amazing comic, part of the fantastic @rewritingextinction project! Comic by: Captain Peter Hammarstedt, Brian Azzarello, Bernardo Brice and Danijel Zezelj #RewritingExtinction #seashepherd #StopIllegalFishing #NoMoreByCatch #comicoftheday #webcomics", + "likes": 13687 + }, + { + "caption": "Welcome to the high seas - where no matter how strong you are or how much power you wield, you will never be in charge. Nature is. Below the surface of this seemingly barren landscape is the pristine biodiversity that our crew fights to preserve, come hell or high water, so to speak. Would you have the stomach to head to sea in weather like this? Simon Ager / Sea Shepherd #Rough #HighSeas #SeaShepherd #Waves #Storm #Antarctica #SSCS #MarineConservation #ForTheOcean #SaveTheOcean", + "likes": 13263 + }, + { + "caption": "On the 17th of July, the Sea Shepherd ship Sam Simon was alerted to the distress of the Liberian-registered cargo vessel Niko Ivanka by the Commander of the Liberian Coast Guard, as the cargo vessel was taking on water off the coast of Liberia, West Africa... As of last night, the crew had recovered 11 people, and in an update within the hour of posting this, another survivor was found after 48 hours in the water. READ the full story through the link in our bio. Please put your well-wishes to the survivors and those still out there, in the comments! Graldine Morat / Sea Shepherd #Ship #HumansAtSea #shipwreck #Sinking #NikoIvanka #Accident #SOS #Liberia", + "likes": 17399 + }, + { + "caption": "CALLING ALL PHOTOGRAPHERS! The oceans are a magnificent place of natural beauty, and while Sea Shepherds photographers would love to take more time to capture the stunning seascapes and marine wildlife they encounter in the oceans around the world, they're often too busy documenting our crew's direct action campaigns and the many ways our clients are threatened. But we cant forget why were fighting! That's why we're always in need of sharp images showing marine wildlife in their natural habitats, and for shark week, what better focus to have than sharks? That's why we're calling for photo donations of sharks to our photo donations platform. Whether it's photos of a leopard shark, a great white or even a whale shark, all are welcome and will be put to great use by Sea Shepherd groups all around the planet to save exactly those species! Whether you're an amateur or a pro YOU CAN HELP the sharks by donating your shark photos today through the link in our bio. Have you taken photos of sharks in the wild, or know someone who has? Tag them in the comments and let them know! Simon Ager / Sea Shepherd #Sharks #SharkWeek #Shark #Wildlife #OceanLife #SeaShepherd #Animals #SSCS #SaveTheOcean #MarineConservation #ForTheOcean", + "likes": 15036 + }, + { + "caption": "'FIN', a bold new documentary from director @realeliroth and executive producers @leonardodicaprio and @nina Dobrev brings light to the urgent plight of sharks around the world. Featuring the work of acclaimed photographer @michaelmuller7 , the documentary is now available for streaming on @discoveryplus ! The film exposes the criminal enterprise behind the mass extinction of sharks and contains exclusive footage from Sea Shepherds campaigns battling illegal, unreported, and unregulated fishing in West Africa. Will you be watching FIN? Photo generously donated by Michael Geyer #TheFinMovie #SharkWeek #Fin #SharkFinning #Sharks #Shark #SeaShepherd #SSCS #SaveTheSharks #SaveOurSharks #SaveTheOcean #ForTheOcean #ForTheSharks #MarineConservation #Finning #StopFinningEU", + "likes": 17756 + } + ] + }, + { + "fullname": "Ryan Lochte", + "biography": "12 Olympic medalist TYR athlete https://www.pinata.ai/pinata-card-waitlist/ https://www.spireinstitute.org/2021-ambassador-camp-challenge/", + "followers_count": 847193, + "follows_count": 544, + "website": "http://www.lochdintraining.com/", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "ryanlochte", + "role": "influencer", + "latestMedia": [ + { + "caption": "After this video I ask @kaylaraereid what should my caption be and she said how amazing I am, the best mother, the best wife, I clean I do laundry take care of the kids. She went on for a good minute of listing things. She does all these things all while making me laugh!", + "likes": 24807 + }, + { + "caption": "Im still training to keep my body in tip-top shape. In addition to training, I focus on supporting muscle health with @TruNiagen What does your post-workout routine look like?? #truniagenpartner", + "likes": 7535 + }, + { + "caption": "Im coming in hot!!! Soaked @kaylaraereid #toofast #toofurious", + "likes": 11109 + }, + { + "caption": "The Olympics are finally here! The family and I will be watching every minute cheering team #USA on! Good luck to all athletes competing in this summer Olympics! Cherish every moment! #olympics #teamusa", + "likes": 57857 + }, + { + "caption": "Greatness doesnt just mean being fast in the water, quick on the court, or strong at the gym. It requires persistence in the face of adversity. @spire_institute_academy helps you find and develop that persistence. Are you ready to take the plunge? https://www.spireinstitute.org/ #fuelyourpassion #spireacademy #striveforgreatness #persistence #powertoovercome #spireinstitute #thespireway #worldclassathletes #athletictraining", + "likes": 6680 + }, + { + "caption": "I found this gem haha! Happy birthday brother @b_lochte I love you always! #birthdayboy #gettingold #hegotdared", + "likes": 7808 + }, + { + "caption": "Happy birthday to not only my brother but my best friend. Seeing the man you turned into after all these years is amazing. Makes me soo happy to see you grown up and happy because you deserve to be. I love you with all my heart buddy. Happy birthday @devonlochte", + "likes": 12908 + }, + { + "caption": "Ready to get back to my routine after a fantastic holiday weekend with my family. @rheliefpain is helping me with any post-workout aches I have so I can get right back to training and focus on the journey ahead.", + "likes": 9096 + }, + { + "caption": "Happy 30th to the best wife/mom ever! Not looking a day over 20. Love you!!", + "likes": 21611 + }, + { + "caption": "Great night with Family celebrating this amazing country ! Thx to UBank for making this possible. #4thofjuly #UBank", + "likes": 15166 + }, + { + "caption": "visit the link in my story and use prompt code RLSafe @vivint page to get your FREE DOORBELL CAMERA. Trust me it'll be one of the best decisions you've ever made. Home security is nothing to play around with #whyvivint", + "likes": 3728 + }, + { + "caption": "Nothing like a cold @blk.water on a hot summer day! #refreshing", + "likes": 7725 + }, + { + "caption": "Im not one of many words and Im not the most confident speaker especially when it comes to my emotions so excuse any errors. I am a man of heart and perseverance. I care deeply about everyone. Ill be reaching out personally to certain ppl and sponsors I am here with my story and hopes to impact our youth and have them learn from my successes and failures. Swimming means the world to me and has done so many things for my life and the people around me. I hope to continue to grow the sport. I am pumped to watch everyone compete who work so hard to represent their countries it is such a memorable experience. I will be watching and cheering you all on! Thanks again for all the love and support. Go kick some ass!! #teamusa", + "likes": 26039 + }, + { + "caption": "After a long week in Omaha, @rheliefpain has been my go-to for recovery. If you haven't tried them out yet, now's your chance. Take 30% off on Amazon using code 30SWIMRYAN at checkout.", + "likes": 17220 + }, + { + "caption": "Happy birthday to my princess! She is growing up too fast! I love you sissy @caidenandlivlochte #2 #daddysgirl #allreadyforshopping", + "likes": 30424 + }, + { + "caption": "Excited to announce my partnership with @rheliefpain as I gear up for the road to Tokyo. Dr. Riggs Rhelief is a natural pain remedy. Its a cherry-flavored drink powder thats doctor-formulated with natural ingredients. Since finding them, I havent used any other forms of pain relief for workout recovery. Needless to say, I'm ready for what's to come! #rheliefpartner #workoutrecovery", + "likes": 5700 + }, + { + "caption": "Big 4!!!! Happy birthday my son!! Daddy is soo proud of you, words cant describe how much I love you! #birthdayboy #4 #daddysboy", + "likes": 7020 + }, + { + "caption": "Less then 2 weeks until U.S. Olympic trials. Fueled up with @blk.water #usa #BLK #water #thebest #racetime", + "likes": 14720 + }, + { + "caption": "\"As we express our gratitude, we must never forget that the highest appreciation is not to utter words but to live by them.\" Not only today but every day we owe it all to those who gave the ultimate sacrifice. I cannot say thank you enough. Freedom is not free. #happymemorialday", + "likes": 7022 + }, + { + "caption": "Diving into the week!! @tyrsport", + "likes": 11260 + }, + { + "caption": "Quick trip down south for the kids! I love helping the younger generation any way I can and they inspire me so much. Back to work! Thank you to @breejalarson @procamps @ubankus @tyrsport @lochdintraining @blk.water @truniagen @rheliefpain @nbc @peacocktv for putting together an amazing clinic for the kids. Cant wait to do it again next time!", + "likes": 10229 + } + ] + }, + { + "fullname": "Oceanholic Life", + "biography": "| Stories from around the #ocean. | DM for Credit or Removal.", + "followers_count": 587961, + "follows_count": 82, + "website": "http://kalimbavariety.com/", + "profileCategory": 2, + "specialisation": "Community", + "location": "", + "username": "oceanholic_life", + "role": "influencer", + "latestMedia": [ + { + "caption": "These rugby fans just stepped their game of catch up to a whole nother level... This Beluga is seen skillfully playing fetch with an official 2019 Rugby World Cup ball, we hear he is a big Wales supporter... . . : Alon Ko Wen, on the Gemini Craft out at sea in the Arctic Pole. via @oceanstatement . . . . . . #beluga #belugawhale #rugby #ocean #whale #whales #whalesofinstagram", + "likes": 710 + }, + { + "caption": "Wondering what's the perfect gift for your loved one? Meet Kalimba from @kalimbavariety is the most unique gift of your choice! Link in our bio! Tag your 3 friends who would love this! Perfect gift for friends birthday / Christmas day Faux leather box packaging An instrument anyone can play! Kalimba from @kalimbavariety can soothe your soul and bring your mind off the world Link in bio @kalimbavariety www.kalimbavariety.com #Sponsoredpost", + "likes": 2617 + }, + { + "caption": "A little touch of cuteness for your day... Video By @onebreathdiver Tag someone that should see this! . . . . . . . . . #oceans #discoverocean #oceanautograph #oceanphotography #oceanloevrs #oceanlife #underwater #savetheocean #underwaterlife #seaworld #oceanworld #scuba #underwaterphoto #seacreatures #uwphotography #sealife #uw #deepbluesea #underwaterworld #oceanlover #underwaterphotography #scubalife #deepblue #oceanlove", + "likes": 5846 + }, + { + "caption": "A stunning rendering of a beautiful jellyfish created by @southarena . . . . . . #ocean_art #oceanminded_arts #oceanmindedarts #oceanminded_art #jellyfish #colorful #beautiful #instagood #watchthisinstagood #watchthisinstagood10k #mindblowingart #color #colour #colorful", + "likes": 19030 + }, + { + "caption": "Mermaid haircut! : @onebreathbeth . . . . . . . #diving #freedive #mermaid #snorkeling #underwater #animals #gopro #bermuda #adventurer #animalkingdom #animalsofinstagram #sandfworld #bestfreedivegear #girlsthatfreedive", + "likes": 19399 + }, + { + "caption": "Swimming with dolphins . This footage of @austinkeen taking a ride with @jojothedolphin in the Turks & Caicos is truly magnificent. Imagine being this close to such a majestic animal, and swimming with it in its natural habitat! . @austinkeen : JoJo played with us for at least 25 minutes but heres my favorite 10 second moment that we captured. Definitely one of the most incredible things Ive experienced. #oceanholiclife #sea #dolphin #underwater", + "likes": 11612 + }, + { + "caption": "Words by @j.kowitz This was one of the hardest photographs I have taken, to see a majestic animal like this have their life ended because of human devices. We were in La Ventana and had gotten word that there had been Orcas around, so with @alexsharks_ we set off in two boats to see if we could find orcas or other pelagic species. As we searched we found a FAD, (Fish Aggregation Device) commonly used by fisherman, it attracts bait fish which in turn can attract larger fish, we jumped in the water to see if any fish were around, small bait fish at the surface. We did a deeper drop to about 70ft and to our horror saw this Mobula Mobular tangled and dead in this line. We brought it to the surface, cut the line and tried swimming it to see if there was any chance of some life in it, but it was too late. We let it's lifeless body sink into the ocean... Meanwhile the other boat found a milk jug moving fast at the the surface, when they jumped in to look at it a pregnant female silky shark was attached to hook barely swimming, they were able to free it. These scenes are happening far too often, we are destroying our oceans and this must be stopped! . @j.kowitz . . . . . . . . . #mantaray #mantarays #underwaterlife #uw #oceanlife #underwater #underwaterworld #underthesea #oceans #theocean #seacreatures #seaanimals #tourtheplanet #earthcapture #oceanlove #animalplanet #discoverwildlife #wildlifelovers #wildlifeshots #deepbluesea #diving #freediving #freedive #freediver #divinglife #divingtrip #dive #sealovers", + "likes": 18483 + }, + { + "caption": "Would you like to jump into the crystal clear waters of The Bahamas? TAG your adventure buddy! Video by @robert.wall, ft diver @owenweymouthcliffdive, epic video guys! By Queen - I Want to break free . . . . . . #travelstoke #beautifuldestinations #naturelovers #hypebeast #stayandwander #agameoftones #adventureculture #neverstopexploring #ourplanetdaily #travelstagram #vzcomood #artofvisuals #moodygrams #discoverearth #visualsofearth #wildernessculture #placetovisit #livefolk #eclectic_shotz #travelblog #lensbible #artofvisuals #lifeofadventure #travelcommunity #earthpix #tourtheplanet #roamtheplanet #bahamas", + "likes": 29183 + }, + { + "caption": "What is \"WAVE\" in your language? ! . @beaujessejohnston . . . . . . . . #waves #ocean #oceans #sealovers #earthpix #fantasticearth #clearwaters #ocean #waveafterwave #awesomeearth #earthvisuals #wave #oceanvibes #ourplanetdaily #discovery #roamtheplanet #roamearth #oceantherapy #earthoutdoors #stayandwander #oceanview #planetlocations #nature #oceanlover #oceanlove #goneoutdoors #blueplanet #theocean #bluesea", + "likes": 7022 + }, + { + "caption": "This is a rare glimpse of a swimming Feather Star (Crinoid). They feed by filtering small particles of food from the seawater with their feather-like arms. Their tube feet are covered with sticky mucus that traps any food that floats past. Aren't they cool?! @divers.ph . . . . . . . . . . . #diversdotph #scubadiving #padi #paditv #livetoscuba #crinoid #featherstar #freediving #diving #ocean #adventure #underwater #snorkelling #oceanlife #saveourseas #amazing #life #oceanlove #seas #sea #sealife #animals #wildlife #wildlifephotography #nature #beautiful #marinelife #instagram #photooftheday", + "likes": 18771 + }, + { + "caption": "A shark came to say Hi - Video by @jalilnajafov . . . . . . . . #shark #sharks #ilovesharks #lovesharks #sharklove #sharklover #sharklovers #sharktank #sharkcagediving #sharktooth #sharkteeth #sharkconservation #jaws #cagediving #underwater #underwaterworld #underwaterlife #underwaterpic #underwaterpics #underwaterphoto #ocean #oceans #oceanlife #oceanview #oceanphotography #sea #sealife #seacreature #seacreatures #underwaterphotography", + "likes": 21771 + }, + { + "caption": "Power of the Sea Videos by @conorhegyi . . . . . . . . #waves #ocean #oceans #sealovers #earthpix #fantasticearth #clearwaters #ocean #waveafterwave #awesomeearth #earthvisuals #wave #oceanvibes #ourplanetdaily #discovery #roamtheplanet #roamearth #oceantherapy #earthoutdoors #stayandwander #oceanview #planetlocations #nature #oceanlover #oceanlove #goneoutdoors #blueplanet #theocean #bluesea", + "likes": 45662 + } + ] + }, + { + "fullname": "Elayna Carausu", + "biography": "Sailing the world for 6 years Videographer | Boy mama Founder of @vaga.bella.swim Join our voyage by video! ", + "followers_count": 449993, + "follows_count": 1246, + "website": "http://youtube.com/sailinglavagabonde/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "elayna.carausu", + "role": "influencer", + "latestMedia": [ + { + "caption": "Free floating in outer space. How many of you out there would love to be out diving right now? I've been craving it so much lately, but with my two babies on my arms, covid lockdowns, and a cold Adelaide winter, it's been very much out of reach. This dive we were lucky enough to go on recently (yes, very recently.. our videos have nearly caught up to real-time SOS) reminded me of how much I miss it. If you're stuck at work, or in lockdown, or whatever it may be, I'm hoping you can get to the water soon. x Our full trip to Ewens Ponds and the Kilsby Sinkhole are waiting for you on our channel, if youve missed it! Thanks again to @adamfreediver , @kim.dahlgren and @oldfolk_preloved for organising this trip and showing us such a good time underwater. #sailinglavagabonde #reels #reelsinstagram", + "likes": 3302 + }, + { + "caption": "Flashback to our 1500km outback road trip we went on, 3 weeks before I gave birth. Why not.. we're well and truly used to being together in small spaces.. aren't we @riley.whitelum hahah. And this country was just too beautiful, not to. Come and explore the Northern Territory and South Australia with us and Riley's pa if you missed this episode. Our channel awaits you. And stay tuned for more Aussie adventures coming up. With all this uncertainty with covid I wonder if we will actually make it to Vietnam when we plan to? This could completely change the videos you guys see over the next couple of months. How would you feel if we got stuck in Australia filming for a while? #sailinglavagabonde #reels #reelsinstagram", + "likes": 4899 + }, + { + "caption": "How many of you have been with us from the start? (Drop us a comment. ) This is the first time weve felt this way in 6 years, and the first time weve nearly missed a video since the last time that happened 4 years ago. We had a bunch of videos up our sleeve for this adjustment period, but it turns out we could have used about a dozen more hahaha. Welcome to real-time people!! The full chat has just gone up on the Tube, see you there. X #sailinglavagabonde", + "likes": 15082 + }, + { + "caption": "Something of a fluorescent wonderland. Just out of Mount Gambier, Ewens Ponds have an underwater visibility range of around 80 metres. The ocean is usually around 10-20 metres. This sort of crystal clear visibility is pretty rare.. and when paired with groovy electric green seagrass, it makes for a pretty decent dive. It was an ice cold venture into paradise though! With water temps sitting at 10-15 degrees celsius, complete with leeches and a harrowing 7 day respiratory cold to follow afterwards. (I got a leech on my hand hahaha I literally screamed out loud and was whacking at it furiously). But thats all part of the adventure! If you missed this one, come see what lies beneath the surface over on YT. ps has anyone else ever got a leech on them? What little alien creatures. They make me sick just thinking about them. YUCK. #sailinglavagabonde", + "likes": 5948 + }, + { + "caption": "Hahaha who remembers those play dough heads you used to be able to buy at the Fremantle markets? I want to know if they still make them!!? Or was it flour inside? And the goal was to make as many different facial expressions with it as you could. Leave me a comment if you used to have one or know what the heck Im talking about. #sailinglavagabonde", + "likes": 10217 + }, + { + "caption": "Reminder dear Patrons! Were going live in 20 mins. check our latest post on Patreon for the link and wait for us (link also in bio). See you soon x Picture snapped by @kim.dahlgren", + "likes": 9334 + }, + { + "caption": "Forever grateful In 2015, a study showed that 303,000 women around the world died from pregnancy and birth-related complications. A disproportionate number of these deaths were in developing countries. A woman in sub-Saharan Africa is 100 times more likely to die in pregnancy or childbirth than a woman from an industrialized nation. 100 times Before Darwin, I had attempted to give birth to Lenny at home via water birth, medication free. My 38 hours in labour at home have given me huge insight as to what it might be like for many many women across the world. I often wonder what might have happened to me and Lenny if we didnt have help?? Its a scary thought. Giving to causes like this through our @vaga.bella.swim charity will make me very happy.. thank you for all of your support. P.s. were going live in just under 2 hours, login via the link in my bio. #sailinglavagabonde", + "likes": 14004 + }, + { + "caption": "Somewhere in the Bahamas, Lenny was sleeping in the shade and Riley was catching us fish and climbing like a mad man for coconuts. My type of stallion. Snapped by our friends @jcbrillembourg @dadaisukey #sailinglavagabonde", + "likes": 26610 + }, + { + "caption": "This is 28. And its Leo season, so please forgive me . For some reason society (and the Australian way a lot of us have been raised), teaches us not to speak about accomplishments or anything youre proud of really.. but lifes full of hurdles and unfortunate events and its a bloody roller coaster so most likely, this isnt going to last forever. So anyway, right now Im really freaking happy.. all of my dreams have come true in my life, so far Im so proud of how hard weve worked and the life weve been able to create for ourselves and our babies.. for all the miles weve sailed, lives weve touched and ripples weve made. Making the absolute most, of all of it", + "likes": 61949 + }, + { + "caption": "Because, are you even really on an adventure if youre not in a Kombi? @kombicamping_ . Weve had some fun lately. I didnt think Id be feeling up for any kind of travel for some time after having Darwin.. but 2 weeks postpartum I went for my first run. Another week later, we went on a road trip to go and dive a sinkhole. I dont know how or why I feel this good, but I feel very lucky and Im just rolling with it ", + "likes": 10896 + }, + { + "caption": "Me and my little joey @artipoppe", + "likes": 20771 + }, + { + "caption": "Coming up this week! Get excited for some sinkhole diving and a road trip in our van Gilbert @kombicamping_ . Weve disregarded the fact that its winter here in South Australia and were diving head first into some incredible dive sites.. #sailinglavagabonde", + "likes": 11298 + } + ] + }, + { + "fullname": "Karl\u2019s Bait & Tackle", + "biography": "Discover new exciting baits in my online bait shop. Save up to 30% & free shipping w/ Karls Club. GOOGAN MICRO CRANKS ", + "followers_count": 286967, + "follows_count": 290, + "website": "http://sprout.link/karlsbaitandtackle/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "karlsbaitandtackle", + "role": "influencer", + "latestMedia": [ + { + "caption": "ExoPod x TightRope combo! Find 'em in my shop! @tightrope_fishing via @jaysinke!", + "likes": 3178 + }, + { + "caption": "I'm in my most powerful form when reeling in a big ole bucketmouth ", + "likes": 9697 + }, + { + "caption": "Was it a 10 pounder or was it a log...", + "likes": 9328 + }, + { + "caption": "Who's caught an American Shad before?", + "likes": 8978 + }, + { + "caption": "This is a VERY important question, do not rush your answer...", + "likes": 16097 + }, + { + "caption": "Who has gotten a chance to throw one of these?", + "likes": 8318 + }, + { + "caption": "@catchcompany just keep scrolling, nothing to see here ", + "likes": 9308 + }, + { + "caption": "LIVE NOW! @nattieupnorth in Covering Water! This episode we feature Roy Leyva, a Boston based angler on a mission to catch 600 species of fish. See what makes @offthehookfishing a truly unique character in the world of fishing! Who would you like to see on the next episode of this show?", + "likes": 3905 + }, + { + "caption": "Alright, this one might get controversial! What's your official ranking?", + "likes": 8276 + }, + { + "caption": "What have been your top 3 lures recently?", + "likes": 6102 + }, + { + "caption": "Gotta love the good ole Texas rig ", + "likes": 8725 + }, + { + "caption": "Drop a comment when you find it! This pic is from the latest episode of Covering Waters, which airs THIS Sunday!", + "likes": 9204 + }, + { + "caption": "And you can't say BOTH, I'm the only one who can do that ", + "likes": 15391 + }, + { + "caption": "If you're having trouble finding the fish right now, try looking out deep! What deep water tips do you got?", + "likes": 10465 + }, + { + "caption": "Agree or disagree....", + "likes": 9807 + } + ] + }, + { + "fullname": "U.S. Coast Guard", + "biography": "Welcome to the official Instagram page of the United States Coast Guard", + "followers_count": 678953, + "follows_count": 109, + "website": "http://www.uscg.mil/alwaysready", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "uscg", + "role": "influencer", + "latestMedia": [ + { + "caption": " #HappyBirthday #USCG Every day since August 4, 1790 we have worked in three basic roles #maritimesafety, #maritimeenvironmentalprotection, and #nationaldefense. For the past 231 years, we have been proud to serve in the interest of all people around the world. We strive to serve you with #Honor, #Respect and #DevotiontoDuty. #USCGBday #SemperParatus #AlwaysReady", + "likes": 11392 + }, + { + "caption": "As we close out our takeover we wish everyone the best and if you would like to continue to follow us see our link below for our Facebook page. Enjoy some shots from our commissioning, commissioning reception and our welcome home BBQ. Thank you and Semper Paratus. Dont forget to like and follow us on Facebook at https://www.Facebook.com/uscgcfrederickhatch/ @gocoastguardguam @usoguam #uscg #precommissioning #uscgguam #uscgteamguam #teamcoastguard", + "likes": 7618 + }, + { + "caption": "On June 29th we pulled into our home port for the first time. It took us 69 days from Key West to Guam. For some of our crew it was their first time in Guam for the rest it was their first time since the end of November. Families and friends were all smiles when we threw those lines over and opened the brow for all traffic. Enjoy these wonderful embraces and photos. Dont forget to like and follow us on Facebook at https://www.Facebook.com/uscgcfrederickhatch/ @gocoastguardguam @usoguam #uscg #precommissioning #uscgguam #uscgteamguam #teamcoastguard", + "likes": 5364 + }, + { + "caption": "We wouldnt have made it to Guam if we didnt have the support from some amazing temporary duty personnel. This post is dedicated to them. Dont let these pictures fool you. They worked hard and that is why some of them had to find some time to catch a nap. In order let me introduce you to: LTJG Peter Bied (CGC WAESCHE), LTJG Mike Melampy (CGC SPAR/CYPRESS), CS2 Kristina Schupp (Base LA/LB), HS2 Colton Bess (CG Yard), MKC Chris Hyde (NED Seattle), and LTJG Makenzy Karnem (D14 Command Center). If it werent for LTJG Karnem, MKC and CS2 we wouldnt have had a royal court for our line crossing. Thank you for volunteering to come with and thank you to your command for allowing it. We couldnt have made it without you. Dont forget to like and follow us on Facebook at https://www.Facebook.com/uscgcfrederickhatch/ @gocoastguardguam @usoguam #uscg #precommissioning #uscgguam #uscgteamguam #teamcoastguard", + "likes": 12966 + }, + { + "caption": "We left Hawaii on June 11th and arrived in Pohnpei on June 24th. On our way we had a quick stop at an Army Base in Kwajalein Atoll. That was our longest leg of the trip. Over 2,100 nautical miles and spanning over nine days. In between Hawaii and Kwaj we did a toxic gas drill, held some celestial navigation training, swim call, and crossed the International Date Line where we were visited by none other than DavyJones and Queen Neptune. Once we got to Kwaj our engineers did a contactless fueling evolution and we had a morale night onboard. Corn hole tournament and Hawaiian shirt contest. Leaving Kwaj we did more rubber docking before pulling into Pohnpei. Dont forget to like and follow us on Facebook at https://www.Facebook.com/uscgcfrederickhatch/ @gocoastguardguam @usoguam #uscg #precommissioning #uscgguam #uscgteamguam #gocoastguardguam", + "likes": 9211 + }, + { + "caption": "We first left LA on May 17th but had to return due to a radar casualty. Being a brand new ship we have a bow to stern full coverage warranty. Many thanks to Mr. Allen Harker and his warranty team at PRO Lockport that were able to find us the parts and tech rep needed to facilitate repairs and allow us to get back underway. After repairs we left LA on May 19th and arrived to Honolulu, Hawaii on May 27th. This was our first longest leg of the patrol. Traveled over 2,000 nautical miles over eight days. We conducted a flooding drill and an astern refuel at sea with CGC JUNIPER. When not engaged in drills or refuels the crew played some games or took some personal time to overlook the amazing view at sea. We were in Hawaii for almost two weeks for our quarterly Operationally Driven Maintenance Schedule (ODMS). While we were here our engineers, ETs and GM1 conducted maintenance on vital equipment to ensure we keep running. We also hosted D14 Commander and Command Master Chief, Rear Admiral Sibley and Master Chief Salls. Admiral Sibley was able to speak to the crew and also recognize some high performers. Dont forget to like and follow us on Facebook at https://www.Facebook.com/uscgcfrederickhatch/ @gocoastguardguam @usoguam @uscghawaiipacific #uscg #precommissioning #uscgguam #uscgteamguam #gocoastguardguam", + "likes": 4565 + }, + { + "caption": "Leaving Huatulco, Mexico on May 4th en route to Los Angeles, California. We had a quick stop in Puerto Vallarta, Mexico on May 8th and arrived to Los Angeles on May 13th. This portion of our trip was packed with a lot of training, some fish calls and we rescued a sea turtle. The morning we arrived to Los Angeles we were greeted by a giant pod of grey whales and we had our own line handler waiting for us at the pier. Dont forget to like and follow us on Facebook at https://www.Facebook.com/uscgcfrederickhatch/ @gocoastguardguam @usoguam #uscg #precommissioning #uscgguam #uscgteamguam #gocoastguardguam", + "likes": 6567 + }, + { + "caption": "Checkout this cool time lapse of our transit through the canal. After our canal transit we stayed the night in Balboa, Panama. On April 29th we casted off lines and arrived to Huatulco, Mexico on May 3rd. On our way we had some law enforcement activity, saw some dolphins, recognized some shipmates for having one year of sea time, and CS1 Moore reaching the milestone of permanent Cutterman. Dont forget to like and follow us on Facebook at https://www.Facebook.com/uscgcfrederickhatch/ @gocoastguardguam @usoguam #uscg #precommissioning #uscgguam #uscgteamguam #teamcoastguard", + "likes": 3390 + }, + { + "caption": "We left GTMO on April 25th and anchored in Colon, Panama on April 28th. Between GTMO and Panama we conducted some damage control drills. These drills allow us to sharpen our skills in the event the real thing happens. Dont forget to like and follow us on Facebook at https://www.Facebook.com/uscgcfrederickhatch/ @gocoastguardguam @usoguam #uscg #precommissioning #uscgguam #uscgteamguam #teamcoastguard", + "likes": 4474 + }, + { + "caption": "We embarked on our journey to Guam on April 21st when we took our lines in from Key West. We conducted some training along the way and had a swim call and fish call. First stop on our journey was Guantanamo Bay (GTMO). According to the CO, its the Disney World of the Caribbean. Due to COVID restrictions we couldnt leave the pier, but MWR and the Coast Guard Aviation Detachment there made it rememberable with games on the pier and delivering some McDonalds. Dont forget to like and follow us on Facebook at https://www.Facebook.com/uscgcfrederickhatch/ @gocoastguardguam @usoguam #uscg #precommissioning #uscgguam #uscgteamguam #gocoastguardguam #itdontGTMObetter", + "likes": 4894 + }, + { + "caption": "Whats better than sailing half way across the world on the best cutter in the fleet? Sailing halfway across the world on the best cutter in the fleet with your little brother. Pictured you have HATCHs own ET2 Wyatt Bess and Coast Guard Yards HS3 Colton Bess. Due to the length of our transit, it is required to have an EMT onboard. Well, HS3 answered the call and joined HATCH and his older brother on our journey back to Guam. On top of that ET2 was able to pin HS3 to HS2 as we crossed the International Date Line. What a story to tell for years to come! Dont forget to like and follow us on Facebook at https://www.Facebook.com/uscgcfrederickhatch/ @gocoastguardguam @usoguam #uscg #precommissioning #uscgguam #uscgteamguam #teamcoastguard #coastguardsiblings", + "likes": 10587 + }, + { + "caption": "A couple of days before we set sail from Key West, we had a shakedown cruise to ensure everything was in working order. We conducted some hoist training with Airstation Miami. Check out this awesome video made by our own ET2. Dont forget to like and follow us on Facebook at https://www.Facebook.com/uscgcfrederickhatch/ @gocoastguardguam @usoguam #uscg #precommissioning #uscgguam #uscgteamguam #teamcoastguard", + "likes": 2638 + } + ] + }, + { + "fullname": "Alessa Holloway", + "biography": "Professional Surfer. MAKAHA, Hawaii @billabongwomens", + "followers_count": 523655, + "follows_count": 712, + "website": "https://m.facebook.com/AlessaQuizon/", + "profileCategory": 2, + "specialisation": "Athlete", + "location": "", + "username": "alessaquizon", + "role": "influencer", + "latestMedia": [ + { + "caption": "", + "likes": 18461 + }, + { + "caption": "Pre- hydrating with my @celsiusofficial drink in the old back yard! ", + "likes": 5569 + }, + { + "caption": "A chill day spent with a random South swell providing some fun ones behind the wall @celsiusofficial ", + "likes": 12765 + }, + { + "caption": "Beach day spells @billabongwomens @haakeaulana", + "likes": 19795 + }, + { + "caption": "My loves @blessedmma", + "likes": 6457 + }, + { + "caption": "#billabongxwrangler @wrangler @billabongwomens", + "likes": 13399 + }, + { + "caption": "Being in the water all day long on a hot sunny day calls for a @celsiusofficial drink ", + "likes": 13572 + }, + { + "caption": "Bikini ready in my @billabongwomens ", + "likes": 28689 + }, + { + "caption": "Nitros first day at the beach ", + "likes": 15870 + }, + { + "caption": "Sunbathing with my girls @haakeaulana @alyssawooten while Amaarae was on blast. Wearing @billabongwomens", + "likes": 17505 + }, + { + "caption": " @billabongwomens @brentbielmann", + "likes": 13409 + }, + { + "caption": "Soaked @billabongwomens @haakeaulana", + "likes": 14249 + } + ] + }, + { + "fullname": "Scott Martin", + "biography": "Extreme Freshwater & Saltwater Fisherman. World Champion Angler, TV Host on Discovery Channel and YouTube Creator. Latest Videos #bassfishing", + "followers_count": 342061, + "follows_count": 629, + "website": "https://youtu.be/s9-ScWd80PU", + "profileCategory": 3, + "specialisation": "Video Creator", + "location": "", + "username": "scottmartinchallenge", + "role": "influencer", + "latestMedia": [ + { + "caption": "I havent seen one these in a minute..Feels good to be back in Florida on Lake Okeechobee chasing the Largemouth! . . Hey, do me a favor and help support us at @anglersforlakeo (AFLO) as we fight for the health of Lake Okeechobee and the surrounding waters. #stopthespraying #letitgrow #protectourwater #lakeokeechobee . . Tackle used - Favorite 7.4 Phantom, Googan Squad 3/8 white swimjig, Googan Baits white Kracken Craw, 50lb Pline XBRAID.", + "likes": 5452 + }, + { + "caption": "Such an awesome time in Islamorada for Mini Season!...We have enough to sharewho wants some.. #engelcoolerfull #engelcoolers #nobass @engelcoolers @freemanboatworks @yamahaoutboards @viceversafishing", + "likes": 7307 + }, + { + "caption": "ICAST 2021 is in the books! Had a great time with family and friends and it was sure awesome to see all the new products coming out soon! Our sport is really growing and the future is bright!", + "likes": 13972 + }, + { + "caption": "Watching Taku Ito win his first Bassmaster Elite Event on the St Lawrence was special. To see the emotion and joy on his face and the trembling in his words is what dreaming of holding up the Blue Elite Trophy is all about! .congrats my friend! @takumiitou4663 @bass_nation . . Awesome Job to @justinatkinsfishing and the rest of the top ten this week!", + "likes": 7275 + }, + { + "caption": "Theres a lot of agony behind this smileI worked extremely hard this week and lost the Classic Fish twice in the last 20m yesterday. I know theres a reason above my understanding for the missed opportunities the last two weeks..so I am ok with that. I am so thankful for my family and all of the support and love they give me everyday and to you the fans for all of the encouragement you send my way! Love you guys! Videos coming soon.. @bass_nation . . There is a outside chance I could still qualify for the Classic through Open spots that arent used. ", + "likes": 7245 + }, + { + "caption": "Lets GO! Final Day 1 of the 2021 season..thank you for all of the support this year! 3 hard days of practice boils down to todaydue in at 3:30. #prayhardfishhard @bass_nation", + "likes": 4750 + }, + { + "caption": "Couple of cool shots from Champlain..obviously not the final results I worked extremely hard forChaplain has been really good to me over the years so I cant wait to go back! Now the job at hand is to figure out the St. Lawrence River..Day 2 of practice starts now. #prayhardfishhard @googanbaits @favoriterodsusa @skeeter_boats @yamahaoutboards @garminfishhunt @power.pole @aftcofreshwater @plinefishing", + "likes": 6574 + }, + { + "caption": "The best part of today was having Hilary on stage with me holding up some bass. I have had some amazing days here on Champlain over the years and today was not one of them..super crazy day with tons of missed opportunities! One day to regroup and then off to St. Lawrence. @thereelhilarysue @bass_nation pc @outdoorshooter @yamahaoutboards", + "likes": 10595 + }, + { + "caption": "Lake Champlain is just simply AMAZING..Wasted some time trying to make something special happen..so now its time to just stay focused and grind out a bag tomorrow! Lets make the cut so the other half of my family can fly up to hold up some bass on Saturday/Sunday.. @bass_nation", + "likes": 12272 + }, + { + "caption": "Lets GO! Champlain is always a different beast each time we come heresuper excited about getting this day started!", + "likes": 2763 + }, + { + "caption": "So excited about this game! You got to try to beat me.. Bassmaster Fishing 2022 coming this fall! @dovetailfishing", + "likes": 4643 + }, + { + "caption": "I kinda like this place! One more day to figure out this fishery. Thank you for all of the support and I hope to meet some of you this week at the weigh-in. @yamahaoutboards @skeeter_boats @bass_nation #rutroe", + "likes": 4347 + } + ] + }, + { + "fullname": "Juan Oliphant #JuanSharks", + "biography": "Professional #ConservationPhotographer #SharkPhotographer #ForACause. Owner @OneOceanDiving Working to inspire more to #HelpSaveSharks & #SaveTheOcean", + "followers_count": 669118, + "follows_count": 2252, + "website": "http://juansharks.com/", + "profileCategory": 3, + "specialisation": "Photographer", + "location": "", + "username": "juansharks", + "role": "influencer", + "latestMedia": [ + { + "caption": "Shark Wave. Sandbar sharks have a very large dorsal fin for the size of the body which makes watching their fins cut through the water very dramatic, especially on the glassy days. So much speed that their fin creates a wave behind them. I shot these on charter with @oneoceandiving diving with @oceanramsey @clarklittle @mikecoots the only way to see a shark fin. Support the federal shark fin ban in the US #stopsharkfinsoup #stopfining #finbannow #helpsavesharks #oneocean shot on @canonusa 1dx mark 2", + "likes": 12996 + }, + { + "caption": "Sneak Peak Montage of our one ocean IGTV series. We are trying to share as much educational content for free to help people to care more about sharks and learn how to share the ocean with them safely. Most of all this information is sourced from @oceanramsey book what you should know about sharks and our 20years plus experience diving with sharks around the world. #helpsavesharks #oneoncean #ApexPredatorNotMonster #whiteshark #tigershark #galapagosshark #sharks", + "likes": 5341 + }, + { + "caption": "Who is bigger? Me with my long freediving fins @cressi1946 and my @aquatech_imagingsolutions camera housing extended out or this massive tiger shark? Filming these amazingly misunderstood animals and trying to change their perceptions as monsters into important apex predators has lead me to many places in my life. Two projects Im proud to be involved in this years sharks week are @envoyfilm and the film Fin both are a must watch @discoveryplus Show shark week producers by watching these films that you want to factual information and more shark conservation based shows. #sharkweek #sharkconservation #ApexPredatorNotMonsters #sharks #tigershark #fin #helpsavesharks #oneocean photo by my lava and beautiful wife @oceanramsey", + "likes": 8941 + }, + { + "caption": "We where lucky enough to see a single hammerhead shark today at @oneoceandiving but even just 10 years ago I could dive with 100s in the same dive site. Hammerheads like many others sharks are red listed as endangered species and need protection. Costa Rica , is home to a world heritage site for hammerheads and other shark species that need help right now. Please take a quick moment to speak up for sharks. (link in @onlyone bio @shawnheinrichs) to urge the Costa Rican President to immediately repeal his harmful executive decree and restore the Ministry of Environments authority to conserve and protect sharks. #shark #sharkweek #hammerhead #marinelife #ocean #costarica #sharkweek2021 #turningthetide #helpsavesharks amazing photo by @sametohoshi", + "likes": 15669 + }, + { + "caption": "A must watch for shark week is @envoyfilm on @discoveryplus The shark control program in Australia has been killing sharks and marine life for decades and needs to come to end. Even if you dont live in Australia raising awareness to how infective the program is and how damaging it is to the health of our ocean. Replaced the missed guided Fear with Facts. We cant sanitize the ocean and if people want to swim or play in the ocean without inherent risk than go relax in a pool, the oceans ecosystem needs sharks and its biodiversity. #rewild #savesharks #stopthesharknets #oneocean #onechance #helpsavesharks", + "likes": 5231 + }, + { + "caption": "The #OneOceanSeries continues on IGTV & Youtube, watch others, and read the book and take the only course that this info builds on @OceanRamsey or via links in her bio on her website: OceanRamsey.Org Ive been working with sharks for well over 20 years around the world and I want people to have the amazing experience and connection felt when they get to go diving with them which is part of the reason @OcenaRamsey and I co-founded @Oneoceandiving and its many divisions because we know it will inspire conservation and respect is grown through a deeper understanding from knowledge shared. It is my hope that sharing this information will help people to be safer while enjoying time with sharks but we want to give a strong disclaimer that people should not attempt to reproduce scenes from this series, this is for emergency reference and awareness only.The JAWSOME safety guides at @oneoceanDiving go through the most extensive and strenuous in-depth behavioral and applied training and if youre ever going diving purposefully with sharks please be respectful and go with an extensively experienced professional guide who works with sharks in-water full time. @OneOceanDiving in unfortunatly losing one of its most amazing lady shark scientists because her husband is going to teach at a university on the mainland (congrats,) so we are hiring people with a deep passion for shark and marine conservation.Must also already have a PADI divemaster certification or PADI freedive instructor cert, GRIT, and ideally with a marine science or related degree.Apply by emailing the @OneoceanDiving office. #NowHiring #WorkWithSharks #SharkJob #SharkDiver #SharkDiving #DiveWithSharks #LearnAboutSharks #OneOceanDiving #OneOcean #Ocean #Sharks #discoverSharks", + "likes": 7110 + }, + { + "caption": "Im so excited to see shark week supporting shark conservation #TheFinMovie is streaming on @discoveryplus starting July 13. Directed by @realeliroth and executive produced by @leonardodicaprio and @nina, this film explores the important truth behind millions of shark deaths. Im so proud of the amazing people behind this film. Please watch this film and show shark week you want more shark and ocean conservation shows #oneocean #onechance @oneoceandiving @oneoceanconservation", + "likes": 9701 + }, + { + "caption": "Disclaimer this sub-series is more than 4 parts, the 1st part of the series was released in 2 parts on @OceanRamseys IG and Part 3 will be on hers next.We want to help people and sharks to coexist as safely and respectfully as possible and sometime that means giving them their space back and exiting the water, even if youre extremely experienced working around them. We generally only start to share this information with professional shark safety diver guides once theyve already been working with sharks on a daily basis for an extended period of time, only those who have the water skill required to quickly and efficiently move themselves in the water and adapt to a rapid approach and are trained to look in all directions continuously to see an approach or issue before it becomes a serious issue. As a photographer and videographer I want to get a stable shot but I wont compromise safety to get that shot, its not worth disrespecting the sharks and risking their reputation so if I need to be stable then I have @Oceanramsey of one of the professional shark safety divers weve trained watch my back. I make deterring a large shark look easier than it is because Ive done it a lot in many places around the world with many species and Ive worked in the water daily for more than two decades specifically for water safety and mostly always focused around sharks. So, please be respectful of them and stay safe, dont become complacent or assume every approach or shark species or location will be the same, it wont. Special mahalo nui loa (thank you so much) to my love @OceanRamsey for filming me, being my safety, and demonstrating many of the techniques I talk about. Also special thank you to our amazing editor @Jarebutler for your incredible work. Learn more by taking @OceanRamseys online course, watching the rest of this free series, and check out Oceans book What you should know about sharks Link on my website JuanSharks.Com", + "likes": 8518 + }, + { + "caption": "Yesterday @oneoceandiving we were grateful to see Queen Nikki Alii Nikole #SharkIDNikki Tiger Shark is alive and she came right up to our engines and ladder. In this video @oceanramsey gently deterred her away from the engines as much as possible along with our newest safety diver @hannahtuomistobell We are very happy and grateful to be visited by tiger sharks and get especially excited when its one of the ones we recognize from our @oneoceanresearch @oneoceansharks photo identification records. There are not that many tiger sharks and the larger ones like Nikki-Nik here tend to scare a lot of other sharks down deeper when they are around. We see an increase in Tiger sharks after whale season ends and the water warms up so its just the start of our Tiger Shark season now. Great group out with us and special thank you to return guest @karaedwards for coming back out and for part of this compilations clips #savetheocean #helpsavesharks #oceanramsey #oneocean #oneoceandiving #haleiwa #sharkdiving #sharkdive #discoversharks #sharks #shark", + "likes": 41219 + }, + { + "caption": "Almost every year we get lucky enough to have a couple of these big beautiful endangered sharks grace us with an appearance @oneoceandiving #whaleshark #oneoceandiving #helpsavesharks #savetheocean", + "likes": 7630 + }, + { + "caption": "Happy World sea turtle day! @oceanramsey taking a little walk with a few hawaiian green sea turtles after a reef clean up sponsored by @savetheseaturtlesinternational By removing fishing line from coral reefs we are not only keeping the reef alive but this helps to minimize sea turtle entanglement while they are foraging for seaweed on the reef. Also @oceanramsey is wearing @oneoceanbikini which is a not for profit swim line made from recycled fishing line, all the proceeds go to @savetheseaturtlesinternational to help fund these sea life saving swims. #savethereef #rewild #savetheseaturtles #savetheseaturtlesinternational #sealifesavingswim #hawaiiangreenseaturtle #seaturtle #endangeredspecies #walkingwithturtles", + "likes": 19528 + }, + { + "caption": "Sharks (Man) are officially protected in Hawaii!!! Traditionally they always were but now, after years of pushing for further protection through the State legislation just yesterday (World Ocean Day) the governor of Hawaii signed the bill to give sharks protection from wasteful purposeful killing This measure was long overdue(you can see our efforts in @savingjawsmovie from some years prior) but now incredible sharks, like Grandma great white here and Deep Blue and all the sharks I grew up with like Alii Nikole, Roxy, and so many more will have the basic protection the deserve and need. Mahalo nui loa (thank you so much) to everyone who wrote in support of the bill being signed into law or wrote in testimony this year to help it along or any year prior, and to those who work daily to educate others about the importance, plight, and how to malama (care) for Man (sharks.) Video shot by my amazing sharky wife @oceanramsey on her @gopro with @oneoceandiving Thats a rough tooth dolphin gracefully casually cruising around us Check out @oceanramsey last post to see how playful the dolphins were with big Grandma great white #sharksanctuary #hawaiisharks #grandmagreatwhite #helpsavesharks #savetheocean #oneocean #discoversharks #sharks #shark #sharkanddolphin #freedivingwithsharks #freediving #oahu #oneoceandiving #sharkconservation #marineconservation #sharknews Vid credit: #oceanramsey", + "likes": 79911 + } + ] + }, + { + "fullname": "Vans Surf", + "biography": "Official Vans Surf Instagram", + "followers_count": 874288, + "follows_count": 293, + "website": "http://vans.com/surf", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "vanssurf", + "role": "influencer", + "latestMedia": [ + { + "caption": "Decades spent documenting surfing and forever part of the Vans family. Dave Nelsons Dual Perspective book arrives soon! Heres a peek at a few memorable captures, including @NathanFletchers Steamer Lane acid drop attempt. For more, check out @NellysMagicMoments. #dualperspectivebook", + "likes": 7878 + }, + { + "caption": "Anyone whos walked across a dark-sand beach at midday knows the struggle. How to counteract that situation with @Nathan_Florence and @IvanFlorence_. The Slip-On TRK is back in stock at vans.com/surf @Zoard", + "likes": 5911 + }, + { + "caption": "Worth the wait for this single turn alone, but you get 16-minutes with Dane and the whole surf community in @Sealtooths new @Chapter11.TV | Episode 011. Out now! Link in story. @_HunterMartinez", + "likes": 5323 + }, + { + "caption": "Ready for launch @Stab_High Episode 3 revolves around the Ladybirds. Watch @Bella_Kenworthy and friends boost Thursday at 7PM PT. @Jimmicane", + "likes": 5141 + }, + { + "caption": "Made for surfers, by surfers, with input from more surfers. The @Vans x @OctopusIsReal collection arrives soon.", + "likes": 4245 + }, + { + "caption": "When @Danedamus dedicates himself to a surf film, we know were in for a treat. This one showcases the expansive variety of his current surfing life. Any board, any wave conditions Dane finds the flow. Explore Your Mind. just landed on @Stab Premium. @_VideoHead_ / Edit @AlohaVisuals", + "likes": 9755 + }, + { + "caption": "Go fast, turn left. @Shane_Sykes_ frontside carve keeps progressing. Heres one hammer from his latest edit Iguanamo Bay playing through the link in our story. @WadeeCarroll", + "likes": 4262 + }, + { + "caption": "A big fan of the pia colada song, chop hops, and binoculars. @DylanGraves @Stab_High profile leading into Episode 3, out this Thursday. @Stab", + "likes": 3768 + }, + { + "caption": "A couple hits dropping tomorrow, including @Danedamus new film, Explore Your Mind.", + "likes": 4413 + }, + { + "caption": "Back-to-back with @HollyWawn and @WadeGoodall at an inviting little slab. @Fox_in_soks", + "likes": 5296 + }, + { + "caption": "Did Dane seriously just two-paddle into this? Plenty more mind exploding expected tomorrow, 6-9PM on Donlon St. in Ventura. Come watch the premiere of @Chapter11.TV Episode 11. @Sealtooth @MiniBlanchard", + "likes": 17213 + }, + { + "caption": "A fully international cast. @Stab gathered 24 of the best aerial surfers in the world, and sent them to Costa Rica, leaving no section safe. @Stab_High Episode 2 is live now, free for all on stabmag.com", + "likes": 3686 + } + ] + }, + { + "fullname": "Sally Fitzgibbons", + "biography": "Pro Surfer- World Surf League since 2009. Spreading the Stoke in Jersey #89 Olympian Tokyo 2021 Enquiries management@sallyfitzgibbons.com", + "followers_count": 581129, + "follows_count": 871, + "website": "https://sallyfitzgibbons.com/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "sally_fitz", + "role": "influencer", + "latestMedia": [ + { + "caption": "Sleepless nights so worth the adventures ahead Hola Mexico", + "likes": 2899 + }, + { + "caption": "Zip Zap", + "likes": 3630 + }, + { + "caption": "Love and sunshine", + "likes": 3801 + }, + { + "caption": "Keeping head above water in the travel rinse cycle navigating to Mexico for the next tour stopcant wait ", + "likes": 6533 + }, + { + "caption": "A huge thank you to my team that have supported me on the way to Tokyo and beyond it takes every bit of your energy, trust and belief to go on to achieve my goals and I really appreciate it @boostaus @breitling @almondbreezeaus @underarmourau @all.pacific @landroveraus @fcs_surf @devikaworld @axxeclassic @sharpeyesurfboards_au - I will be flying my Aussie flag with pride for the remaining Aussie Athletes still competing in this final week Letssss Gooo!! #AussiePride", + "likes": 18824 + }, + { + "caption": "Tokyo Time with my team was epic @theirukandjis @ausolympicteam ", + "likes": 6952 + }, + { + "caption": "The surf Community plugging into the #TokyoOlympics power point this week = such a joy and special experience A few moments shared with some very inspiring people A huge thank you to coaching staff of the @theirukandjis @surfingaus and support staff of @ausolympicteam for bringing that stinging energy for the entire Olympic journey. And to my amazing team and loved ones back home for cheering your absolute loudest and supporting me always ", + "likes": 15110 + }, + { + "caption": "Performing at the Olympics is one almighty challenge, it was heart filling heart breaking heart warming and I loved being All in on my opportunity. I thank my team mates @stephaniegilmore @owright @julian_wilson for allowing me in on their journey and them being right there with me on mine. It was amazing to be a part of @owright Bronze Medal winning moment as a team. Thank you to all the mighty Aussies out there for embracing my dream and sending all that love over here to me in Tokyo. I cant wait to build up the energy again to bring the sting when the next opportunity comes to represent the @theirukandjis with pride Arigato Japan for going above and beyond to host us in your beautiful country and allow us to come and ride your waves #TokyoOlympics", + "likes": 35432 + }, + { + "caption": "Suited up again today to surf for the mighty Aussie @theirukandjis And loved every minute of it booking a Quarter final spot Amazing to be supported beachside by our Aussie Olympic legend @jamestomkins65 3x #AussiePride @ausolympicteam", + "likes": 30898 + }, + { + "caption": "Day 1 stokeeee in Surfings first ever @olympics So proud to represent my Country along side my team mates @stephaniegilmore @julian_wilson @owright All through to Round3 #TokyoOlympics @ausolympicteam @theirukandjis", + "likes": 22440 + }, + { + "caption": "Beachside for final prep before Go time from tomorrow onwards @olympics !! @ausolympicteam @theirukandjis", + "likes": 16770 + }, + { + "caption": "Let the @olympics Games Beginnnn @ausolympicteam @theirukandjis Arigat Tky", + "likes": 24169 + } + ] + }, + { + "fullname": "Infinite Nine \ud83e\uddff ONLY ACCOUNT \u2728", + "biography": " locs + holistic health + spirituality 170k+ on YouTube FAMU Alumna", + "followers_count": 193092, + "follows_count": 1892, + "website": "https://linktr.ee/westindieray", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "westindieray", + "role": "influencer", + "latestMedia": [ + { + "caption": "Ive always known that I wanted to be a wife, but I never couldve imagined the joy of being your wife Over the past year and a half, weve been through so many things together. The way that youve taken care of me as a girlfriend leaves no doubt in my mind about the care that Ill receive as your wife. I am so happy and honored to have been given the opportunity to reciprocate and add to your love for the rest of our lives. Im so excited to embark on this new adventure with you. To find new ways to love you. To pursue my best on a daily basis with you. You have me for life, baby. Thank you for choosing me : @whoelsebutgiles ", + "likes": 55669 + }, + { + "caption": "Whats your favorite loc style? This is the final result of the two strand twist retwist that I did about two weeks ago! Check my YouTube channel (link in bio) for the full video! #locs #naturalhair #protectivehairstyles #protectivestyles #protectyourenergy #locdnotbound #locdmovement #locdndope #locaholics #locnation #locnationthemovement #locs_and_ankara #locstyles #locd #locdup #locstylesforwomen #locdlife #locqueen #naturallyshesdope #blondelocs #goldielocs #fauxbangs #locbangs #locswithcurlyends", + "likes": 19775 + }, + { + "caption": "He think Im a bad b*tch its nothing to think about Bar by @theoriginalke you snapped on your freestyle sis #locs #naturalhair #protectivehairstyles #protectivestyles #protectyourenergy #locdnotbound #locdmovement #locdndope #locaholics #locnation #locnationthemovement #locs_and_ankara #locstyles #locd #locdup #locstylesforwomen #locdlife #locqueen #naturallyshesdope #blondelocs #goldielocs #fauxbangs #locbangs #locswithcurlyends", + "likes": 38519 + }, + { + "caption": "shine so bright sometimes I have to wear shades my damn self #locs #naturalhair #protectivehairstyles #protectivestyles #protectyourenergy #locdnotbound #locdmovement #locdndope #locaholics #locnation #locnationthemovement #locs_and_ankara #locstyles #locd #locdup #locstylesforwomen #locdlife #locqueen #naturallyshesdope #blondelocs #goldielocs #fauxbangs #locbangs #locswithcurlyends #sunglassesfashion #shadysideup", + "likes": 15175 + }, + { + "caption": "often imitated but b*tches could nevaaaa #locs #naturalhair #protectivehairstyles #protectivestyles #protectyourenergy #locdnotbound #locdmovement #locdndope #locaholics #locnation #locnationthemovement #locs_and_ankara #locstyles #locd #locdup #locstylesforwomen #locdlife #locqueen #naturallyshesdope #blondelocs #goldielocs #fauxbangs #locbangs #locswithcurlyends #locswithbangs", + "likes": 22077 + }, + { + "caption": "Elegance is the aesthetic #locs #naturalhair #protectivehairstyles #protectivestyles #protectyourenergy #locdnotbound #locdmovement #locdndope #locaholics #locnation #locnationthemovement #locs_and_ankara #locstyles #locd #locdup #locstylesforwomen #locdlife #locqueen #naturallyshesdope #blondelocs #goldielocs #fauxbangs #locbangs #locswithcurlyends #locswithbangs", + "likes": 23147 + }, + { + "caption": "imagine finding out looking like this was an option after 24 years without locs Im sick about it #locs #naturalhair #protectivehairstyles #protectivestyles #protectyourenergy #locdnotbound #locdmovement #locdndope #locaholics #locnation #locnationthemovement #locs_and_ankara #locstyles #locd #locdup #locstylesforwomen #locdlife #locqueen #naturallyshesdope #blondelocs #goldielocs #fauxbangs #locbangs #locswithcurlyends #locswithbangs", + "likes": 19406 + }, + { + "caption": "This love It gets me up in the morning and feeds me when I have no appetite. It turns everyday tasks into quality time. It turns my weak moments into testimonies. It is a love that helps me feel proud of myself and always creates a safe space for me. It sees me through my grief and fills me up so that I have the strength to fulfill my lifes divine purpose. It is a very sleeved up and tatted love I am so grateful for this love #meandsomebodyson #blacklove #blacklovepage #blacklovecouples #blacklovematters", + "likes": 22246 + }, + { + "caption": "Time for another GIVEAWAY Follow these three simple rules to enter to win a FREE @kinapparel_ satin lined hoodie! 1. Follow @kinapparel_ and myself on IG 2. Like this post 3. Describe your favorite thing about natural hair in the comments below The giveaway ends on Sunday 6/27 at 2pm so dont miss out! #locs #naturalhair #protectivehairstyles #protectivestyles #protectyourenergy #locdnotbound #locdmovement #locdndope #locaholics #locnation #locnationthemovement #locs_and_ankara #locstyles #locd #locdup #locstylesforwomen #locdlife #locqueen #naturallyshesdope #blondelocs #goldielocs #giveaway #kinapparel #satinlinedhoodie #satinlined", + "likes": 13688 + }, + { + "caption": "walking proof that my man is confident Dress by @shoppixieglam #locs #naturalhair #protectivehairstyles #protectivestyles #protectyourenergy #locdnotbound #locdmovement #locdndope #locaholics #locnation #locnationthemovement #locs_and_ankara #locstyles #locd #locdup #locstylesforwomen #locdlife #locqueen #naturallyshesdope #blondelocs #goldielocs", + "likes": 22780 + }, + { + "caption": "Versatility is key #locs #naturalhair #protectivehairstyles #protectivestyles #protectyourenergy #locdnotbound #locdmovement #locdndope #locaholics #locnation #locnationthemovement #locs_and_ankara #locstyles #locd #locdup #locstylesforwomen #locdlife #locqueen #naturallyshesdope #blondelocs #goldielocs #fauxbangs #locbangs #locswithcurlyends #locswithbangs", + "likes": 19717 + }, + { + "caption": "a breath of fresh air #locs #naturalhair #protectivehairstyles #protectivestyles #protectyourenergy #locdnotbound #locdmovement #locdndope #locaholics #locnation #locnationthemovement #locs_and_ankara #locstyles #locd #locdup #locstylesforwomen #locdlife #locqueen #naturallyshesdope #blondelocs #goldielocs", + "likes": 9487 + } + ] + }, + { + "fullname": "Vicky Stark", + "biography": "YouTuber w/ 511,000+ Subscribers Check out my FISHING VIDEOS below ", + "followers_count": 230780, + "follows_count": 960, + "website": "https://www.youtube.com/user/VickyStark1", + "profileCategory": 2, + "specialisation": "Personal Blog", + "location": "", + "username": "vickystark", + "role": "influencer", + "latestMedia": [ + { + "caption": "Deep dropping today and caught a bunch of these black snapper for dinner #blacksnapper #snapper #bahamas #harbourisland", + "likes": 8878 + }, + { + "caption": "Hope everyone had a great lobster mini season 2021!! I didnt get to dive for the bugs this year because we are headed to the Bahamas right now but heres a #tbt from last years haul #lobster #miniseason #keywest #fishing", + "likes": 7324 + }, + { + "caption": "What an amazing vacation Its been 5 years since Ive been to Cabo and Ive fallen back in love We cannot wait to get back here for some more epic fishing adventures @reelmccoy85 #cabosanlucas #fishing #surfcasting #roosters", + "likes": 7441 + }, + { + "caption": "Got on the rooster fish again today This time we went on the boat to catch them with @exoticfishcabo Thank you so much for putting me on these amazing fish! #roosterfish #fishcabo #exoticfish #cabo #mexico", + "likes": 5996 + }, + { + "caption": "The word epic is a complete understatement Just caught this 50+ lb rooster fish while surf casting here in Mexico!! THANK YOU to @shorefishingbaja for putting us on them Ryan caught his first fish pretty early in the afternoon, I lost a 60+ lber but kept with it and finally got this big girl right before the sun set. Seeing these fish chasing mullet in the crashing waves is a once in a lifetime experience #roosterfish #surffishing #mexico #cabo #shorefishing", + "likes": 7655 + }, + { + "caption": "Awesome 1st day here in Cabo Mexico!! Fished with @pisces_sportfishing and caught our limit of yellowfin tuna and got this nice mahi #cabosanlucas #fishing #mahi #tuna", + "likes": 8270 + } + ] + }, + { + "fullname": "1Rod1ReelFishing", + "biography": "If theres water you can bet Ill try dangling my worm in it! Your Friendly Neighborhood Fisherman #Bass #Fishing #Adventure #Outdoors", + "followers_count": 328058, + "follows_count": 122, + "website": "https://youtu.be/SHuyHeK7rwA", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "1rod1reelfishing", + "role": "influencer", + "latestMedia": [ + { + "caption": "Which was the bigger fail Me talking smack then snagging a Shad or Kevin trying the handle his giant snakehead #fishing #fishinglife #fishingislife", + "likes": 5888 + }, + { + "caption": "SNAKEHEAD CHALLENGE IS LIVE!!!! Live minnows vs. artificial lures only, I think youll be surprised to see which was the victor **Full Vid Link in Bio** #snakehead #fishing #fishingislife #fishinglife #challenge", + "likes": 3459 + }, + { + "caption": "TONIGHTS BANGER COMING WITHIN THE HOUR!!! Live bait vs. artificial lures, SNAKEHEAD EDITION with my boy @k.hsieh #fishing #challenge #fishingislife", + "likes": 3061 + }, + { + "caption": "Caption this photo! #fishing #fishingfun #fishingislife #training", + "likes": 10568 + }, + { + "caption": "BRAND NEW @googansquad MICRO CRANKS!!! Sometimes bigger isnt always better Get the new micro banger, recon, and klutch from @karlsbaitandtackle #karlsbaitandtackle #googansquad #fishing #tackle", + "likes": 7900 + }, + { + "caption": "GOT A BANGER FOR YALL WITH MY SUBSCRIBER @creditbrian WHOS A BEAST ON YOUTUBE NOW MAKING $200,000 IN A SINGLE MONTH THIS YEAR CREATING CRYPTO/FINANCE VIDS! Bitcoin to the moon **Vid LINK in Bio, I caught a massive bird** #fishing #bassfishing #youtuber #fishingislife #fishinglife", + "likes": 2435 + }, + { + "caption": "THE BEST FISHING TIP YOULL HEAR ALL SUMMER!!! **FULL VID link in bio** #fishing #bassfishing #fishingislife #fishinglife #washingtondc #tidalbasin", + "likes": 7292 + }, + { + "caption": "@theprofessor think you can handle this? FULL VID of H.O.R.S.E. on @k.hsieh YouTube channel (link in his bio). LOSER had to eat the LAST DAB hot sauce #basketball #balling #epicfail #funny #hotstuff", + "likes": 6410 + }, + { + "caption": "Yoinked out the panfish & trout @mysterytacklebox for this multi species fishing challenge!!! @extremephillyfishing guess how many species me and @czarlite managed to catch **FULL VID LINK IN BIO** #mtb #mysterytacklebox #fishing #fishinglife #crappie #slab #fishingislife", + "likes": 3808 + }, + { + "caption": "INTENSE 1v1 TOPWATER ONLY BASS FISHING CHALLENGE vs. @rawrfishing Loser eats a live cicada **FULL vid link in bio** #bassfishing #fishinglife #kayakfishing #fishingislife", + "likes": 11020 + }, + { + "caption": "ALL MY NON-FISHING SHENANIGANS WILL BE POSTED ON @k.hsieh YOUTUBE CHANNEL!!! Full vid **link in bio** Basketball tomorrow, then archery, paintball, and how to pick up girls from a mall in the future #rockclimbing #fail #fullsend", + "likes": 2865 + }, + { + "caption": "Im back yall **NEW vid link in bio** #newborn #baby #summer", + "likes": 15905 + } + ] + }, + { + "fullname": "KTBTv\u2122 | Bass Fishing", + "biography": "@lews_fishing X @kickin_their_bass_tv combos Learn more:", + "followers_count": 342804, + "follows_count": 2043, + "website": "http://www.kickintheirbass.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "kickin_their_bass_tv", + "role": "influencer", + "latestMedia": [ + { + "caption": "Had a blast at the @icastshow with the boys Met a lot of great people and showcased my new KTBTv combo by @lews_fishing - #icast #fishing #bassfishing #lewsfishing #strikekinglurecompany #teamktbtv #bigbassenergy", + "likes": 6073 + }, + { + "caption": "Had a blast with 21x World Champion Arm Wrestler @monstermichaeltodd Full Video LINK IN BIO - Youtube - Kickin Their Bass Tv - #bassfishing #fishing #armwrestling #armwrestle #worldchampion #teamktbtv #bigbassenergy", + "likes": 6651 + }, + { + "caption": " - #fishing #bassfishing #florida #teamktbtv #bigbassenergy", + "likes": 5565 + }, + { + "caption": "Just kickin some bass @sirobertson - #fish #fishing #bass #bassfishing #unclesi #duckdynasty #duckcommander #teamktbtv #bigbassenergy", + "likes": 16184 + }, + { + "caption": "Finally got to put my new combo to the test Full video LINK IN BIO - Youtube - Kickin Their Bass Tv - #fishing #bassfishing #ktbtvrod #kickintheirbasstvrod #lewsfishing #pond #pondfishing #teamktbtv #bigbassenergy", + "likes": 9865 + }, + { + "caption": "This is what motivates me to keep doing what I do. Such a special moment for me. Thank you so much @rob_reelin for supporting the brand and watching the channel. I only wish you the best. Please go check out his page and follow his journey @rob_reelin - FULL VIDEO LINK IN BIO - #fishing #bassfishing #thankful #bassmasterclassic #teamktbtv #bigbassenergy", + "likes": 4825 + }, + { + "caption": "Had a blast with @sirobertson on the water We kicked some bass JACK - Youtube - Kickin Their Bass Tv - #unclesi #sirobertson #duckdynasty #fishing #bassfishing #teamktbtv #bigbassenergy", + "likes": 22152 + }, + { + "caption": "Pond hopping in a Lamborghini Dropping this week Big thanks to @reallifeofmike - #lambo #lamborghini #lamborghinihuracan #fishing #bassfishing #pondfishing #teamktbtv #bigbassenergy", + "likes": 10910 + }, + { + "caption": "So excited to announce the NEW Kickin Their Bass Tv X Lews Fishing combos Ive been waiting on this moment for 10 years. So blessed and thankful Just remember i wouldnt be in this position if it wasnt for yall SWIPE LEFT - #blessed #thankful #lews #lewsfishing #kickintheirbasstv #kickintheirbasstvrod #teamktbtv #bigbassenergy", + "likes": 18631 + }, + { + "caption": "Had a blast catching these barramundi down in Florida Full video LINK IN BIO Big thanks to @osceola_outback & @kimberleys_adventures for having us - Youtube - Kickin Their Bass Tv - #barramundi #barramundifishing #australianbarramundi #florida #floridafishing #fishing #orlando #teamktbtv #bigbassenergy", + "likes": 5933 + }, + { + "caption": "I attempted to throw the biggest topwater i own all day If you want to see some crazy blowups (LINK IN BIO) - Youtube - Kickin Their Bass Tv - #fishing #bassfishing #topwater #topwaterfishing #topwaterbassfishing #topwater #strikeking #strikekingfishing #teamktbtv #bigbassenergy", + "likes": 7266 + }, + { + "caption": "My man @alainbobfishing got on his PB spot New video with BIG STEVE is live on YouTube LINK IN BIO - Youtube - Kickin Their Bass Tv - #fishing #bassfishing #lake #lakelanier #spottedbass #springfishing #teamktbtv #bigbassenergy", + "likes": 6362 + } + ] + }, + { + "fullname": "erica lynn", + "biography": "Full-Time Fishing Enthusiast & Adventure Seeker Tampa, Fl Email for collaboration inquiries ", + "followers_count": 266396, + "follows_count": 497, + "website": "https://linktr.ee/EricaLynn2", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "erica_lynn.2", + "role": "influencer", + "latestMedia": [ + { + "caption": "EFoiled my way through Downtown Tampa today! @tylerkclark was an awesome instructor through @efoiltampa & had me cruising around like a pro in no time Hit him up if you wanna learn! Im pretty sure Im addicted now, I had so much fun #efoil #downtown #tampa", + "likes": 2268 + }, + { + "caption": "Quick pit stop after the gym #humpday", + "likes": 5595 + }, + { + "caption": "Practicing in the backyard now which bass is hungry & wants to make my day #lakelife #flyfishing #practicemakesprogress", + "likes": 13742 + }, + { + "caption": "Never gets old @southdadeskiff #summer #sunrise", + "likes": 10561 + }, + { + "caption": " Its Friday so hey why not #babe #in #blue", + "likes": 12755 + }, + { + "caption": "#tbt to this video taken about a week before Red Tide fish kills started washing ashore along St Pete.. right in this very spot. I explain whats actually going on in Tampa Bay in my latest YT video, just uploaded, go check it out & share #stpete #redtide", + "likes": 9792 + }, + { + "caption": "Lost on island time @southdadeskiff #summertime #beach #babe", + "likes": 5540 + }, + { + "caption": "No live bait needed Used some small paddletails all day & they crushed it Hanging out in the shadow lines on the low tide, made some good tug of war fights to get um out @southdadeskiff #inshore #shallow #water #fishing #locked #& #loaded", + "likes": 13120 + }, + { + "caption": "Just out here livin my best life #yolo", + "likes": 16284 + }, + { + "caption": "Scouted some new shallow spots in the skiff this morning & found a ton of super pretty reds #golden", + "likes": 5951 + }, + { + "caption": "Super stealth mode in my @southdadeskiff Catching some big fish sleepin, check my newest YT video just uploaded! #solo #skiff #adventures", + "likes": 6321 + }, + { + "caption": "Like a kid in a candy store at @icastshow today I forgot to take some pics thanks to everyone who said hey! #icast #orlando #convention #florida #fishing #gear", + "likes": 9225 + } + ] + }, + { + "fullname": "Rip Curl", + "biography": "The Ultimate Surfing Company", + "followers_count": 1019896, + "follows_count": 384, + "website": "https://linkin.bio/ripcurl_usa", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "ripcurl_usa", + "role": "influencer", + "latestMedia": [ + { + "caption": "A morning with Mick on the tools @mfanno Water temps dipping? We just restocked a ton of Flashbomb fulls, E-Bomb springs and more. Tap our bio to explore.", + "likes": 1150 + }, + { + "caption": "When #TheSearch becomes the found. ", + "likes": 3597 + }, + { + "caption": "The Irishman strikes gold in Indo @gearoidmcdaid fights the G-Land foam ball during a recent session along #TheSearch. : @timmmytoes", + "likes": 5195 + }, + { + "caption": "Our Hawaiian qualifiers were met with unexpected swell and idyllic Kewalos conditions for Stop 2 of the Rip Curl #GromSearch presented by @banzaibowls. Tap our bio now to relive the event in full and watch our four champs stamp their ticket to Churches for our National Final, this October. Where to next? The #GromSearch will be taking over the East Coast, August 14-15 at NSB, FL - register now!", + "likes": 647 + }, + { + "caption": "Wake up wondering what its like to be Mason Ho? Well, this is about as close as youll get. Tap our bio now to enter the POV of @cocom4debarrelkilla during his latest Mexican jaunt, titled Mason Surfing Mexico.", + "likes": 4976 + }, + { + "caption": "The first and only perfect 10 in @stab_highs event history... somehow we arent that surprised. Congrats @erinbrookssurf on your recent @stab_high performance! Watch it all go down now via our bio. @stab", + "likes": 5244 + }, + { + "caption": "Only 2 days left to WIN a VIP trip for you and a friend to the #RipCurlWSLFinals! Enter now via our bio, before its too late! - Watch the action from your VIP tent while mingling with the tours best as they compete for the World Title. Then, score surf lessons from our athletes before going on your @tillys shopping spree! Be sure to watch the #RipCurlWSLFinals go down September 9-17 on worldsurfleague.com", + "likes": 1528 + }, + { + "caption": "Boardwalks built different. Truly made for water and land, the Global Entries are our most versatile hybrid, whether in the lineup or mid-travel. Durable 4-way @cordurabrand stretch fabric, secure travel stow pockets and more - all in a short thats begging to jump in. Tap to explore.", + "likes": 4376 + }, + { + "caption": "Breaking the internet one post at a time 14-year-old @erinbrookssurf on yet another mind blowing Indo tube. : @ray_wilcoxen", + "likes": 7751 + }, + { + "caption": "Longer days, warmer waters, new swells and all-day sessions... Summer is here Introducing our Mens Ultimate Summer Gear Guide, packed full of our best-selling Summer products. Bags to boardshorts, hit our bio now to explore.", + "likes": 5457 + }, + { + "caption": "What happens when an unexpected east swell greets Hawaiis top groms? Hit our bio now to get the full recap of the Rip Curl #GromSearch presented by @banzaibowls second stop, the Hawaiian Qualifier. Congrats to our champions @shion_crawford, Vahiti Inzo, @rylanbeavers_ & @kainelsonmaui__ Video coming soon! ", + "likes": 3712 + }, + { + "caption": "How in the world did that hat stay on? @cocom4debarrelkilla & @sheldoggydoor take a ride down a newly discovered Indo road to come across this new stop. Watch A New Coast from Ho & Pringle productions, playing live now via our bio.", + "likes": 8161 + } + ] + }, + { + "fullname": "BoxingHype\u00ae\ufe0f", + "biography": "@boxinghypecrew @boxinghypeshop @boxinghypestore SHOP NOW ", + "followers_count": 582006, + "follows_count": 64, + "website": "http://boxinghypestore.com/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "boxinghype", + "role": "influencer", + "latestMedia": [ + { + "caption": "Since the undisputed fight with Plant fell apart, Canelo looking to fight 175 pound WBA champion @bivol_d at a catchweight", + "likes": 1440 + }, + { + "caption": "Leonard Ellerbe said Tank would Knock tf out of Thurman right now. Easy fight to be made under PBC how would Davis do at welterweight again one time?", + "likes": 4124 + }, + { + "caption": "@gypsyking101 not sure how wilder still talking", + "likes": 5691 + }, + { + "caption": "Canelo/Plant unification talks fall apart, now Canelo looking at Bivol. Naturally Benavidez vs Plant is the only fight that makes sense at PBC. GGG when asked by DAZN already said hed be ready for a trilogy fight in September as well.", + "likes": 6492 + }, + { + "caption": "@canelo x @theassassinbaby @jasonkhouse", + "likes": 17267 + }, + { + "caption": "Happy bday Canelo ", + "likes": 4970 + }, + { + "caption": "What was your score tonight? The judges missed a good fight tonight. Scores were 114-113 Castao, 117-111 Charlo. 114-114. No undisputed champion #CharloCastano", + "likes": 5121 + }, + { + "caption": "Fight ends in a draw. Most ppl saw Castano winning, but charlo took the last 3 rounds. Did charlo do enough to win? Scores were 114-113 Castao, 117-111 Charlo. 114-114. No undisputed champion", + "likes": 5482 + }, + { + "caption": "Diaz Poirier ", + "likes": 7116 + }, + { + "caption": "Canelos back in the gym. PBC trying to offer Canelo a 3 fight deal, Eddie Hearn says they just want the one fight Plant. should Canelo take the deal and face charlo and benavidez after? ", + "likes": 5716 + }, + { + "caption": "Conor recovering from surgery in LA earlier today..", + "likes": 10343 + } + ] + }, + { + "fullname": "Simone Manuel", + "biography": "~Phil 4:13~ - swimone@teamwass.com", + "followers_count": 227104, + "follows_count": 1074, + "website": "https://pwrfwd.co/swimone", + "profileCategory": 2, + "specialisation": "Athlete", + "location": "", + "username": "swimone", + "role": "influencer", + "latestMedia": [ + { + "caption": "God is not finished with me yet! Im in the midst of it, so I dont quite understand it yet, but I know that God has a purpose and plan for my life. This may not be how I would have written my story, but Im at peace knowing that God is the ultimate Author of my journey. He is always in control, and He always has much bigger plans for our lives than we can even imagine. No doubt, Ill remember this point in my career forever. Not the fact that I didnt make the Olympic final or come home with an individual medal, but the fact that I gave it my all. That I didnt give up. That I finished what I started. I faced adversity at every turn this year, and at times, I didnt know if I would make it this far or if it was even worth putting myself out there to possibly fail. I didnt reach my goals this time around, but I didnt fail. I can confidently say Im a champion! Not because of the medals Ive won but because of how Ive consistently fought for what I believe in, my perseverance, and my fiery passion to always be me! Im proud of Simone the 2X Olympian/5X Olympic medalist, but most importantly Im proud to just be ME Simone Ashley Manuel! Time to rest up and heal my mind, body, and spirit! The flame inside of me is still burning, and Im ready for whatever God has prepared for me next! ", + "likes": 57052 + }, + { + "caption": "Hung out with @americangirlbrand and got to see my dolls in person for the first time and share some fun facts. #ad", + "likes": 5482 + }, + { + "caption": "Racing for a medal for Team USA never gets old. Blessed that I was able to do it with these awesome women and Team USA! More great racing still ahead! : @gettysport", + "likes": 41646 + }, + { + "caption": "Dont let the smile fool you Its about to get ON and POPPIN! ", + "likes": 44507 + }, + { + "caption": "My wins are not just for me. Theyre for everyone who confronted injustice & broke down barriers. You paved the way. Im proud to partner with@comcast as they work to ensure that everyone is given an equal opportunity to reach their potential. https://corporate.comcast.com/olympics/team-of-tomorrow", + "likes": 14060 + }, + { + "caption": "Simone Manuel T-Shirts are now on sale! They can be ordered by clicking on the @pwrfwdshop link in my bio. Available in an assortment of colors, styles, and sizes. All proceeds will be donated to Make A Splash. Thank you in advance for your love and support. ", + "likes": 6653 + }, + { + "caption": "Thank you for the wonderful hospitality, Hawaii! Cant wait to be off to Tokyo soon! ", + "likes": 18386 + }, + { + "caption": "Getting ready for Tokyo and packing my essentials: the @BICSoleil Sensitive Advanced Razor delivers a close, smooth shave every time [], perfect for heading into a competition. Plus its water activated. #BICSoleilPartner", + "likes": 10301 + }, + { + "caption": "SWIMNE @mike2swim", + "likes": 12241 + }, + { + "caption": "I never have a second to spare, but turning to cold with @tidelaundry is easy. Washing in cold saves me up to $150 a year. #TurnToCold #TidePartner", + "likes": 4751 + }, + { + "caption": "#Ad Gold standard dermatologist, Dr. Kim Nichols & I have something in common: we EXPECT results which is why we trust SkinCeuticals vitamin C serums, backed by science and proven to give you the power of healthy skin. Unlock your power today at www.skinceuticals.com/PTB. #PowerToBecome #Gold #SkinCeuticalsPartner", + "likes": 1644 + }, + { + "caption": "With summer officially here its the perfect time to grab your TYRxSIMONE suits online or in select @dickssportinggoods stores! Available online at TYR.COM and SwimOutlet.com - : @jassieuo : @kaorinikstudios : @kaorinikstudios :@tyrsport : @tyrsport @swimoutlet @dickssportinggoods", + "likes": 5203 + } + ] + }, + { + "fullname": "Pashence", + "biography": "Lover of life and all things brunette bombshell & explorer with a passion for adventure, fitness, the ocean, & travel Florida", + "followers_count": 913767, + "follows_count": 1306, + "website": "https://linkgenie.co/Pashence_marie", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "pashence_marie", + "role": "influencer", + "latestMedia": [ + { + "caption": "and she loved herself flaws and all", + "likes": 3250 + }, + { + "caption": "Embrace your sensuality by allowing the flow of life to take its course. ", + "likes": 2158 + }, + { + "caption": "Pondering Pay #WhereToNext @waaltzhawaii", + "likes": 10748 + }, + { + "caption": "Peace, joy, and happiness will accompany me today if I do my individual part to spread it! This photo has absolutely nothing to do with my words! Just a friendly reminder to myself that we get what we put out. Our attitudes and energies are contagious which is why I choose joy, love, compassion, & happiness!!! @geaphoto @bridgetzglam", + "likes": 8022 + }, + { + "caption": "I choose morning stretches over morning stresses ", + "likes": 13695 + }, + { + "caption": "Pretty sure Im not from this world.... ", + "likes": 9614 + }, + { + "caption": "Happy Birthday America!! IU", + "likes": 5023 + }, + { + "caption": "Just loving & living life!!! Riding my rainbow & creating my real life fairytale!! I sure hope I make people feel the way I'm feeling today!!! So loved & so appreciated!! I must be doing something right to have this kinda love & so many genuine friendships in my life!!!!! Thank you, my friends!!!!! @geaphoto @bridgetzglam", + "likes": 7206 + }, + { + "caption": "Birthday Baddie Well, its actually not until tomorrow 06/26... but I am LOVVVING all the early bday wishes!! So keep em coming!! (Thank you @kari.nautique for my birthday crown... Ive definitely gotten hella good use out of it ) :@geaphoto Coat:@spirithoods :@bridgetzglam", + "likes": 3565 + }, + { + "caption": "Hi you! Do you like my hat?", + "likes": 6267 + }, + { + "caption": "Sweet Summer Days. ", + "likes": 5049 + }, + { + "caption": "Missing the ocean & the mountains but feels hella good to be back in the studio working with @geaphoto & @bridgetzglam ", + "likes": 6610 + } + ] + }, + { + "fullname": "Ocean Lovers United", + "biography": "Dedicated to protecting marine animals and environment. -", + "followers_count": 439149, + "follows_count": 516, + "website": "https://oceanloversunited.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "ocean_lovers_united", + "role": "influencer", + "latestMedia": [ + { + "caption": "Sincerely Some extremely precious moments from @pxlexplorer . . . . #humpback #humpbacks #humpbackwhale #humpbackwhales #whale #whales #underwater #underwaterphotography #scuba #scubadiving #scubalife #freediving #snorkeling #ocean #sea #earth #earthpix #earthfocus #earthofficial #ourplanetdaily #watchthisinstagood", + "likes": 3517 + }, + { + "caption": "Bioluminescence : @patrickc_la . . . . #moodygrams #vsco #discoverla #conquer_ca #nightphotography #night_shooterz #abc7eyewitness #ktla #nbc4you #earthfocus #watchthisinstagood #instagood10k #sonyalpha #bealpha #sonyalphasclub #beautifuldestinations #redtide #yourshotphotographer #bioluminescence #ocoutdoors #ocean #bio2021", + "likes": 3046 + }, + { + "caption": "From 1-10 how much would you rate this Double Dolphin Silver Ring? Get yours from our website now! Link is in our bio. 15% profit supports marine life causes.", + "likes": 2285 + }, + { + "caption": "11 year old Billie Gilbert from Hobart recently rescued a draughtboard shark that was wedged between two rocks on low tide. Legend! Good on you, Billie! : Abby Gilbert . . . . #shark #savingsharks #helpsavesharks #sharklover #sharklovers #animalrescue #oceanlover #oceanlovers #ocean_lovers_united", + "likes": 10175 + }, + { + "caption": "Have you ever seen anything like this? The soil composing Hormuz Island in #Iran is highly concentrated with Iron Oxide. This concentration leads to red coloration, which is washed up in the waves. by @elhamgholami . . . . #ocean #sea #oceanlife #sealife #oceanlover #oceanlovers #nature #instanature #watchthisinstagood #ourplanetdaily #earthpix #earthfocus #beach #beachlife #hormuz #hormuzisland", + "likes": 19501 + }, + { + "caption": "Penguin natural waterpark by @myeonghoseo on 1st of June: Female penguins swimming in the melt pond before going to the sea for fishing. They leave their male penguins which incubate eggs on the nest. Penguins pooh is green in this season. Because they don't eat anything during mating and nesting. . . . . #penguin #Penguins #antarctica #cute #animal #nature #Pinguin #penguinparade #ilovepenguin #penguinstagram #Antarctica #wild #ocean #underwater #beautifuldestinations #naturelovers #thisweekoninstagram #hellofrom #satisfying #tiktok #reels #goprophotography #drone #wonderful_places #oddlysatisfying #paradise #whitsundays #lovewhitsundays #oceanlife", + "likes": 11241 + }, + { + "caption": "A rare and beautiful capture of Migaloo, a well known brilliant white humpback whale. It was reportedly the only white albino whale in the world until an all white calf had been sighted just a few years ago. As humpbacks migrate annually to tropical waters to give birth, Migaloo and MJ (Migaloo junior) are a magical and rare encounter for avid whale watchers along Australia's East coast. Image Jenny Dean / via @discoverocean . . . . #cetacean #humpbackwhale #seaanimals #seacreature #humpback #whalewatch #madeofocean #seastheday #discoverwildlife #oceanlovers #loveocean #amazinganimals #wildgeography #oceanphotography #wildlifeplanet #lovetheocean #animalplanet #oceanlove #wildlifeaddicts #whale #whalewatching #marinelife #wildlifeplanet #sealovers #sealife #animallovers #wildlife #ocean", + "likes": 13981 + }, + { + "caption": "OMG! Video via @nautical.daily . . . . . . . . . . #antarctica #antartica #southgeorgia #southgeorgiaphotographer #natgeotravel #natgeolandscape #natgeoyourshot #natgeolandscape #natgeowild #natgeowild #natgeoadventure #adventure #adventures #adventurer #wildlife #wilderness #wildernessculture #culturetrip #tlpicks #travelwriter #travelblog", + "likes": 25526 + }, + { + "caption": "Beautiful orca cruising through the kelp forest. Behind the scenes of Disney+s Secrets Of The Whales. : @stevedeneef . . . . #orca #orcas #killerwhale #killerwhales #EmptyTheTanks #whalewatching #whalewatch #oceanview #oceanlife #oceananimals #oceanlover #oceanlovers #marinebiology #marinebio #drone #droneoftheday #dronestagram", + "likes": 12436 + }, + { + "caption": "Lunge feeding madness going on in Monterey bay Video by @slatermoorephotography - Tag a #whale lover ", + "likes": 6034 + }, + { + "caption": "The beauty of Manta Ray Video by @seefromthesky . . . . #nature #people #ocean #places #vacation #earth #marinelife #giantmantaray #animals #cleaner #maldives #malediven #earthpix #travel #create #inspire #fish #marinebiology #sharkfamily #indianocean #rasdhooisland #mantaray #sea #wildlife #dronevideo #oceanlife", + "likes": 7673 + }, + { + "caption": "The Blue Whale The largest animal to ever live on this planet! @dolphindronedom . . . . #whale #bluewhale #whalewatching #dji #drone #dronestagram #droneoftheday #ocean #oceanlife #sea #sealife #whalegram #discover_whales", + "likes": 18139 + } + ] + }, + { + "fullname": "Josh Kerr", + "biography": "Professional Surfer, Husband, Father & Entrepreneur. @balterbrewers | @wslairborne | @albumaustralia | @murf_australia", + "followers_count": 337081, + "follows_count": 718, + "website": "https://youtu.be/-ilFR_rI_ow", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "josh_kerr84", + "role": "influencer", + "latestMedia": [ + { + "caption": "Nothing like a cheesy smile and a sign to a mate on the shoulder @danscotttt", + "likes": 6947 + }, + { + "caption": "The older I get, the more excited I get that Its not just about the destination, its about loving the journey. Big thanks to @letsgomotorhomes for helping us enjoy the journey and @thredboresort for being such a epic destination!", + "likes": 4949 + }, + { + "caption": "Surf/Golf/Fine Food/Spa/Boating Im beyond excited @wisemans to become a reality! I only invest in things I believe in and will enjoy being a part of! I cant wait to create memories with my family and friends in the mesmerizing landscape of Wisemans Ferry! Learn more @wisemans", + "likes": 3961 + }, + { + "caption": "Some swells Im not fussed and just need 1 or 2 to be frothing but this last one I felt like a bit of a pig and needed a feast Put 14 hours in the water in 2 days and had some mind boggling visions! Heres a handful of filmed waves Thanks Kirra @shaggamang Riding- 510 moonstone W/Keel fins & 56 Twinsman pintail W/ powertwins @albumsurf @albumaustralia", + "likes": 35545 + }, + { + "caption": "Zipping around on the @albumaustralia Twinsman pintail @shaggamang", + "likes": 12594 + }, + { + "caption": "Slowing things down and just enjoying the glide of the 11 whale shark @albumaustralia model @shaggamang", + "likes": 2935 + }, + { + "caption": "HAPPY 21ST BIRTHDAY @colin_kerrazy Im so proud to be your Dad and have loved watching you grow from a little Grom peeing on the road side on your 1st trip to Australia to you becoming the hard working loving man you are today! Thank you for being an amazing loving older brother to @sierrakerr and great son (at times) to your mum @nikki.kerr and I. Enjoy your 1st Beer today ", + "likes": 5516 + }, + { + "caption": "Endless summer vibes even on the 1st day of winter here! Riding- 49 symphony @albumaustralia @shaggamang", + "likes": 20044 + }, + { + "caption": "Swiveling the hips at snapper yesterday Riding- 51 lightbender @albumaustralia w/ FCS powertwins @shaggamang", + "likes": 17510 + }, + { + "caption": "Riding- 66 stretched out epoxy Twinsman @albumaustralia @mister_clips", + "likes": 4106 + }, + { + "caption": "Last couple days have been a blur! If youve been trying to reach me now you know where Ive been! @andrewshield", + "likes": 14049 + }, + { + "caption": "Novelty Board + Novelty Wave + Novelty Turn = FUN @danscotttt Riding- 49 Symphony @albumaustralia @albumsurf", + "likes": 15231 + } + ] + }, + { + "fullname": "Bassmaster", + "biography": "#bassfishing knowledge and tournament coverage. #BassElite #Bassmaster @collegebass @bassmasterhighschool @goxoutside", + "followers_count": 674105, + "follows_count": 1084, + "website": "https://linktr.ee/bass_nation", + "profileCategory": 2, + "specialisation": "", + "location": "Birmingham, Alabama", + "username": "bass_nation", + "role": "influencer", + "latestMedia": [ + { + "caption": "2021 Bassmaster Angler of the Year @sethfeiderfishing joins emcee @factsoffishing on the final episode of @toyotausa Talks as the two discuss Feider's incredible season. #Bassmaster #BASSElite #ToyotaTalks", + "likes": 712 + }, + { + "caption": "In this #TackleTipTuesday video brought to you by @mercurymarine, Bassmaster Elite Series pro @scottmartinchallenge breaks down his three favorite smallmouth baits and explains why each are important. From covering the bottom, mid-depth and the actively feeding bass, Martin gives his approach. #Bassmaster #BassFishing #Fishing", + "likes": 4127 + }, + { + "caption": "Happy birthday to Elite Series pro @huntershryockfishing! #Bassmaster #BASSElite #EliteBirthdays", + "likes": 2551 + }, + { + "caption": "From bank fisherman in Japan to Bassmaster Champion in just two seasons, takumiitou4663's rise to stardom happened quickly. In the @marathonpetroleum Peak Performance for Taku Ito's first-ever Bassmaster Elite Series victory, we unbox his life up to America and how he used all of his ability to make his dream a reality by taking the title on Championship Sunday at the St. Lawrence River. #Bassmaster #BassFishing #PeakPerformance", + "likes": 2598 + }, + { + "caption": "See which setups worked best for the top anglers at the Basspro.com Bassmaster at Open at Oneida Lake! Click the link in bio for full gallery and descriptions. #Bassmaster #BassmasterOpens #OneidaLake", + "likes": 2937 + }, + { + "caption": "Banks Shaw and Gage King of Sale Creek have won the @mossyoakfishing Bassmaster High School National Championship presented by @Academy Sports + Outdoors with a three-day total of 45 pounds, 6 ounces! #Bassmaster #HighSchoolBass : @hande4au", + "likes": 5837 + }, + { + "caption": "Bill Perkins of Rochester, N.Y., has won the Basspro.com Bassmaster Open at Oneida Lake with a three-day total of 52 pounds, 3 ounces! #Bassmaster #BassmasterOpens #OneidaLake : @shanedurrance", + "likes": 3363 + }, + { + "caption": "We have two Championship Saturdays happening today! Tune in for the @mossyoakfishing Bassmaster High School National Championship presented by @academy (2:45 p.m. ET) and the Basspro.com Bassmaster Open at Oneida Lake (3:15 p.m. ET) final weigh-ins on Bassmaster.com! #Bassmaster #HighSchoolBass #BassmasterOpens : @shanedurrance @chdeck23", + "likes": 2875 + }, + { + "caption": "New York's Bill Perkins holds the top spot heading into Championship Saturday of the Basspro.com Bassmaster Northern Open at Oneida Lake with a two-day total of 35 pounds, 11 ounces! #Bassmaster #BassmasterOpens #OneidaLake : @jbrouillardphoto", + "likes": 1981 + }, + { + "caption": "Adventure awaits! Enter now for your chance to take home a Toyota 4Runner and more! Enter daily through Oct. 18 for a chance to win a 2021 Toyota 4Runner Off-Road Premium, AFTCO $500 gift card, Grizzly G60 Cooler, Eukanuba prize pack and one year of dog food, and a large Big Green EGG integrated Nest+Handler package. Click the link in bio to enter! #Bassmaster #GoxOutside #AdventureAwaits NO PURCHASE NECESSARY. Open to legal residents of the 48 contiguous U.S. / D.C., age 21+. Must have valid U.S. Drivers License. Void in AK, HI, outside 48 U.S./D.C. and where prohibited. Starts 7/30/21; Ends 10/18/21. For full Official Rules, visit www.go-outside.com/sweeps.", + "likes": 467 + }, + { + "caption": "Day 2 of the Basspro.com Bassmaster Open at Oneida Lake is underway! Follow along with the blog and #BassTrakk on Bassmaster.com! #Bassmaster #BassmasterOpens #OneidaLake : @shanedurrance", + "likes": 3162 + }, + { + "caption": "Bill Perkins leads the 2021 Basspro.com Bassmaster Open at Oneida Lake with 18 pounds, 11 ounces! #Bassmaster #BassmasterOpens #OneidaLake : @jbrouillardphoto", + "likes": 2669 + }, + { + "caption": "@bryanschmittfishing is a decorated veteran in the world of professional bass fishing but had not reached the winner's circle in two seasons on the Bassmaster Elite Series until Lake Champlain. Schmitt's Champlain dominance is known in the sport and he used it to WIN BIG in 2021 with his Elite victory. He is the @marathonpetroleum Peak Performance for the 8th stop of the 2021 Bassmaster Elite Series season. #Bassmaster #LakeChamplain #PeakPerformance", + "likes": 1080 + }, + { + "caption": "The Basspro.com Bassmaster Open at Oneida Lake is underway! Follow along with the blog and #BassTrakk on Bassmaster.com! #Bassmaster #BassmasterOpens #OneidaLake : @jbrouillardphoto", + "likes": 2248 + }, + { + "caption": "The 2021 @mossyoakfishing Bassmaster High School National Championship presented by @Academy Sports + Outdoors kicks off on Thursday at Chickamauga Lake. Follow all the action on Bassmaster.com! @fish.dayton #Bassmaster #HighSchoolBass #ChickamaugaLake : @hande4au", + "likes": 2727 + }, + { + "caption": "Nice work! Congrats to @fishingwithdom on being this week's Whataburger Your Best Bass! Tag us in your photos for a chance to win a Whataburger prize pack! To enter, follow @bass_nation and @whataburger, tag us in your photos and use the hashtag #YourBestBassContest! NO PURCHASE NECESSARY. Open to legal residents of the 50 U.S./D.C., age 18+ (19+ in AL and NE, 21+ in MS). Void where prohibited. Ends 9/20/21. For full Official Rules, https://www.bassmaster.com/current-contest-yourbestbasscontest.", + "likes": 2002 + }, + { + "caption": "In this #TackleTipTuesday video brought to you by @MercuryMarine, @johnston_cj explains why he chooses to use a smaller hook when he throws a drop shot for smallmouth. Johnston notes the smaller hook keeps big smallmouth hooked better and when they get heavily pressured during tournaments, this will get you a few more bites! #Bassmaster #BassFishing", + "likes": 3133 + }, + { + "caption": "We all have a buddy that makes it a race after takeoff : @brianeavey_photo #bassfishing #bassmaster #fishing", + "likes": 11205 + }, + { + "caption": "@dovetailfishing, developer and publisher of authentic sports simulation titles, revealed the 10 playable Elite Series pro anglers coming to Bassmaster Fishing 2022, the Official Video Game of B.A.S.S., when the game launches this fall. #Bassmaster #Bassmaster22 #BassFishing @scottmartinchallenge @hankcherryfishing @carl_jocumsen @johncrewsbassfish @canterburyfishing @stetsonblaylockfishing @takumiitou4663 @gussyoutdoors @buddygrossfishing @profishskylar", + "likes": 3964 + }, + { + "caption": "Happy birthday to Elite Series pro @destinedtofish! #Bassmaster #BASSElite #EliteBirthdays", + "likes": 2250 + }, + { + "caption": "In the @minnkotamotors Unlock the Lake at Lake Champlain, Tommy Sanders and @ronniemoorebass break down the top anglers, areas and techniques for the 8th stop of the 2021 Bassmaster Elite Series season. #Bassmaster #BassFishing #UnlocktheLake", + "likes": 1030 + } + ] + }, + { + "fullname": "Luiza \ud83c\udfa3", + "biography": "FishingDivingOutdoorsYouTuber 442K subscribers. Team @realsaltlife | TV show @captjimmynelson Newest VIDEO", + "followers_count": 324011, + "follows_count": 2048, + "website": "https://linktr.ee/FishingwithLuiza", + "profileCategory": 2, + "specialisation": "Public Figure", + "location": "", + "username": "fishingwithluiza", + "role": "influencer", + "latestMedia": [ + { + "caption": " NEW VIDEO watch full version on my YouTube channel Link in Bio! #fishingwithluiza #fishing . @captjimmynelson @buenavistaresortmx @realsaltlife @teenyb_bikinis @palomarfishing @grizzlycoolers", + "likes": 4240 + }, + { + "caption": "Pura Vida Glad to be back in Costa Rica catching African pompano, Cubera snapper & Roosterfish inshore @captjimmynelson @realsaltlife @crocodilebay @teenyb_bikinis #fishingwithluiza #africanpompano #fishing #costarica #puravida", + "likes": 7667 + }, + { + "caption": "Enjoying this beautiful weather with my veiled chameleon . @captjimmynelson @teenyb_bikinis @realsaltlife #fishingwithluiza #chameleons #veiledchameleon #reptiles #nature #florida", + "likes": 12633 + }, + { + "caption": "The Performance Package 4.0 by @manscaped is now available! Get 20% Off, Free International Shipping & 2 Free Gifts with code \"LUIZA\" at Manscaped.com #ad #manscaped #fishingwithluiza", + "likes": 5240 + }, + { + "caption": "We are gonna be eating good thats for sure @captjimmynelson @seadek @realsaltlife @grizzlycoolers @palomarfishing @plantationoncrystalriver #fishingwithluiza #cobia #kingfish #fishing #saltwaterfishing #captjimmynelson", + "likes": 4334 + }, + { + "caption": " @captjimmynelson @seadek @visitbajasur @candhlures @teenyb_bikinis @realsaltlife @buenavistaresortmx #fishingwithluiza #fishing #saltwaterfishing #humpday #captjimmynelson", + "likes": 18951 + }, + { + "caption": "Swimming with sharks ! full video on my YouTube channel. Link in bio . @captjimmynelson @hammerhead_spearguns @westendecologytours @teenyb_bikinis @realsaltlife @islandfastpass #fishingwithluiza #sharks #sharkweek #bahamas", + "likes": 3058 + }, + { + "caption": "Catching Blackfin snook here in Baja . @captjimmynelson @realsaltlife @pennfishing @teenyb_bikinis @visitbajasur @buenavistaresortmx @southbajaoutfitters @palomarfishing #fishingwithluiza #snook #fishing #saltlife", + "likes": 5511 + }, + { + "caption": "Adventuring in Baja lets go! @captjimmynelson . @grizzlycoolers @teenyb_bikinis @visitbajasur @buenavistaresortmx #fishingwithluiza #atv #razoratv #losbarriles #adventure", + "likes": 7076 + }, + { + "caption": "Catching giant roosterfish in Baja! What a fight @captjimmynelson . @felipevaldezsf @seadek @realsaltlife @grizzlycoolers @teenyb_bikinis #fishingwithluiza #roosterfish #giantfish #baja #mexicofishing #fishingcouple #powercouple #fishing", + "likes": 5464 + }, + { + "caption": "The mangroves of Magdalena Bay are full of surprises! Fun times reeling in this broomtail grouper here in Mexico @captjimmynelson @hotelvillasmaryarena @visitbajasur @teenyb_bikinis @grizzlycoolers @realsaltlife #fishingwithluiza #grouper #magdalenabay #magbay #visitbaja #saltlife", + "likes": 5074 + }, + { + "caption": "Jigged up a Threadfin Jack on a @palomarfishing flat side jig here in Baja while fishing for tuna out of @buenavistaresortmx . @captjimmynelson @visitbajasur @felipevaldezsf @realsaltlife @teenyb_bikinis @grizzlycoolers #fishingwithluiza #africanpompano #saltwaterfishing", + "likes": 3566 + } + ] + }, + { + "fullname": "ESPN Ringside", + "biography": "Taking boxing fans ringside on fight night ", + "followers_count": 280259, + "follows_count": 257, + "website": "http://es.pn/ringsideigbio/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "espnringside", + "role": "influencer", + "latestMedia": [ + { + "caption": "Josh Taylor and Jack Catterall have agreed to terms for a Dec. 18 fight at The SSE Hydro in Glasgow, Scotland, multiple sources tell @MikeCoppinger. All four junior welterweight titles will be on the line ", + "likes": 960, + "commentsCount": 31 + }, + { + "caption": "Things got heated during the #BabicBennett staredown and it ended with both boxers exchanging slaps (via @matchroomboxing)", + "likes": 1635, + "commentsCount": 24 + }, + { + "caption": "USA Boxings Keyshawn Davis defeated Armenias Hovhannes Bachkov by unanimous decision and punched his ticket to the lightweight final. #Olympics", + "likes": 6983, + "commentsCount": 60 + }, + { + "caption": "Then Now @Andy_Destroyer13 x @OscarValdez56", + "likes": 4863, + "commentsCount": 33 + }, + { + "caption": "Paradigm Sports Managements injunction to keep Manny Pacquiao from fighting Errol Spence Jr. on Aug. 21 has been tentatively denied. The fight will continue as planned pending the official ruling that comes down tomorrow. (via@MikeCoppinger)", + "likes": 4108, + "commentsCount": 93 + }, + { + "caption": "The Gypsy King has only one thing on his mind #FuryWilder3", + "likes": 3074, + "commentsCount": 194 + }, + { + "caption": "Teofimo Lopez and George Kambosos are both in the gym. #LopezKambosos", + "likes": 3754, + "commentsCount": 84 + }, + { + "caption": "Mick Conlan is ripped and ready for his fight tomorrow #ConlanDoheny | FRIDAY | 3 PM ET | ESPN+", + "likes": 2199, + "commentsCount": 16 + }, + { + "caption": "Featherweight Duke Ragan captured a silver medal for @USABoxing at the Tokyo Olympics Russias Albert Batyrgaziev won gold.", + "likes": 3577, + "commentsCount": 47 + }, + { + "caption": "Forty-two year old @MannyPacquiao isnt worried about Father Time", + "likes": 10667, + "commentsCount": 180 + }, + { + "caption": "The Oleksandr Usyk gameface You could be looking at the next unified heavyweight champion of the world. #JoshuaUsyk (via @Usykaa)", + "likes": 3057, + "commentsCount": 59 + }, + { + "caption": "There are only two fighters on JoJo Diazs wish list ", + "likes": 8358, + "commentsCount": 122 + } + ] + }, + { + "fullname": "Michelle Dalton", + "biography": "Pro Angler Pelagic Gear . Tigress . ORCA Coolers . SubSafe . Hooker Electric Reels . Connley Rods . Boathouse Marine Center . Livin the @edbllife", + "followers_count": 254423, + "follows_count": 2555, + "website": "https://pelagicgear.com/?rfsn=5633269.47f4b9", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "bombchelle_fishing", + "role": "influencer", + "latestMedia": [ + { + "caption": "Oh Snap! I caught this tasty Mutton on the last drift of a slow day fishing the reefs. Mutton snapper for the win! @pelagicgear", + "likes": 4348, + "commentsCount": 94 + }, + { + "caption": "Trigger happy! . Wearing the new green dorado print bikini & ocean master shorts. Click the link in my bio to shop! . #pelagicgear #triggerfish #oceantrigger #greytrigger #driftfishing #triggerhappy", + "likes": 4653, + "commentsCount": 154 + }, + { + "caption": " > Lobster Season 11 more weeks! #stonecrab #stonies #floridastonecrab #tbt #throwbackthursday #lobsterminiseason #crabtraps #trapqueen #pelagicgear #pelagicgirl @pelagicgear", + "likes": 5933, + "commentsCount": 149 + }, + { + "caption": "Tune in to the @sportsmanchannel tomorrow (Saturday) at 1:30pm ET to watch Hang Time with Dave McElroy! Join @dmacband , @captainmarkfl and me as we go after the Atlantic Sailfish and a few other species of fish in southeast Florida aboard Bombchelle! . . If you dont have the Sportsman channel you can download the Frndly App for a free week trial or just $6.99 a month! ", + "likes": 1047, + "commentsCount": 29 + }, + { + "caption": "Porgy another drink! Fun afternoon fishing the reefs with @captainmarkfl catching Mutton Snapper, Porgy and Blackfin Tuna on the slow pitch! (Selfie pic on timer for the win!) . Wearing the new @pelagicgear blue dorado print, available now in mens, womans and youth apparel! **Last day to shop their Buy More Save More Deal!! Save $20 off $100, $50 off $200 or even up to $150 off $500! Click the link in my bio to automatically apply your discount at checkout!", + "likes": 6609, + "commentsCount": 169 + }, + { + "caption": "Is that soy sauce in your pocket or are you just happy sashimi? Wahoo on the slow pitch jig! #weehoo #wahoo #wahoowendsday #interstatebattery #sashimi #sushi #pelagicgear", + "likes": 5220, + "commentsCount": 143 + }, + { + "caption": "Show me the Mahi! Fun day out with out with friends! Got a mixed bag of Mahi, Wahoo, a couple Rosies and quite a few releases of Cuda, & Jack & Runners. Highlight of the day was seeing a momma and baby Southern Right Whale passing close by! (Swipe to see the video!) Thank you to our good friend @cannon_fishin for a great time! #mahimonday #mixedbag #interstatebattery #mahi #southernrightwhale #pelagicgear @pelagicgear // @pelagicgirl", + "likes": 6854, + "commentsCount": 154 + }, + { + "caption": "Happy Independence Day weekend, my friends!! Just a friendly little reminder from the @ridedrydrivedry team, the USCG and me to be safe this weekend on the water while celebrating [the best country on Earth!!!! ] Always, always make sure to have a Sober Captain and please also spread the word to your friends and family! @uscg #4thofjuly #independenceday #usa #america #ilovemycountry #patriot", + "likes": 1468, + "commentsCount": 39 + }, + { + "caption": "Had such an incredible trip to St. Croix to celebrate our good friends Dave & Jackie tying the knot! They were married at their beautiful home, Coakley Bay Estate, and words cant describe how amazing their wedding was and all of the events surrounding it! Michael Bolton performing was just a small bonus. Congratulations Dave and Jackie!! We love you guys! @ksdj92 @jackiestx9", + "likes": 7964, + "commentsCount": 158 + }, + { + "caption": "Did you hear about the blonde who went fishing with 6 men? She threw them all overboard and kept all the Red Snapper! Just another slayfest, multiple trips per day, with @captain_kurt_t ! #redsnapper #ars #snapperseason #daupinisland #weputtheKURTonthem #pelagicgear", + "likes": 9292, + "commentsCount": 231 + }, + { + "caption": "Tis the season! We only get the magnums!- @captain_kurt_t If you want to book a charter for Red snapper, Captain Kurts your man! #dauphinisland #alabama #redsnapper #ARS #redsnapperseason #pelagicgear @pelagicgear @danco_pliers", + "likes": 10155, + "commentsCount": 162 + }, + { + "caption": "Im back! Spent the past couple weeks (without a phone) working two Red Snapper charters a day with my good friend @captain_kurt_t out of Dauphin Island, Alabama! Its always nice when our clients get to take home more than just their limit of snapper, like this nice Triple Tail we spotted under a floater! **Please be sure to check out @danco_pliers GIVEAWAY on their page. It ends on Sunday so dont miss out!!** . . #tripletail #redsnapper #magnums #dauphinisland #captainkurtcharters #dancopliers #pelagicgear", + "likes": 3959, + "commentsCount": 68 + } + ] + }, + { + "fullname": "America's Navy", + "biography": "Honor. Courage. Commitment. Get a look at what life is like inside Americas Navy. Follows & Likes endorsement", + "followers_count": 379384, + "follows_count": 348, + "website": "http://www.navy.com/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "americasnavy", + "role": "influencer", + "latestMedia": [ + { + "caption": "Out here, there are no small roles. Huge shoutout to AC1 Jessica Reilly for taking over our page for the day! #ForgedByTheSea", + "likes": 2712, + "commentsCount": 83 + }, + { + "caption": "The path to becoming a full fledged Nuke can be complicated. So let AC1 Jessica Reilly be your guide! Swipe through to get your lowdown on the Navy Nuke life. #ForgedByTheSea", + "likes": 6517, + "commentsCount": 276 + }, + { + "caption": "Intelligence Specialists are masters of turning data into critical intel. Check out AC1 Jessica Reillys comic on life as an IS! #ForgedByTheSea", + "likes": 3419, + "commentsCount": 78 + }, + { + "caption": "The most deliciously informative comic weve ever seen. Swipe through AC1 Jessica Reillys comic on Culinary Specialists to learn more about the rate! #ForgedByTheSea", + "likes": 3561, + "commentsCount": 128 + }, + { + "caption": "Who better to create an Air Traffic Controller comic for you than AC1 Jessica Reilly? Swipe through to learn more about this highly technical rate thatll set you up for success in the civilian world. #ForgedByTheSea", + "likes": 6288, + "commentsCount": 190 + }, + { + "caption": "Air Traffic Controller 1st Class Jessica Reilly is taking command of our account for the dayand we cant wait!Jessica is an active duty Sailor in San Diego, but loves creating comics. Stay tuned for more comics on Navy rates! #ForgedByTheSea", + "likes": 5674, + "commentsCount": 148 + }, + { + "caption": "Ambition is most powerful when paired with persistence. Just ask Michelle. #MakeYourName #NavyWomen", + "likes": 1009, + "commentsCount": 11 + }, + { + "caption": "Gearing up is half the fun. #ForgedByTheSea", + "likes": 2167, + "commentsCount": 23 + }, + { + "caption": "Protect and serve on Navy ships and bases around the world. Save this Master-at-Arms trading card or send to a friend to trade for another Navy job. #ForgedByTheSea", + "likes": 6848, + "commentsCount": 210 + }, + { + "caption": "Flying off into the sunset is the perfect way to start or end your day of adventure. #ForgedByTheSea", + "likes": 3743, + "commentsCount": 20 + }, + { + "caption": "Looking for an office in the clouds? Checkout our Naval Aviator trading card to see ifyou have what it takes. Save to collect orsend to a friend to trade!#ForgedByTheSea", + "likes": 4743, + "commentsCount": 43 + }, + { + "caption": "Commander Kelley Jones was raised to never give up. Her parents inspired her to take on new challenges, pursue her dreams and always give 100%. As a Surface Warfare Officer in the Navy, she never settled for less than her best. She led strike groups, traveled the world and became Captain of the first American crew to navigate the Faroe Islands. Thats how Kelley made her name mean Determination. #MakeYourName #NavyWomen", + "likes": 718, + "commentsCount": 7 + } + ] + }, + { + "fullname": "Drake Waterfowl | Official", + "biography": "Innovators In Waterfowl Hunting Revolutionize The Way You Hunt. Ghillie Blinds:", + "followers_count": 411899, + "follows_count": 325, + "website": "https://www.drakewaterfowl.com/products/ghillie-layout-blind-with-spring-loaded-bonnet", + "profileCategory": 2, + "specialisation": "Outdoor & Sporting Goods Company", + "location": "Olive Branch, Mississippi", + "username": "drakewaterfowl", + "role": "influencer", + "latestMedia": [ + { + "caption": "Early goose season with some extra hardware! #DrakeWaterfowl #AlwaysInSeason Creds: Drake Creative @anthonyjacobross", + "likes": 1564, + "commentsCount": 2 + }, + { + "caption": "Sunset Mallards #DrakeWaterfowl #WaterfowlWednesday Creds: Drake Creative @edwall81", + "likes": 4081, + "commentsCount": 7 + }, + { + "caption": "Our partners @lostbrake have definitely been putting in the work at the Island. This gets us fired up for the season, whose starting to get anxious!? #DrakeWaterfowl #LostBrake Creds: Drake Creative @edwall81 : @lostbrake", + "likes": 2162, + "commentsCount": 3 + }, + { + "caption": "Flights Canceled come September! #DrakeWaterfowl #AlwaysInSeason Creds: Drake Creative @mattlemoinephoto", + "likes": 4689, + "commentsCount": 12 + }, + { + "caption": "What were all waiting on! #DrakeWaterfowl #AlwaysInSeason Creds: @j_lewisphoto", + "likes": 3195, + "commentsCount": 3 + }, + { + "caption": "Ready to be in our Habitat! #DrakeWaterfowl #MossyOak @mossyoak : @shawn_p_riley", + "likes": 3473, + "commentsCount": 9 + }, + { + "caption": "Its just something about that muddy water! #DrakeWaterfowl #AlwaysInSeason Creds: @hunter_norrisphoto", + "likes": 2612, + "commentsCount": 2 + }, + { + "caption": "Layouts and early season honkers are not far out! Check out our new ghillie layout blinds that feature a spring-loaded bonnet, Link in our Bio! #DrakeWaterfowl #AlwaysInSeason Creds: Drake Creative @kylelopez", + "likes": 1721, + "commentsCount": 1 + }, + { + "caption": "Early season Woodies, youre now on the clock! #DrakeWaterfowl #AlwaysInSeason Creds: @caitlintaylorjohnston", + "likes": 4273, + "commentsCount": 9 + }, + { + "caption": "How much better would your Mondays be, knowing that truck was yours and it was waiting on you in the parking lot?? It or one of your choice, thats being given away by @landers_outdoors, could be by simply clicking the link in our Bio. Go enter now and also be entered for some really great monthly giveaways! #DrakeWaterfowl #LandersOutdoors", + "likes": 7311, + "commentsCount": 28 + }, + { + "caption": "Duck Hunting, its what makes us happy! #DrakeWaterfowl #AlwaysInSeason Creds: Drake Creative @matt_harrison10", + "likes": 4581, + "commentsCount": 5 + }, + { + "caption": "What a Stud! #DrakeWaterfowl #AlwaysInSeason Creds: @jleash", + "likes": 9430, + "commentsCount": 58 + } + ] + }, + { + "fullname": "HydroJug\u00ae\ufe0f", + "biography": "Hydration made easy. 73 oz jug to fit your style. #hydratewithus Customer support: service@thehydrojug.com Shop now ", + "followers_count": 339562, + "follows_count": 192, + "website": "https://www.thehydrojug.com/collections/all-products?utm_source=IG&utm_medium=conv&utm_campaign=linkinbio_allproducts&utm_id=allproducts", + "profileCategory": 2, + "specialisation": "Entrepreneur", + "location": "", + "username": "hydrojug", + "role": "influencer", + "latestMedia": [ + { + "caption": "Descramble these words and symbols to reveal our announcement tomorrow. 7T$@SN$I3 and SG$7@ P.S. Turn on your post notifications so you dont miss our big reveal tomorrow. #hydrojug #hydratewithus #juglifestyle #hydrate ", + "likes": 608, + "commentsCount": 20 + }, + { + "caption": "Heres some more hints at whats in store for HydroJugs future announcement: -Can be recycled over and over -Used in art sculptures -A movie has my name #hydrojug #hydratewithus #juglifestyle #hydrate", + "likes": 1254, + "commentsCount": 60 + }, + { + "caption": "We may or may not have dropped some easter eggs in some of our YouTube videos. Check out our videos to see if you can find anything. Did any of you catch any hints? #hydrojug #hydratewithus #juglifestyle #hydrate ", + "likes": 3358, + "commentsCount": 86 + }, + { + "caption": "Heres a couple of hints for our big announcement on Saturday -Can be found in kitchens -A football team shares my name -6.4 million metric tons are produced in the US each year #hydrojug #hydratewithus #juglifestyle #hydrate ", + "likes": 3129, + "commentsCount": 248 + }, + { + "caption": "Weve got a big announcement coming Saturday.. Any guesses on what it could be? Turn on your post notifications so you dont miss out. #hydrojug #hydratewithus #juglifestyle #hydrate ", + "likes": 4936, + "commentsCount": 401 + }, + { + "caption": "The wait is over The sleeve everyone has been waiting for is finally available. Shop the Cow Sleeve today while supplies last. Let us know when you get your Cow Sleeve. And we are utterly grateful for you guys! #hydrojug #hydratewithus #juglifestyle #hydrate", + "likes": 3841, + "commentsCount": 457 + }, + { + "caption": "Got Water? The Cow Sleeve is the perfect accessory to help keep your HydroJug cool this summer. P.S. the Cow Sleeve releases tomorrow at 9 am PST, set your alarms. #hydrojug #hydratewithus #juglifestyle #hydrate ", + "likes": 4086, + "commentsCount": 169 + }, + { + "caption": "CLOSED- Winner is @maddieshayeee congrats!!!!!! Send us a dm to claim your prize!!!!! Thanks to all for entering!!! Double your chances of winning the Cow Sleeve and HydroJug of your choice with our second giveaway! Enter below for your chance to win To enter: 1. Save this photo 2. Follow us @hydrojug 3. Tag your friends (each tag counts as an entry) Bonus Entries: Repost this image to your story Winner chosen Friday US only// 18 yrs old to enter. #hydrojug #hydratewithus #juglifestyle #hydrate ", + "likes": 9478, + "commentsCount": 16493 + }, + { + "caption": "[CLOSED]- Winner is @_sarah.marlene - congrats!!!! Send us a dm! Giveaway : Want to win a HydroJug of your choice and a Cow Sleeve? Enter our giveaway below for your chance to win.. To enter: 1. Save this photo 2. Follow us @hydrojug 3. Tag your friends (each tag counts as an entry) Bonus Entries: Repost this image to your story Winner chosen Friday US only// 18 yrs old to enter. #hydrojug #hydratewithus #juglifestyle #hydrate ", + "likes": 15087, + "commentsCount": 35021 + }, + { + "caption": "The options are endless with the Cow Sleeve, which HydroJug will you be pairing it with? Let us know your combos below. #hydrojug #hydratewithus #juglifestyle #hydrate ", + "likes": 9518, + "commentsCount": 454 + }, + { + "caption": "Cow you doin?! The Cow Sleeve is finally here! This is the Special Edition Sleeve you voted for last year and it is one of our favorites. The Cow Sleeve will be releasing this Saturday July 31st at 9 am PST. Whos excited?! #hydrojug #hydratewithus #juglifestyle #hydrate ", + "likes": 16022, + "commentsCount": 1503 + }, + { + "caption": "Cow you doin?! The Cow Sleeve is finally here! This is the Special Edition Sleeve you voted for last year and it is one of our favorites. The Cow Sleeve will be releasing this Saturday July 31st at 9 am PST. Whos excited?! #hydrojug #hydratewithus #juglifestyle #hydrate ", + "likes": 16022, + "commentsCount": 1503 + }, + { + "caption": "What is your favorite HydroJug combo? Comment your favorite match below #hydrojug #hydratewithus #juglifestyle #hydrate ", + "likes": 2171, + "commentsCount": 106 + }, + { + "caption": "[CLOSED] Winner is @s_andrianos congrats!!! We will send you a dm!! Thanks to all who entered!! Fast Giveaway Friday! One lucky winner will receive a HydroJug and Sleeve of their choice! You have 1 hour to enter! To enter: Like this photo Follow @hydrojug on Instagram and Facebook Tag your friends (each comment counts as an entry) Bonus entries: Repost this image to your story US ONLY/ Must be 18 yrs or older to enter #hydrojug #hydratewithus #juglifestyle #hydrate", + "likes": 6721, + "commentsCount": 6673 + }, + { + "caption": "Tell us what your favorite color is and we will tell you what summer activity you need to try this year. #hydrojug #hydratewithus #juglifestyle #hydrate ", + "likes": 1686, + "commentsCount": 275 + }, + { + "caption": "[CLOSED] Winner is @hunternikolee congrats!!!! We will send you a dm! Thanks to all who entered!!! HydroJug Giveaway Do you like to match your HydroJug or make your HydroJug different from your outfit? Cast your vote below to enter our giveaway. One lucky winner will win a HydroJug and Sleeve of their choice. To enter: 1. Save this photo 2. Follow us @hydrojug 3. Vote for Match HydroJug or Different HydroJug 4. Tag your friends (each tag counts as an entry) Bonus Entries: Repost this image to your story Winner chosen Friday US only// 18 yrs old to enter. #hydrojug #hydratewithus #juglifestyle #hydrate ", + "likes": 5748, + "commentsCount": 5363 + }, + { + "caption": "What would you name this HydroJug combo? Comment your names below #hydrojug #hydratewithus #juglifestyle #hydrate ", + "likes": 3712, + "commentsCount": 456 + }, + { + "caption": "[CLOSED] Winner is @anjageneva Congrats!!! We sent you a dm!! Thanks to all for entering!! Giveaway Time This week we want to see your HydroJug Combinations! Mix and match your HydroJug with different lids, bottles, and sleeves. Tag us in your posts/stories for a chance to be featured. We cant wait to see your combos! To enter our giveaway: 1. Like and save this photo 2. Tag a friend each tag counts as an entry 3. Bonus entries: repost to your story US only must be 18 to enter #hydrojug #hydratewithus #juglifestyle #hydrate", + "likes": 7754, + "commentsCount": 6343 + }, + { + "caption": "We love bringing you new colors, we would love to hear from you on what colors you would like to see in the future. Comment below your faves and it could be a potential new release #hydrojug #hydratewithus #juglifestlye #hydrate ", + "likes": 2207, + "commentsCount": 564 + }, + { + "caption": "We want to know how you first heard about HydroJug? Comment below and let us know. #hydrojug #hydratewithus #juglifestlye #hydrate ", + "likes": 2083, + "commentsCount": 358 + }, + { + "caption": "[CLOSED] Winner is @run_marianne congrats!!! We will dm you! Thanks to all who entered!!!!! Giveaway! Were celebrating Thursday with a HydroJug Giveaway. Enter below for your chance to win a HydroJug and Sleeve of your choice. Save this photo Tag your friends (each tag counts as an entry) Bonus Entries: Repost this image to your story #hydrojug #hydratewithus #juglifestlye #hydrate ", + "likes": 7353, + "commentsCount": 12320 + }, + { + "caption": "On Wednesdays we wear pink Show us your pink outfits for a chance to be featured in our stories. #hydrojug #hydratewithus #juglifestlye #hydrate ", + "likes": 3452, + "commentsCount": 32 + }, + { + "caption": "Tasty Tuesday! Swipe to get recipe for the very popular Thai Chicken Pita Pizza by @elyseaellis Its easy, quick and delicious. Save this post so you can try it out later! #hydrojug #hydratewithus #juglifestlye #hydrate ", + "likes": 2919, + "commentsCount": 18 + } + ] + }, + { + "fullname": "Jacob Wheeler", + "biography": "6X Major League Fishing Champ 2X Bassmaster Elite Champ 2012 Forrest Wood Cup 2011 BFL All-American 2020 FLW Super Fishing YouTuber #DING", + "followers_count": 237088, + "follows_count": 506, + "website": "https://youtu.be/XmvPjpO-uGk", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "wheelerfishing", + "role": "influencer", + "latestMedia": [ + { + "caption": "Day 1 on Lake Champlain! Got a LIVE Camera in the boat to start the morning Tune in on @majorleaguefishingofficial Website or App today until 5:30pm EST. Ill try to catch you guys a few! @igloocoolers", + "likes": 2134, + "commentsCount": 21 + }, + { + "caption": "Stop 6 of the year on one of my favorite places in the World to fish, Lake Champlain. Day 1 of practice was a little bit bumpy but the conditions are perfect today Got till 6pm to hunt a few up! @academy", + "likes": 3594, + "commentsCount": 21 + }, + { + "caption": "The @13fishing Jabber Jaw Deep officially catches everything that swims in the lake. Swipe to see all the photos. ", + "likes": 10117, + "commentsCount": 73 + }, + { + "caption": "Got to spend the past few days taking a couple of my childhood mentors on a trip to chase these smallmouth. It was great to put down the phone and reminisce about old times while making new memories! @themarkbentley @bryanjohnson01", + "likes": 4669, + "commentsCount": 22 + }, + { + "caption": "No matter how busy we all get this crew right here always seems to get together to catch up. Thankful for these friends that have become family! @adrianavenaprofishing @markdanielsjr @dcfishing @jmartinduckman", + "likes": 3713, + "commentsCount": 25 + }, + { + "caption": "Introducing the all new @13fishing Jabber Jaw Deep! This thing is great for targeting that 7-9ft depth zone. Also have added a couple of brand new colors designed by yours truly. Look for a in-depth video to drop on the channel soon! @13fishing", + "likes": 4564, + "commentsCount": 44 + }, + { + "caption": "One of my top picks for new products coming out. This is one you are going to want to add to your tackle box. The brand new @rapalausa DT 8! ", + "likes": 7179, + "commentsCount": 80 + }, + { + "caption": "Lily pads+Googan Toad= @googanbaits", + "likes": 3903, + "commentsCount": 14 + }, + { + "caption": "Had to strap the @gopro to the Flogger for a couple sick shots in this last one! Championship round video should be up any minute on the channel. Thank you all for your continued support! Cant tell you how much we appreciate it ", + "likes": 3612, + "commentsCount": 46 + }, + { + "caption": "This video just dropped on the YouTube Channel if you havent got a chance to check it out it is one of the most insane days of bass fishing I EVER had! Click the link in my bio to go check it out. @academy", + "likes": 1918, + "commentsCount": 10 + }, + { + "caption": "Days like these will never get old. @magellanoutdoors", + "likes": 5190, + "commentsCount": 43 + }, + { + "caption": "Had to sneak out and Plug a few last night. Biggs Shad is definitely one of my favorites when the fish offshore start breaking up. Whats your favorite color when it comes to deep cranking? @rapalausa", + "likes": 4476, + "commentsCount": 21 + } + ] + }, + { + "fullname": "Bobby", + "biography": "Draw near to God, and he will draw near to you... James 4:8. Part Time Wildlife Expert CA MY PERSONAL YOUTUBE CHANNEL", + "followers_count": 238104, + "follows_count": 482, + "website": "https://m.youtube.com/channel/UCh2cZhLN4OsJmTijcILBIVg", + "profileCategory": 2, + "specialisation": "Public Figure", + "location": "", + "username": "presidentbobby", + "role": "influencer", + "latestMedia": [ + { + "caption": "After years of training, dozens of losses, and literally almost dying I finally won Kajabe at @humelake! Whether its my high school camper days or being a counselor for years to come, this will always be the game that I will die for. #humelake #kajabe #ponderosa #churchcamp", + "likes": 9264, + "commentsCount": 64 + }, + { + "caption": "Summer camp isnt over #counselorbobby @humelake", + "likes": 8475, + "commentsCount": 48 + }, + { + "caption": "Give me one good reason why I cant shotgun a Cup of Noodle?? #4thofjuly", + "likes": 4597, + "commentsCount": 22 + }, + { + "caption": "Team USA BACK to BACK WORLD WAR CHAMPIONS! Happy 4th of July! Thanks @chubbies for the patriotic shorts! ", + "likes": 4804, + "commentsCount": 18 + }, + { + "caption": "Nashville has all my vibes. #tennessee #nashville", + "likes": 8587, + "commentsCount": 63 + }, + { + "caption": "Why are the pigs in the living room? New @teamedgestore 4th of July Merch dropping soooon #teamedge ", + "likes": 6274, + "commentsCount": 33 + }, + { + "caption": "I parked in reverse while going forward. #teamedge", + "likes": 4806, + "commentsCount": 16 + }, + { + "caption": "One day Ill show you all #teamedge #youtuber", + "likes": 17642, + "commentsCount": 144 + }, + { + "caption": "Hes not getting older, hes just becoming a classic. Happy birthday @duke_the_nuke__ ", + "likes": 3983, + "commentsCount": 6 + }, + { + "caption": "Everything tastes green. ", + "likes": 7487, + "commentsCount": 46 + }, + { + "caption": "Joining the Yacht Club. ", + "likes": 5684, + "commentsCount": 15 + }, + { + "caption": "Found a dime at the saloon. ", + "likes": 15373, + "commentsCount": 102 + } + ] + }, + { + "fullname": "Ocean Obsessions", + "biography": " Building a community on a Mission to Save The Oceans. 15% of net income supports non-profits. ", + "followers_count": 472989, + "follows_count": 157, + "website": "http://ocean-obsessions.com/", + "profileCategory": 2, + "specialisation": "Community", + "location": "", + "username": "ocean_obsessions_", + "role": "influencer", + "latestMedia": [ + { + "caption": "Beautiful Beach #Art By @cnccizimleri . . . . . . . . #illustration #arte #sketch #artsy #painting #arts #artistsoninstagram #instagood #draw #creative #sketchbook #artistic #artoftheday #artsy #beautiful #streetart #mixart #crazyartisticminds", + "likes": 5786, + "commentsCount": 58 + }, + { + "caption": "When the Amazon River meets the Tapajs River in Santarm, Para, Brazil. 1 or 2? Video via @yournaturegram . . . . . . . . #water #nature #photography #love #travel #sea #summer #naturephotography #photooftheday #ocean #sky #beach #landscape #instagood #beautiful #lake #art #river #sun #sunset #blue #photo #green #clouds #picoftheday #life #funnyvideos", + "likes": 8707, + "commentsCount": 174 + }, + { + "caption": "What Lies Beneath A whale shark approaches from the depths of the Ningaloo reef. Stunning picture by @tomcannonphotography . . . . . . . . #whaleshark #whalesharks #shark #sharks #depthsofearth #visualsofearth #australia #wildlifeonearth #shardiving #thisisaustralia #divinglife #sharkdive #oceanblue #oneocean #undersea #oceana #seastheday #oceanografic #ningalooreef #whalesharkswimming #oceancreatures #deepseacreatures #divingphoto #roamtheocean #uwphoto #saltysoul #marineworld #discoverocean", + "likes": 5239, + "commentsCount": 31 + }, + { + "caption": "Rescuers from the Italian coast guard have been working to free this sperm whale that was entangled in illegal fishing nets. The whale's tail was trapped in the nets near the Aeolian Islands in Sicily. Local news outlets report that once the 10-meter-long male animal was freed, it swam off to join three other whales who were apparently waiting for him. (: Carmelo Isgro / MuMa Museo del Mare di Milazzo / Reuters) via @bbcnews . . . . . . . . . . . . . . . . . . . #Animals #Sea #Ocean #Nature #Conservation #Ecology #Italy #Whale #bbcnews #animals #ocean #naturelovers #earth #earthlovers #underwater #scuba #snorkel #freediving #discoverocean #ourplanetdaily #wildlifeplanet #explorer #wanderlust #travel #nature #wildlife #natgeowild #oceancreatures #marineanimals", + "likes": 6429, + "commentsCount": 142 + }, + { + "caption": "The great escape Photos by @pablocersosimo #orca . . . . . . . . . . #orcas #killerwhale #killerwhales #oceanphotography #wildlifephotography #wildlifephotographer #naturephotography #natgeoyourshot #yourshotphotographer #theocean #blackfish #seals #seal #marinemammals #earthvisuals #artofvisuals #visualsofearth #oceano #marinelife #patagonia #argentina #peninsulavaldes #cetaceans #visitargentina #patagoniaargentina #natures #wildlifeaddicts", + "likes": 8090, + "commentsCount": 54 + }, + { + "caption": "1, 2, 3 or, 4? Which photo you like most? : @mitch_gilmore_ . . . . . . . . . . #underwaterphotography #uwphotography #wave #shorebreak #ocean #sea #oceanlover #oceanlovers", + "likes": 8094, + "commentsCount": 140 + }, + { + "caption": "You make me happy His right eye, which was injured, was blind, but his wounds healed. He always makes me happy Lets keep smiling Video by @dolphin808m913 . . . . . . . . . . . . . . . . #porcupinefish #hawaii #hawaiilife #hawaiistagram #oahu #underwaterphotography #underthesea #ocean #oceanlife #beachlife #instagood #instalike #instagram #keepsmiling #hilife #aloha #savetheocean #freediving #daily #love #beautiful #animals #naturelovers #earth #earthlovers #underwater #scuba #snorkel #discoverocean", + "likes": 11632, + "commentsCount": 89 + }, + { + "caption": "As much as I love Orcas you have to feel for the kid here, he is obviously frightened for his life The Orca did no harm and wouldnt have done any harm, But its not an ideal situation to be in if your not comfortable with them - - - - - Credit : @suntse05 - - . . . . . . #shark #sharks #sharkweek #sharktank #sharkattack #sharknado #sharkbait #greatwhiteshark #sharktooth #sharkfishing #sharkie #sharky #savesharks #sharkdiving #sharkteeth #sharklife #sharkbite #sharktattoo #sharkies #sharkeez #tigershark #sharkconservation #whalesharks.", + "likes": 7125, + "commentsCount": 187 + }, + { + "caption": " Graphical Warning Nearly 60 raging wildfires have broken out in Southern Turkey. As temperatures have soared and strong winds stoked the flames the past 3 days, killing at least 4 people along with 1,000+ farm animals and sending 60 more people to the hospital as their homes burned down. So far 18 villages have been evacuated and 35 aircrafts, 457 vehicles, and 4,000 personnel have been involved in the firefighting efforts, as separate wildfires raged in the provinces of Osmaniye, Kayseri, Kocaeli, Adana, Mersin and Kutahya. Turkey has battled a series of disasters caused by extreme weather conditions this summer, including flash floods last week that killed 6 people in the Black Sea region so please join us in praying for all the people and animals in these hard hit communities along with the brave firefighters and share this with your followers and friends Via @karmagawa #prayforturkey #wildfires #turkey", + "likes": 10067, + "commentsCount": 1021 + }, + { + "caption": "Patrick has been found! Tag friend who'd love this! @theocean . . . . . #oceanvibes #oceanlife #oceanlifestyle #ocean #shark #sharks #whiteshark #sharkattack #stopfinning #dolphin #dolphins #dolphinlove #sharklover #scuba #scubadiving #scubalife #scubalove #scubadive #seacreatures #deepsea #underwater #snowbeach #snowday #snowphotography", + "likes": 10883, + "commentsCount": 224 + }, + { + "caption": "Wait for it || @kookslams . . The woman and the shark both are safe. . . . . #oceans #sharks #shark #roamtheoceans #earthpix #earth #earthfocus #earthofficial #sharkattack #sharkweek #sharkaddicts #sharkadvocate #sharky #greatwhiteshark #blacktipshark #tigershark", + "likes": 11774, + "commentsCount": 494 + }, + { + "caption": "Ready to fight What would you name him? @xbeiro . . . . . . . . . . . . . . . . #octopus#octopus #underwaterworld #seaanimals #underwatershot #underwaterlife #uwphotography #natgeoyourshot #paditv #scuba #scubadiving #underwater #scubalife #underwatervideo #ocean #myoctopusteacher #oceanos #oceano #Camouflage #divingtime #discoverearth #discoverocean #octopus #sea #oceancreatures #marineanimals #oceanworld #sealegacy", + "likes": 7576, + "commentsCount": 58 + } + ] + }, + { + "fullname": "Mike Coots", + "biography": "Mlama i ke kai, a mlama ke kai i oe Care for the ocean, and the ocean will care for you.", + "followers_count": 287230, + "follows_count": 2193, + "website": "http://www.sharksbymikecoots.com/", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "mikecoots", + "role": "influencer", + "latestMedia": [ + { + "caption": "The most beautiful part of nearly dying is everything after becomes a gift. ", + "likes": 8627, + "commentsCount": 139 + }, + { + "caption": "QUEEN.", + "likes": 6347, + "commentsCount": 117 + }, + { + "caption": "Monster, no. Magnificent, yes.", + "likes": 6296, + "commentsCount": 126 + }, + { + "caption": "Oh hello sunshine.", + "likes": 7582, + "commentsCount": 99 + }, + { + "caption": "M U S E. I dont shoot what it looks like, but what it feels like. And these feels get me everytime. #shark", + "likes": 6790, + "commentsCount": 74 + }, + { + "caption": "White in blue. Are you guys week fans?", + "likes": 12683, + "commentsCount": 215 + }, + { + "caption": "The beauty that lies just below the surface is often the most stunning. ", + "likes": 11381, + "commentsCount": 249 + }, + { + "caption": "RETHINK THE SHARK. Im very honored to be collaborating with @paditv on a limited collection of some of my most memorable shark moments. Did you enjoy watching plastic being sifted from the sand on my recent Reel? Thats was the wonderful folks at @sustainablecoastlineshawaii- they receive 15% of the proceeds from this collaboration to help continue the incredible work they do. See more information on the link in my bio. HAPPY ALOHA FRIDAY FRIENDS!", + "likes": 4884, + "commentsCount": 50 + }, + { + "caption": "Plastics in the sand.", + "likes": 258869, + "commentsCount": 1270 + }, + { + "caption": "COME DIVE WITH ME IN HAWAII!On this World Oceans Day, I would love for you to win a 5 nights stay at the @cliffsprinceville on Kauais North Shore. You will stay at an incredibly gorgeous oceanfront property, and I will host a incredible day with you as we explore the beautiful underwater world. And I invite you to bring a friend! Whatever your diving experience level is, we will make magic happen. It will be a trio of a lifetime. And I cant wait to share the underwater world with you. Here is how to enter: 1Tag a friend in the comments who you would love to bring with you to Hawaii. 2Follow @mikecoots @cliffsprinceville 3Share this post on your stories and tag #worldoceansday (and if your account is private tag or DM @mikecoots so I can add your entry!) Entries are openuntil midnightEST,June 20, 2021to US citizens, age 18 and over. Travel must be taken within one year, subject to availability. Black out date apply from Dec 15, 2021 to January 15, 2022. The winning entry will be drawn at random. This contest is in no way sponsored by Instagram.", + "likes": 9058, + "commentsCount": 767 + }, + { + "caption": "White on black. ", + "likes": 4025, + "commentsCount": 71 + }, + { + "caption": "DREAMS COME TRUE! Thank you @surfersjournal for page one on the most legendary mag + @kainehe_hunt for sending it.", + "likes": 3037, + "commentsCount": 211 + } + ] + }, + { + "fullname": "ALEX HAYES XI", + "biography": "XI OUT NOW @livedailyrecords @thedailyliving", + "followers_count": 510877, + "follows_count": 3116, + "website": "https://linktr.ee/alexhayes", + "profileCategory": 3, + "specialisation": "Artist", + "location": "", + "username": "alexhayes", + "role": "influencer", + "latestMedia": [ + { + "caption": "Fun spontaneous challenge today! Last minute signup to the virtual @molokai2oahu paddle wanted to challenge myself and push a little further then the required distance! 34KM done And in the bank! Stoked to get a personal best for longest paddle without rest. Feeling good cheers to the homies for helping make this day possible! Super excited to share this journey soon #LIVEDAILY", + "likes": 15972, + "commentsCount": 142 + }, + { + "caption": "Couple good times from 2020, time flies ", + "likes": 16754, + "commentsCount": 81 + }, + { + "caption": "Right place right time ", + "likes": 15879, + "commentsCount": 92 + }, + { + "caption": "", + "likes": 11547, + "commentsCount": 124 + }, + { + "caption": "Idk", + "likes": 14841, + "commentsCount": 123 + }, + { + "caption": "live for the experience ", + "likes": 14539, + "commentsCount": 119 + }, + { + "caption": "Cheers for all the support on my first song! Extremely grateful for all of you legendsStarting my own independent label @livedailyrecords has its challenges, so every ounce of love & support helps more than you think! Every playlist its added too & every like & share makes a massive difference! Fuckkk yea! Lets gooo ", + "likes": 16833, + "commentsCount": 92 + }, + { + "caption": "XI OUT NOW!!! Its been years in the making.. SO STOKED to finally get It out there & especially on my own independent label @livedailyrecords ... what is life.. dreams coming true so grateful for everyones support for me on this journey... overwhelmed with love.. thank you LINK IN BIO!", + "likes": 16604, + "commentsCount": 236 + }, + { + "caption": "XI OUT NOW @livedailyrecords Link in bio ", + "likes": 16643, + "commentsCount": 128 + }, + { + "caption": "Beyond grateful for the ocean & the presence it brings. What a crazy blessing that we get to embrace nature in its finest form and live in alignment with the energy It shares. Reminder to take a moment & appreciate the ocean whenever you can as we are soooo lucky to have it in our backyard. Gotta look after this incredible world so future generations can embrace all the dope shit we do here aswell here are some moments over the years of me enjoying what nature has to provide. #blessed #livedaily #worldoceansday", + "likes": 10066, + "commentsCount": 73 + }, + { + "caption": "Something a little different for me.. BTS shoot for my first song XI that is coming JUNE 18 on @livedailyrecords .. Thanks @killakreative @iamadamsaunders for a fun day creating ! %LIVEDAILY", + "likes": 15865, + "commentsCount": 170 + }, + { + "caption": "swapped the board shorts for abit of fashun at my first ever @ausfashionweek Thanks @camillawithlove ", + "likes": 14754, + "commentsCount": 192 + } + ] + }, + { + "fullname": "Patti Avery Schmidt", + "biography": " Mom to 3 big boys + 1 tiny girl Our story in story highlights hello@pattischmidt.com MY PRESETS ARE HERE ", + "followers_count": 175297, + "follows_count": 334, + "website": "https://linktr.ee/pattischmidt", + "profileCategory": 3, + "specialisation": "Photographer", + "location": "", + "username": "pattischmidt", + "role": "influencer", + "latestMedia": [ + { + "caption": "Summer always passes way too quickly for me, but I do love the more structured days of fall and the excitement of new experiences! Its also my favorite time of year to shop for new clothes with Avery. #AthletaGirl at @athletais a one stop shop for back-to-school staples with new colors and prints in their most-loved styles! Avery has on the Power Up Tee and the Printed Chit Chat Capri soft and comfy styles that shes happy to wear. Tap to shop her look! #PowerofShe #AthletaPartner", + "likes": 5376, + "commentsCount": 87 + }, + { + "caption": "52 looks good on him! #happybirthday ", + "likes": 12502, + "commentsCount": 187 + }, + { + "caption": "If I had a nickel for every time someone said to me her poor future dates! My whole family is very chill, so her future dates will be just fine (as long as theyre nice ). #bigbrothers #siblinggoals", + "likes": 88221, + "commentsCount": 355 + }, + { + "caption": "And their brothers too! There are some interesting conversations about age and motherhood on my other reel. Sometimes in their support of older moms people can be unintentionally disparaging towards younger moms and vice versa. Ive been both the youngest mother in the room and the oldest mother in the room, and both roles came with their own sets of judgements, but you know what? The important thing is to be the best parent you can be whenever that happens for you. More support and less judgement for mothers of all ages is what we need! #motherhood #momlife #oldestandyoungest", + "likes": 20491, + "commentsCount": 366 + }, + { + "caption": "Boat day with our two youngest. We brought along our new @Sonyelectronics XG500 Portable Bluetooth Speaker, and its a game changer. With up to 30 hours of battery life, a lightweight design with a built-in handle, water resistant and dustproof technology plus incredible sound its the perfect addition to family outings! What are your favorite things to do with your family in the summer? #SonySpeaker #SonyPartner", + "likes": 4615, + "commentsCount": 74 + }, + { + "caption": "Thank you for all the green hair tips in my stories! #greenhair #poolhair #momlife #hairtips #momhack", + "likes": 62878, + "commentsCount": 722 + }, + { + "caption": "Im lip syncing, and this is a joke, but some people really do enjoy the math. #motheranddaughter", + "likes": 222697, + "commentsCount": 1972 + }, + { + "caption": "When youre 3 feet tall but have big brothers. #siblings #bigbrother #family #siblinggoals", + "likes": 20003, + "commentsCount": 156 + }, + { + "caption": "Gavin is 22 today! My youngest boy... how on earth? #birthdayboy #alwaysmybaby", + "likes": 14614, + "commentsCount": 251 + }, + { + "caption": "A few people asked me about Averys hairstyle in my stories on Mothers Day. Im not a stylist I really only know how to do French braids, but I saw something similar to this and wanted to try. I just love her hair and love when she lets me play! ", + "likes": 18171, + "commentsCount": 177 + }, + { + "caption": "How is our baby 28? Happy Birthday dear Larry, and thanks for recreating our first family photo shoot with us. #firstborn #birthdayboy", + "likes": 41015, + "commentsCount": 477 + }, + { + "caption": "Lets talk about love. Since Ive had a lot of fun sharing our life story in short highlight videos Ive perhaps given the unintended impression that its all been rainbows and kisses, and that marrying your first love is always a romantic and excellent idea. I regularly get messages from young people asking for relationship advice because they want what we have. So here are some of my personal truths and observations. Being right for each other is way more important than how old you are. If we hadnt met at such a young age I would rather have waited for him than commit to the wrong person. True love is worth waiting for. Part of true love is treating each other with the care and respect you both deserve. If you dont believe you deserve those things then take some time to fall in love with yourself first so you give off a vibe that attracts someone who agrees with you. Dont think you can change the wrong person into the right person. People can and do change, but only if they want to for their own reasons, not because someone else sees them as a fixer-upper. If youre going to commit to someone accept their imperfections too youre getting the whole package. Just as there are no perfect people there is no perfect marriage. Everyone struggles at times. Nobody owes anybody the painful parts of their story just know that everybody has them. Continued in comments...", + "likes": 8643, + "commentsCount": 187 + } + ] + }, + { + "fullname": "Huntress Jen", + "biography": "Live Life to the fullest FL HuntFish", + "followers_count": 203811, + "follows_count": 878, + "website": "", + "profileCategory": 3, + "specialisation": "Personal Blog", + "location": "", + "username": "huntress_jen7", + "role": "influencer", + "latestMedia": [ + { + "caption": "A day in the woods as a kid!", + "likes": 591, + "commentsCount": 38 + }, + { + "caption": "Cheers its Tuesday @tavour #gimme #that #stickyicky #tavour #drinkup", + "likes": 9687, + "commentsCount": 228 + }, + { + "caption": "All s on you", + "likes": 5298, + "commentsCount": 162 + }, + { + "caption": "Id say thats a pretty nice Southern Catch @southerncatchoutfitters @invincibleboats", + "likes": 4063, + "commentsCount": 174 + }, + { + "caption": "This has probably been one of my favorite trips fishing in Venice Louisiana!!! These oil rigs just amazes me its a different world out here and I love getting the opportunity to come experience all the different fishing Venice has to offer. If u havent been here Id definitely recommend it you wont be disappointed... Book a trip Come out bring the family, kids, friends & enjoy the fun!!! @southerncatchoutfitters @landonbjohnson07", + "likes": 1170, + "commentsCount": 42 + }, + { + "caption": "Mermaid: A water women who chooses imagination over Fear@hammerhead_spearguns", + "likes": 5807, + "commentsCount": 101 + }, + { + "caption": "My Yellowfin Tuna I caught in the @danastunafrenzy Tournament ", + "likes": 6031, + "commentsCount": 150 + }, + { + "caption": "What a special week it has been getting @danalaurenk Family & Friends together for this Amazing Tournament. It makes my heart so happy seeing all the people that came out to help, the sponsors that donated for this and the turn out for a 1st Tournament was unbelievable Thanks to all the Teams that came out to fish and support @danastunafrenzy ....Anddd our girl up stairs was watching over us today cause we absolutely killed it on the water WINNING 1st place!!! Our team kicked ass today couldnt have done it with a better crew @shea_d_lady_78 @_mermaid.mo_ @isabellaandreax @mikekhashman @t.furey @stalkeroutfitters @saigon_mullet_squad", + "likes": 949, + "commentsCount": 32 + }, + { + "caption": "Just a couple more days till the @danastunafrenzy tournament here in the Having the best time on this trip with the best people #makingmemories", + "likes": 2330, + "commentsCount": 45 + }, + { + "caption": "Hooked us a Goodin Deep Dropping in the Bahamas today!!! @danastunafrenzy @_mermaid.mo_ @shea_d_lady_78 @t.furey @micahinthewild", + "likes": 3614, + "commentsCount": 97 + }, + { + "caption": "Good to be back in the Bahamas Excited for the @danastunafrenzy Tournament this week!!", + "likes": 12156, + "commentsCount": 264 + }, + { + "caption": "Go Deep or Go Home @southerncatchoutfitters @invincibleboats #venice #offshore #fishing #invincibleboats", + "likes": 11578, + "commentsCount": 298 + } + ] + }, + { + "fullname": "Lew's Fishing", + "biography": "The legendary brand known for Lighter - Faster - Stronger rods and reels and the product innovation continues today. #TeamLews All New Kings of Bass", + "followers_count": 521936, + "follows_count": 446, + "website": "https://youtu.be/EhcLx4jsBKs", + "profileCategory": 2, + "specialisation": "Product/Service", + "location": "Springfield, Missouri", + "username": "lews_fishing", + "role": "influencer", + "latestMedia": [ + { + "caption": "The wait will be well worth it! #TeamLews has redefined exceptionalism with upgrades to a fan favorite with the intro of the new BB1 Pro LFS Baitcast Reel. Available Fall 2021. @socobassin", + "likes": 1333, + "commentsCount": 21 + }, + { + "caption": "Team Lews today had a great day out on the water Tomorrow is going to be EVEN BETTER with so many of our #teamlews guys out there, so catch the @majorleaguefishingofficial Live Stream all day long @andymontgomeryfishing - 5th @timmyhorton_bass - 31st", + "likes": 1565, + "commentsCount": 7 + }, + { + "caption": "When you have one following your catch you grab another rod!! Who has doubled up before? #Lews #TeamLews #fishing #bassfishing #doublecatch", + "likes": 2946, + "commentsCount": 12 + }, + { + "caption": "#TeamLews' Drake Herd finished in third with two days of giant walleyes coming to the scales. This is Drake's second time finishing third this year and is in a tight race sitting in third place for AOY going into the last tournament of the year, the Championship. Lake Oahe, Mobridge SD Finish: Drake Herd - 3rd Tommy Kemos - 39th Jason Przekurat - 50th #Lews #LewsFishing #walleye #NationalWalleyeTour #walleyefishing #walleyewednesday", + "likes": 1496, + "commentsCount": 5 + }, + { + "caption": " ", + "likes": 2927, + "commentsCount": 14 + }, + { + "caption": "Streaming NOW on YouTube! Watch Episode 5 of Kings of Bass (LINK IN BIO) Fresh off his Lake Chickamauga victory, @kevinvandamfishing is eager to keep the momentum going as the @majorleaguefishingofficial Bass Pro Tour kicks off its northern smallmouth swing. Coming from East Texas, @jeffspraguefishing is a little out of his comfort zone on the St. Lawrence River, but he is determined to learn more about smallmouth and prove he can catch them with the best. Both anglers are looking forward with their eyes on the prize, Angler of the Year points and qualifying for Redcrest. Go behind the scenes on Kings of Bass as they break down this giant body of water, adapt to the changing conditions, and compete for the win. #KingsofBass #Lews #LewsFishing #StrikeKing #fishing #bassfishing #fishingtelevision #KVD #MajorLeagueFishing #MLF #BassProTour", + "likes": 1442, + "commentsCount": 12 + }, + { + "caption": "The perfect combination of speed, power, and balance. Put to the test by @brian_latimer, the Team Lew's HyperMag just leveled Spinning Reels. Available late 2021! #Lews #TeamLews #LewsFishing #HyperMag #spinningreels", + "likes": 5231, + "commentsCount": 35 + }, + { + "caption": "Tying one on! What are you rigging up today? #Lews #TeamLews #KVD #SignatureSeries #StrikeKing #TieOneOn", + "likes": 2071, + "commentsCount": 15 + }, + { + "caption": "We'll never NOT get excited for Fridays. Who's hitting the water this weekend? What are you rigging up? Let's see those setups #TGFF #ThankGodForFishing #Lews #TeamLews", + "likes": 1651, + "commentsCount": 68 + }, + { + "caption": "Stop 4 of the National Walleye Tour is shaping up well for Team Lew's! @drake.herd is leading the team in 9th place. He's been fighting hard and contending for AOY! Check back in for updates. @drake.herd - 9th @tommykemos - 30th @jasonprzekurat - 64th #Lews #LewsFishing #TeamLews #walleye #nationalwalleyetour #walleyefishing", + "likes": 1363, + "commentsCount": 0 + }, + { + "caption": "The 2021 Bassmaster Open at Oneida Lake is underway and Team Lew's is making their presence known in Central NY! @samgeorgefishing, @jordanthompkins02, and @lucasmurphyfishing are all sitting in the top 25 within 4 lbs of the leader. Tight lines, guys! @samgeorgefishing | 3rd @jordanthompkins02 | 11th @lucasmurphyfishing | 24th #lews #lewsfishing #bassmaster #oneida #fishing #bass #bassfishing", + "likes": 1608, + "commentsCount": 4 + }, + { + "caption": "One...last...cast...", + "likes": 2063, + "commentsCount": 9 + } + ] + }, + { + "fullname": "Sage Erickson", + "biography": "california 2 x us open world.championship.tour @wsl ~ love anyways sage@teamwass.com", + "followers_count": 341681, + "follows_count": 2379, + "website": "", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "sageerickson", + "role": "influencer", + "latestMedia": [ + { + "caption": "Ive been sitting on this for a while now! Anticipating sharing with you all! As a Co-Founder im excited to announce our world class wine @revelshine which has been created by 4th-gen winemaker, @jakebilbro from grapes grown on sustainable family farms in California. It captures my heart even more because there is a strong focus on sustainability and delivery, including using unbreakable, recycled bottles. The goal was to make a great quality wine that can come on every adventure! Not limited by weight and or glass. I feel like its a constant journey learning how to improve my footprint on this earth and by no means am i perfect, but this is the future and taking steps towards making a difference! Heres one of many summer nights spent with friends, bbqing and making the most out of these wild times! - @curranminiranch ", + "likes": 3724, + "commentsCount": 46 + }, + { + "caption": "Its a dog life for me the boys.", + "likes": 3245, + "commentsCount": 46 + }, + { + "caption": "Always a happy thought, cant say that about everything but i sure do love surfing and the ocean.", + "likes": 6918, + "commentsCount": 58 + }, + { + "caption": "What a day! So much fun watching the surf, lounging in the pool, and meeting new and old friends. Had an amazing workout to start, which kicked my ass haha. Theres truly something so good about starting the day on your feet and moving. Thankful for my @shiseido ladies big time. In the sun all the darn time and not worried about it! @ultabeauty #shiseidosuncare photos @jenjphoto", + "likes": 9470, + "commentsCount": 49 + }, + { + "caption": "Raise a hand if you love clean beaches! Love the coastal cleanup initiative @konabrewingco has going with @savethewavescoalition this month. Their West Coast tour may have ended last week but that doesnt mean we cant #CatchaBigWave together and keep this ride going! Post a video of yourself catching a Big Wave with the hashtag above to continue raising awareness for our coasts and implementing more sustainable habits into our world.", + "likes": 2482, + "commentsCount": 33 + }, + { + "caption": "The real real..getting ready for the next world tour events outside of the water | Im always asking @kylebakerfitness to re show me form and get on me if Im slacking. Hes helped me understand the importance of training muscle groups properly with the intention that bad habits get corrected asap and new form builds off of real strength. Having fun a long the way!", + "likes": 6062, + "commentsCount": 55 + }, + { + "caption": "Sundays just keep getting better and better. . . missing gma @jobes1 and momma @kristelerickson_ at the beach but @gboyphoto1 documented so we could all enjoy forever! Dylans first time on a board @noah_erickson", + "likes": 6234, + "commentsCount": 37 + }, + { + "caption": "Definitely a morning person @mountaindewrise #MTNDEWRISE", + "likes": 10481, + "commentsCount": 70 + }, + { + "caption": "Wont be going this direction in Mexico, i aint mad about it though ", + "likes": 4056, + "commentsCount": 31 + }, + { + "caption": "OUTERKNOWN summer SALE! 60 % tons of goodies! Swipe up link in my story! @outerknown_womens | @outerknown pic @coconutcomradery", + "likes": 8448, + "commentsCount": 48 + }, + { + "caption": "Good vibes (and good music) only Posted uppp with the Sony XG500 Portable Bluetooth Speaker #SonySpeakers", + "likes": 2906, + "commentsCount": 17 + }, + { + "caption": " @outerknown_womens", + "likes": 3059, + "commentsCount": 18 + } + ] + }, + { + "fullname": "Pelagic Gear", + "biography": "The Official Instagram Page of Pelagic Gear - Share your world with us using >> #PELAGICWORLDWIDE", + "followers_count": 381989, + "follows_count": 389, + "website": "https://linktr.ee/pelagicgear", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "pelagicgear", + "role": "influencer", + "latestMedia": [ + { + "caption": "Over halfway through the week here at the 48th annual @white_marlin_open! Come by and see us in Harbour Island Marina during weigh-ins. . . . #PELAGICWORLDWIDE #WhiteMarlinOpen2021 #OceanCity @capt_ron_official : @jtmarinepower", + "likes": 3025, + "commentsCount": 17 + }, + { + "caption": "The swordfish bite in the Mediterranean is heating up ! Team Pelagic's, @urbainsamuel, poses with a solid one before a clean tag-n-release. . . . #PELAGICWORLDWIDE #Swordfish #Mediterranean", + "likes": 3099, + "commentsCount": 18 + }, + { + "caption": "TUNA VISION! : Epic shot by Adrian Gray [@sport_fish_gallery] . . . #PELAGICWORLDWIDE #tunatuesday #yft ", + "likes": 3326, + "commentsCount": 5 + }, + { + "caption": "FENDER BENDER out of Virginia Beach, VA weighed an 82.5-pound white marlin yesterday that is currently worth $4,900,000 here at the @white_marlin_open! Well see what Day 2 brings as 420 out of 444 entered are out fishing today. PSA: All weighed fish are donated to the local Maryland food bank. . . . #PELAGICWORLDWIDE #whitemarlinopen #oceancity #wmo2021", + "likes": 2258, + "commentsCount": 19 + }, + { + "caption": "HERE WE GO! Good luck to all 444 teams entered in the 2021 @white_marlin_open competing for $9 Million in cash prizes - a new competitive sportfishing world record! . . . #PELAGICWORLDWIDE #WhiteMarlinOpen #OceanCity @capt_ron_official", + "likes": 906, + "commentsCount": 6 + }, + { + "caption": "We have arrived in Ocean City for the 48th annual @white_marlin_open! PELAGIC is a proud sponsor of the world's largest and richest billfish tournament #WMO. Come by and see us in Harbour Island Marina - were here all week! . . . #PELAGICWORLDWIDE #WhiteMarlinOpen2021 #OceanCity #HereWeGo @capt_ron_official", + "likes": 5580, + "commentsCount": 30 + }, + { + "caption": "Yellowfin necktie - appropriate attire for @captjoeybirbeck at the offshore office! . . . #PELAGICWORLDWIDE #yellowfin #offshore", + "likes": 2957, + "commentsCount": 11 + }, + { + "caption": "BY POPULAR DEMAND: We've added an optional high stakes $10,000 tuna jackpot for those that want to bet big to win big! The 2nd Annual Pelagic California Tuna Challenge is set for September 10-11, 2021 with weigh-ins, social hours, & awards located at The Marlin Club San Diego! Leave from any marina or launch facility in the greater Southern California region and simply bring us your biggest tuna to the @themarlinclub_sd for the chance to win some CA$H. Optional jackpots are also available for various levels of tuna & yellowtail categories with an estimated $100,000 in cash prizes up for grabs. Once again, two of SoCALs favorite craft brew and spirit icons Ballast Point Brewing & Cutwater Spirts are joining us as beverage partners for this event, and every team will be receiving some \"liquid\" gifts. Both brands will be on-site at the San Diego Marlin Club on Saturday, September 11th hanging out and providing their branded swag, while the Marlin Club will be serving up each companys respective canned brews or cocktails of choice to all of-age tournament participants. @ballastpointbrewing #DedicatedToTheCraft @cutwaterspirits #SetYourCocktailFree Registration & detailed information is available online at www.PelagicTournaments.com (link in bio), and we are offering multiple, on-site check-in & registration options as well (on-site registration options below). Fish aboard your own boat or book a charter and assemble your team. Are you in? Wednesday, September 8th 2:00-6:00pm Pelagic Costa Mesa 1660 Placentia Ave., Costa Mesa, CA 92627 Thursday, September 9th 2:00-6:00pm Pelagic Solana Beach 115 N. Hwy 101, Solana Beach, CA 92075 Friday, 9:00am -12:00pm Final Check-in San Diego Marlin Club 2445 Shelter Island Dr, San Diego, CA 92106 . . . #PELAGICWORLDWIDE #PelagicTournaments #CATunaChallenge @themarlinclub @pelagic_sandiego @cutwaterspirits @ballastpointbrewing", + "likes": 587, + "commentsCount": 10 + }, + { + "caption": "PELAGIC VAULT: A little old-school Mexico rewind. From Cabo, to Costa Rica, to Cape Verde Islands and beyond, follow the PELAGIC Pro Team on a worldwide expedition to the hottest fishing destinations on the planet. . . . #PELAGICWORLDWIDE #FlashbackFriday @capt_ron_official", + "likes": 715, + "commentsCount": 7 + }, + { + "caption": "Last day of mini season - good luck to all of our Keys' friends! || @kellie_strange . . . #PELAGICWORLDWIDE #spinylobster #floridakeys @pelagicgirl", + "likes": 7291, + "commentsCount": 44 + }, + { + "caption": "PELAGIC POLARIZED || BUILT FOR FISHING PELAGIC POLARIZED is the #1 choice in performance eyewear for serious fishermen. Our professional-grade Polarized Mineral Glass (PMG) and Ultra Lightweight polycarbonate (XP-700) lens options have been rigorously tested under the harshest conditions by the planets premier charter boat captains and industry professionals to consistently outperform the competition. Click the link in bio to see the full collection. . . . #PELAGICWORLDWIDE #PelagicPolarized #BuiltForFishing", + "likes": 1279, + "commentsCount": 23 + }, + { + "caption": "Sailfish Reflections - a beneath-the-waves look from @steve_doughertyphotos. . . . #PELAGICWORLDWIDE #sailfish #Guatemala @fish_track", + "likes": 2512, + "commentsCount": 7 + } + ] + }, + { + "fullname": "Z-Man Fishing Products", + "biography": "2022 New ProductZ", + "followers_count": 363337, + "follows_count": 1265, + "website": "https://linktr.ee/zmanfishing", + "profileCategory": 2, + "specialisation": "Outdoor & Sporting Goods Company", + "location": "Ladson, South Carolina", + "username": "zmanfishingproducts", + "role": "influencer", + "latestMedia": [ + { + "caption": "Chatterbait Willowvibe rigging video! Pro tip: Bend the blade as shown to keep the bait from rising to the surface #chatterbait #willowvibe #minnowz #glow #chartreuse", + "likes": 5246, + "commentsCount": 42 + }, + { + "caption": "The Nedmiki catches all! #finesseeyez #streakz375 #nedrig #tigermusky #finessefishing @joeyfishing @sweetwatertv", + "likes": 1715, + "commentsCount": 9 + }, + { + "caption": "Were getting after it this morning in the plant! Comment your favorite ElaZtech color below #ElaZtech #10Xtough #plastic #intheplant #manufacturing #wednesday", + "likes": 2912, + "commentsCount": 67 + }, + { + "caption": "When in doubt, swim it out! The Turbo FattyZ are now available on our web store and will shortly be available for purchase at your favorite retailer #swimmingworm #bassfishing #blackandblue #stcroix #fullcontactfinesse #victory #rods", + "likes": 3429, + "commentsCount": 22 + }, + { + "caption": "Let em go, let em grow! #redfish #release #30incher #bull #letemgrow #inshorefishing #kayakfishing", + "likes": 793, + "commentsCount": 3 + }, + { + "caption": "Who else likes catching spots on a jig? #crosstheireyez #crozzeyezjigs #bruisedgreenpumpkin #spottedbass #hooked @joeyfishing", + "likes": 1673, + "commentsCount": 8 + }, + { + "caption": "The Redfish eye jig head from @eyestrikefishing was designed to perfectly fit 4 to 5 ElaZtech bait profiles. It also comes equipped with a super strong 3/0 Mustad hook. #eyestrikefishing #redfisheye #jighead #ElaZtech #scented #jerkshad #goldrush @carterandrewsfishing : @flywater_expeditions", + "likes": 1730, + "commentsCount": 5 + }, + { + "caption": "Like kayak fishing but dont want to carry a ton of gear? Just a few @zmanfishingproducts bags and youre good all day! #zmanfishing #elaztech #diezelminnowz #madeinusa #10xTough", + "likes": 2105, + "commentsCount": 10 + }, + { + "caption": "LIFE GOALS: when 8 fish per hour is a bad day. #nedrig #elaztech #10xTough #midwestfinesse #madeinusa #zmanfishing #nedkehde @nedkehde", + "likes": 2269, + "commentsCount": 25 + }, + { + "caption": "This dude got some serious air in a last ditch effort to throw the 3/4oz CrossEyeZ Football Jig with a Billy Goat trailer! #billygoat #elaztech #10xTough #crosseyezfootballjig #zmanfishing #sweetwaterfishingtv @sweetwatertv @jasonstemplephoto", + "likes": 2707, + "commentsCount": 9 + }, + { + "caption": "The 5 DoormatadorZ right where it belongs! Whatre you catching on this combo? #fluke #flounder #striper #bass #bucktail #jig #inshore #offshore", + "likes": 5895, + "commentsCount": 74 + }, + { + "caption": "@sportsmans_warehouse in North Charleston, SC is filled to gills with Z-Man! Wheres your local #zmanshop ? Tag them in the comments below to show them some love! #zmanfishing #tackleshop #elaztech #chatterbait #sportsmanswarehouse", + "likes": 4720, + "commentsCount": 90 + } + ] + }, + { + "fullname": "Gravity Industries", + "biography": "Mission to re-imagine human flight and inspire a generation #takeongravity www.Gravity.co", + "followers_count": 485476, + "follows_count": 525, + "website": "https://linktr.ee/Gravityindustries", + "profileCategory": 2, + "specialisation": "Aerospace Company", + "location": "", + "username": "takeongravity", + "role": "influencer", + "latestMedia": [ + { + "caption": "First momentary hover from Oliver Browning (14) . Not bad for only 8 goes ", + "likes": 2789, + "commentsCount": 34 + }, + { + "caption": "Part of a little demo for our fantastic @helpforheroes guests today @goodwood thanks to @grenadeofficial ", + "likes": 13314, + "commentsCount": 114 + }, + { + "caption": "Playing on the rig @fosgoodwood @richardmbrowning ", + "likes": 8849, + "commentsCount": 63 + }, + { + "caption": "Our epic partners @grenadeofficial fuelling Gravity on our fantastic journey #teslamodelx #teslaludicrous", + "likes": 5497, + "commentsCount": 68 + }, + { + "caption": "No tether! @jettisam flying the all electric eSuit prototype @fosgoodwood @archiesandberg @richardmbrowning @alex_the_wilson @paul_stronger @ryan_hopgood", + "likes": 17881, + "commentsCount": 220 + }, + { + "caption": "Massive moment for us revealing and @jettisam flying the all electric eSuit prototype @fosgoodwood @archiesandberg @richardmbrowning @alex_the_wilson @paul_stronger @ryan_hopgood", + "likes": 5512, + "commentsCount": 106 + }, + { + "caption": "Playing on the rig @fosgoodwood @richardmbrowning", + "likes": 5889, + "commentsCount": 87 + }, + { + "caption": "Latest film out on YouTube, link in Bio All part of the lead up to a big presence @fosgoodwood this week @richardmbrowning ard@gravity.co", + "likes": 5443, + "commentsCount": 47 + }, + { + "caption": "Come fly with us @fosgoodwood AND we will be revealing something new next week at #festivalofspeed ", + "likes": 6351, + "commentsCount": 50 + }, + { + "caption": "A pleasure to arrive @foundersforum by #jetsuit, @richardmbrowning thanks @brenthob #sohofarmhouse . Great job @skydiohq", + "likes": 6107, + "commentsCount": 64 + }, + { + "caption": "Fun day #cheltscifest @cheltfestivals @cheltscigrp @visitcheltenham @richardmbrowning @grenadeofficial @thedallascampbell", + "likes": 8369, + "commentsCount": 75 + }, + { + "caption": "On-shot @insta360 film of complete Race, on YouTube, link in Bio @topgear @aflintoff11 @grenadeofficial", + "likes": 3727, + "commentsCount": 18 + } + ] + }, + { + "fullname": "Cody Miller", + "biography": "Movie Buff Olympic Champion Puppy Enthusiast YOUTUBER Food Assassin 8xRecord Holder Father to Axel contact@tablerockmanagement.com", + "followers_count": 137074, + "follows_count": 241, + "website": "https://codymillerswim.com/", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "codymiller", + "role": "influencer", + "latestMedia": [ + { + "caption": "By far my favorite race of #Tokyo2020 Cant put into words how proud I am of these girls. Lilly King never quit, when things got hard she dug down and swam a life time best time when the pressure was at an all time high. Annie Lazor came out of retirement years ago, battled constant injury, and persevered through personal tragedy now shes an Olympic Medalist. Im lucky to have friends like them. They inspire me. And finally Huge congratulations to Tatjana on setting a New World Record. Incredible swim. Youve all inspired the world. #Champions #Tokyo2020 #Swimming", + "likes": 26541, + "commentsCount": 69 + }, + { + "caption": "I love my @tonal From shoulder and hip mobility clinics to total body quick fit classes tonal has everything I could ask for. Recently Ive been enjoying stretch and flow yoga courses. Ive been working on my mobility during my down town. Really loving it #TonalPartner", + "likes": 6168, + "commentsCount": 17 + }, + { + "caption": "I this woman", + "likes": 19208, + "commentsCount": 65 + }, + { + "caption": "Today we talk about my Olympic Trials results, NEW Vlog live now", + "likes": 12184, + "commentsCount": 41 + }, + { + "caption": "Proud to announce Im BACK with DC Trident for the 2021 International Swim League! PUMPED for @iswimleague season 3#Swimming #DCtrident #ISL", + "likes": 15029, + "commentsCount": 53 + }, + { + "caption": "Whats it like to compete at US Olympic Trials? I walk you through it on YouTube Now! Well discuss results soon. Cheers everyone! : @spitserphoto #Swimming #TeamUSA #OlympicTrials", + "likes": 15697, + "commentsCount": 53 + }, + { + "caption": "Experience US Olympic Trials Exclusive Behind the scenes Tour with me LIVE NOW! On YouTube! This is one of my favorites Well discuss results in a future video. Cheers! #Swimming #TeamUSA #OlympicTrials #Omaha", + "likes": 15278, + "commentsCount": 71 + }, + { + "caption": "My 4th Olympic Trials", + "likes": 29030, + "commentsCount": 253 + }, + { + "caption": "Swimming is evolvingWhat Team are you?! Im Team ELECTRIC STRIKE! Available now at SpeedoUSA.com n#TeamSpeedo #MadeForFastSkin", + "likes": 14161, + "commentsCount": 40 + }, + { + "caption": "Weekend with the boys we reached MAX speed in my pool... theyve still got it baby! We cooked Deer, Elk, Alligator, and Python... which you can see in the vid I just posted ", + "likes": 11148, + "commentsCount": 15 + }, + { + "caption": "Swimming & Grilling.. Can Kyle, Logan, & Ethan still swim?", + "likes": 5452, + "commentsCount": 20 + }, + { + "caption": "25 Days to US Olympic Trials! NEW Vlog is up now! And more episodes of Codys Classroom on Fridays! Have a great week everyone! #Swimming #RoadToTokyo #Wednesday", + "likes": 7574, + "commentsCount": 30 + } + ] + }, + { + "fullname": "Hilary Sue Martin", + "biography": "~ Matthew 19:26 ~ Just an outdoors girl trying to do big things ~ Tik tok & Youtube: TheReelHilarySue THANK YOU FOR 80k!!!", + "followers_count": 82299, + "follows_count": 1067, + "website": "https://youtu.be/mvAK_Vd0jJ8", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "thereelhilarysue", + "role": "influencer", + "latestMedia": [ + { + "caption": "Had to throw in a lil bit of shark fishing during our successful mini season;) @aftco Comment below if youve ever lobstered! : @thereelmacoy #girlswhofish #miniseason2021 #lobsterseason #bugsofinstagram #sharkfishing #nurseshark #spinylobster", + "likes": 15849, + "commentsCount": 120 + }, + { + "caption": "Everyone knows fishing, traveling, and sports are my passions! My parents have always been my role models and encouraged me to do what I love. I wouldnt be able to do what I love every day if I was controlled by an addiction to cigarettes. I want to encourage everyone to stay tobacco-free. I want to live a long, healthy life thats free from cigarettes! @therealcost #therealcost", + "likes": 26768, + "commentsCount": 170 + }, + { + "caption": "Lake O chunkers! @mysterytacklebox - Go see my instagram story and swipe up to check out my new video! ITS INSANE : @scottmartinchallenge - @youtube @aftco @favoriterodsusa @skeeter_boats #mtbchallenge #girlswhofish #lakeokeechobee #bassfishing #youtube #newvideo #mysterytacklebox #chunky #donkdonk #nicebass", + "likes": 14233, + "commentsCount": 123 + }, + { + "caption": "Well, thats a wrap for Icast 2021! So happy that I had the opportunity to meet some awesome people and of course re-connect with some amazing friends! It sure was a blast and im already excited for next years;) - #icast2021 #Godisgood #goodtimes #newfriends #bassfishing #girlswhofish #orlandoflorida #fishinglife", + "likes": 16840, + "commentsCount": 73 + }, + { + "caption": "WOW! Ive now broke my personal best smallmouth 3 times since ive been in New York! This TOAD weighs 5lbs 5oz, definitely the one ive been waiting for;) - @timberxtitanx27 @jacob_sr_martin #personalbest #smallmouthbass #bassfishing #newyork #5lb5oz #aftco #freshwater #donkdonk #bigsmallie #pbsmallmouth", + "likes": 17661, + "commentsCount": 229 + }, + { + "caption": "Well, I caught my personal best small mouth! (right hand) - Comment below your personal best smallie;) @scottmartinchallenge @jacob_sr_martin #personalbest #pbbass #smallmouth #bassfishing #girlswhofish #riverfishing #donkdonk #smallmouthbassfishing", + "likes": 15123, + "commentsCount": 289 + }, + { + "caption": "Some northern giants - Go follow @rtlatinville9 and dm him for an awesome day on the water! @jacob_sr_martin @aftco @favoriterodsusa @trokarhooks #northernbass #donkdonk #bassfishing #youtube #newvideosoon #newyork #nybass #girlswhofish", + "likes": 11294, + "commentsCount": 111 + }, + { + "caption": "Today was one for the books! - These are the Adirondack Mountains! I will be in New York for 2 weeks so stay tuned for some bangin content @rtlatinville9 @jacob_sr_martin #adirondackmountains #Godscreation #beautiful #girlswhofish #bassfishing #smallmouth #largemouth #bass #goodtimes #newyork #nybass", + "likes": 8886, + "commentsCount": 87 + }, + { + "caption": "Happy Independence Day!! Thankful for those who fought for our freedom - How is everyone spending their 4th of July? #independenceday #4thofjuly #bassfishing #girlswhofish #fishinglife #largemouthbass #freshwater #newyork #stlawrenceriver", + "likes": 8911, + "commentsCount": 80 + }, + { + "caption": "Made it to New York and filmed a tv show today with dad caught many small mouth, including my pb! - The first photo. I will be here for 2 weeks so be ready for some content;) @scottmartinchallenge @aftco @googanbaits @skeeter_boats @favoriterodsusa #newyork #stlawrenceriver #smallmouthbass #bassfishing #personalbest #pb #smallie #bestdadever #tvshows #film", + "likes": 13614, + "commentsCount": 144 + }, + { + "caption": "Bahamas photo dump:) @scottmartinchallenge @ameliaamartin_ @suzanne_martin @julia.freemann @bfreeman974 @_egloff @swfreeman1 @billy_freeman1 #bahamascrew #bahamasfun #bahamamama #blessedandgrateful #familyvacay #ilovemyfamily #Godisgreat #goodtimes", + "likes": 16823, + "commentsCount": 112 + }, + { + "caption": "As much of a BLAST the Bahamas was (photo dump coming soon) Im so glad to be back in my happy place:) : @scottmartinchallenge @mysterytacklebox @googanbaits @favoriterodsusa #girlswhofish #bassfishing #thereelest #lakeokeechobee #bahamasvacation #gladtobeback #bass", + "likes": 15157, + "commentsCount": 113 + } + ] + }, + { + "fullname": "Michael Andrew", + "biography": "BLESSED TOKYO OLYMPIAN @tyrsport Athlete", + "followers_count": 185498, + "follows_count": 243, + "website": "https://linktr.ee/swimmermichael", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "swimmermichael", + "role": "influencer", + "latestMedia": [ + { + "caption": "Good to be home", + "likes": 20572, + "commentsCount": 202 + }, + { + "caption": "Currently flying home, and I cant stop thinking about how grateful I am to be doing what I love on the biggest stage possible! Although I may not have swum to the level I believe I was capable of, I realize my biggest wins and successes comes from moments like this. Im so fired up for whats to come! Too blessed to stress, and God is so good! I have been working toward this dream with my family for the last 12 years. To my mom and dad, I would not be the Olympian I am today without you. Thank you for sacrificing everything to give me this incredible opportunity to display Gods gifts. To my sister Michaela, youre my best friend and youve seen me at my best and at my worst. I wouldnt be as mentally tough, emotionally secure, and spiritually strong if it wasnt for your love and consistent pouring in to my life. I also want to thank @tyrsport, @corkcicle, @lyvecap, and @united_re for your support and equipping me to be my best! Thank you Tokyo, and all of the volunteers for hosting an excellent Olympic Games! We, the athletes and coaches are so grateful. Lastly, to everybody in my corner. Those of you praying, cheering, and supporting. Thank you for caring and for all of the beautiful messages throughout my career and the Games. I love God, I love my family, I love my country, and I love swimming! Looking forward to taking some time to surf and celebrate with my friends! Then we start working towards Paris 2024! 1 Corinthians 9:24-27 : @gettysport", + "likes": 41512, + "commentsCount": 619 + }, + { + "caption": "World Record andwith my brothers! Thank you @ryan_f_murphy @apple_zach and @caelebdressel Its an honor to be a part of the DREAM TEAM! (: @spitserphoto)", + "likes": 45206, + "commentsCount": 587 + }, + { + "caption": "Keeping cool as I gear up for my next event, the 200 IM! @corkcicle keeping my hydration even cooler ", + "likes": 18460, + "commentsCount": 702 + }, + { + "caption": "Your will be done Grateful for my first Olympic final. Congratulations @adam_peaty, @arnokamminga, and @nicolomartinenghi! Now on to the next one! 200 IM up next #Blessed", + "likes": 34844, + "commentsCount": 312 + }, + { + "caption": "On to the next round! : @spitserphoto ", + "likes": 23791, + "commentsCount": 253 + }, + { + "caption": "The moment weve all been waiting for", + "likes": 41482, + "commentsCount": 241 + }, + { + "caption": "Grateful to be here with my dad! Its been a wild journey up to this point, and were only getting started. Excited for the Games to start soon ! (Thank you Doc Lynch for capturing this moment)", + "likes": 16634, + "commentsCount": 99 + }, + { + "caption": "Iced out with the boys", + "likes": 14946, + "commentsCount": 78 + }, + { + "caption": "MAGNIFICENT #TOKYO2021", + "likes": 20366, + "commentsCount": 118 + }, + { + "caption": "Moving in to the village tomorrow ! New vlog features @jake.mitchell1 and @caelebdressel squashing the beef between them literally. #Tokyo2021", + "likes": 13907, + "commentsCount": 88 + }, + { + "caption": "Olympic Training Camp Vlog is up on my channel! Go check it out, and see what camp is like with Team USA : @mike2swim", + "likes": 12029, + "commentsCount": 123 + } + ] + }, + { + "fullname": "\ud835\udcd1\ud835\udcfb\ud835\udcf2\ud835\udcfd\ud835\udcfd\ud835\udcea\ud835\udcf7\ud835\udd02 \ud835\udcde\ud835\udcfc\ud835\udcf4\ud835\udcee\ud835\udd02", + "biography": "Angler | Charter - @chasinactioncharters Pro staff @aftco @bangenergy Select Model -Britt25 @brittapparel PM @classy.countrygirls Capt. Austin", + "followers_count": 212264, + "follows_count": 1242, + "website": "https://direct.me/britt-fishing", + "profileCategory": 3, + "specialisation": "Public Figure", + "location": "", + "username": "britt_fishing", + "role": "influencer", + "latestMedia": [ + { + "caption": "Just a little bit Ladies you need these shorts by @wrangler! Go buy them trust me ", + "likes": 4998, + "commentsCount": 167 + }, + { + "caption": "I had so much fun Miss Hooters pageant! It was my first pageant I've ever been too and it was definitely a memorable experience! Congratulations to Gianna Tulio for taking home the crown! You strutted yourself like a queen! Thank you so much, @hooters , for inviting me to such a special event it was a Hoot! BUT that's not all! Hooters has given me a little surprise to share with you! You can save $10 off any order of $30+ when using my code \"BRITT\" *Valid at participating locations for delivery and carry out orders when ordering on the Hooters App or www.hooterstogo.com. #hooterspartner #HootersPageant #HootersPartner #HootersRoadTrip #RoadToOrlando", + "likes": 2659, + "commentsCount": 82 + }, + { + "caption": "All smiles when Im on the beach! Side note: The water was really cold lol . Im sorry I havent been active much on Instagram, Ive been so sick. Im working on trying to get better", + "likes": 8066, + "commentsCount": 283 + }, + { + "caption": "EXCLUSIVE 7-ELEVEN BANG ENERGY FLAVOR! . DROP-IN and grab this all NEW @BangEnergy and @7Eleven exclusive collab, Swirly Pop! Available only at 7-Eleven stores, this new flavor has the same 300 mg of caffeine to fuel your life but featuring a unique 7-Eleven flavor, theres no doubt youll instantly know it and love it! . Tag a friend that needs to try this gnarly new flavor! . Follow the inventor of Bang: @BangEnergy.CEO . #BangEnergy #Skateboard #Skateboarding #SkateboardingIsFun #Skateboards #Skateboarder #SkateboardingLife #SkateboardingIsLife #NewFlavor #NewProduct #7Eleven #Exclusive #Caffeine #Skater #Skaters #SkaterGirl #AllNew #Summer #SummerTime #SummerVibes #SummerFun #SummerStyle #SummerDays #Energy #EnergyDrink #Celebrate #yummy", + "likes": 2553, + "commentsCount": 90 + }, + { + "caption": "Wishing I was fishing, but instead Im at home sick !", + "likes": 5944, + "commentsCount": 243 + }, + { + "caption": "There is always a reason to smile. Find it! . Photographed by: @salvadormora.photo", + "likes": 6951, + "commentsCount": 216 + }, + { + "caption": " KICK ASS COLLEGIATE CONFIDENCE . Bang Energy is getting your fall semester prep done early this year with the Bangin Back to School Energy Sweepstakes!glowing star 3 lucky winners could win: MacBook Pro 13.3 Apple Air Pods Pro Apple iWatch Bang Energy swag items . For your chance to win follow the 3 simple steps below: 1 GO to @BangEnergySweepstakes & share their post to your story. * .* 2 GO to @BangEnergySweepstakes & FOLLOW everyone they follow. 3 SIGN-UP at www.Bangenergy.com/sweepstakes to complete your entry. . This sweepstakes begins at 09:00:00AM Eastern Time (EST) on Monday, 7/19/2021 and closes at 11:59PM EST on Friday 7/23/2021. Three winners will be chosen from eligible entrants, at random, and announced Thursday 7/29/2021! . No purchase necessary. Exclusions apply. Terms & conditions here: www.Bangenergy.com/sweepstakes . Follow the inventor of Bang: @bangenergy.ceo . . #GiveawayContest #Win #Sweepstakes #Giveaway #Apple #Prizes #Technology #Student #Gear #School #Freebie #UniversityLife #BackToSchool #WinWin #FirstDayOfSchool#GiveawayTime #StudyTime #ContestAlert #Winner #Free #GiveawayAlert #FallSemester #College #CollegeLife #CollegeStudent #Giveaways #Contest #sweepstakes", + "likes": 3556, + "commentsCount": 122 + }, + { + "caption": "@icastshow was so much fun! @chasinactioncharters and I met so many amazing people, and as a bonus, I hung out with these two babes.! @m_leftwich @jtardibuono", + "likes": 3934, + "commentsCount": 83 + }, + { + "caption": "Lifes a beach and Im just playing in the sand! . Photographed by @salvadormora.photo", + "likes": 11118, + "commentsCount": 258 + }, + { + "caption": "Long live this way of life, long live nights like these! . . Photographer @salvadormora.photo", + "likes": 9555, + "commentsCount": 254 + }, + { + "caption": "Boat days are the best days! . @bangenergy @bangenergy.ceo #energydrink #bangenergy . Use my code BRITT10 and receive 10% off your Bang Energy Order!", + "likes": 6231, + "commentsCount": 171 + }, + { + "caption": "Summertime bliss . @bangenergy @bangenergy.ceo #energydrink #bangenergy . Use my code BRITT10 and receive 10% off your Bang Energy Order!", + "likes": 5443, + "commentsCount": 177 + } + ] + }, + { + "fullname": "Darrelle Revis", + "biography": "Father Humanitarian Entrepreneur Super Bowl Champion XLIX 7x Pro Bowler 4x First Team All-Pro", + "followers_count": 273735, + "follows_count": 2400, + "website": "http://darrellerevis.com/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "darrellerevis", + "role": "influencer", + "latestMedia": [ + { + "caption": "No. 36 today!!! Another year in the books. #itsmybirthday #itsmybirthdaytoday #itsmybirthdaymonth", + "likes": 12849, + "commentsCount": 559 + }, + { + "caption": "A base hit by Jay is smooth.", + "likes": 1715, + "commentsCount": 20 + }, + { + "caption": "Shutdown one side of the field and your dream seat is on a PJ", + "likes": 7319, + "commentsCount": 107 + }, + { + "caption": "Happy Fathers Day. Jayden, #4th baseball team in the state of Pennsylvania for 12U. Congrats on the baseball tourney at Shipyard Park in South Carolina. #LikeFatherLikeSon", + "likes": 5232, + "commentsCount": 54 + }, + { + "caption": "Chasing Greatness. To be continued...", + "likes": 2752, + "commentsCount": 51 + }, + { + "caption": "The famous P visited Cape Town. @pheit.la", + "likes": 2702, + "commentsCount": 36 + } + ] + }, + { + "fullname": "The Largest Octopus Fan Club \ud83d\udc19", + "biography": "We work to inspire wonder of the ocean by educating the world about octopuses! 501(c)3 Want DailyFacts? txt 512-375-3648 Grab some Octo-Merch", + "followers_count": 276210, + "follows_count": 7276, + "website": "http://shop.octonation.com/", + "profileCategory": 2, + "specialisation": "Nonprofit Organization", + "location": "", + "username": "octonation", + "role": "influencer", + "latestMedia": [ + { + "caption": "Is it just us, or is this relaxing to watch? : @matthewunderwater Did you know octopuses do their own manicures? It might sound crazy, but hear us out. Octopus suckers have something called a chitinous cuticle its kinda like your finger nails, except for octopuses its a protective lining covering the surface of every-single sucker they have! Just like our fingernails make it easy for us to pick things up, an octopuses textured sucker lining helps them hold onto objects and not let go! What happens when your nails get too long? Ya bite em, trim em, or maybe even paint em! When an octopuses sucker lining wears out, it will carefully begin to swirl its 8 arms together until all that's left is hundreds of round translucent sucker discs floating around its den. The outgrown sucker lining sheds off revealing well-manicured squeaky clean suckers! Look at those pearly-whites! And thats not all folks Not only does grooming improve their grip strength, it sharpens their ability to taste and smell with the suckers on their arms! Wild huh?! If you read this far, tell us what ya found most fascinating about this post & if you enjoyed it share to your stories! Thanks Nation! #science #nature #biology #marinelife #cuttlefish #octopuses #cephalopods #reef #underwater #diving #oceanconservation #sea #biodiversity #marinebiology #ocean #animals #fish #octopus #natgeo #nationalgeographic #natgeoyourshot #STEM #scuba #scubadiving #underwaterphotography #wildlifephotography #myoctopusteacher", + "likes": 11542, + "commentsCount": 194 + }, + { + "caption": "What color would you call this? Iridophores are found under chromatophores (the cells that give the octopus the ability to change color) Iridophores are reflector cells responsible for producing the metallic/glow-like greens, blues and golds seen in the Caribbean Reef Octopus, as well as the silver color around its eyes. With the flora in the reef being so vibrant & diverse, the Caribbean Reef Octopus is able to produce a miraculous amount of color/texture changes! Watching them forage/hunt is so magical! 1 Theyll parachute and canvas/entrap prey with their arm-web 2 Then blast strong currents of water to flush out/spook their prey into their suckers. 3 pass the prey item from sucker to sucker like a conveyer belt towards its beak Whoosh! Nom nom nom @TheMoonLitReef said, Normally, Octopus briareus, will quickly change from blue to blue w/green, green, green w/brown, brown and a rusty color. I always try to capture the beautiful blue color but it isn't always possible. Species name: Octopus briareus Bonaire, Caribbean Netherlands #octonation#dive#padi #uwphotography #underwaterphotography #oceanconservation@mission_blue #octopus#blueplanet @clarklittle #natgeoyourshot#uwmacro #paditv#discoverocean@discoverocean @fathomlesslife#cuteanimals#scuba #scubadiving#underwater#scubalife #instadive#savethereef #hopespots @JordinSparks @Oceana @coral_org #Caribbean #nobluenogreen #oceanoptimism #thinkblue #shore #beach #oceanminded #OctopusBriareus #caribbeanreefoctopus", + "likes": 10831, + "commentsCount": 114 + }, + { + "caption": "Whats a better name for cuttlefish? @_bugdreamer_ Ok, Is it just us, or does the cuttlefish look like it escaped from outer space? With its unearthly glowing colors and silent movements, this gorgeous creature glides through water as if it were weightless. Cuttlefish are masters of the sea with their many superpowers, but one thing that makes them stand out is their unique skirt-like fin. With a muscular fin wrapped around its whole body, the cuttlefish fearlessly moves through water as if they know how skilled they are! (Look at those wise eyes!) Depending on your angle, the animal appears in any color from shiny greens to blues to match its surroundings- giving them an edge when hiding or hunting prey underwater! When needing to make a quick getaway, cuttlefish morph their tentacles, arms, & body into a sleek looking sports car-like shape and use jet-propulsion to ZOOM backwards at high speeds! The muscular siphon found under their arms is not their mouth but rather its rocket booster they use it to powerfully propel themselves around! Wonder how they dont bump into anything while jetting backwards at warp speed?Well get thisCuttlefish can squint their W shaped pupils right down the middle and focus on hunting while at the same time watching for predators that might sneak up behind them! Imagine being able to split your pupil into two and being able to see behind yourself! If you read this far, let us know if you wanna learn more about the cuttlefish eye! \\ / #OctoNation#squid#Cuttlefish#Scuba#cephalopod#discoverocean#wildlife#octopustattoo#beautiful#NatGeo#oceanconservation#seacreature#NatGeoWild#shotoniphone#blueplanet#marinebiology#myoctopusteacher#animals#ocean#seacreatures#education#biology#sea#nationalgeographic#bestfriends#underwaterphotography #natgeoyourshot #natgeotravel #scubadiving #STEM", + "likes": 12345, + "commentsCount": 277 + }, + { + "caption": "Have you heard of this species? True to its name, the Algae octopus can be seen creeping backwards with 6 arms coiled, camouflaging as a plant to conceal its squishy vulnerable body! See the two arms peddling below? This is what scientists call a rolling gait or bipedal locomotion smooth moves octo! \"Don't mind me humans-- just a plant being tossed around in ocean currentsnothin to see here. Read this far? Let me know if youre up for a species stories quiz later tonight! : Underwater Bipedal Locomotion by Octopuses in Disguise by Christine L. Huffard, Farnis Boneka, Robert J. Full #octonation#padi #uwphotography #natgeoyourshot #paditv#scuba #scubadiving#underwater#scubalife #underwaterphotos #underwaterpic #underwaterimeges #underwatervideo #coralreef #underwaterpic #underwaterworld #seaanimals #underwaterlife #ocean #redseadiving #divingtime #discoverocean #octopus #cephalopod #billnye #stemeducation #aculeatus", + "likes": 3409, + "commentsCount": 44 + }, + { + "caption": "Ever wonder how mama octos give birth? : @jmjdiver (strap in and read this) When a den has been chosen, the mother octopus will often drag rocks to fortify her den to protect against predators. Shell then turn upside down and cling to the roof of her den to begin the birthing process. Each egg is created in the ovary and then coated with nutrient rich yolk for it to develop in. Sperm is used to fertilize the egg and then the final step is coating the egg with a material that looks like what you can see a translucent rubbery white shell! Mama octos will expel each egg, one by one out of her funnel/siphon, then, using suckers near her beak, painstakingly braid them together into long chains of eggs called festoons. When they reach a certain length (around 175 eggs), Shell produce an adhesive-like secretion at the top of the den to begin another strand or descend to rest & protect her brood The 30-40 day process involves birthing and braiding 70,000+ eggs and around 400 strands/festoons of eggs. Mothers meticulously clean and waft currents of water over their eggs so they get a constant supply of fresh, oxygenated water. (Growing eggs require constant influxes of oxygen!) The hatching off the eggs represents the end of the octopus mothers life as the process of senescence begins. A chemical secretion from her optic gland stops her desire to eat during this process She passes away using the last of her energy to blow the octopus babies into the water column for a better chance of survival! We love our selfless octopus mothers! If ya read this far, what did you find most fascinating above? Learn anything? Have anymore questions? Its wild to me personally that they have this preprogrammed innate ability to begin this process - how do they know how long to make the strands? There is so much more research left to do! #OctoNation #explore #ocean #expeditions #Octopus #adventure #wildlife #uwphotography #natgeo #natgeoyourshot #nautical #climatechange #cephalopod #planetearth #UnderwaterPhotography #Underwater #myoctopusteacher #education #STEM #homeschool #taxonomy #science", + "likes": 5427, + "commentsCount": 140 + }, + { + "caption": "Who is loving Crabby Chris the mimic octopus!? Now available Link in @octonation bio or visit octomerch.com Have you seen the new store design? Come cephalobrate our grand opening and use code octomerch for 10% off! (Visit link in bio!) Whewee nation! Whats the temperature outside where ya live? It was 101F (38C) here in Austin Texas today! Crabby Chris designed by our creative director @chrisacreative really got his name from his favorite ice cream treat. He would be inclined to tell you its the best and if you argue with him you might end up saying that hes a crabby character, especially when he mimics his lion-fish pals! Crabby Chris is a solitary creature most of the time but when he hears those ice cream submarine songs, he cant help but come out to snag a treat! Details are everything on Chris! From the crabsicle, a favorite treat of the mimic, to the distinct white line above the mimics suckers! You know from our species quizzes that this is the easiest way to spot the difference between a mimic octopus and a wunderpus! Art is a super fun way for us to teach about the biodiversity within the octopus species and is guaranteed to help you start conversations about your favorite ocean creature when you are out and about! OctoNations nonprofit works to inspire wonder of the ocean by educating the world about octopuses!\" --this collection representing biodiversity in a fun and informative way is another way to achieve this mission! Visit octomerch.com and use code octomerch for 10% your order today! If ya read this far, what else do you wanna see Crabby Chris on? #OctoNation #Coffee #coffeetime #coffeelover #coffeeshop #coffeeaddict #octopus #coffeebreak #coffeegram #coffeeholic #coffeelove#coffeelife #coffeeoftheday #coffeeart #coffeemug #coffeehouse #coffeecup #coffeetable #flatwhite #coffeebean #coffeeculture #CharacterDesign #illustration #dallasartist #Scicomm #sciencecommunication #STEM #coffeeart #oceanart #oceanlife", + "likes": 2278, + "commentsCount": 25 + }, + { + "caption": "Where are our GIANT Pacific Octopus fans at? Visit octonation.com to read 9 GPO facts thatll blow your mind! Have you even seen our blog yet?! We think youll love it! If ya wanna get lost in octomadness visit octonation.com :) If ya read this far, comment the emoji for octopus eyes :) : @_bugdreamer_ #octonation #octopus #giantpacificoctopus #GPO #cephalopod #ocean #nature #adventure #explore #underwaterphotography #vancouver #scuba #scubadiving #padi #paditv #eye #eyes", + "likes": 4548, + "commentsCount": 78 + }, + { + "caption": "The smallest, teeniest, tiniest octopus on the planet! : @brandon_hannan_photography Say howdy to the star-sucker pygmy octopus (octopus wolfi) Fascinating Facts: Smaller than an inch (25mm) weighs less than a gram (.04oz) a paper clip! Females can lay multiple clutches/festoons of eggs vs. dying after brooding one. its hard to tell the difference between baby wolfi and full grown adult wolfi because theyre miniature versions of the adults! Theyve got a lifespan of around 6-18 months theyve got little fringes of skin (papillae) on their suckers - probably for better grip strength so they dont blow away (or to capture prey) Anyway One thing is for sure. Were in LOVE WIT THOS SMOL EYEBOLLZ!!! *squeeeee* I feel like if @world_record_egg can go viral this star-sucker Pygmy octopus can go viral too If ya read this far - Share your favorite photo of this QT to your stories! Photographer @brandon_hannan_photography said This species is rare to see in Okinawa, but mainly because of its size. The ones I found were only the size of my thumb nail making it easy to miss if you dont know what to look for! Comment We love you lilwolfi! Below! #octopus #explore #adventure #taxonomy #octopuswolfi #pygmyoctopus #starsuckerpygmyoctopus #wildlife #nature #underwaterphotography #wildlifephotography #wildlifeplanet #blueplanet #octonation #natgeo #natgeowild #yourshotphotographer #tinyanimals #aquaticanimals #TIL #education #stem #stemeducation #rx100v #sonyphotography #sonyrx100v", + "likes": 4847, + "commentsCount": 47 + }, + { + "caption": "The glass octopus is having a moment! : @schmidtocean Have you ever heard of the Glass Octopus? This octopuses superpower is its see through skin! They spend their whole lives floating in the open sea so having a nearly invisible body comes in super handy If ya look close, the only things visible are their digestive gland, optic nerves & eyes Glass octopuses keep their bodies vertical in the water column or spindle shaped Glass octos figured out that if they keep their bodies horizontal their digestive gland casts more of a shadow to predators! Yeah, no thanks! Theyre too smart for all of that ... The mating process is super unique with this species normally a male octopus breaks the tip of his specialized arm filled with packets of sperm (called the hectocotylus) and swims off... Well the male glass octopus arm doesnt break off! (sounds dangerous if you consider some species of female octopuses will eat the male) The male will completely envelop the female in his webbing making sure that the sperm is released exactly where it needs to go! (I have a picture of the glass octopuses special arm if youre interested in seeing it DM us ) Ok so then what? The female glass octopus broods/matures all the eggs inside of her mantle (body) as she navigates the massive open ocean! They hatch directly from her and the cycle begins all over again. If ya read this far what did ya find most interesting? Also now that #SharkWeek is over - do ya think its time for Octopus Week to be a thing (but for 8 days of course) : @octonation #DeepCoralsOfPIPA expedition Narration by @erikcordes # #OctoNation #explore #ocean #expeditions #Octopus #adventure #wildlife #uwphotography #natgeo #natgeoyourshot #nautical #climatechange #cephalopod #submarine #planetearth #Wildlifeconservation #saveourplanet #squid #deepsea #Conservation #UnderwaterPhotography #Underwater #myoctopusteacher #education #STEM #homeschool #taxonomy #science #education", + "likes": 5591, + "commentsCount": 80 + }, + { + "caption": "Quiz: Can you name at least 5 species of octopus off the top of your head? Go! @andrey_shpatak The hairy octopus is one of the smallest octo species on the planet growing a little bigger than 40mm (1.5 inches) You wont see many pictures of this beauty online because, well theyre super hard to spot! As a result of their elusive nature were not sure what they eat, who their predators are, how long they live for, or what their eggs look like! They dont even have an official scientific name The only information we have has been collected by underwater photographers in our network who found this adorable Pom-Pom ball looking octopus totally captivating. If ya read this far, congrats you are the less than 1% of people on this planet who know about this undescribed species! Go forth and impress your friends with your OctoIQ! : @andrey_shpatak #octonation#dive#padi #subsea#uwphotography #underwaterphotography #oceanconservation #octopus#blueplanet #natgeoyourshot#uwmacro #paditv#discoverocean@discoverocean#cuteanimals #thedodo#scuba #scubadiving#underwater#scubalife #instadive#savethereef #Indonesia #gilimeno #giliair #gilitrawangan #hopespots #myoctopusteacher #Philippines", + "likes": 2728, + "commentsCount": 59 + }, + { + "caption": "Rate this camouflage from 1 to 8 : @DavidDiez (learn more ) Octopus can form 3D skin bumps to texture match their surroundings but does it tire them out? Turns out they dont give it much thought! Octopus have a unique specialized musculature thats similar to when clams squeeze & lock their shells to protect themselves. Rather than exerting energy to keep their clam shell shut, the tension is maintained by smooth muscles that fit like a lock and key until a chemical signal (neurotransmitter) releases them. Scientists believe that octopus skin can catch the look of the landscape they are on & hold the shape effortlessly without any neural input for up to an hour. Who else is endlessly fascinated by octopuses? Tag a buddy below! Read this far? Comment : Study published by Paloma Gonzalez-Bellido & Trevor Wardill #OctoNation #squid @dr.evanantin #Octopus #Scuba #cephalopod #discoverocean #diving @discoverocean #octopustattoo #NationalGeographic #NatGeo #oceanconservation @mission_blue #natgeo #seacreature #NatGeoWild #theellenshow #shotoniphone #florida @joerogan @michaelbjordan #blueplanet #uwphotography #underwaterphotography #diving #divinglife #thedodo #underwatervideo #adventure #gopro #myoctopusteacher", + "likes": 7950, + "commentsCount": 176 + }, + { + "caption": "Caption this video! : @onebreathdiver crab: and I OOP pale octopus: how do yall like my new decorator crab? Decorator crabs have hooked hairs, called setae, that act like Velcro these deco crabs hook seaweed, coral, and even other animals to their backs to become SUPER SPYS. #octopus#cephalopod#greatbarrierreef#queensland#animal#wildlife#marinebiology #reels #explore #adventure #taxonomy #learning #underwaterphotography #underwater #westernaustralia #australia #animals #ocean #blueplanet #octonation #zoo #aquarium #decorator #crab", + "likes": 13882, + "commentsCount": 256 + } + ] + }, + { + "fullname": "Sand Cloud", + "biography": " Every Purchase Helps Save Marine Life Swap to Sustainable #savethefishies SHOP New Towel Ponchos", + "followers_count": 814999, + "follows_count": 799, + "website": "https://www.sandcloud.com/collections/new-products", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "sand_cloud", + "role": "influencer", + "latestMedia": [ + { + "caption": "SUNRISE A best seller thats selling FAST ", + "likes": 1395, + "commentsCount": 6 + }, + { + "caption": "SUNRISE RESTOCK Which side is your favorite? 1 or 2? Comment below ", + "likes": 1052, + "commentsCount": 10 + }, + { + "caption": "Are you trying to have a more aesthetic bathroom? Are you looking for more durable towels that also compliment your house style? Check out our bath collection now ", + "likes": 525, + "commentsCount": 4 + }, + { + "caption": "Moments like these Whos ready for the weekend?! #sandcloud #savethefishies", + "likes": 901, + "commentsCount": 2 + }, + { + "caption": "Have you checked out our bath collection So many great styles still in stock NOW ", + "likes": 1340, + "commentsCount": 9 + }, + { + "caption": "BEST SELLER Navy Acid Wash selling QUICK // We hope you all had a great Tuesday!", + "likes": 1824, + "commentsCount": 4 + }, + { + "caption": "HOT ITEM ALERT: our Tapa Clay featured with @sophieandrobert ", + "likes": 957, + "commentsCount": 5 + }, + { + "caption": "BEACH DAY GIVEAWAY Weve teamed up with our friends at @aveneusa to gift two lucky winners: Avene $150 e-gift code Sand Cloud $150 e-gift code A $300 total value! HOW TO ENTER: 1. Follow @aveneusa and @sand_cloud 2. Like and save this picture (reshare to your story for an extra entry). 3. Tag 3 friends in the comments Multiple comments tagging 3 friends count as multiple entries Giveaway starts from the time of post and ends August 5th at 12:00 P.M. EST. Please note that only the verified accounts of @aveneusa and @sand_cloud will reach out to the two winners directly through DM by August 10th. No purchase necessary. This Instagram giveaway is not sponsored, endorsed or administered by, or associated with Instagram. Must be 18+ and located within the USA (excluding Hawaii and Alaska) to win- Good Luck!", + "likes": 1929, + "commentsCount": 1024 + }, + { + "caption": "BOHO XL in all its glory featured with AMBASSADOR @sam_nyland ", + "likes": 1493, + "commentsCount": 3 + }, + { + "caption": "Hands in the air if youre ready for another new week to start ", + "likes": 2400, + "commentsCount": 8 + }, + { + "caption": "Did you see our NEW ponchos Tap the photo to shop ", + "likes": 1278, + "commentsCount": 2 + }, + { + "caption": "BOHO towel purple the perfect summer towel // Dont forget to check the website for our RESTOCKS! ", + "likes": 2731, + "commentsCount": 16 + } + ] + }, + { + "fullname": "sharktankabc", + "biography": "The official Instagram for #SharkTank on @abcnetwork. Season 13 premieres October 8 at 8|7c! ", + "followers_count": 558916, + "follows_count": 79, + "website": "https://abc.com/shows/shark-tank", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "sharktankabc", + "role": "influencer", + "latestMedia": [ + { + "caption": "Show of hands for who can't wait to see these two back together! (: @lorigreinershark )", + "likes": 1675, + "commentsCount": 52 + }, + { + "caption": "Catch us streaming all 12 seasons of #SharkTank before Season 13 premieres ", + "likes": 3512, + "commentsCount": 85 + }, + { + "caption": "Wishing a happy birthday to this LEGENDARY Shark, @mcuban! Taking birthday shout outs below ", + "likes": 5473, + "commentsCount": 182 + }, + { + "caption": "We're a solid six, always. How about you? | : @thesharkdaymond", + "likes": 853, + "commentsCount": 60 + }, + { + "caption": "What are @lorigreinershark and @kevinolearytv talking about here? Wrong answers only ", + "likes": 1504, + "commentsCount": 80 + }, + { + "caption": "Who knew sharks and puppies got along so well? #ThrowbackThursday", + "likes": 2787, + "commentsCount": 29 + }, + { + "caption": "Some helpful #WednesdayWisdom to spice up your work day!", + "likes": 4428, + "commentsCount": 60 + }, + { + "caption": "Drop an emoji to let us know which Shark you can't wait to see back in the Tank! #SharkTank #WorldEmojiDay", + "likes": 5012, + "commentsCount": 759 + }, + { + "caption": "Sound the alarm: Sharks are in the water. Another season of #SharkTank starts October 8 at 8|7c on ABC! ", + "likes": 5305, + "commentsCount": 92 + }, + { + "caption": "For #SharkAwarenessDay, we're exploring some different species of Sharks in their natural habitats... | @robertherjavec, @kendrascott, @kevinolearytv @daniellubetzky", + "likes": 1736, + "commentsCount": 13 + }, + { + "caption": "Were proud to be nominated and be among ABCs 23 #Emmy Nominations! #EmmyNoms", + "likes": 535, + "commentsCount": 19 + }, + { + "caption": "Congratulations to #SharkTank on your #Emmy Nomination for Outstanding Casting For A Reality Program! #EmmyNoms", + "likes": 1595, + "commentsCount": 44 + } + ] + }, + { + "fullname": "\ud83c\udfc6 The One Show Pro \ud83c\udfc6", + "biography": " I SUPPORT #THESLAY IFBB Figure Pro Arnolds 19, 20 & Olympian 19 NPC/IFBB Record Setter Team @rambophysiques", + "followers_count": 172424, + "follows_count": 269, + "website": "http://linktr.ee/musclebae/", + "profileCategory": 3, + "specialisation": "Fitness Model", + "location": "", + "username": "fit_lolamontez", + "role": "influencer", + "latestMedia": [ + { + "caption": "Does the bracelet make this an outfit #question #2piece #bodied #trending #portrait #fitnessmodel", + "likes": 13130, + "commentsCount": 464 + }, + { + "caption": "Yes or No For green hair look #greenhair #cream #portrait #bosslady", + "likes": 9238, + "commentsCount": 580 + }, + { + "caption": "Who Zoomed in Garage workouts at its best @msk_ultra sent this look out to me and its just my style #phat #chains #slayed #trending #explorepage #queen #originalcharacter #fantasyart", + "likes": 13046, + "commentsCount": 808 + }, + { + "caption": "Rate these Legs 1-10 This is post show shape #smallwaist #nocatfish #legs #thickthighssavelives #trending #ifbbpro", + "likes": 9775, + "commentsCount": 569 + }, + { + "caption": "Yes or No for ripped hams #rippedbody #legs #flexfriday #postshow #queenvibes", + "likes": 16847, + "commentsCount": 1088 + }, + { + "caption": "Sensuality is what EMPOWERS me~ F*ck What You Heard, I play NO Games !!~ Thank You for the best coach anyone could ask for @thespecialist___ @rambophysiques team . Laying down the foundation & the game plan. Always confident, believing in my ability and capabilities from Day 1 - Thank you @Kelliecorbet for the goddess face beat stage slay Custom Bikini from @angelcompetitionbikinis Thank you for bringing my vision to life Tanning from @liquidsunrayz such an amazing team @wingsofstrength THANK YOU for hosting a flawless show again And all my love for the greatest to ever do it @themsolympia Always stunning Queen YASSSSS #2021 #mrolympia2021 #norfolkchamp #virginia #standup #queen #ifbbfigure #slayqueen #muscle", + "likes": 6626, + "commentsCount": 341 + }, + { + "caption": "Quiet before the storm #stayhumble 2x Champ", + "likes": 7388, + "commentsCount": 335 + }, + { + "caption": "2 x Norfolk Champ Punched that ticket #Olympia My Coach @thespecialist___ We did it Yo ! You the man Thank You @themsolympia Love you and your show is always the best Glad to represent the crown #oneshowpro #wingsofstrength #bodied", + "likes": 11072, + "commentsCount": 655 + }, + { + "caption": "Haters Say its fake What ya think #glutes #work #slayqueen #bodied", + "likes": 10508, + "commentsCount": 601 + }, + { + "caption": "*Balanced* Thoughts on current shape #cocacolashape #structure #balance #symmetricalmonsters #calves #slay #ifbbpro #figure", + "likes": 9195, + "commentsCount": 467 + }, + { + "caption": "Any Questions 4 Me Im sure you can tell I love this look #popsmoke #askme #beachlife #viralreels #fashionova", + "likes": 13253, + "commentsCount": 701 + }, + { + "caption": "Yes or No to the video. Straight fire No Catfish Heels to the beach Filming done by @toro_films Edited by MOI #1andonly #nocopycatsallowed #theytrytho #lmao #queen #bodied", + "likes": 7393, + "commentsCount": 585 + } + ] + }, + { + "fullname": "John Godwin/ Outdoor Lifestyle", + "biography": "Showing you the outdoor lifestyle Click link for the latest adventure!", + "followers_count": 282113, + "follows_count": 714, + "website": "https://youtube.com/channel/UC-Gev_nIYf_a1U2Ocz_V0Dg", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "godwinjohn316", + "role": "influencer", + "latestMedia": [ + { + "caption": "@fincommander @realtreefishing @seaark_boats @bnm_poles @mossbackhabitat @crappiemagnet @humminbirdfishing @minnkotamotors", + "likes": 1982, + "commentsCount": 30 + }, + { + "caption": "What a difference a one piece pole has in feel and sensitivity!! . . . @fincommander @bnm_poles @mossbackhabitat @crappiemagnet @seaark_boats @realtreefishing #fishingtime #crappies #boatsbuiltforalifetime", + "likes": 5968, + "commentsCount": 46 + }, + { + "caption": "Introducing the new @crappiemagnet Dancer", + "likes": 1792, + "commentsCount": 31 + }, + { + "caption": "Turns out the new Dancer by @crappiemagnet also makes a great trailer for the Fin Spin Pro! . . . #fin commander #crappies #fishingtime #sorelipemall", + "likes": 2065, + "commentsCount": 17 + }, + { + "caption": "Want to know how fast fish check out your @mossbackhabitat just watch! #mossbackfishhabitat #fishingtime #crappies", + "likes": 831, + "commentsCount": 8 + }, + { + "caption": "Independence Day boat ride..and fishin of course!", + "likes": 11313, + "commentsCount": 76 + }, + { + "caption": "What a day on the lake today started off windy and cloudy caught them on Tennessee shad slab curly with a fin spin then the sun came out and got still and I had to down size to a crappie magnet and 1/32 oz double cross. Same colors. . . . @fincommander @crappiemagnet @seaark_boats @mossbackhabitat @bnm_poles @realtreefishing @humminbirdfishing @minnkotamotors @mtechlithiumbatteries", + "likes": 7250, + "commentsCount": 57 + }, + { + "caption": "No, I Didnt!", + "likes": 3676, + "commentsCount": 35 + }, + { + "caption": "Whats your favorite, White or Black Crappie? . . #fishingdaily #boating #crappies", + "likes": 4569, + "commentsCount": 81 + }, + { + "caption": "I got to travel to Wetumpka, Alabama and fish the Alabama River. Met some great writers and fisherman and talked to lots of locals. Its good to see there are people all across this land that are just like us! America is Great!!!! Photo credit: @sceniccityfishing . . . #CastTheLine2021 #FishingLife #FishOn #OutdoorWriter #Eceda #VisitElmoreCounty #ElmoreAttractions", + "likes": 5897, + "commentsCount": 51 + }, + { + "caption": "The Black fish have gathered back up and loading up structure. The bigs are off to the side, and there eating big baits. Taking advantage of the shad spawn I guess.", + "likes": 2009, + "commentsCount": 31 + }, + { + "caption": "There she is MISS AMERICA!", + "likes": 3490, + "commentsCount": 26 + } + ] + }, + { + "fullname": "Blair Conklin", + "biography": "Studied @ucberkeleyofficial Interest in environmental science and science education", + "followers_count": 190610, + "follows_count": 1876, + "website": "", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "blairconklin", + "role": "influencer", + "latestMedia": [ + { + "caption": "Never have I ever surfed a right this good! Coach @liquefy_maldives told me to wait for the wide bowls. Im glad I listened! : @liquefy_maldives", + "likes": 10873, + "commentsCount": 136 + }, + { + "caption": "Had to resurface this clip for @adrienraza s #skimeverything challenge. Need to find some more grassy hills to bomb!", + "likes": 9122, + "commentsCount": 41 + }, + { + "caption": "I thought I was a good surfer for a few seconds there. My friend @liquefy_maldives put me in the right place at the right time today. What an insane run of waves we have had so far.", + "likes": 17520, + "commentsCount": 192 + }, + { + "caption": "Dropping! Thanks for driving the winch like a champ @brandon_c_sears . If you want to see the fails from this day you can head over to SkidKids YouTube for more action from this day : @andre_magarao Goat construction on the @exileskimboards makes your board extra durable. @letsparty.letsparty @reef @iseasunglasses @rustyschips @ikaniklife", + "likes": 12514, + "commentsCount": 130 + }, + { + "caption": "@bengravyy putting me in the El Slammo zone! His 410 @wavebandit_official goes! Thanks for the clip @makki_films", + "likes": 11038, + "commentsCount": 61 + }, + { + "caption": "Glad my ankles survived that ending. : @andre_magarao The full edit from this glorious day of skimboarding can be found on the SkidKids YouTube. Skimboard: @exileskimboards medium Blairacuda shape @reef @rustyschips @letsparty.letsparty @ikaniklife @catchsurf @iseasunglasses", + "likes": 12641, + "commentsCount": 134 + }, + { + "caption": "Thanks for letting me shoulder hop you @austinkeen ! This video was taken by @solaglocal .", + "likes": 16129, + "commentsCount": 204 + }, + { + "caption": "So thankful to have caught some waves at home before getting back on the road again. Thanks for telling your dad to go down the beach to get the double angle @skim_dr ! This new board feels like a very magical one. @exileskimboards never ceases to amaze me with how consistently they make a magic one.", + "likes": 15986, + "commentsCount": 182 + }, + { + "caption": "Had no idea what to expect when attending the 6th year anniversary of @thecapehotel - safe to say my expectations were blown out of the water. The #switchinggears event was all about trying new things, exploring the greater Cabo San Lucas area, and spending time with 28 other people who all had radically different professions and connections to this place. Being thrown out of your comfort zone and in to someone elses is an incredible way to learn. Thank you for facilitating such an awesome experience @thecapehotel @loscabostourism", + "likes": 6058, + "commentsCount": 48 + }, + { + "caption": "First day @thecapehotel went a little something like this! Saw some flying mobula rays from the hotel room and decided to take a walk down the beach to check them out. They did not disappoint! @loscabostourism #switchinggearscabo", + "likes": 22111, + "commentsCount": 136 + }, + { + "caption": "@paulcarey4 is 10 years old and exhibiting wave knowledge and skill way beyond his years. If you see him at the beach he will likely greet you with a big smile and know your name by the end of the day. Excited to see what this goofy footed shredder has in store for us. Keep it up @paulcarey4", + "likes": 11106, + "commentsCount": 51 + }, + { + "caption": "Tag a friend who barrel dodges and tell them to get their fingerboard going! @doinkerdecks : @brandon_c_sears had an epic angle on this one", + "likes": 10168, + "commentsCount": 117 + } + ] + }, + { + "fullname": "Joel Parkinson", + "biography": "", + "followers_count": 395756, + "follows_count": 1833, + "website": "https://www.fundmychallenge.com/", + "profileCategory": 1, + "specialisation": "", + "location": "", + "username": "joelparko", + "role": "influencer", + "latestMedia": [ + { + "caption": "Happy birthday to you my little @macyparkinsonn the big 14 today.. love you so much my little fuzz ball! ", + "likes": 5990, + "commentsCount": 73 + }, + { + "caption": "The most magical afternoon on the ocean. Thanks for hooking us up ( literally) @pennfishing_anz and @berkleyfishing_aus @jsindustries1", + "likes": 15577, + "commentsCount": 280 + }, + { + "caption": "Kirra was in all her glory today! I witnessed so many amazing rides from everyone out there. #whatadayitwas @billabong_australia @jsindustries1 @fundmychallengeapp @joliphotos", + "likes": 16085, + "commentsCount": 147 + }, + { + "caption": "I am pumped to make a difference on Sunday for kids in our country! My challenge on the @fundmychallengeapp is 100 waves for 100 youths. If you would like to get involved - jump on the link - or if you are in town - all is welcome to enjoy the beach challenges at Rainbow on Sunday 20th - starting at 8am - or you can even just donate ! Every little bit helps @youthinsearch", + "likes": 891, + "commentsCount": 25 + }, + { + "caption": "Happy birthday @mfanno its been such an honour to be able to spend my life as one of your best friends. Love ya mate!! So proud of you - you are at your best with so much more to come .. love Joel and Mon ", + "likes": 14699, + "commentsCount": 131 + }, + { + "caption": "Happy world ocean day respect, enjoy and and always remember what we are all about .. the ocean never disappoints - lets not disappoint it.. @billabong @surfrider", + "likes": 829, + "commentsCount": 4 + }, + { + "caption": "5 is a good number #kirra @jesselittlecreative @jsindustries1 @billabong_australia @fundmychallengeapp", + "likes": 24016, + "commentsCount": 681 + }, + { + "caption": "Happy 17th birthday to the most amazing, kindest girl in the world... I love you so much @evieparkinsonn ", + "likes": 8972, + "commentsCount": 103 + }, + { + "caption": "This one didnt hurt @18secondsmagazine", + "likes": 13179, + "commentsCount": 181 + }, + { + "caption": "This one hurt! @andrewshield", + "likes": 16256, + "commentsCount": 340 + }, + { + "caption": "Happy Mothers Day to this gem!! Thanks for keeping our world turning... love you so much! @monicaparkinson81", + "likes": 1600, + "commentsCount": 39 + }, + { + "caption": "Stoked to get back down south and sneak a couple waves with the A/Div crew. @billabong_australia", + "likes": 5781, + "commentsCount": 44 + } + ] + }, + { + "fullname": "Mariah", + "biography": "Colorado 970 grown, Florida livin SWFL Surgical First Assistant Check out newest YouTube video drop !! links and Codes ", + "followers_count": 163966, + "follows_count": 714, + "website": "https://direct.me/mariah-970", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "mariah_970", + "role": "influencer", + "latestMedia": [ + { + "caption": "Since shes still getting built, Im missing the beast extra hard. . Whos as excited as me for the SEMA reveal ?!?", + "likes": 12731, + "commentsCount": 284 + }, + { + "caption": "Last day of snapper season! Did you go out today ? . . . Im sick in bed so give me all your snapper stories!", + "likes": 10044, + "commentsCount": 257 + }, + { + "caption": "New boat, who dis? . . . Building an empire, and I have so much more in store for yall. #staytuned #hustle", + "likes": 7391, + "commentsCount": 244 + }, + { + "caption": "Queens need their kings.", + "likes": 7197, + "commentsCount": 164 + }, + { + "caption": "Double tap if you like the back! . . . Womens crops are restocked! New fishing apparel coming next week! Stay tuned!", + "likes": 10245, + "commentsCount": 300 + }, + { + "caption": "Sunrise, sunset, sunburn repeat . . New girls overnight offshore video with @badhabitoffshore is up! Check the link in my bio! #youtube", + "likes": 7067, + "commentsCount": 172 + }, + { + "caption": "Keep your face to the sunshine.", + "likes": 10429, + "commentsCount": 326 + }, + { + "caption": "Do you think we won the Alabama deep sea rodeo tournament? Stay tuned to see how we did! . . . #adsfr #alabama", + "likes": 8749, + "commentsCount": 226 + }, + { + "caption": "Made it to the biggest fishing tournament in the world! Alabama Deep Sea Fishing Rodeo! . . Wish us luck! So excited to fish again with @saltwater_outlaws_fishing", + "likes": 8754, + "commentsCount": 159 + }, + { + "caption": "Big news!!! My truck is headed to Indiana!! I cant wait. Full makeover ! #staytuned #sema", + "likes": 12394, + "commentsCount": 372 + }, + { + "caption": "I need to chill with the thicc girl summer. . . . #nophotoshop . . . @britt_fishing", + "likes": 17727, + "commentsCount": 560 + }, + { + "caption": "Can you guess the temperature ?", + "likes": 16159, + "commentsCount": 438 + } + ] + }, + { + "fullname": "Brittany Tareco Sloan", + "biography": "Owner/First Mate @hookdcharters located in Destin, Florida! #fishwithbrit For Business Inquires: instabtareco@gmail.com", + "followers_count": 144122, + "follows_count": 1189, + "website": "https://linktr.ee/brittanytareco", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "brittanytareco", + "role": "influencer", + "latestMedia": [ + { + "caption": "Happy birthday to this badass@vickystark ! Miss and love ya V!!! #fishwithbrit #vickystark #birthdaygirl", + "likes": 8533, + "commentsCount": 137 + }, + { + "caption": "2 s is better than 1 #fishwithbrit #wednesday #destinflorida #hookdcharters #gethookd #goldentile #deepdrop", + "likes": 7148, + "commentsCount": 198 + }, + { + "caption": "Sun kissed and tatted #fishwithbrit #destinflorida #breaklineoptics #whiskinibikinis", + "likes": 8527, + "commentsCount": 148 + }, + { + "caption": "The most relaxing part is fillet time! #fishwithbrit #hookdcharters #fillet #redsnapper #kingmackerel", + "likes": 3579, + "commentsCount": 106 + }, + { + "caption": "Loving my lashes by @lovalashbar #fishwithbrit #selfie #greeneyes", + "likes": 6845, + "commentsCount": 185 + }, + { + "caption": "Name this fish! It was my first one and Im glad I could get @hyleighmorales HookD up on on our trip yesterday! I love my job ! #hookdcharters #fishwithbrit #getbookd #gethookd", + "likes": 1929, + "commentsCount": 43 + }, + { + "caption": " Grouper , how beautiful of a fish! #fishwithbrit #workflow #hookdcharters #vanstaal #breaklineoptics", + "likes": 2846, + "commentsCount": 47 + }, + { + "caption": "Throwin in some back on this #TBT #fishwithbrit #gains #muscles #baddest", + "likes": 4034, + "commentsCount": 100 + }, + { + "caption": "Sunday Funday #fishwithbrit #yingyang #destinflorida #gucci #yellowfin36", + "likes": 10626, + "commentsCount": 165 + }, + { + "caption": "Get Bloody Get HookD! #fishwithbrit #hookdcharters #destinflorida #mahi", + "likes": 2571, + "commentsCount": 40 + }, + { + "caption": "Back in the gym #grind #fishwithbrit #destinflorida", + "likes": 8049, + "commentsCount": 170 + }, + { + "caption": "Take a break take in the view #fishwithbrit #humpday #wednesday #bikini", + "likes": 8742, + "commentsCount": 251 + } + ] + }, + { + "fullname": "Brisa Hennessy", + "biography": "@wsl WCT surfer #99 Tokyo 2021 Olympics Cooking is my other passion :)based. Costa Rica/Hawaii/Fiji Business inquiries: andrew@athelogroup.com", + "followers_count": 138495, + "follows_count": 1180, + "website": "https://www.youtube.com/watch?v=vK2KcNRwFEk", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "brisahennessy", + "role": "influencer", + "latestMedia": [ + { + "caption": "Proud of my team.Orgullosa de mi equipo. Ha sido un honor conocer a todas las personas y atletas increbles. Los respeto mucho a todos. Felicitaciones por todo el increble trabajo que ha realizado! Muchas gracias por todo @comiteolimpicocr ", + "likes": 5267, + "commentsCount": 24 + }, + { + "caption": "Mi corazn.", + "likes": 25021, + "commentsCount": 89 + }, + { + "caption": "I came to the Olympics with the dream to win a medal/make Costa Rica proud and to hopefully inspire a little girl to get in the ocean. While I didnt come alway with a medal, I came away with something more. The overwhelming sense of love and honor I have for all the hearts of Costa Rica, all my incredible support crew of family/friends and the magic of sports and the ocean. Shinning a light on the true drive for why I surf and how unity, support, connection is the strongest power of all. Vine a los Juegos Olmpicos con el sueo de ganar una medalla y enorgullecer a Costa Rica e inspirar a una nia a meterse en el ocano. No gan una medalla, pero sal con algo ms. El abrumador sentido de amor y honor que tenga para todos los corazones de Costa Rica y mi familia / amigos. Una motivacin de por qu surfeo y cmo la unidad / apoyo es el poder ms fuerte de todos. Gracias por creer en mi. Un agradecimiento especial por @seanmcgon y @comiteolimpicocr por todo el apoyo y buena energa. #tokyo2020 #olympics #surfing", + "likes": 29181, + "commentsCount": 739 + }, + { + "caption": "#tokyo2020 @olympics We outtyyyyDidnt get the real bling but we got the pin bling! Tanta gratitud y admiracin por mi compaera de cuarto! Te amo!", + "likes": 36670, + "commentsCount": 384 + }, + { + "caption": "Finals day! @olympics With everything. Con todo. As my grandma would say Okagesama - I am because of you, We are because of each other. Los mensajes y amor son la mayor motivacin y me ha dado la fuerza. #olympics #costarica #tokyo2020", + "likes": 47135, + "commentsCount": 1717 + }, + { + "caption": "A surreal day getting the privilege to represent my home country of Costa Rica, my village of support and the sport of surfing for the first time in @olympics history. Onto Round 3, heat 3! Thank you for all the messages it truly means so much. Un honor representar a mi pas y al deporte del surf por primera vez en los Juegos Olmpicos. Gracias por todos los mensajes y buena energa. Significa el mundo! Vamos con todo!!! #olympics #tokyo2020 #surfing", + "likes": 41674, + "commentsCount": 933 + }, + { + "caption": "In the land of the rising sun ready to rise. I will be surfing in heat 2 after the Mens! Sintiendo todas las emociones! Estar surfeando en Heat 2! @olympics // @waterworkmedia @benreedphoto #surfing #olympics #tokyo2020", + "likes": 22803, + "commentsCount": 222 + }, + { + "caption": "Imagine. Unity. 205 countries in all different walks of life stood together under the night sky all with a dream. The light of hope, the light of unity, the light of perseverance. A dream that shines brighter than any darkness. Imagina. Unidad. 205 pases se unieron bajo las estrellas con el mismo sueo. La luz de la esperanza, la luz de la unidad. Un sueo que brilla ms que cualquier oscuridad. #costarica #olympics #tokyo2020", + "likes": 22775, + "commentsCount": 177 + }, + { + "caption": "Con amor y esfuerzo #olympics #tokyo2020", + "likes": 24060, + "commentsCount": 289 + }, + { + "caption": "We made it! Llegamos!A big pinch me moment walking/being amongst the best athletes in the world! Lleno de honor estar aqu. @leilanimcgonagle #Tokyo2020 #olympicvillage #surfing #olympics #teamcostarica #costarica", + "likes": 14273, + "commentsCount": 168 + }, + { + "caption": "Home is wherever we are together!! And after 8 months the tres peces gang is back and running!! So blessed to have so many amazing friendships and support around the world. Gracias por el apoyo de todos y de mis amigos y familia en todo el mundo. Realmente siento todo el amor y estoy muy agradecida.", + "likes": 8163, + "commentsCount": 83 + }, + { + "caption": "The final heat grind with @colealves @mr_mattmyers before going to Japan! Finally barely beat the boys after many long fought hard years! water has never tasted so sweet!", + "likes": 3556, + "commentsCount": 64 + } + ] + }, + { + "fullname": "Roberto Ochoa", + "biography": " Partner @ci.ecuador @charlesdarwinfoundation @one.blue.ocean Family @gopro @avianca @samsung @cressi1946 @thenorthface @paditv @djiglobal", + "followers_count": 558305, + "follows_count": 1774, + "website": "http://www.robertoochoahe.com/", + "profileCategory": 3, + "specialisation": "Film Director", + "location": "", + "username": "robertoochoahe", + "role": "influencer", + "latestMedia": [ + { + "caption": "\"GODZILLA\" Diving with Dinosaurs#robertoochoahe @ecuadortravel", + "likes": 6957, + "commentsCount": 146 + }, + { + "caption": "Galapagos Islands is the world's best travel and vacation site. @ecuadortravel #BreatheAgain #robertoochoahe", + "likes": 2485, + "commentsCount": 53 + }, + { + "caption": "Any shark fans here? #robertoochoahe", + "likes": 4517, + "commentsCount": 107 + }, + { + "caption": "Mola Mola party time! These fishes do not hang out for very long with divers, but on this particular outing this special sunfish decided to break all the rules and hang out with us. #robertoochoahe #BreatheAgain @ecuadortravel @oniriccruises @charlesdarwinfoundation", + "likes": 8784, + "commentsCount": 205 + }, + { + "caption": "Diving with giant schools of Mobula Rays in the Galapagos Islands! #BreatheAgain @ecuadortravel #robertoochoahe @oniriccruises", + "likes": 7133, + "commentsCount": 124 + }, + { + "caption": "Mi hermosa Guayaquil de ayer, hoy y siempre @marcaguayaquil @municipiogye #robertoochoahe", + "likes": 1011, + "commentsCount": 32 + }, + { + "caption": "Godzilla in the Galapagos Islands What would you do if you saw this coming at you? #robertoochoahe #BreatheAgain @ecuadortravel with @oniriccruises", + "likes": 12997, + "commentsCount": 228 + }, + { + "caption": "Meet the only penguin species crazy enough to live at the equator! Galapagos penguins are the rarest and most endangered penguin species in the world, and the only penguins found at the equator. #robertoochoahe", + "likes": 4249, + "commentsCount": 56 + }, + { + "caption": "Una hermosa expedicion con el propsito de dirigir los fondos a conservacin por medio de @charlesdarwinfoundation para el cuidado de nuestros tiburones junto a @oniriccruises #robertoochoahe Gracias a todos los que nos acompaaron!", + "likes": 8208, + "commentsCount": 70 + }, + { + "caption": "Are you ready for summer? The Entire Galapagos Islands Population Vaccinated against Covid-19! Glapagos is now ready to welcome all visitors applying all the biosafety regulations and controls. #robertoochoahe", + "likes": 7981, + "commentsCount": 130 + }, + { + "caption": "Love sharks? You'll love seeing these amazing creatures up close in only 25 feet of water. #robertoochoahe", + "likes": 7849, + "commentsCount": 122 + }, + { + "caption": "Would you? As a divers, we love underwater encounters with all animals, even those ones people say are dangerous #robertoochoahe", + "likes": 11337, + "commentsCount": 133 + } + ] + }, + { + "fullname": "OceanX", + "biography": "#OceanX is a mission to explore the ocean and bring it back to the world. Operating from Earths greatest research vessel, #OceanXplorer.", + "followers_count": 519355, + "follows_count": 785, + "website": "https://bit.ly/dream-mission", + "profileCategory": 2, + "specialisation": "Nonprofit Organization", + "location": "", + "username": "oceanx", + "role": "influencer", + "latestMedia": [ + { + "caption": "#OceanMusings: If you're a carcinologist are you A) someone who studies cancer or B) someone who studies crabs? The answer is B, but the word \"carcinologist\" calls to mind the word #carcinogens, or things that cause cancer. That's because cancer the disease IS named for the crab. Supposedly, Hippocrates (of the Hippocratic oath) called cancers \"karkinos,\" the Greek word for crab, perhaps because of the shape it makes when it grows, with spreading projections from a center. Karkinos was later translated into the Latin word for crab, cancer. So now you know why the #astrological sign Cancer is represented by the crab, and why it has that somewhat off-putting name. Carcinization is the process of things evolving into crab-like forms, which happens enough that it needs a word. Many #animals that look just like crabs are not actually part of the official crab family tree, but they have the same hard shell, long legs, and compact bodies (the hermit crab is one example). This is called convergent #evolution: when a trait is so useful it appears and survives more than once in the plant/animal kingdom, in completely unrelated lineages. Bioluminescence is another example. It has appeared at least nine times independently in the plant and animal kingdom (and that's what we know of). #nature #weird #funfacts #crabs #RIPthecommentsection", + "likes": 2070, + "commentsCount": 17 + }, + { + "caption": "Learn more at bit.ly/from-the-coral #coral #redsea #climate #climatecrisis #ocean #beauty #wow #naturephotography : @snapamap @buckarooshooter", + "likes": 1354, + "commentsCount": 9 + }, + { + "caption": "#AskOceanX: Do #fish get thirsty? Probably not, but only because they're drinking all the time. They drink through their mouths like we do. They filter the salt out, but that starts a vicious cycle, since the #saltwater draws the fresh water out through their skin and gills via a process called osmosis. So, they have to drink more. Theoretically, if they weren't constantly ingesting and filtering water, they would dehydrate pretty quickly though. ...Aaaand this only applies to fish living in the #ocean; fish living in freshwater are the exact opposite. Because they are \"saltier\" than the water around them, they automatically absorb a lot of this water and have to pee a lot to avoid holding too much. They don't have to drink through their mouths, though. *Only talking about bony fish; #sharks are different. #science #education #funfacts #marinebiology #marinebio #saltlife", + "likes": 3616, + "commentsCount": 32 + }, + { + "caption": "The colossal squid is the world's largest invertebrate. It can grow to 14m (46 ft) and weigh over 500 kg (~1,000 lbs). Scientists don't know very much about them, because they are elusive and live at depths below 1,000 m (3,200 feet) in the waters around Antarctica. Only a few specimens have ever been observed by scientists, usually as bycatch in deep-sea fisheries. We asked marine scientist @wild.blue.science to design his dream mission using all the capabilities of our ship the #OceanXplorer. His answer? Find and observe a living colossal squid in the wild. : @johanpapin #science #adventure #exploration", + "likes": 17990, + "commentsCount": 221 + }, + { + "caption": "@seahorsetrust and @weareboatfolk are using a new type of boat mooring to protect the habitat of the spiny seahorses. The photo of the mooring holes was captured in the Isles of Scilly and was taken by @cornwallwildlifetrust. Photos by Neil Garrick-Maidment.", + "likes": 6322, + "commentsCount": 86 + }, + { + "caption": "The deck crew discovered this ill-fated stowaway onboard the #OceanXplorer recently and guest researcher from @gmgi_inc @CheGardiner decided it was the perfect opportunity* to show off the powers of our #microscope. These are #gecko feet, which are coveted by bio-tech researchers for their powers to stick to any surface. You can't see them even under this microscope but those ridges are covered in millions of hairs called setae, the ends of which split off into even smaller hairs. By that time they're so numerous and so tiny that a magic thing called Van der Waals force kicks in.** Basically it makes them incredibly \"sticky,\" in a way that has made them the object of study by agencies like DARPA, the top-secret agency that does a lot of Tony Stark-like inventions (but for the military, and IRL). For example, in 2014, a DARPA researcher weighing roughly 100 kg (200 pounds), carrying a backpack weighing 20 kg (40 lbs), climbed a glass wall using paddles lined with a technology called \"Geckskin.\" Humans creating tech inspired by nature is called #biomimicry and there is a LOT of it coming from the #ocean. *Calm down, it had already died, most likely from the shock of ending up on an oceanic crossing from an archipelago in the mid-Atlantic to northwestern Europe. **OK, here you go: Electrons from the molecules on those tiny gecko hairs and electrons from the wall molecules interact to create an electromagnetic attraction, which, honestly, I couldn't confidently break down for you without literally having to read about the \"four fundamental forces\" that shape our world (a quartet that includes gravity). If you're a physicist/genius and want to help out in the comments, please do!", + "likes": 6270, + "commentsCount": 117 + }, + { + "caption": "#AskOceanX: A ship is always a boat, but a boat is not always a ship... right? How do you tell the difference between a ship and a boat? - The general rule of thumb: you can put a boat on a ship, but you can't put a ship on a boat. - Weighs at least 500 tons - Is capable of crossing the open ocean. For example, large carrier boats on the Great Lakes or paddlewheelers on freshwater rivers, despite being ship-sized, are boats since they never enter the ocean.* - Ships have permanent crew with a commanding officer These are general guidelines--there are still exceptions. Submersibles, even when they're really big, are generally referred to as boats, and even though Commercial fishing vessels can be really big and operate on the high seas, they're still commonly referred to as boats. *Thanks to TikTok commenter Andrew Harrison for the info. : #OceanXplorer by @jpegphotos", + "likes": 2128, + "commentsCount": 23 + }, + { + "caption": "SpongeBob and Patrick look-alikes were found last Tuesday. The sponge belongs to the genus Hertwigia and the sea star is a Chondraster star. They were in the Atlantic ocean on the underwater mountain Retriever Seamount. : @noaa #spongebobsquarepants #patrickstar #krabbypattysecretformula #spongebob #oceandiscovery", + "likes": 8956, + "commentsCount": 74 + }, + { + "caption": "These are fiddler crabs. The name comes from the movement of the small claw to the mouth during feeding; it looks like theyre playing the bigger claw like a tiny fiddle. Only the males have that one big claw, and you know what they say about the size of the claw? Thats right: all the better for digging holes, which they live in. The other purpose for the claw is the waving ritual. Basically a male fiddler #crab stands there and waves his big claw around until a female takes notice. (Look at this claw! Look at the amazing burrow I can dig us!) The one problem is that bigger claws are actually less good for fighting. So, crabs with smaller claws might not have as much to work with in the waving ritual, but they can beat up the other crabs and steal their burrows. Which one would you rather be? Also: when a male loses his big claw in a fight, his small claw will grow big to compensate and the missing claw will grow back small. Isnt that weird? That means the big claw is on different sides for fiddler crabs, depending on how scrappy their lives have been. For size reference, the largest fiddler crabs are only about five centimers (two inches) across. We got this tiny melodrama from @thecraboratory , follow them for more! #nature #cute #cuteanimals #naturefacts #fiddlercrabs #biology #marinebiology", + "likes": 8507, + "commentsCount": 155 + }, + { + "caption": "#THROWBACKTHURSDAY: At three feet high and 2.5 feet wide, this dome allowed 1800s-era artists to sit #underwater for up to three hours and draw what they saw. (The best part might be that you move it with your feet like a Flintstone's car.) This is how people made the first in-situ underwater images, from on-the-spot observations, not just memory or fantasy, even able to send drawings to the surface in a little tin box. The inventor is Eugen (we misspelled his name in the video oops) Ransonnet-Villez, who was born to an aristocratic family in Austria in 1838. He was inspired to document in great detail the underwater life he had seen after a visit to the #RedSea in his twenties. #marinescience #underwaterphotography #underwatervideographer #funfacts #historyfacts #art #drawing #arthistory #scientificillustration", + "likes": 10930, + "commentsCount": 99 + }, + { + "caption": "#OceanNews: This is a hatchetfish. It is named because its shape resembles a hatchet (we haven't used many hatchets recently but OK I guess so). One of these little fish's ancestors was discovered recently on a #fossil site in the Egyptian desert. It turns out this and other #species survived the Paleocene-Eocene (1), a 200,000-year-long period where massive carbon outputs* warmed the climate by between 5-8 degrees Celsius (9-14 degrees Fahrenheit). They don't know enough about what conditions were like in the regionwhether, for example, there was an upwelling of cool water mitigating the local water temperature, or whether these #species were more heat tolerant than their descendants. \"The survival of one group in isolation shouldn't be taken as evidence that changing climates are something to brush off,\" said one of the study's authors, Matt Friedman. The Paleocene-Eocene is widely considered an imperfect but the closest analogy to our current warming climate.** *Likely from volcanos, among other hypotheses. **While there are always people in our comments like \"wEll TEh EaRtH tempArAToor hAS alWayS beEN chAngINg,\" like, no duh, but the difference is that current carbon dioxide emissions are around 10 times the rate that led to the Paleo Eocene Thermal Maximum. Also, that temperature increase happened over thousands of years, whereas current #emissions scenarios suggest we'll hit half of that in a few centuries, giving organisms waaaay less time to adapt. (1) El-Sayed, S., Friedman, M., Anan, T., Faris, M. A., & Sallam, H. (2021). Diverse marine fish assemblages inhabited the paleotropics during the Paleocene-Eocene thermal maximum. Geology. Published. https://doi.org/10.1130/g48549.1 : @paulcaiger for @whoi.ocean on mission with #OceanX #oceantwilightzone #ocean #science #C02", + "likes": 4250, + "commentsCount": 40 + }, + { + "caption": "Sperm whales and submarines and squid, oh my! The colossal squid is the world's largest #invertebrate. It can grow to 14 meters long (46 feet) and weigh over 500 kg (~1,000 lbs). Scientists don't know very much about them, because they are rare, elusive, and live at depths below 1,000 m (3,200 feet) in the waters around Antarctica. Only a few specimens have ever been observed by scientists, usually as bycatch in deep-sea fisheries. We asked #marinescientist Nathan Robinson (@wild.blue.science) to design his dream mission using all the capabilities of our ship the #OceanXplorer. His answer? Find and observe a living #colossalsquid in the wild. Click the link in bio to watch or use bit.ly/dream-mission", + "likes": 8291, + "commentsCount": 72 + } + ] + }, + { + "fullname": "Major League Fishing", + "biography": "The official Instagram account of Major League Fishing. WE ARE Bass Fishing", + "followers_count": 438060, + "follows_count": 235, + "website": "https://mlf.shortstack.com/KSMsQ1", + "profileCategory": 2, + "specialisation": "Sports League", + "location": "Tulsa, Oklahoma", + "username": "majorleaguefishingofficial", + "role": "influencer", + "latestMedia": [ + { + "caption": "Group B is rolling on Lake Champlain for Day 2 of @toyotausa Stage Six Presented by @googanbaits! Will largemouth or smallmouth be more of a factor today?", + "likes": 290, + "commentsCount": 1 + }, + { + "caption": "Group B is ready to take on Lake Champlain at Stage Six of the Bass Pro Tour! There are two ways you can watch LIVE: 1 Head to MajorLeagueFishing.com (link in bio) 2 Download the free MLF mobile app #WEAREbassfishing The @toyotausa Stage Six is presented by @googanbaits. #fishing #bassfishing #champlain #bassprotour @justinlucasbass", + "likes": 519, + "commentsCount": 7 + }, + { + "caption": "Matt Lee has \"bass hand\" after catching more than 100 pounds of largemouth on Lake Champlain during the first day of the Toyota Stage Six Presented by Googan Baits. #WEAREbassfishing @googanbaits @teamtoyota @toyotausa @mattleefishing #bassfishing #BassProTour #fishing #champlain", + "likes": 610, + "commentsCount": 4 + }, + { + "caption": "Largemouth and smallmouth were both in play on Lake Champlain! Take a look at today's highlight reel. #WEAREbassfishing #Bass #Fishing #Highlights", + "likes": 510, + "commentsCount": 1 + }, + { + "caption": "Get a look at the Group A pros as they battled for a position on SCORETRACKER at the @toyotausa Stage Six Presented by @googanbaits on Lake Champlain. #WEAREbassfishing #Bass #Fishing #Gallery #NewYork #BassFishing", + "likes": 922, + "commentsCount": 3 + }, + { + "caption": "@mattleefishing kicked it into high gear and raced to the 100-pound mark during Group A's Qualifying Day 1 on Lake Champlain! Take a look at his fish flurry during the @toyotausa Stage Six Presented by @googanbaits. #WEAREbassfishing #Bass #Fishing #Champlain #Lake #Basshand #Bassthumb", + "likes": 1881, + "commentsCount": 12 + }, + { + "caption": "@jameselamfishing is chasing nomad smallies on Lake Champlain and he's finding 'em deep. #WEAREbassfishing #Bass #Fishing", + "likes": 1251, + "commentsCount": 4 + }, + { + "caption": "What's the biggest bass you've caught on Lake Champlain? Enjoy these photos from our MLF Officials. @bobbylanefisherman: 5-2 @lefebre13: 4-2 @teamlintner: 3-12 @amartfishing: 3-8 @shin_fukae: 3-7 @fredroumbanis: 3-3 #WEAREbassfishing #Bass", + "likes": 2627, + "commentsCount": 13 + }, + { + "caption": "@jack.gallelli is off to a great start during his first Bass Pro Tour event! He has 18 pounds, 13 ounces at the @toyotausa Stage Six Presented by @googanbaits. Watch live on MLF NOW! #WEAREbassfishing #Bass #Fishing #Champlain #NewYork", + "likes": 1616, + "commentsCount": 10 + }, + { + "caption": "@mattleefishing leads Group A after Period 2 during the @toyotausa Stage Six Presented by @googanbaits. Catch up with the pros as they take on their first day on Lake Champlain. Get the full gallery on MajorLeagueFishing.com. #WEAREbassfishing #Fish #Bass #Bassfishing #Champlain #Lake", + "likes": 1164, + "commentsCount": 0 + }, + { + "caption": "@jtkenneyfishing asked for chaos and @edwinevers2 delivered. Watch Evers handle two bites on two poles! Watch live on MajorLeagueFishing.com. #WEAREbassfishing #Bass #Fishing #Chaos #NewYork", + "likes": 4889, + "commentsCount": 83 + }, + { + "caption": "@mattleefishing is currently leading Group A at the @toyotausa Stage Six with 39 pounds, 7 ounces of Lake Champlain bass. Check out his biggest catch of the day! Watch him live on MLF NOW! @googanbaits #WEAREbassfishing #Bass #Bait #Fish #NewYork", + "likes": 2337, + "commentsCount": 12 + } + ] + }, + { + "fullname": "USMC Pics", + "biography": "The best Marine Corps photography! Want your picture posted? Send me a DM! Business Inquiries: DM", + "followers_count": 339482, + "follows_count": 6240, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "usmcpics", + "role": "influencer", + "latestMedia": [ + { + "caption": "U.S. Marine Corps Pfc. Jacob Gastelum, a rifleman with Alpha Company, Battalion Landing Team 1/1, 11th Marine Expeditionary Unit, holds security for an amphibious landing as part of an expeditionary advance base exercise, May 15. Marines and Sailors of the 11th MEU and Essex Amphibious Ready Group are conducting integrated training on and off the coast of southern California. #marines #california #training", + "likes": 2559, + "commentsCount": 6 + }, + { + "caption": "A U.S. Marine with Force Reconnaissance Platoon, 31st Marine Expeditionary Unit, sights into his M1110 semi-automatic sniper system to provide security during a Maritime Interdiction Operation training exercise aboard the USS Germantown in the Philippine Sea, June 24, 2021. The MIO consisted of Force Reconnaissance Marines fast roping on to the USS Germantown and executing a search and seizure scenario with support from the Battalion Landing Team 3/5 as the security element. The 31st MEU is operating aboard ships of the America Amphibious Ready Group in the 7th fleet area of operation to enhance interoperability with allies and partners and serve as a ready response force to defend peace and stability in the Indo-Pacific region. #marines #sniper #helicopter #pacific #ocean #training", + "likes": 2555, + "commentsCount": 6 + }, + { + "caption": "U.S. Marine Corps Cpl. Kevin Hernandez, a rifleman with 1st Battalion, 3rd Marines, 3rd Marine Division, provides security during an air assault at Marine Corps Training Area Bellows, July 9, 2021. The training strengthened the battalions proficiency in urban operations, while demonstrating their ability to quickly seize and defend key maritime terrain. 1/3 is training to become the first Littoral Combat Team in accordance with Force Design 2030. Hernandez is a native of Azle, Texas. #marines #usmc #texas #operation", + "likes": 2784, + "commentsCount": 11 + }, + { + "caption": "U.S. Marine Corps Sgt. David Beggel, a Warwick, N.Y. native, and a squad leader with 1st Battalion, 2nd Marine Regiment, 2nd Marine Division, familiarizes himself with the functions of the M3E1 Multi-purpose Anti-armor Anti-personnel Weapon System on Camp Lejeune, N.C., May 6, 2021. 1/2 is tasked as 2nd MARDIVs experimental infantry battalion to test new gear, operating concepts and force structures. The units findings will help refine infantry battalions across the Marine Corps as we continue to push toward the end state of Force Design 2030. #marines #usmc", + "likes": 2245, + "commentsCount": 18 + }, + { + "caption": "U.S. Marines with the Special Response Team and police officers with the Beaufort County Sheriffs Department SWAT Team participate in joint training aboard Marine Corps Recruit Depot Parris Island, S.C., June 14, 2021. The training included practical application drills that simulated real world scenarios and were designed to increase the proficiency of both units. #marines", + "likes": 2433, + "commentsCount": 7 + }, + { + "caption": "Stairway to Heaven Lance Cpl. Lucas Bremer and Cpl. Logan Jones with the @22nd_meu clear a stairwell during Sustainment Exercise 2019 aboard Naval Station Rota, Spain. (U.S. Marine Corps photo by Staff Sgt. Andrew Ochoa) #Marines #USMC #Marine #Corps #Military #Operations #Urban #Terrain #Sustainment #Exercise #Rota #Spain", + "likes": 2851, + "commentsCount": 11 + }, + { + "caption": "AH-1Z Vipers attached to Marine Medium Tiltrotor Squadron 163, @pride_of_the_pacific, take off during a strait transit aboard the @usnavy amphibious assault ship USS Boxer. (U.S. Marine Corps photo by Lance Cpl. Dalton S. Swanbeck) #Helicopter #Flight #Marines #USMC #Ocean #Motivation", + "likes": 3349, + "commentsCount": 15 + }, + { + "caption": "A U.S. Marine walks in formation during ground threat reaction drills at Mount Bundy Training Area, NT, Australia, May 28. #marines #usmc #australia", + "likes": 3123, + "commentsCount": 15 + }, + { + "caption": "Step It Up Staff Sgt. Lucas Padilla, a senior drill instructor, marches his platoon aboard @mcrdparrisisland during the final drill evaluation. The evaluation tests drill instructors on their ability to give drill commands and tests recruits on their ability to execute the movements properly. (U.S. Marine Corps photo by Lance Cpl. Samuel Fletcher) #USMC #Marines #BootCamp #ParrisIsland", + "likes": 3360, + "commentsCount": 14 + }, + { + "caption": "\"Hell, these are Marines. Men like them held Guadalcanal and took Iwo Jima. Bagdad ain't shit.\" Marine Major General John F. Kelly", + "likes": 3074, + "commentsCount": 6 + }, + { + "caption": "Marines with the U.S. Marine Corps Silent Drill Platoon march in formation during the 2019 Veterans Day Parade in New York, New York, Nov. 11, 2019. The Veterans Day Parade is hosted annually to commemorate the service and sacrifice of service members and their families. #marines", + "likes": 3126, + "commentsCount": 19 + }, + { + "caption": "A U.S. Marine prepares an M40A6 sniper rifle for a full mission profile defense of the amphibious task force exercise aboard amphibious assault ship USS America, March 28. #marines #usmc #amphibious #sniper #ocean", + "likes": 2462, + "commentsCount": 5 + } + ] + }, + { + "fullname": "Lucas Black", + "biography": "Being molded by the Potter", + "followers_count": 164615, + "follows_count": 176, + "website": "https://m.youtube.com/channel/UCJvv0Drv2Rijl8nNoSJIBNw", + "profileCategory": 1, + "specialisation": "", + "location": "", + "username": "lucas_york_black", + "role": "influencer", + "latestMedia": [ + { + "caption": "We get outside in Gods creation! The outdoors is full of adventure. It is time for parents to turn their hearts toward their children. Be engaged, be strategic and connect with your sons. The BibLe says The glory of sons is their fathers. Proverbs 17:6. We dont watch tv, we dont play video games We get outside!!! Check out latest video on my channel. Click link in bio or swipe up in story! Thanks! #parenting #sons #fathers #fatherandson #outdoors #alligators #fishing #bassfishing #louisiana", + "likes": 8214, + "commentsCount": 117 + }, + { + "caption": "The old Chevy will talk to ye! @sungkangsta you know you like the trucks too. @sungsgarage get you a vintage truck. California dont know anything about these. Hehehehe #vintagetruck #truck #trucks #chevrolet", + "likes": 28269, + "commentsCount": 644 + }, + { + "caption": "We are a blessed Nation! I believe we are blessed because our fore fathers got it right when they wrote in our Declaration of Independence We hold these truths to be self-evident, that all men are created equal, that they are endowed by their Creator with certain unalienable rights, that among these are Life, Liberty, and the pursuit of Happiness. Our fore fathers knew our rights came from God, not man, not a President, not a senator, not a congressman. They knew He was in charge. God has been there for us in all times of struggle and pain in this Nation and has pulled us through. I have no doubt that it is because of the Faithful men and women of America that God has put His hand on this Nation and blessed us beyond measure. America is a beacon of hope all over the globe. People are dying to get into America. The media might tell you differently but people are dying to come here because we are the freest greatest Nation in the World. I hope today you celebrate like never before and always remember the courageous who came before you and paid the ultimate sacrifice for us to be free. Dont hide it, dont shy away from it. Celebrate it, stand up and speak up and share it with everyone. Lets fight for the cause of Freedom. God bless you and your family on this Independence Day!! #july4th #independenceday #usa #America #forefathers #blessedNation #Godisgood", + "likes": 13406, + "commentsCount": 243 + }, + { + "caption": "New vid posted. Link in bio and story. I talk about my tackle and rod and reel setup! Also we cook Redfish on the half shell! Yall enjoy! #fishing #redfish #cooking #fishinglife #outdoors #adventure #catchcleancook #bass #lazymanhooks #cajuncustomrods #mossyoakfishing @lazyman_hooks @cajunrods @magicseasoningblends @anglerknives @mossyoakfishing", + "likes": 7209, + "commentsCount": 125 + }, + { + "caption": "We are back! Hard to believe Tokyo Drift was 15 years ago. Thank you guys for all the support. You fans have been asking if we were coming back and here we are. #Fast9 #fastandfurious9 @sungkangsta @jsntbn @shadmoss", + "likes": 29854, + "commentsCount": 426 + }, + { + "caption": "Thankful to be a part of the Fast Franchise. Hard to believe Tokyo Drift was 15 years ago. Fast 9 is action packed. Oh yea there is a family reunion. #fast9 #fastandfurious9 #fastfamily #TokyoDrift", + "likes": 14610, + "commentsCount": 182 + }, + { + "caption": "Homeschooling will continue to rise for many reasons. Parents have had enough with the indoctrination that has been going on for far too long. We should reject all things Critical Race Theory. For some states to allow this in school curriculums is beyond child abuse. My neighbor who is a kindergarten teacher says she has to teach her kids about race. This is absurd. Also, parents are attending school board meetings and speaking out about this new so called sex education class. My wife and I will be the only ones to teach our kids about the spiritual act of sex, not tv, not movies, not music, no part of culture today, and definitely not a school. The books being read and whats being taught about sex in schools is appalling. #parents #parenting #homeschool #homeschooling #homeschoollife #bold #courage #takeaction #school", + "likes": 7469, + "commentsCount": 294 + }, + { + "caption": "Thank you to all the dads who show their children love ,by being present in their lives, by speaking words of affirmation, by telling them you love them, by admiring them and saying I am proud of you! Dads that take the responsibility of parenting their children seriouslyI applaud you! May the Lord bless you. Those of you who feel distance or separation in your relationship with your children I encourage you to try and reconnect with them. It is never too late to reach out. The Lord will bless you for trying. #fathersday #fathers", + "likes": 6241, + "commentsCount": 181 + }, + { + "caption": "Politicians, companies, employers, and some people are using scare tactics and bribery to force you to get the covid vaccine. Be aware. Do your research! Stand strong. Hold the line. We are with you. God bless. #covidvacccine #covid_19 #covid #staystrong", + "likes": 9625, + "commentsCount": 509 + }, + { + "caption": "Big thanks to @sports_spectrum for having me on their podcast. @jasonromano is bringing back Jesus into the conversation in Sports. We discuss what it is like being a Christian in the entertainment industry. Link to podcast is in my story. #sports #entertainment #Jesus #Faith", + "likes": 1653, + "commentsCount": 30 + }, + { + "caption": "Video dropped link is in bio and story. Took the family with me across the pond. #fastandfurious brought Sean Boswell back. #Fast9", + "likes": 14477, + "commentsCount": 202 + }, + { + "caption": "How do you drift through the marsh? I will show you! Check out the latest videos dropped on the channel! Link in bio and in story. Thanks! #drifting #fishing #mossyoakfishing #cajuncustomrods #lazymanhooks #paulprudhommerecipe", + "likes": 2788, + "commentsCount": 55 + } + ] + }, + { + "fullname": "Jordan Lee", + "biography": " to Bassmaster Classic Champion 2020 Angler of the Year 2020 MLF World Champion 2X MLF BPT Champion", + "followers_count": 161969, + "follows_count": 832, + "website": "https://linktr.ee/jordanleefishing", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "jleefishing", + "role": "influencer", + "latestMedia": [ + { + "caption": "This video is inspired by @dmullinsfishing . A throwback Thursday BFL win from March 2012 on Guntersville. Still wearing the same Carhartt hat and TW shirt ten years later lol", + "likes": 3288, + "commentsCount": 33 + }, + { + "caption": "Long work week here at Lake Champlain. Practice could have been better, got a lot work to do #fishing #bassfishing #liftedtrucks #jleefishing #smallmouthnation #smallmouthbass #rangerboats", + "likes": 1852, + "commentsCount": 10 + }, + { + "caption": "Chewed hands and baits is a pretty sight!!@berkleyfishing @nativewatercraft", + "likes": 2015, + "commentsCount": 17 + }, + { + "caption": "Smooth sippin and rip lippin thanks @twolanebrewing for sending over the golden lager to get through tackle prep! #twolanelager #twolane #for21andover #lukebryanbeer #lukebryan #21+", + "likes": 1420, + "commentsCount": 11 + }, + { + "caption": "Such a dope video... a little bit more about how we worked together to create this new lineup from @abugarcia_fishing!", + "likes": 1206, + "commentsCount": 33 + }, + { + "caption": "Excited about this... NEW Jordan Lee Signature Series Lineup coming soon from @abugarcia_fishing. Fourteen technique specific rods as well as spinning and bait casting reels! Price point under $100. Cant wait for yall to get your hands on these early Fall! #JLEEFISHING", + "likes": 4728, + "commentsCount": 78 + }, + { + "caption": "Would you chop through this grass full of big a$$ spiders to catch 4 frog fish??? I did ", + "likes": 5937, + "commentsCount": 83 + }, + { + "caption": "Flogging- seems to be a lot of controversy on this. This is not a new thing, its been around for along time. First time I have ever used one was this past week. Its not easy to use when the wind is blowing, its a ton of work. Its made for seeing smallmouth on there beds which are usually in 6-12 foot. It works so good on the St Lawrence and Great Lakes bc 1. Water is gin clear 2. Smallmouth are not nearly as spookie , you can literally have your boat over the top of them when bed fishing 3. Cuts glare off water so you can see if the bait is on the bed which is super hard to do if its deep. It was a lot of fun this past week, finished 15th. Thanks Flogger!!", + "likes": 5531, + "commentsCount": 103 + }, + { + "caption": "Me trying to figure out why my back hurts this week...", + "likes": 5931, + "commentsCount": 45 + }, + { + "caption": "Had to earn every bite today, was ROUGH and windy. We got some bigz that got us on to the next round! #maxcent #powerbait", + "likes": 5650, + "commentsCount": 73 + }, + { + "caption": "Hoping my secret sauce gets me through tomorrow #goby #smallmouth #smallmouthnation #smallmouthnation", + "likes": 4840, + "commentsCount": 45 + }, + { + "caption": "A 5lb-11ozer St Lawrence Tub. Had a lot of fun today in 13th. It was hard to keep up to them boys today. @berkleyfishing Maxcent and powerbait did the damage ", + "likes": 5807, + "commentsCount": 25 + } + ] + }, + { + "fullname": "Darcizzle - Fishing Videos", + "biography": "Darcizzle Offshore TVAmericas Leading Female Angler Fish Dream Inspire Sponsored by @landsharklager Check out my FISHING VIDEOS", + "followers_count": 185919, + "follows_count": 504, + "website": "https://bit.ly/HairClub-Fishing-Trip", + "profileCategory": 3, + "specialisation": "Video Creator", + "location": "", + "username": "_darcizzle_", + "role": "influencer", + "latestMedia": [ + { + "caption": "Happy hump day! Slayed the mahi offshore the other day! Flat calm, gorgeous blue water and plenty of action!! We even got a bonus wahoo aka Wee-hoo! Had to celebrate with a @landsharklager #darcizzle #landsharklager #ladyangler #its5oclocksomewhere #mahimahi #wahoo #deepseafishing #offshore #darcizzleoffshore", + "likes": 3773, + "commentsCount": 65 + }, + { + "caption": "Getting ready to reel in some fish tomorrow thanks to @echelon.fit Its hard to find the time to workout but when I do, jumping on the EX-5s Connect bike in the comfort of my home is the BEST workout ever! No impact & I can race other folks on the leaderboard BOOM Promo Code- DARCIZZLE15 for @echelon.fit If you see me on the water tomorrow, say hello!! #darcizzle #echelon #echelonfit #echelonfamily #echelonforever #ladyangler #echelonpartner #darcizzleoffshore", + "likes": 1747, + "commentsCount": 24 + }, + { + "caption": "Hope you guys had a safe and fun lobster mini season this past week!! We managed to find a few bugs snorkeling outta Stuart on day 1! It was floating city out there, can only imagine what it looked like in the Florida Keys #darcizzle #lobstering #lobstertails #lobsters #lobsterseason #miniseason #lobstertail #snorkeling #darcizzleoffshore", + "likes": 5416, + "commentsCount": 77 + }, + { + "caption": "Happy Birthday to @revo the best sunglasses on Earth!! A protective coating developed by Dr. Ruda in 1982 to protect satellite windows from space radiation is now on SUNGLASSES TOO!This special @nasa-developed protective coating technology can only be found on @revo shades the reason I wear them everyday on the water!! Check out the @revo website for 36% OFF a pair and Buy 1 Get 1 deals TODAY ONLY!! Happy 36th Birthday to best lenses, period. #darcizzle #myrevos #revo #revosunglasses #nasatechnology #ladyangler #beachfishing #whiting #darcizzle", + "likes": 4091, + "commentsCount": 56 + }, + { + "caption": "Ultimate full body workout sess thanks to @echelon.fit Row-S Connected Row Machine Staying fit and benefiting from no impact exercise! Truly the BEST! Use my code DARCIZZLE15 to save big bucks on all @echelon.fit equipment! #darcizzle #echelon #echelonpartner #echelonfamily #echelonfit #rower #rowers #stayingfit #fitnessroutine #darcizzle", + "likes": 2082, + "commentsCount": 55 + }, + { + "caption": "Sunshine + saltwater + @landsharklager is the perfect combo, lets beach! Hope you had a fantastic weekend & enjoyed the outdoors! #its5oclocksomewhere #darcizzle #landshark #landsharklager #beachfishing #letsbeach #sharkfishing #ladyangler #darcizzleoffshore", + "likes": 3138, + "commentsCount": 40 + }, + { + "caption": "CHEEKS & Fillets! Dont worry, I got the throat too. A good sharp knife gets the job done quickly & safely every time. My go to knife is the @smithsconsumerproducts 7 Lawaia fillet knife, since 1886 right in Arkansas. Use my code DARCIZZLE15 to SAVE + free shipping! And dont forget the new Darcizzle fillet knife that will be available later this year!! #darcizzle #smithsconsumerproducts #filletknife #fillet #ladyangler #blackgrouper #freshgroceries #darcizzleoffshore", + "likes": 3103, + "commentsCount": 60 + }, + { + "caption": "@icastshow 2021! Darcizzle fillet knives! Im at the @smithsconsumerproducts BOOTH #2233, 3-4pm today & Tomorrow- stop by and say HELLO!! (knives available soon) #darcizzle #icast #newproducts #filletknife #smithsconsumerproducts #ladyangler #icast2021 #darcizzleoffshore", + "likes": 3791, + "commentsCount": 129 + }, + { + "caption": "Love your hair, live your life Your hair deserves @hairclub #darcizzle #hairclub #hairhealth #hairlove #haircare #longhairstyle #longhairdocare #ladyangler #healthyhairtips #darcizzleoffshore", + "likes": 3193, + "commentsCount": 99 + }, + { + "caption": "CHUNKY largemouth I caught just NOW in my backyard canal! Just a lil bit of light left to take a picture Plus a pretty micro peacock bass caught earlier in the evening. Always gotta be FISHING #darcizzle #backyardfun #largemouthbassfishing #canalfishing #peacockbass #ladyangler #exoticfish #darcizzleoffshore", + "likes": 6235, + "commentsCount": 134 + }, + { + "caption": "How is your SHARK WEEK FRI-YAY going? Flashback Friday to catching this big bully aka bull shark that we tagged & released to be caught another day! This shark broke my boat rod holder & but it was well worth it! @landsharklager #darcizzle #sharkweek #sharkfishing #bullshark #sharklife #ladyangler #sharkfin #flashbackfridays #landshark #darcizzleoffshore", + "likes": 2770, + "commentsCount": 48 + }, + { + "caption": "Its SHARK WEEK and thats means you must drink only the BEST @landsharklager Fins Up More shark content your way! #darcizzle #its5oclocksomewhere #landshark #landsharklager #sharkweek #letsbeach #waterbaby #darcizzleoffshore", + "likes": 4102, + "commentsCount": 71 + } + ] + }, + { + "fullname": "Sarah Sjo\u0308stro\u0308m \ud83c\udfca\ud83c\udffb\u200d\u2640\ufe0f\ud83c\uddf8\ud83c\uddea\ud83e\udd47", + "biography": "Sport Agency/contact: @jrssports @iswimleague @energystandard @Vitaminwellsverige @arenawaterinstinct @pagen_sverige @Ellipspool", + "followers_count": 261438, + "follows_count": 287, + "website": "", + "profileCategory": 2, + "specialisation": "Athlete", + "location": "Stockholm, Sweden", + "username": "sarahsjostrom", + "role": "influencer", + "latestMedia": [ + { + "caption": "A big shout out to all athletes out there representing their sports during a difficult year. And thank you to my family, friends, and my sponsors for your unwavering support, I couldnt do it without you all.", + "likes": 27971, + "commentsCount": 139 + }, + { + "caption": "Also want to congratulate my new biggest friends @nmaesimon and @stahlhoff It was a fantastic show to see you guys win gold and silver in Discus. Cheers", + "likes": 27978, + "commentsCount": 113 + }, + { + "caption": "Back home! Drowning in flowers Thanks everyone for all your support. I still cant believe I came home with a silver medal ", + "likes": 33021, + "commentsCount": 450 + }, + { + "caption": "", + "likes": 81148, + "commentsCount": 2981 + }, + { + "caption": "", + "likes": 23801, + "commentsCount": 249 + }, + { + "caption": "Reunited with my friend @ikee.rikako ", + "likes": 37816, + "commentsCount": 245 + }, + { + "caption": "The beautiful pink sky in Tokyo inspired me to color my hair ", + "likes": 46424, + "commentsCount": 283 + }, + { + "caption": "Thanks for the support everyone. Im happy that I took this chance. Its not been easy to come back to this level again after breaking my elbow in February. Honestly I couldnt have done much things differently. I did my best time in 4 years in the prelims. And the level in 100 m butterfly has taken some big steps last two years. At least I got to keep my world record for a little bit longer. Congratulations to the new olympic champion @macnmagg ", + "likes": 47966, + "commentsCount": 815 + }, + { + "caption": "", + "likes": 42956, + "commentsCount": 199 + }, + { + "caption": "", + "likes": 15846, + "commentsCount": 115 + }, + { + "caption": "Vilka kommer att vnda p dygnet fr att flja OS i Tokyo? ", + "likes": 8487, + "commentsCount": 104 + }, + { + "caption": "@stahlhoff hade inte en chans! ", + "likes": 12780, + "commentsCount": 111 + } + ] + }, + { + "fullname": "Amazing Sea World", + "biography": "Explore the amazing underwater world A community of ocean and nature lovers! ", + "followers_count": 340525, + "follows_count": 92, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "amazing.sea.world", + "role": "influencer", + "latestMedia": [ + { + "caption": "Next level! Tag someone who needs to see this - - - Follow us @amazing.sea.world for more !! - - Credit : : @austinkeen - - #shark #sharks #sharkweek #sharktank #sharkattack #sharknado #sharkbait #greatwhiteshark #sharktooth #sharkfishing #sharkie #sharky #savesharks #sharkdiving #sharkteeth #sharklife #sharkbite #sharktattoo #sharkies #sharkeez #tigershark #sharkconservation #whalesharks.", + "likes": 169, + "commentsCount": 7 + }, + { + "caption": "Making new friends - - - Follow us @amazing.sea.world for more !! - - Credit : : @ardengisme - - #shark #sharks #sharkweek #sharktank #sharkattack #sharknado #sharkbait #greatwhiteshark #sharktooth #sharkfishing #sharkie #sharky #savesharks #sharkdiving #sharkteeth #sharklife #sharkbite #sharktattoo #sharkies #sharkeez #tigershark #sharkconservation #whalesharks.", + "likes": 2655, + "commentsCount": 45 + }, + { + "caption": "After 4 days off the water, Im still reminiscing about the summer of Blue Whales we had waaaaay offshore. We had to make some really long runs, but that blue water and those Blue Whales sure were worth it Heres to hoping the Humpback Whales give us nice charge here in San Diego during the second half of November through the beginning of December the way they did in 2017 and 2018! - - - Follow us @amazing.sea.world for more !! - - Credit : : @dolphindronedom - - #shark #sharks #sharkweek #sharktank #sharkattack #sharknado #sharkbait #greatwhiteshark #sharktooth #sharkfishing #sharkie #sharky #savesharks #sharkdiving #sharkteeth #sharklife #sharkbite #sharktattoo #sharkies #sharkeez #tigershark #sharkconservation #whalesharks.", + "likes": 3042, + "commentsCount": 25 + }, + { + "caption": "So clear you can see the ice walls surrounding this river mid summer in Alaska - - - Follow us @amazing.sea.world for more !! - - Credit : : @johnderting - - #shark #sharks #sharkweek #sharktank #sharkattack #sharknado #sharkbait #greatwhiteshark #sharktooth #sharkfishing #sharkie #sharky #savesharks #sharkdiving #sharkteeth #sharklife #sharkbite #sharktattoo #sharkies #sharkeez #tigershark #sharkconservation #whalesharks.", + "likes": 4576, + "commentsCount": 46 + }, + { + "caption": "This is just great... - Hermit crabs are crustaceans. They have jointed limbs, claws, a hard exoskeleton, eyes on stalks, and two sets of antennae. Animal fact- Crabs interact with each other and are often found in large groups. Marine hermit crabs live in the ocean and land hermit crabs live primarily on land. The hermit crab is not like other crabs. The hermit crabs abdomen does not have a hard covering. To protect the abdomen, a hermit crab inhabits an empty snail shell. The shell also stores water for the crab. Hermit crabs have gills that need to remain moist in order for them to breath. - - - Follow us @amazing.sea.world for more !! - - Credit : : DM for credit - - #shark #sharks #sharkweek #sharktank #sharkattack #sharknado #sharkbait #greatwhiteshark #sharktooth #sharkfishing #sharkie #sharky #savesharks #sharkdiving #sharkteeth #sharklife #sharkbite #sharktattoo #sharkies #sharkeez #tigershark #sharkconservation #whalesharks.", + "likes": 8145, + "commentsCount": 54 + }, + { + "caption": "Cetina river source or the Eye of the Earth aerial view - - - Follow us @amazing.sea.world for more !! - - Credit : : DM for credit - - #shark #sharks #sharkweek #sharktank #sharkattack #sharknado #sharkbait #greatwhiteshark #sharktooth #sharkfishing #sharkie #sharky #savesharks #sharkdiving #sharkteeth #sharklife #sharkbite #sharktattoo #sharkies #sharkeez #tigershark #sharkconservation #whalesharks.", + "likes": 6411, + "commentsCount": 80 + }, + { + "caption": "Happy parrotfishes enjoying their meal - - - Follow us @amazing.sea.world for more !! - - Credit : : @coralcitycamera - - #shark #sharks #sharkweek #sharktank #sharkattack #sharknado #sharkbait #greatwhiteshark #sharktooth #sharkfishing #sharkie #sharky #savesharks #sharkdiving #sharkteeth #sharklife #sharkbite #sharktattoo #sharkies #sharkeez #tigershark #sharkconservation #whalesharks.", + "likes": 6036, + "commentsCount": 32 + }, + { + "caption": "Real life temple run. Looks like much fun - - - Follow us @amazing.sea.world for more !! - - Credit : : @maliahbeachclub - - #shark #sharks #sharkweek #sharktank #sharkattack #sharknado #sharkbait #greatwhiteshark #sharktooth #sharkfishing #sharkie #sharky #savesharks #sharkdiving #sharkteeth #sharklife #sharkbite #sharktattoo #sharkies #sharkeez #tigershark #sharkconservation #whalesharks.", + "likes": 8837, + "commentsCount": 68 + }, + { + "caption": "So beautiful! - - - Follow us @amazing.sea.world for more !! - - Credit : : DM for credit - - #shark #sharks #sharkweek #sharktank #sharkattack #sharknado #sharkbait #greatwhiteshark #sharktooth #sharkfishing #sharkie #sharky #savesharks #sharkdiving #sharkteeth #sharklife #sharkbite #sharktattoo #sharkies #sharkeez #tigershark #sharkconservation #whalesharks.", + "likes": 3343, + "commentsCount": 27 + }, + { + "caption": "Peaceful interaction between friendly Gray whales in the calving lagoons of Baja California, Mexico Filmed by @nuttynulty onboard a trip with @silversharkadventures and with permission in the Vizcaino natural reserve of Baja California Sur - - - Follow us @amazing.sea.world for more !! - - Credit : : @nuttynulty - - #shark #sharks #sharkweek #sharktank #sharkattack #sharknado #sharkbait #greatwhiteshark #sharktooth #sharkfishing #sharkie #sharky #savesharks #sharkdiving #sharkteeth #sharklife #sharkbite #sharktattoo #sharkies #sharkeez #tigershark #sharkconservation #whalesharks.", + "likes": 20421, + "commentsCount": 176 + }, + { + "caption": "Quite possibly the happiest crab in the world who agrees? Tag someone happier than this little crab! - - - Follow us @amazing.sea.world for more !! - - Credit : : Video by @sideytheshark Diving with @liquidsaltdivers - - #shark #sharks #sharkweek #sharktank #sharkattack #sharknado #sharkbait #greatwhiteshark #sharktooth #sharkfishing #sharkie #sharky #savesharks #sharkdiving #sharkteeth #sharklife #sharkbite #sharktattoo #sharkies #sharkeez #tigershark #sharkconservation #whalesharks.", + "likes": 5518, + "commentsCount": 41 + }, + { + "caption": "Just a mako saying hi! - - - Follow us @amazing.sea.world for more !! - - Credit : : @thelifeofrileynz - - #shark #sharks #sharkweek #sharktank #sharkattack #sharknado #sharkbait #greatwhiteshark #sharktooth #sharkfishing #sharkie #sharky #savesharks #sharkdiving #sharkteeth #sharklife #sharkbite #sharktattoo #sharkies #sharkeez #tigershark #sharkconservation #whalesharks.", + "likes": 18860, + "commentsCount": 200 + } + ] + }, + { + "fullname": "CATCH SURF", + "biography": "#catchsurf #catchsurfclothing #catchsurfboards Shop our Insta:", + "followers_count": 285657, + "follows_count": 1484, + "website": "https://catchsurf.com/a/shop", + "profileCategory": 2, + "specialisation": "Brand", + "location": "", + "username": "catchsurf", + "role": "influencer", + "latestMedia": [ + { + "caption": "@johnnyredmond and his quiv. Custom stamped at @catchsurf_encinitas #catchsurf . . . #odysealog #beaterboard #encinitas #quiver #soft #surfboards", + "likes": 1554, + "commentsCount": 14 + }, + { + "caption": "New Catch Surf beach umbrellas have arrived! 3 different styles to choose from! Maximum shade protection! Features custom mesh inner-liner for storing items above the sand/ground and a special pocket for phone. Old School version modeled by @blairconklin ", + "likes": 1817, + "commentsCount": 11 + }, + { + "caption": "@jimi_deane smooth operator #catchsurf #odysealog . @andrewshield", + "likes": 2135, + "commentsCount": 7 + }, + { + "caption": "Surfs Up! #catchsurf", + "likes": 3163, + "commentsCount": 13 + }, + { + "caption": "@tylerstanaland sig quiv #catchsurf", + "likes": 6311, + "commentsCount": 17 + }, + { + "caption": "We just dropped a full length edit of @blairconklin going animal in Nica on his #54special and its a banger! Check it out at catchsurf.com or our YT page #catchsurf @skyrar", + "likes": 12095, + "commentsCount": 88 + }, + { + "caption": "The 52 JOB Pro. The ultimate summertime rip stick! @whoisjob #catchsurf #jobpro #5fin #summer", + "likes": 3560, + "commentsCount": 14 + }, + { + "caption": "@dawsontylers Wedge POV on the #odyseaskipper #catchsurf @robbiecrawford", + "likes": 4697, + "commentsCount": 14 + }, + { + "caption": "@blairconklin Classic Slash tee #catchsurf", + "likes": 2216, + "commentsCount": 2 + }, + { + "caption": "@kalanirobb Stand Up Boog #catchsurf #standupboog", + "likes": 3552, + "commentsCount": 22 + }, + { + "caption": "CS X SC #beaterboard #odyseastump #catchsurf #santacruz", + "likes": 5748, + "commentsCount": 49 + }, + { + "caption": "Next level LOGn by @whoisjob #catchsurf #odysealog #whoisjob @reardontim", + "likes": 6082, + "commentsCount": 49 + } + ] + }, + { + "fullname": "Marissa Everhart", + "biography": "I dont wish .... I Pray Real Estate & Yacht Broker @canisunspf", + "followers_count": 732176, + "follows_count": 479, + "website": "https://pelagicgear.com/?rfsn=5950658.376c7c&utm_source=refersion&utm_medium=affiliate&utm_campaign=5950658.376c7c", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "marissa_everhart", + "role": "influencer", + "latestMedia": [ + { + "caption": "@honeybirdette X @thedigitaldarkroom @iamjetonfashion @jfnextjourney", + "likes": 1267, + "commentsCount": 65 + }, + { + "caption": "@honeybirdette X @thedigitaldarkroom Event @iamjetonfashion @jfnextjourney", + "likes": 2557, + "commentsCount": 98 + }, + { + "caption": "@ferrari X @ajgfilmproductions #ferrarif40 #ferrari #ferrarilovers #cars #ferraris #f40", + "likes": 10632, + "commentsCount": 230 + }, + { + "caption": "@honeybirdette X @thedigitaldarkroom @iamjetonfashion @jfnextjourney", + "likes": 3398, + "commentsCount": 115 + }, + { + "caption": "@kingdomsportscards Where are all my sports lovers at? If youre in the market for sports cards you guys need to check out my friends at @kingdomsportscards #sportscards #sports #sportscardsforsale #nfl #nhl #mlb", + "likes": 1623, + "commentsCount": 64 + }, + { + "caption": "Its time to #rethink your sunscreen. Do you know what youre putting on your body? @canisunspf is the The best sunscreen around! CBD infused Reef friendly Anti aging Protect your family with the best @canisunspf #canisun #spf #protectyourskin #skincancerawareness #sun #cbdinfused #canisunspf", + "likes": 3617, + "commentsCount": 103 + }, + { + "caption": " @beachbunnyswimwear", + "likes": 2934, + "commentsCount": 107 + }, + { + "caption": "Ranch life @moe__bennett @film_mob", + "likes": 3976, + "commentsCount": 179 + }, + { + "caption": "Speeding around Maryland for the @tikishootout Poker run! @tikileesdock Bikini by @beachbunnyswimwear Boat @midnightexpressboats Protected by @canisunspf", + "likes": 3550, + "commentsCount": 126 + }, + { + "caption": " @moe__bennett Gown by @the.dressing.room", + "likes": 2130, + "commentsCount": 81 + }, + { + "caption": " @studio977 @iamjetonfashion @jfnextjourney", + "likes": 1396, + "commentsCount": 75 + }, + { + "caption": "@inlinephotography X @shopzadore @iamjetonfashion @jfnextjourney", + "likes": 1659, + "commentsCount": 108 + } + ] + }, + { + "fullname": "JOLYN", + "biography": "Athletic Swim and Activewear FOR WOMEN WHO INSPIRE US hi@jolyn.com #jolyn #forwomenwhoinspireus", + "followers_count": 265223, + "follows_count": 345, + "website": "https://jolyn.com/", + "profileCategory": 2, + "specialisation": "", + "location": "Huntington Beach, California", + "username": "jolynclothing", + "role": "influencer", + "latestMedia": [ + { + "caption": "Stoked about our YEW! x JOLYN collab! Heres a peek behind the scenes of how they do it clean for the planet and for the bees #savethebees #DoItClean #YEW #YourEnvironmentsWax #YEWstoked #Buzzing #jolyn", + "likes": 1300, + "commentsCount": 7 + }, + { + "caption": "Tag your fave Lifeguard to show them some love Good luck to all of the athletes competing at USLA this week! #sendit PS!! If youre there stop by the @jolyntexas pop up shop", + "likes": 14540, + "commentsCount": 174 + }, + { + "caption": "Name this print. Wrong answers ONLY #jolyn", + "likes": 3144, + "commentsCount": 44 + }, + { + "caption": "Bikini bottoms that are actually fall-proof Who else has put their JOLYN to the test?", + "likes": 3241, + "commentsCount": 12 + }, + { + "caption": "Show your board some LOOOOVE We teamed up with YEW Surf Wax to make this amazing smelling all-natural surf wax. Available online in LAVENDER, PEPPERMINT, SANTO and BASE-COAT ", + "likes": 5642, + "commentsCount": 14 + }, + { + "caption": "Meet Meridith; multi sport athlete and doctor Meridith decided in her senior year of high school, that she wanted to run track and field, to keep herself in shape for when she went to play college basketball at Gardner-Webb University. That is until she realized she was a PHENOMENAL track star, the track coach at Gardner-Webb saw this and offered her a spot on the track team. She decided then to switch from basketball TO RUN TRACK AT A D1 UNIVERSITY! In college she placed 3rd in the heptathlon and 4x400 at the conference championships. She went on to complete her bachelors in 4 years and did a 5th year to get her masters CHAMP Without taking a gap year she went straight into Med School at Auburn University. While attending med school she played a lot and I mean a lot of frisbee. She found a semi pro team in her area that held open tryouts. No surprise she made the team. At that point she was in her 3rd year of med school and a semi pro athlete. Fast forward to now and she has graduated! She is officially a Doctor of Medicine and will be attending her residency at UCLA for Physical Medicine and Rehab. ", + "likes": 2003, + "commentsCount": 7 + }, + { + "caption": "Finding Balance and living in HARMONY (as in the Harmony Active Collection of course) @adventureswithkat", + "likes": 3410, + "commentsCount": 8 + }, + { + "caption": "Word on the street is Ashleigh is an absolute POWERHOUSE! Whos got hops like this #jopro", + "likes": 6773, + "commentsCount": 9 + }, + { + "caption": "Monday Blues never looked so good, and the best part... this all new print is made with SINGLE USE PLASTICS. 50% of the profits from this JOLYN X SURFRIDER collab will be donated to the @surfrider foundation", + "likes": 3647, + "commentsCount": 6 + }, + { + "caption": "The Neptune Another JOLYN X SURFRIDER collaboration that gives single use plastics a second life. @surfrider ", + "likes": 3417, + "commentsCount": 4 + }, + { + "caption": "Don't mind us, we just wanted to drop this new print to make your Monday EPIC! Meet NEPTUNE, the eco-friendly suit created with up-cycled plastics in collaboration with @surfrider ", + "likes": 2335, + "commentsCount": 4 + }, + { + "caption": "August already!?!? RED-y or not here we go! #jolyn #lifeguard #lifesaving", + "likes": 5584, + "commentsCount": 11 + } + ] + }, + { + "fullname": "Owen Wright", + "biography": "Married @kitaalexander father of 2 kids Olympic bronze medallist Professional surfer @wsl TBI survivor Vacation @paradiso.property ", + "followers_count": 443887, + "follows_count": 1080, + "website": "", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "owright", + "role": "influencer", + "latestMedia": [ + { + "caption": "Id like a big thank to @ripcurl_aus they have supported me for over 20yrs in my surfing career and all the way to Tokyo! Was career highlight to win Also want to thank @dragonalliance @ocean_earth79 @dometic @dhdsurf @allianz.australia @lifecykel @clearlight_life and anyone else thats supported me along the way. excited for the future @wsl events", + "likes": 12314, + "commentsCount": 88 + }, + { + "caption": "Surfing in the @olympics was an absolute pleasure! Still feeling the buzz watching all the @ausolympicteam dominate!!! cheering you all on! @theirukandjis @surfingaus", + "likes": 16825, + "commentsCount": 120 + }, + { + "caption": "To anyone out there has suffered a Traumatic brain injury (TBI) or something thats reduced them to their most raw vulnerable form. I hope this can inspire you to never lose that light at the end of the tunnel. There were moments I doubted I would ever get back to full capacity and moments where I had great results but was still suffering silently. I want to inspire you to be vulnerable enough to ask for help to get the answers you need and to never give up on the dreams you once had!! I just want to thank all the people that believed in me and supported my dreams. This week has made me reflect on the journey and I would not be here with out you all thank you @ausolympicteam @theirukandjis @olympics", + "likes": 80169, + "commentsCount": 2524 + }, + { + "caption": "This is for my wife @kitaalexander my kids, my family, my friends, the surfing champions in Australia before me, my country, tbi survivors and anyone who followed my journey! love you all. Thanks for all the supportive msgs @ausolympicteam @olympics @theirukandjis @surfingaus cant wait to watch the rest of the athletes in the games!!!", + "likes": 65186, + "commentsCount": 2035 + }, + { + "caption": "Yesterday was one of the biggest moments in my career! Swipe to see some of the raw emotional moments captured after my heatProud to be an Olympian and represent @ausolympicteam letsss goooo round 3 coming up at 5.30pm Japan time @theirukandjis @surfingaus", + "likes": 32256, + "commentsCount": 698 + }, + { + "caption": "This is a moment I will never forget! Opening ceremony dream achieved!! Letssss gooo @ausolympicteam @olympics @theirukandjis", + "likes": 18877, + "commentsCount": 205 + }, + { + "caption": "First day here in the team Australia camp. Was such a special moment putting on the green and gold for the first time! I just finished my first warm up session at the comp site yess its small but there is swell on the way! Lets go @ausolympicteam @olympics @julian_wilson @stephaniegilmore @sally_fitz @bededurbo ", + "likes": 27237, + "commentsCount": 316 + }, + { + "caption": "The postponement of Tokyo 2020 offered up some new challenges for me. When the future looked uncertain, my friends and family helped to spark my confidence for the road ahead. Who are the most important people in your life? Join @allianz.australia #SparkConfidence movement and tag the people who stand behind you for whats ahead. #TokyoTogether #ad", + "likes": 2370, + "commentsCount": 17 + }, + { + "caption": "Cheers mate! What an awesome 10 years you had. Super proud of you for putting your family values first right now. Hope to see you back on the @wsl one day! Now lets go do the @ausolympicteam proud!!!! Cmon aussies @julian_wilson", + "likes": 18541, + "commentsCount": 80 + }, + { + "caption": "One thing on my mind! OLYMPICS!! Not long until it all kicks off been surfing as many small waves as I can. Everything in my prep is going according to plan! Body and mind feeling better then ever! So excited for surfing to make its debut into the Olympics @sarfdad", + "likes": 8002, + "commentsCount": 76 + }, + { + "caption": "New #saltwaterculture boardies catching my eye! @ripcurl_aus @ripcurl_usa @ripcurl_europe @ripcurl_brasil", + "likes": 7510, + "commentsCount": 47 + }, + { + "caption": "", + "likes": 13995, + "commentsCount": 126 + } + ] + }, + { + "fullname": "Catch More Fish", + "biography": "Built with Innovation. Fueled by passion. Berkley helps YOU #CatchMoreFish.", + "followers_count": 380471, + "follows_count": 378, + "website": "https://www.berkley-fishing.com/pages/saltwater-hardbaits", + "profileCategory": 2, + "specialisation": "", + "location": "Spirit Lake, Iowa", + "username": "berkleyfishing", + "role": "influencer", + "latestMedia": [ + { + "caption": "A PowerBait Power Swimmer is a great bait to keep tied on to get on some fish in these hot months! Fish it slow around deep structure holding baitfish like brush and rock piles, and let that paddletail action and PowerBait flavor go to work. Who always has their Power Swimmers on deck in the summer? #berkleyfishing #catchmorefish #fishing #bassfishing #summer #powerbait", + "likes": 1759, + "commentsCount": 12 + }, + { + "caption": "Built for the salt. NEW for 2021, the HighJacker Saltwater features the same easy-to-start walking action, and flat sides for added flash and surface disturbance as the original. Now equipped with NEW Fusion19 3x Treble Hooks for maximum durability in the salt, the HighJacker Saltwater is sure to get you some giant topwater strikes! Click the link in our bio to learn more, and get some in later this month! #berkleyfishing #catchmorefish #highjacker #saltwaterfishing", + "likes": 871, + "commentsCount": 6 + }, + { + "caption": "The minnow style body design and ultra-responsive tail action of the PowerBait Pro Twitchtail Minnow, paired with that proven PowerBait flavor so fish bite and won't let go, makes the Twitchtail Minnow a dropshot bait! Who's tried the Pro Twitchtail Minnow? #berkleyfishing #catchmorefish #summerfishing #powerbait #fishing #bassfishing #dropshot", + "likes": 2562, + "commentsCount": 26 + }, + { + "caption": "The Flicker Minnow is like candy to big Walleyes! Pro designed to create the ultimate minnow-style trolling bait, the Flicker Minnow's impressive dive curve and body shape gets you to the fish fast, and maximum flash and tail wag is sure to get the big ones to eat What's your biggest fish on a Flicker Minnow? #berkleyfishing #catchmorefish #walleyefishing #summerfishing", + "likes": 1789, + "commentsCount": 14 + }, + { + "caption": "Fishing a texas-rigged 10\" Power Worm is a great way to catch 'em during the heat of the summer! A big profile and slow speed action is just what bass need to see when the water continues to heat up Plus once they get a taste of that PowerBait flavor, they won't let go! Who else catches big ones on a big Power Worm in the summer? #berkleyfishing #catchmorefish #fishing #bassfishing #powerbait", + "likes": 2904, + "commentsCount": 9 + }, + { + "caption": "@redday_outdoors putting the NEW Choppo 75 to work! Who else is pumped to get their hands on a Choppo 75 in September? #berkleyfishing #catchmorefish #fishing #topwaterfishing #bassfishing", + "likes": 3137, + "commentsCount": 44 + }, + { + "caption": "The big bro of the classic PowerBait Bottom Hopper, the Fatty Bottom Hopper provides a bigger presentation for bigger bites, and is on a Fusion19 Shakey Head! Whos caught em on a Fatty Bottom Hopper? #berkleyfishing #catchmorefish #fishing #bassfishing #powerbait", + "likes": 2240, + "commentsCount": 10 + }, + { + "caption": "Refined through years of testing and countless prototypes, the J-Walker is ideal for all topwater scenarios with a hydrodynamic shape, precision balance point and resting position that allows for an easy to start walking action. Target shallow cover, submerged grass and deep water points and get ready for the blowup! #berkleyfishing #catchmorefish #summerfishing #topwaterfishing #fishing #bassfishing", + "likes": 2332, + "commentsCount": 10 + }, + { + "caption": "Available soon in a NEW 8in. size.. the classic Gulp! Grub is the key to catching more of your favorite saltwater species. Rig it on a Fusion19 Bucktail Jig or Jighead, the proven tail action that swims under all conditions, and extreme Gulp! scent dispersion will make fish inhale it without a second thought Who's been throwing a Gulp Grub in the salt? #berkleyfishing #catchmorefish #summerfishing #saltwaterfishing #fishing", + "likes": 2436, + "commentsCount": 16 + }, + { + "caption": "How would you rather fish a Chigger Craw.. on a jig or texas rigged? Get some NEW Berkley Jigs and MaxScent Chigger Craws this Fall! #berkleyfishing #catchmorefish #fishing #bassfishing #powerbait", + "likes": 4276, + "commentsCount": 64 + }, + { + "caption": "You saw it win the ICAST Best of Category award for best new saltwater hard bait.. now see it in action for yourself The same, explosive Choppo topwater action, now upgraded with new Fusion19 3x Treble Hooks to withstand the harsh elements of the salt for more uses and more fish. Learn more at the link in our bio and get some at your local retailer in August! #berkleyfishing #catchmorefish #choppo #saltwaterfishing", + "likes": 2057, + "commentsCount": 26 + }, + { + "caption": "TONS of awesome, proven fish catching products announced this past week at #ICAST2021! From the Best of Show winning PowerBait Gilly and other new PowerBait and MaxScent shapes, to an entire lineup of PowerBait infused Jigs and Berkley saltwater specific hard baits, theres no doubt youll have some fun putting these awesome new products to work on some giants! Which new Berkley products are you most pumped to get your hands on? #berkleyfishing #catchmorefish #fishing #bassfishing", + "likes": 5728, + "commentsCount": 62 + } + ] + }, + { + "fullname": "Cheer Sport Great White Sharks", + "biography": "WORLD CHAMPIONS 2014/2015/2018/2019 5X NCA CHAMPS @netflix Cheer Squad G2S1H-J ", + "followers_count": 187017, + "follows_count": 174, + "website": "https://youtu.be/BzckILqZgFg", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "csgreatwhites", + "role": "influencer", + "latestMedia": [ + { + "caption": "Happy birthday to one of our beautiful rookie gdubs @sa.haleyy ! Youve been doing amazing and we feel so lucky to have you as part of the fam. We hope you feel so loved on your day. xo ", + "likes": 4911, + "commentsCount": 11 + }, + { + "caption": "Our hearts couldnt be more full finally being able to do what we love again. The vibes are: Whos excited to see our stunt?! Check the tags to follow this years flyers. Theyre incredible. ", + "likes": 18255, + "commentsCount": 87 + }, + { + "caption": "New gdub alert Our coach @alimoffatt welcomed the most precious, beautiful, baby girl into the world. We cant wait to meet Willa and give her never ending love. Ali, youre already the very best coach, but youre going to be an even better mom. We all love you so much.", + "likes": 14034, + "commentsCount": 68 + }, + { + "caption": "HAPPY BIRTHDAY to @emilyvesterfelt you are this teams ultimate hype girl and we wouldnt have it any other way. Youre a forever OG that means SO much to every single one of us. We hope you had the best day and we cant wait to see you at practice xo! ", + "likes": 6047, + "commentsCount": 11 + }, + { + "caption": "Practice Day thanks @gdubstank for this cute edit.", + "likes": 3927, + "commentsCount": 6 + }, + { + "caption": "HAPPY BIRTHDAY to our brightest light @_lauren._.elizabeth Youve always been the most supportive teammate, sister, and best friend to every gdub. Youre talented beyond measure, but more importantly, you create joy everywhere you go. Thanks for being you. Have the best day Stanley!", + "likes": 4056, + "commentsCount": 6 + }, + { + "caption": "HAPPY BIRTHDAY to our legendary power shark @jennpower0303 Thank you for being such an encouraging and supportive leader to this team. Youre an incredible coach and you have nothing but respect and love from us all. Youre an actual super hero - Hope your day is almost as special as you. xo", + "likes": 8887, + "commentsCount": 27 + }, + { + "caption": "We cant wait to introduce you to the 2021-2022 Gdubs. Were back. ", + "likes": 12714, + "commentsCount": 47 + }, + { + "caption": "Happy belated birthday to this ray of sunshine We absolutely adore you - from an incredible flyer to a fantastic teammate, you bring so much heart and positivity to our team. You are so special to all of us. We love you so much! Xo", + "likes": 3601, + "commentsCount": 4 + }, + { + "caption": "Happy Birthday Horch! We are so lucky to have someone as special as you in our lives. You shine so bright both on and off the cheer floor and bring so much love to this team. We love you! @kianahorchover", + "likes": 5282, + "commentsCount": 12 + }, + { + "caption": "Heres what @paytoooon aka Diddy had to say about her experience being on this magical team. If you want the chance at being a part of the most special group of people, you can send a tryout video to info@cheersportsharks.com Make sure to include your ~highest level~ of stunting and tumbling skills. Limited spots are available. Take the first step towards making your biggest dream come true. ", + "likes": 18397, + "commentsCount": 23 + }, + { + "caption": "A magical little pic to put you in the feels today @css.lauren", + "likes": 20671, + "commentsCount": 27 + } + ] + }, + { + "fullname": "Katinka Hosszu", + "biography": "3x Olympic Champ 26x World Champ WR Holder PR@ironswim.hu / @katinkathemovie / @iron_isl / @iswimleague / @ironswimteam", + "followers_count": 414803, + "follows_count": 705, + "website": "http://ironswim.hu/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "hosszukatinka", + "role": "influencer", + "latestMedia": [ + { + "caption": "n csak annyit rnk, hogy ksznm mindenkinek a tmogatst s ez most hozztartozik a plyafutsomhoz, s ugyanolyan mltsggal viselem, mint az elrt csillogbb sikereimet. Ksznet mindenkinek! Ksznm Magyarorszg es mindenkinek, aki ott van s volt mellettem! Hajr Magyarok ", + "likes": 91831, + "commentsCount": 3422 + }, + { + "caption": "Ksznm Nektek a szurkolst! Most ebben a 400-ban ennyi volt Holnap 200 vegyes! @derencsenyiistvan", + "likes": 59423, + "commentsCount": 1048 + }, + { + "caption": "I walk on water latelynew hobby @derencsenyiistvan", + "likes": 35591, + "commentsCount": 207 + }, + { + "caption": "Koriyama, edztboros ", + "likes": 19169, + "commentsCount": 83 + }, + { + "caption": "Csak prblok eggy vlni a vzzel, gy tnik kezd mkdni Just trying to be one with the water lately, I think its starting to work @minekasapoglu", + "likes": 19770, + "commentsCount": 86 + }, + { + "caption": "#reklm lsportolknt nagyon sok tmogatst kapok tletek, a szurkolktl! Most szeretnk n adzni elismerssel nektek, akik nap mint nap igyekeznek a legjobb formtokat hozni! Kitartotok s munka, gyerekek s ktelezettsgek mellett is vllaljtok, hogy aktvan ltek! Mozogjatok tovbb s tartsatok ki mellette minden nap! Most n szurkolok nektek! #hirdets #Rexona #MotionSense #legylaktv #maradjfriss", + "likes": 7001, + "commentsCount": 30 + }, + { + "caption": "Rome ", + "likes": 20445, + "commentsCount": 66 + }, + { + "caption": "Grazie Rome! ", + "likes": 16557, + "commentsCount": 51 + }, + { + "caption": "#reklm Gratullok a helytllshoz a magyar csapatnak, akik a hrom meccsk alatt 2,5 milliszor dobogtattk meg a magyar szurkolk szvt. Klditek majd az ert nekem is amikor szksgem lesz r? Ne felejtstek, ha kommentelitek, ljkoljtok vagy megosztjtok azokat a hreket, amiben szerepelek, a Telekom a Szvdobbans szmllval eljutattja majd hozzm, mennyien szurkoltok nekem s szortotok rtem a neten keresztl is. #hirdets #egyttdobbanaszvnk #telekom", + "likes": 10652, + "commentsCount": 85 + }, + { + "caption": "Nagy a boldogsg, hogy Rmban versenyezhetek Just happy happy to be in Rome to race ", + "likes": 12484, + "commentsCount": 50 + }, + { + "caption": "Gym is my happy place (after water )", + "likes": 12158, + "commentsCount": 40 + }, + { + "caption": "Budapest Love my city!", + "likes": 14386, + "commentsCount": 55 + } + ] + }, + { + "fullname": "Nautique Boats", + "biography": "We make the best Wakeboard, Wakesurf and Waterski boats in the world. Tag #Nautique to be featured!", + "followers_count": 214886, + "follows_count": 422, + "website": "https://bit.ly/RidersChoice_2021", + "profileCategory": 2, + "specialisation": "", + "location": "Orlando, Florida", + "username": "nautiqueboats", + "role": "influencer", + "latestMedia": [ + { + "caption": "Voting is LIVE for the @WakeWorld Rider's Choice Awards! Cast your vote now for the Wakeboard and Wakesurf Boat of the Year in the link in our bio! #G23", + "likes": 1317, + "commentsCount": 4 + }, + { + "caption": "Whos spending the weekend on a #G25? ", + "likes": 6593, + "commentsCount": 61 + }, + { + "caption": "Modern Look, Iconic DNA #NautiqueS23", + "likes": 3655, + "commentsCount": 7 + }, + { + "caption": "Let @shaunmurray give you an in-depth tour of our completely new #NautiqueS23", + "likes": 978, + "commentsCount": 6 + }, + { + "caption": "Are you going to be at the Nautique South Central Regatta in Texas this weekend? We're going to have two of our brand-new S23 models there for attendees to come check out and demo! If you own a Nautique, register in the link in our bio and come join us for all the fun this weekend! #NautiqueS23 @nautiquesouthcentralregatta @thewwa", + "likes": 4197, + "commentsCount": 32 + }, + { + "caption": "Explore the interior of the brand-new S23! Learn more about this first installment of the new S-Series in the link in our bio #NautiqueS23", + "likes": 4642, + "commentsCount": 30 + }, + { + "caption": "Check out our 5 Favorites with the brand-new S23! #NautiqueS23 ", + "likes": 3263, + "commentsCount": 44 + }, + { + "caption": "First look at the brand-new Super Air Nautique S23! Learn more about this completely new model in the link in our bio! #NautiqueS23", + "likes": 7256, + "commentsCount": 87 + }, + { + "caption": "We are proud to introduce the brand-new Super Air Nautique S23! This first iteration of our new S-Series brings modern lines to the traditional bow Nautique and delivers unrelenting performance. Learn more in the link in our bio!#NautiqueS23 ", + "likes": 5439, + "commentsCount": 115 + }, + { + "caption": "A huge congrats to these National Champs! Nautique team rider @noahflegel taking home the win at the Nautique #WakesurfNationals along with teammate @coryteunissen winning the Nautique WWA #WakeboardNationals! ", + "likes": 2244, + "commentsCount": 14 + }, + { + "caption": "A couple quick clips of #Nautique team rider @noahflegel here at the Nautique #WakesurfNationals behind the #G23Paragon! @thewwa", + "likes": 5568, + "commentsCount": 71 + }, + { + "caption": " #G23Paragon", + "likes": 3237, + "commentsCount": 9 + } + ] + }, + { + "fullname": "Kat", + "biography": "", + "followers_count": 185124, + "follows_count": 272, + "website": "", + "profileCategory": 1, + "specialisation": "", + "location": "", + "username": "katjimenezz", + "role": "influencer", + "latestMedia": [ + { + "caption": "Everyday should be a boat day", + "likes": 5750, + "commentsCount": 33 + }, + { + "caption": "Im just living life Will I ever open my eyes for a pic?", + "likes": 5972, + "commentsCount": 41 + }, + { + "caption": "love the sun", + "likes": 4518, + "commentsCount": 49 + }, + { + "caption": "Contender girl", + "likes": 7212, + "commentsCount": 31 + }, + { + "caption": "happy 4th ", + "likes": 3814, + "commentsCount": 31 + }, + { + "caption": "I mean, I am a Taurus", + "likes": 4000, + "commentsCount": 64 + }, + { + "caption": "04.09.21 ", + "likes": 4805, + "commentsCount": 41 + }, + { + "caption": "Happy girl shiii ", + "likes": 12731, + "commentsCount": 21 + }, + { + "caption": "First boat day of 2021 ", + "likes": 10288, + "commentsCount": 96 + }, + { + "caption": "Simpler times", + "likes": 21739, + "commentsCount": 199 + }, + { + "caption": "Welcome to Katzs ;)", + "likes": 6580, + "commentsCount": 74 + } + ] + }, + { + "fullname": "Passport Ocean", + "biography": "Sharing the Oceans beauty -", + "followers_count": 473286, + "follows_count": 1215, + "website": "https://passportocean.com/product-category/jewelry/rings", + "profileCategory": 2, + "specialisation": "Brand", + "location": "", + "username": "passport.ocean", + "role": "influencer", + "latestMedia": [ + { + "caption": "Extraordinary encounter with a big basking shark in the Atlantic Ocean Video by @alexalbrecht___ Although basking sharks are the second largest fish in the world, they're harmless to humans and feed exclusively on zooplankton.", + "likes": 2456, + "commentsCount": 18 + }, + { + "caption": "Rainbow Warrior. A cute tiny baby octopus - Photo by @nicknnip - Follow our friends @OrcasMagazine for the best Whales/Orcas content ", + "likes": 2807, + "commentsCount": 34 + }, + { + "caption": "Face to Face Video by @jalilnajafov Filmed at Isla Guadalupe in Mexico. - Follow our friends @OrcasMagazine for the best Whales/Orcas content ", + "likes": 1932, + "commentsCount": 36 + }, + { + "caption": "The friendliest octopus ever : @shangerdanger . . . . . . #octopus #underwater #uw #underwaterphotography #underwaterworld #animal #animals #animaladdicts #diving #ocean #oceandiving #freedive #scuba #watchthisinstagood #roamtheoceans - Follow our friends @OrcasMagazine for the best Whales/Orcas content ", + "likes": 15080, + "commentsCount": 178 + }, + { + "caption": "Blue Ringed Octopus Which shot is your favourite? 1-3? Photos by @snorkeldownunder - Follow our friends @OrcasMagazine for the best Whales/Orcas content ", + "likes": 5278, + "commentsCount": 52 + }, + { + "caption": "Not only are saltwater crocodiles the largest reptile in the world, but crocodiles themselves also first appeared over 240 million years ago during the Mesozoic Era. Living up to 80 years old, even today, and growing anywhere from three metres to seven metres in length, the Crocodilia order were once at the top of the animal food chain. Video by @ally.photog - Follow our friends @OrcasMagazine for the best Whales/Orcas content ", + "likes": 5805, + "commentsCount": 31 + }, + { + "caption": "The Thing That Should Not Be by @castateparks A pacific footballfish that washed up on one of the beaches @crystalcovestatepark. These fish are a member of the angler fish family, deep sea creatures that call the waters 3000ft below the surface of the ocean their home. Only females possess the long stalk on the head, which has a bioluminescent tip used as a lure to entice prey in the darkness of the water, devoid of sunlight. Their teeth, like pointed shards of glass, are transparent and their large mouth is capable of sucking up and swallowing prey the size of their own body. While females can reach lengths of 24 inches males only grow to be about an inch long and their sole purpose is to find a female and help her reproduce. Males latch onto the female with their teeth and become sexual parasites, losing their eyes, internal organs, and everything else but the testes. The male becomes a permanent appendage that draws nutrition from its female host and serves as an easily accessible source of sperm. To see an actual angler fish intact is very rare and it is unknown how or why the fish ended up on the shore. Seeing this strange and fascinating fish is a testament to the diversity of marine life lurking below the waters surface in Californias Marine Protected Areas. Via @natureismetal #underwater - Follow our friends @OrcasMagazine for the best Whales/Orcas content ", + "likes": 13848, + "commentsCount": 229 + }, + { + "caption": " this humpback whale is a survivor & total badass. In 2001 she earned the name Blade Runner after she survived being cut up by a boat propeller. She earned her stripes along with triple OG status, and has the survival scars to show it - Follow our friends @OrcasMagazine for the best Whales/Orcas content ", + "likes": 9358, + "commentsCount": 125 + }, + { + "caption": "Orca encounter in Lofoten How would you react? Video by @miagylseth - Follow our friends @OrcasMagazine for the best Whales/Orcas content ", + "likes": 3460, + "commentsCount": 33 + }, + { + "caption": " Lost for words, today was mind-blowing, feeling observed by such a majestic creature is humbling, to say the least. || @nuttynulty @silversharkadventures . . . . . . . . . . . . . #whale #humpbackwhale #ocean #naturephotography #nature #rightplacerightime #nikon #picoftheday #sea #flip #breach #amazing #oceanart #earthfocus #ourplanetdaily #uwphotography #aquatech #diving #underwater #scubadiving #dive #oceanside #diver #oceano #oceans #freedive #oceanlove #underwaterworld #deepblue - Follow our friends @OrcasMagazine for the best Whales/Orcas content ", + "likes": 9273, + "commentsCount": 113 + }, + { + "caption": "Turn your volume up and enjoy :) Video by @williamdrumm Follow us for more @ocean.autograph - Follow our friends @OrcasMagazine for the best Whales/Orcas content ", + "likes": 1599, + "commentsCount": 16 + }, + { + "caption": "Porcupine Fish Video by @dolphin808m913 This little guy was injured in his right eye and is now blind on that side. Fortunately, his wounds have healed. - Follow our friends @OrcasMagazine for the best Whales/Orcas content ", + "likes": 3295, + "commentsCount": 30 + } + ] + }, + { + "fullname": "NHL", + "biography": "This is where you get your hockey fix. : @nhleurope : @nhlfantasy", + "followers_count": 4843225, + "follows_count": 1681, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "nhl", + "role": "influencer", + "latestMedia": [ + { + "caption": "The big man is staying on the Island! Adam Pelech inks a new eight-year deal with the @ny_islanders.", + "likes": 8883, + "commentsCount": 125 + }, + { + "caption": "This @capitals table is too beautiful! ( Reddit/icer07)", + "likes": 22004, + "commentsCount": 159 + }, + { + "caption": "Bedtime stories with uncle Kevin Hayes >>>> ( @raising_hayes, @kphayes12)", + "likes": 37975, + "commentsCount": 102 + }, + { + "caption": "@timstuetzle8, the next Pavel Bure? @senators coach D.J. Smith knows how much potential the 19-year-old forward possess. (Via @camandstrickpod)", + "likes": 39465, + "commentsCount": 373 + }, + { + "caption": "Would you know if you were going head to head with a member of the @nhlalumniassociation? Watch Bryan McCabe surprise this fan in #NHL21. @honda", + "likes": 5195, + "commentsCount": 17 + }, + { + "caption": "JET LIFE ( @aduclair10, @matt.dumba)", + "likes": 41046, + "commentsCount": 166 + }, + { + "caption": "Another season in the books... filled with great plays from Leon Draisaitl (@drat_29)!", + "likes": 6967, + "commentsCount": 27 + }, + { + "caption": "Two-time Stanley Cup champion Patrik Elias ripping around NYC on a jetski is here to brighten up your day. ( @patrikeliasofficial)", + "likes": 39001, + "commentsCount": 181 + }, + { + "caption": "Tomas Tataaaaaaaaarrr is headed to the @njdevils! #NHLFreeAgency", + "likes": 49263, + "commentsCount": 304 + }, + { + "caption": "Yesterday @scottmayfield2 took to the skies in an F-16 Viper with his brother, Capt. Patrick Mayfield of the U.S. Air Force. ", + "likes": 28114, + "commentsCount": 93 + }, + { + "caption": "Wrigley Strome, two minutes for biting. ( @wrigleystrome, @dylstrome19)", + "likes": 48473, + "commentsCount": 252 + }, + { + "caption": "Sergy's got some really big rings. ( @sergach98)", + "likes": 63426, + "commentsCount": 182 + } + ] + }, + { + "fullname": "Wild 'N Out", + "biography": "The official Instagram account for Wild 'N Out Catch all-new episodes airing Tuesdays at 8pm on VH1 Follow for FULL clips ", + "followers_count": 6380355, + "follows_count": 144, + "website": "http://www.paramountplus.com/?ftag=PPM-05-10aeh6j", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "mtvwildnout", + "role": "influencer", + "latestMedia": [ + { + "caption": "Its @jesshilarious_official giving main character vibes even though she said nothing for me. & @dcyoungfly is apparently the monster. #WildNOut", + "likes": 40122, + "commentsCount": 106 + }, + { + "caption": "@conceitednyc and @pnbrock out here making fruit dirty! #WildNOut", + "likes": 102150, + "commentsCount": 416 + }, + { + "caption": "@radiobigmack in that spandex material has me on the floor! #WildNOut", + "likes": 68708, + "commentsCount": 187 + }, + { + "caption": "@justinavalentine doesnt even sound like that @karlousm. #WildNOut", + "likes": 201445, + "commentsCount": 884 + }, + { + "caption": "I know @nelly caught some heat after this. #WildNOut", + "likes": 71674, + "commentsCount": 245 + }, + { + "caption": "We know who definitely picked their nose as a kid! / @emanhudson #WildNOut", + "likes": 136561, + "commentsCount": 455 + }, + { + "caption": "I have never heard that many jokes related to shoes before. They wouldn't give @thekingcannon a break. #WildNOut", + "likes": 195525, + "commentsCount": 1517 + }, + { + "caption": "@iamkelmitchell let it be known just how crafty he is with words. #WildNOut", + "likes": 72798, + "commentsCount": 166 + }, + { + "caption": "Not the I went to school with this dude. #WildNOut", + "likes": 198168, + "commentsCount": 818 + }, + { + "caption": "@conceitednyc said he was getting that point either way! #WildNOut", + "likes": 124569, + "commentsCount": 232 + }, + { + "caption": "They really had to pull this man @dcyoungfly off the stage. #WildNOut", + "likes": 166710, + "commentsCount": 785 + }, + { + "caption": "He came to SHOW UP & SHOW OUT, you can't tell him nothing. #WildNOut", + "likes": 92042, + "commentsCount": 292 + } + ] + }, + { + "fullname": "Casey Cott", + "biography": "That's coconuts you're super delightful.", + "followers_count": 5082695, + "follows_count": 668, + "website": "http://bit.ly/bppricematch", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "caseycott", + "role": "influencer", + "latestMedia": [ + { + "caption": " @nathanjohnsonny", + "likes": 218778, + "commentsCount": 493 + }, + { + "caption": "Spent this summers off time from Riverdale road tripping through the States! While usually it takes us six exits to decide where to fill up our car, BPme Price Match is a GAME CHANGER. (AD) I downloaded the app, subscribed for 99 cents and, now, I have a price match guarantee on gas prices from any station within a half mile. I've been doing price matching for more than a decade -- before there were even apps for it. My mom and I would keep track of the lowest prices and text each other whenever we found something better. Trust me, the BPme app is way easier. Find a bp or Amoco station, fill up and save! @bp_plc Swipe to look through photos from my trip, and click the link in my bio to download the app!", + "likes": 260567, + "commentsCount": 259 + }, + { + "caption": "Happy 30th Birthday to my partner in crime, cant wait to spend the next 30 years of life with you.", + "likes": 542721, + "commentsCount": 667 + }, + { + "caption": "Uni or Stache", + "likes": 260260, + "commentsCount": 551 + }, + { + "caption": "", + "likes": 280092, + "commentsCount": 317 + }, + { + "caption": "My Valentines Day post is better than your Valentines Day post.", + "likes": 766728, + "commentsCount": 1567 + } + ] + }, + { + "fullname": "gameofthrones", + "biography": "The @HBO original series is now streaming on @HBOMax. Follow @HouseoftheDragonHBO for all updates on the prequel to #GameofThrones.", + "followers_count": 8527662, + "follows_count": 58, + "website": "https://bit.ly/3tuuQmj", + "profileCategory": 3, + "specialisation": "TV Show", + "location": "", + "username": "gameofthrones", + "role": "influencer", + "latestMedia": [ + { + "caption": "The Queen in the North.", + "likes": 245559, + "commentsCount": 1496 + }, + { + "caption": "She is no Lady.", + "likes": 186236, + "commentsCount": 1295 + }, + { + "caption": "Battle of the Bastards.", + "likes": 629813, + "commentsCount": 4575 + }, + { + "caption": "Dracarys.", + "likes": 310770, + "commentsCount": 3049 + }, + { + "caption": "A girl is ready for anything.", + "likes": 302468, + "commentsCount": 1233 + }, + { + "caption": "Raise a glass to Lord Eddard Stark this Fathers Day.", + "likes": 498981, + "commentsCount": 2416 + }, + { + "caption": "The things I do for love.", + "likes": 208270, + "commentsCount": 1589 + }, + { + "caption": "We mothers do what we can to keep our sons from the grave. Happy Mothers Day to every Queen, warrior, and Mother of Dragons.", + "likes": 209013, + "commentsCount": 795 + }, + { + "caption": "Fire & blood. The @HBO original series @HouseoftheDragonHBO, coming to @HBOMax in 2022.", + "likes": 761683, + "commentsCount": 9856 + }, + { + "caption": "Fire will reign The @HBO original series #HouseoftheDragon is officially in production. Follow @HouseoftheDragonHBO for all updates.", + "likes": 317727, + "commentsCount": 5185 + }, + { + "caption": "Prepare to charge. #GameofThrones director and #HouseoftheDragon co-showrunner Miguel Sapochnik breaks down the Battle of the Bastards. #IronAnniversary", + "likes": 81065, + "commentsCount": 914 + }, + { + "caption": "A Collection Has No Name. Follow in Aryas footsteps with a curated list of episodes to #MaraThrone (via link in bio).", + "likes": 47765, + "commentsCount": 381 + } + ] + }, + { + "fullname": "Elsy Guevara", + "biography": "mama to @babyehlani <3", + "followers_count": 1464441, + "follows_count": 423, + "website": "https://youtu.be/5V06J2dKeDY", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "elsyguevara", + "role": "influencer", + "latestMedia": [ + { + "caption": "You glow differently when youre happy @muradskincare Daily Clarifying Peel for the winnn <3 #MuradPartner #StressFreeSkincare", + "likes": 213965, + "commentsCount": 695 + }, + { + "caption": "Finallllly <3 our @bhcosmetics lipstick duos are BACK! Wearing my favorite matte lip from my duo in Desert as a lip liner and @alondradessy matte lipstick in Camel on top both fully RESTOCKED <3", + "likes": 329794, + "commentsCount": 1271 + }, + { + "caption": "Happppppy birthday once again @pattieguevara iluuuuuvyouuuusm<3 caption baby ehlanis face outfit @ootdfash ", + "likes": 238387, + "commentsCount": 578 + }, + { + "caption": "brown lip liner and @thelashbarla forever", + "likes": 278175, + "commentsCount": 890 + }, + { + "caption": "Thank you guys so so much for wishing my baby a happy birthday! cant wait to upload the vlog Also a huge thanks to @eleganciaeventservices for making her birthday party so magical ", + "likes": 360075, + "commentsCount": 614 + }, + { + "caption": "El da en que tu naciste, Nacieron todas las floressss HAPPY 1ST BIRTHDAY TO MY SUGAR BEAR my baby is ONE!! You are exactly what I needed in this world, your sweet soul completes me in every way possible, your tiny heart is filled with so much love to give and receive! I love you so so much my angel baby! ", + "likes": 311182, + "commentsCount": 1067 + }, + { + "caption": "straight out the play pen cant wait for our babies to see these pics when they grow up @alondradessy @babyehlani pics by @kevosalinas @recitkarla ", + "likes": 567679, + "commentsCount": 3343 + }, + { + "caption": "happy 11 months to my biggoo baby time to start planning her 1st bday party ", + "likes": 316909, + "commentsCount": 701 + }, + { + "caption": "Happy Mothers Day to every mama out there!!! I owe it to my sugar bear for making me her mommy beyond grateful for this blessing I never thought in a million years Id have! Hope you guys are having an amazing day", + "likes": 334050, + "commentsCount": 558 + }, + { + "caption": "not my body being 10 different colors lol love this new set from @savagexfenty #savagexambassador", + "likes": 140845, + "commentsCount": 391 + }, + { + "caption": "Yesterday was so beautiful so excited and so happy for my other half @alondradessy and @bennysoliven team boy or team girl????", + "likes": 412883, + "commentsCount": 1223 + }, + { + "caption": "a natural beat today thank you guys sm for all the love on my newest video! <3 skin: @muradskincare vita-c triple exfoliating facial hair: @hairby_chrissy top: @ootdfash jewelry: @thevaieboutique ", + "likes": 318740, + "commentsCount": 1400 + } + ] + }, + { + "fullname": "Taylor Lautner", + "biography": "Lets get down to business, to defeat the Huns Serious business inquiries only tlautassist@gmail.com", + "followers_count": 6679932, + "follows_count": 388, + "website": "", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "taylorlautner", + "role": "influencer", + "latestMedia": [ + { + "caption": "Hashtag blessssed #whysheholdingmybellylikethat", + "likes": 443368, + "commentsCount": 1022 + }, + { + "caption": "I warned you ", + "likes": 284188, + "commentsCount": 2248 + }, + { + "caption": "Soooo Lily has been asking for a sister for quite some time. Her wishes finally came true. Meet Remi. Youre going to be seeing a lot of her #sorrynotsorry", + "likes": 769887, + "commentsCount": 4457 + }, + { + "caption": "if Im petting a dog, please dont talk to me", + "likes": 359490, + "commentsCount": 1617 + }, + { + "caption": "", + "likes": 561131, + "commentsCount": 2825 + }, + { + "caption": "mornin! ", + "likes": 246525, + "commentsCount": 1070 + }, + { + "caption": "", + "likes": 97420, + "commentsCount": 749 + }, + { + "caption": "Happy 4th yall! ", + "likes": 280855, + "commentsCount": 1088 + }, + { + "caption": "Feel blessed to have been a part of this one. Cant wait for yall to see it! #HomeTeam", + "likes": 121721, + "commentsCount": 648 + }, + { + "caption": "Good times missed w best friends", + "likes": 208998, + "commentsCount": 792 + }, + { + "caption": "keep ur hands and ur feet to urself", + "likes": 194646, + "commentsCount": 1040 + }, + { + "caption": "The guy she tells you not to worry about vs you", + "likes": 426001, + "commentsCount": 1779 + } + ] + }, + { + "fullname": "WE THE URBAN", + "biography": "Black-owned, celebrating inclusivity, self-love, & marginalized voices. Our posts have been proven to increase ones power by 1000% ", + "followers_count": 3213891, + "follows_count": 393, + "website": "http://eepurl.com/hn4AND", + "profileCategory": 2, + "specialisation": "Community", + "location": "", + "username": "wetheurban", + "role": "influencer", + "latestMedia": [ + { + "caption": "Anxiety? Anxiety is sneaky, blindsiding, and most of all, a liar. It is a liar that tells you that all of the worst possibilities are going to happen. Don't believe anxiety. You ARE good enough. You ARE NOT a failure. You ARE loved. You deserve the world. What are some ways you cope with anxiety?", + "likes": 177428, + "commentsCount": 520 + }, + { + "caption": "Theres humility in accepting the things that are not for you anymore. It takes real quietening of the ego for you to hear the universe telling you that you are deserving of better. caption: @iambrillyant featured work: tap for credits", + "likes": 291493, + "commentsCount": 744 + }, + { + "caption": "Affirmation of the Day: I am no longer trying to seek other peoples approval and validation, as I already know I am more than enough. I no longer wait around for someone to choose me, as I choose myself. I am no longer trying to please everyone else by putting myself last. I free myself. I cherish those who understand. ", + "likes": 200497, + "commentsCount": 528 + }, + { + "caption": "\"Simone Biles probably won't hear your tweets about her \"quitting\" or \"playing the mental health card\" but your friends who struggle with mental health issues will. So important. Mental health does not discriminate and can be hugely impactful in someone's life even if they are a Olympian. Everyone is fighting a hard battle, be kind be thoughtful. regram: @feminist via: @doc_amen x @laloalcaraz1 #olympics #simonebiles #mentalhealthawareness #mentalhealthmatters #mentalillness", + "likes": 265130, + "commentsCount": 439 + }, + { + "caption": "Affirmation of the Day: If I am constantly putting other peoples needs ahead of my own, I am not only doing an injustice to myself, but to other people as well. I prioritize rest and deserve peace and clarity. I refuse to compromise my boundaries because I know and honor my worth. No matter what happens, Im good. ", + "likes": 290931, + "commentsCount": 951 + }, + { + "caption": "Affirmation of the Day: Today, I choose what chooses me. Today, I choose happiness. Today, I choose peace. Today, I choose growth. I focus on what I can control and make peace with what I cant. And I bring that peace with me wherever I go. ", + "likes": 320812, + "commentsCount": 721 + }, + { + "caption": "Your thoughts are so powerful. Use them carefully. ", + "likes": 169457, + "commentsCount": 513 + }, + { + "caption": "Affirmation of the Day: I am releasing any expectations, thoughts, beliefs, patterns and behaviors that no longer serve my highest good and potential. I will not mistake my valuable time of spiritual solitude for loneliness. I give myself grace and compassion as I move forward through my healing journey. I am so powerful, I believe in myself, I am so proud of my abilities. featured work: from flowers on the moon by @iambrillyant", + "likes": 303874, + "commentsCount": 952 + }, + { + "caption": "Shoutout to everyone going through it but still trying their hardest to keep going. Youre doing great. Speed isnt the most important thing. Forward is forward.", + "likes": 193306, + "commentsCount": 392 + }, + { + "caption": "We're back with another playlist to help get you through. Check our story or highlights to stream! Are there any songs we missed?", + "likes": 45585, + "commentsCount": 65 + }, + { + "caption": "Affirmation of the Day: I am proud of myself for how far Ive come. I am powerful beyond measure. I am filled with love and gratitude. I know who I am. I let go of old limitations and beliefs, self-sabotaging behaviors, and I lean into an empowering self-narrative instead. I let go, and I am at peace. #healing #affirmations", + "likes": 269521, + "commentsCount": 441 + }, + { + "caption": "Affirmation of the Day: I am embracing each moment, no matter how difficult, with gratitude. When I consciously choose to surrender, relax, and live in flow, I honor the divine rhythm of my path. I am worthy. I am loved. I accept nothing less than what I deserve. ", + "likes": 174135, + "commentsCount": 764 + } + ] + }, + { + "fullname": "Piper Rockelle", + "biography": "Actress/Dancer/Singer Account managed by Family TeamPiperRockelle@gmail.com MERCH & MORE", + "followers_count": 4758919, + "follows_count": 1670, + "website": "http://koji.to/piperrockelle/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "piperrockelle", + "role": "influencer", + "latestMedia": [ + { + "caption": "bless your heart ", + "likes": 105958, + "commentsCount": 12235 + }, + { + "caption": "donut disturb ", + "likes": 145074, + "commentsCount": 14167 + }, + { + "caption": "coffee break ", + "likes": 146015, + "commentsCount": 13702 + }, + { + "caption": "youre like really pretty @petitenpretty", + "likes": 188036, + "commentsCount": 16321 + }, + { + "caption": "lollipop, lollipop @thesugarfactory", + "likes": 152545, + "commentsCount": 15429 + }, + { + "caption": "road rage ", + "likes": 227898, + "commentsCount": 10132 + }, + { + "caption": "lets hang out ", + "likes": 168038, + "commentsCount": 14218 + }, + { + "caption": "bite me ", + "likes": 148721, + "commentsCount": 14525 + }, + { + "caption": "ystrdy ", + "likes": 190564, + "commentsCount": 16176 + }, + { + "caption": "drippin ", + "likes": 143758, + "commentsCount": 17274 + }, + { + "caption": "another photo dump ", + "likes": 189774, + "commentsCount": 14180 + }, + { + "caption": "Yesterday photo dump ", + "likes": 197621, + "commentsCount": 16555 + } + ] + }, + { + "fullname": "Andy Cohen", + "biography": ": @BravoWWHL #RHOC #RHOA #RHONY #RHOBH #RHONJ #RHOP #RHOD #RHOSLC #CNNNYE : @RadioAndySXM @andyskikilounge : MostTalkative/ACDiaries/Superficial", + "followers_count": 4241234, + "follows_count": 401, + "website": "https://urldefense.proofpoint.com/v2/url?u=https-3A__santandabel.com_pages_s-2Da-2Dx-2Dandy-2Dcohen&d=DwMFaQ&c=Wi-qTpn_RgcJBhcTBvE78ikfrezXYPI95JOwqif1l1c&r=7kcj_OvzRrAaaCy6WYPEvQsh0ux3s37koFYIVt5E13U&m=rf6GOZ3K-NQWSbqOUsv_PQm2ncEZJHfZZfKy3dMuwGc&s=JvmT8zwWAuLu8WHlsY8UB_2eAuT1zPZL7hweijrzZf8", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "bravoandy", + "role": "influencer", + "latestMedia": [ + { + "caption": "Surprised my pals at THE TODAY SHOW clumsily riding a ladies bike this morning. As it turns out I was a wee bit shaky (: photonate)", + "likes": 74524, + "commentsCount": 571 + }, + { + "caption": "", + "likes": 25323, + "commentsCount": 430 + }, + { + "caption": "Guess who makes her #WWHL debut tonight?!? Were on at 9:30- set your DVR! Need to discuss this Warhol painting with her, among many other things. #QueenOfCountry #MeAndLittleAndy #BabyImBurning", + "likes": 95806, + "commentsCount": 1703 + }, + { + "caption": "Thrilled to share my limited edition terrycloth summer loungewear capsule collection I designed with the brilliant folks at @santandabel - dropping today! Available at the link in my bio in poppy colors for men/women/children. I love this partnership! #ad", + "likes": 180618, + "commentsCount": 3491 + }, + { + "caption": "Woke up to some visitors. (Theyve already caught me in TWO private moments.)", + "likes": 84450, + "commentsCount": 1581 + }, + { + "caption": "Heres your first look at my new dating show, Ex-Rated, featuring relationship expert @shanboody! Stream it August 12 on @PeacockTV!", + "likes": 2799, + "commentsCount": 98 + }, + { + "caption": "I hope you love my new book of sayings, quotes and my own reflections on larger than life ladies who always make my day shine. GLITTER EVERY DAY: 365 QUOTES FROM WOMEN I LOVE is on-sale 11/2/2021 wherever books are sold. Pre-order now at the link in bio!", + "likes": 54914, + "commentsCount": 1044 + }, + { + "caption": "Lucky me. After 18 months my parents are back in NYC. Theyre bartending on #WWHL tonight too!", + "likes": 141802, + "commentsCount": 1948 + }, + { + "caption": "Sob Rock is wedding rock.", + "likes": 144298, + "commentsCount": 1546 + }, + { + "caption": "His new favorite spot is under my desk. #JFKJrCosplay", + "likes": 116165, + "commentsCount": 1474 + }, + { + "caption": "#ad You know I love a good summer margarita. That is why I challenged @courteneycoxofficial and @daveeddiggs to The Ultimate Margarita Showdown with @cointreau_us @archdigest. Watch our face-off and vote for the best margarita (mine of course) - its for a good cause! #MargaritaShowdown - 1oz Cointreau - 2oz Blanco Tequila - 1/2oz fresh lime juice - 2 passionfruits (flesh & seeds) - 6 basil leaves - Rim glass with salt Shake with ice & enjoy! archdigest.com/margaritaseason", + "likes": 12761, + "commentsCount": 92 + }, + { + "caption": "Happy Fourth! ", + "likes": 256196, + "commentsCount": 6355 + } + ] + }, + { + "fullname": "BigBankBeisha \ud83c\udfe6", + "biography": ": 404 798 0197 : Booklightskinkeisha@gmail.com NEW SINGLE BLUE HUNNIDS NOW LINK IN BIO ! ", + "followers_count": 2524777, + "follows_count": 405, + "website": "http://bit.ly/BlueHunnids", + "profileCategory": 2, + "specialisation": "Artist", + "location": "", + "username": "lightskinkeisha", + "role": "influencer", + "latestMedia": [ + { + "caption": "Couldve let these f*ck hoes drown, but I let em ride MY wave", + "likes": 119649, + "commentsCount": 978 + }, + { + "caption": "@merlinsfather available Friday ", + "likes": 9253, + "commentsCount": 69 + }, + { + "caption": "Yall put sugar or salt on yall margarita ? SUGAR ME BABYYY when yall want me to drop this ?", + "likes": 99533, + "commentsCount": 1730 + }, + { + "caption": "BLUE HUNNIDS OFFICIAL VIDEO OUT NOW link in bio", + "likes": 21827, + "commentsCount": 301 + }, + { + "caption": " Set: @savagexfenty #savagexambassador", + "likes": 105901, + "commentsCount": 668 + }, + { + "caption": "#BLUEHUNNIDSOUTNOW Hair by @yes_im_beautifulll2 I cant wink for sh*t ", + "likes": 120888, + "commentsCount": 1046 + }, + { + "caption": "Beisha for the cover of Women In Hip Hop playlist on @pandora Thank you @posterchildj1 @fancydomo #BLUEHUNNIDSOUTNOW ", + "likes": 25554, + "commentsCount": 222 + }, + { + "caption": "Lets be real, you little b*tches could NEVER ! #BLUEHUNNIDSOUTNOW Dress: @thekingofstyle_", + "likes": 255532, + "commentsCount": 3023 + }, + { + "caption": "BLUE HUNNIDS OUT NOW! Link in bio bitchessss On they ass all year PERIOD Dress: @thekingofstyle_ ", + "likes": 325509, + "commentsCount": 5029 + }, + { + "caption": "Midnight ", + "likes": 6993, + "commentsCount": 130 + }, + { + "caption": "Goodnight yall ", + "likes": 201778, + "commentsCount": 6930 + }, + { + "caption": "Wassup B*tchhhh ", + "likes": 267725, + "commentsCount": 3119 + } + ] + }, + { + "fullname": "CARMEN VILLALOBOS", + "biography": " Manager: @mclmanager Prensa: @labullapr Un poco ms de mi @cysbeautyandhealth Sgueme en TikTok ", + "followers_count": 17523911, + "follows_count": 1039, + "website": "https://vm.tiktok.com/ZMeUx94c6/", + "profileCategory": 3, + "specialisation": "Actor", + "location": "", + "username": "cvillaloboss", + "role": "influencer", + "latestMedia": [ + { + "caption": "#publicidad Feliz con mis labiales ROUGE LINTENSE LIQUIDO Colores mate aterciopelado Duracin por 8 horas Suave textura Los colores que us fueron 1.VIN INTENSE 2.ROMANTIQUE 3.LABIAL INFINI ABSOLU-RED SAUVAGE 4.CORAL CHARME Perfectos para cualquier ocasin Te invito para que sigas a @lbelonline y conozcas mucho ms de sus productos! #baseslbel #basemaquillaje #maquillajetratante #beneficiosparatupiel ", + "likes": 33000, + "commentsCount": 312 + }, + { + "caption": "Siempre les he dicho que la actitud lo es todo en la vida! Y por ms cansados que estemos y que pensemos que no podemos ms... al final nos queda la satisfaccin del deber cumplido!!! Espero que terminen de pasar una linda noche Se les quiere ", + "likes": 245683, + "commentsCount": 1064 + }, + { + "caption": "Hay reencuentros de reencuentros y este no necesita mucho caption... Mi @robertomanrique13 Que maravilloso verte y volver a trabajar juntos en algo que nos apasiona @premiosverdes 2021 ! Photo by @robertvfotografo", + "likes": 304449, + "commentsCount": 847 + }, + { + "caption": "Juntos, como el mejor equipo del mundo ! @sebastiancaicedo TE AMO ", + "likes": 531837, + "commentsCount": 1111 + }, + { + "caption": "Mis nias bellas ustedes saben lo importante que son mis cejas y todo el tiempo que les dedico, por eso les quiero compartir mi rutina para cuidarlas ! Estos productos del kit de recuperacin de @cejas_catalinajaramillo son lo mximo porque me ayudan a estimular su crecimiento, nutrir y tener unas cejas naturales como tanto me gustan ! 1.Gotas mgicas : Las uso maana y noche ! Estas gotitas son ricas en antioxidantes y vitaminas y les da vitalidad al flico para estimular el crecimiento del pelito. 2.Masajeador de Microagujas: Lo uso por las noches, maximo 3 veces por semana! Permite estimular los folculos y estimular el crecimiento de las cejas. 3.Gel Fijador para Cejas:Lo uso maana y noche! Lo aplico sobre las cejas para lograr la fijacin que deseo ! Si lo quieren conseguir las invito a que visiten su pgina web Www.catalinajaramillo.com.co y Www.catalinajaramillo.us ! Besitos ", + "likes": 137724, + "commentsCount": 604 + }, + { + "caption": "Aj t sabes! Aqu casual Siempre es una delicia venir @taikinrestaurant @labullapr ", + "likes": 215643, + "commentsCount": 782 + }, + { + "caption": "Hoy comienzo mi da con la mejor actitud y t? Escrbeme con un emoji cmo empiezas tu da?", + "likes": 294019, + "commentsCount": 1892 + }, + { + "caption": "Y t? Cmo empezaste esta semana? ", + "likes": 184580, + "commentsCount": 921 + }, + { + "caption": "La felicidad de estudiar y aprender SIEMPRE algo nuevo! Gracias @juanpafelix5 por tu profesionalismo y este taller espectacular ! Definitivamente no hay nada mejor que tener la oportunidad de estudiar, empezar de cero, replantearse todo otra vez! Am cuestionarme al 1000%! Gracias por todo @estudio_babel y a todo este grupo de maravillosas personas ", + "likes": 85755, + "commentsCount": 226 + }, + { + "caption": "#publicidad Por estos das me han preguntado demasiado por la mscara de pestaas que estoy usando y es esta HYPERVOLUME de @lbelonline Ustedes no tienen idea el volumen que le da a mis pestaas , se ven ms largas y me deja una mirada increble Las invito para que sigan a @lbelonline y se enamoren como yo de todos sus productos #fraganciaslbel #fragancias #perfumesmasculinos #calidad #AltaPerfumeria #largaduracion #lujo ! Feliz fin de semana ", + "likes": 63262, + "commentsCount": 344 + }, + { + "caption": "El amor no necesita ser Perfecto, solo necesita ser VERDADERO TE AMO CON EL ALMA @sebastiancaicedo ", + "likes": 369243, + "commentsCount": 1066 + }, + { + "caption": "Amo estar en mi apartamento en Bogot y poder disfrutar de las cosas que me hacen feliz En este momento estoy sper enfocada en tener una vida saludable desde todo punto de vista y definitivamente mi mejor aliada es nuestra nevera Mabe Me tiene enamorada con toda la capacidad que tiene, mantiene los alimentos fresquitos y las bebidas bien fras! LA AMOOOOO Los invito para que vayan a su pgina y la vean #conmabedisfrutarsehacemsfcil @mabe_global #publicidad #mabe75", + "likes": 157641, + "commentsCount": 534 + } + ] + }, + { + "fullname": "Rob Kardashian, dream daddy", + "biography": "Robert Kardashian does not post to this account. Account is run by Jenner Communications. @dream @halfwaydead @arthurgeorge87 @grandezahotsauce", + "followers_count": 2543215, + "follows_count": 1262, + "website": "https://grandezahotsauce.com/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "robkardashianofficial", + "role": "influencer", + "latestMedia": [ + { + "caption": "Beach baby ", + "likes": 218330, + "commentsCount": 1129 + }, + { + "caption": "Wonder Woman ", + "likes": 241387, + "commentsCount": 1528 + }, + { + "caption": "", + "likes": 164420, + "commentsCount": 659 + }, + { + "caption": "NEW @grandezahotsauce 6 piece sets GrandezaHotSauce.com", + "likes": 45782, + "commentsCount": 608 + }, + { + "caption": "Thank You so much @justdesijewelry @desikraiem for making matching Dream pieces!! ", + "likes": 288638, + "commentsCount": 1222 + }, + { + "caption": "Happy Birthday Stormiiiiiii!! I LOVE YOU SO MUCH! Party time woohoo ,,, DODGERS NATION ", + "likes": 516816, + "commentsCount": 985 + }, + { + "caption": "", + "likes": 365469, + "commentsCount": 1401 + }, + { + "caption": "She found Roberts shirt when Robert was just a child. ", + "likes": 360442, + "commentsCount": 1785 + }, + { + "caption": "WOW! I am so Happy! THANK YOU SO MUCH @welikesam @justinroiland @rickandmorty Its like do I play chess first or do I start the puzzle or do I do the Rubiks cube or do I hang up my giant pickle Rick neon sign?!! THANK YOU WOOHOO", + "likes": 37981, + "commentsCount": 198 + }, + { + "caption": "My Queen wanted to be her favorite superhero WONDER WOMAN so here she is ", + "likes": 267204, + "commentsCount": 1992 + }, + { + "caption": "My own @exoticpop coming soon!! They say its twice as good as Canada Dry vanilla cream.. ", + "likes": 117963, + "commentsCount": 1646 + }, + { + "caption": "@halfwaydead Shop is now at Diamond Fairfax store LETS GOOOOO 447 N. Fairfax", + "likes": 49761, + "commentsCount": 412 + } + ] + }, + { + "fullname": "Heath Hussar", + "biography": "Co-Founder @kramoda Podcast @zaneandheath LA", + "followers_count": 2158357, + "follows_count": 848, + "website": "https://hoo.be/heathhussar", + "profileCategory": 3, + "specialisation": "Public Figure", + "location": "", + "username": "heathhussar", + "role": "influencer", + "latestMedia": [ + { + "caption": "This but imagine my collar is flipped down and I dont look stupid", + "likes": 147065, + "commentsCount": 255 + }, + { + "caption": "I cropped my face to see if this will get more likes", + "likes": 142859, + "commentsCount": 308 + }, + { + "caption": "Maui Owie", + "likes": 236640, + "commentsCount": 309 + }, + { + "caption": "Happy Earth Day! It sure is beautiful", + "likes": 102321, + "commentsCount": 165 + }, + { + "caption": "Thinkin back to when I was 27 and 27 pounds heavier", + "likes": 253832, + "commentsCount": 743 + }, + { + "caption": "You got me higher than a hot air balloon", + "likes": 102789, + "commentsCount": 283 + }, + { + "caption": "Slingshot engaged", + "likes": 169088, + "commentsCount": 547 + }, + { + "caption": "Introducing my new Porsche 911 Turbo S!! I honestly cant believe this! I just want to say thank you to everyone who has watched and supported me over the years. I am truly so blessed for having all of yall! Check out the new video if you wanna see more! And a lot more car vlogs/content to come! I love you guys!", + "likes": 338893, + "commentsCount": 1732 + }, + { + "caption": "Not the hottest couple but we got the biggest hearts", + "likes": 336497, + "commentsCount": 834 + }, + { + "caption": "Sometimes I use my beard to hide my flaws.. but today Im going to be vulnerable and show you my flaws... my face! By partnering with @dollarshaveclub for their #MenGetReal campaign! Ive always been insecure without facial hair and I know a lot of people who feel the same. But lets get real men! Dont hide anymore! Dollar Shave Clubs got all your grooming needs covered, now at a store near you! #ad #DollarShaveClub", + "likes": 236206, + "commentsCount": 2558 + }, + { + "caption": "My lil Lake Tahoes", + "likes": 140545, + "commentsCount": 204 + } + ] + }, + { + "fullname": "T A N . F R A N C E", + "biography": "NETFLIX: QUEER EYE | NEXT IN FASHION | DRESSING FUNNY", + "followers_count": 3909561, + "follows_count": 349, + "website": "http://www.howisfeedinggoing.com/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "tanfrance", + "role": "influencer", + "latestMedia": [ + { + "caption": "Time to evolve the conversation on how we feed our babies. Lets start by sharing and supporting every kind of feeding journey. Why now? Its National Breastfeeding Awareness Month, where one type of feeding is put on a social pedestal and those who can not or chose not to are made to feel second best for formula feeding. I understand AND agree that BreastMilk is the gold standard. I have never, and would never suggest otherwise. Also, no one should ever feel guilty for feeding their baby formula. How is feeding going? as opposed to How is Breast Feeding going. A fed baby is what matters most. @bobbie #ShakeTheStigma #BobbiePartner", + "likes": 329164, + "commentsCount": 12023 + }, + { + "caption": "Give our son a warm welcome. Ismail France, born July 10th. He came 7 weeks early, so hes been in the NICU for the past 3 weeks. But, today, we finally got to bring him home. We love him so, so much. Like, fully obsessed. Our Surrogate is doing so great, post labor, and we couldnt be more grateful for the greatest gift in our lives. ", + "likes": 1802846, + "commentsCount": 33827 + }, + { + "caption": "Juggle life and work again this week? Oh, sure ", + "likes": 84031, + "commentsCount": 204 + }, + { + "caption": "A HUGE congrats to my fellow cast mates/friends, entire crew, scout, ITV America and Netflix on 6 Emmy Nominations for our little show. I dont have the words to express how grateful I am to the voters, and all of you out there who have supported our show. It means the world to me. Thank you. Thank you. Thank you. ", + "likes": 63749, + "commentsCount": 418 + }, + { + "caption": "Final days in Iceland. So sad to leave this most beautiful Ive ever seen. Before we go. 1. One last pose in those fields of purple flowers 2. Tit soup (blue lagoon) 3. The best person I know 4. The most amazing hotel/spa experience ever @retreat.bluelagoon Thanks for letting me share all my holiday snaps, like a proper grandpa! On to London next, because Im also COMING HOME. ", + "likes": 240747, + "commentsCount": 690 + }, + { + "caption": "1. Iceland teaching ya how to tie a tie. 2. Feeling that Icelandic Pride 3. Hung out with my favorite Icelandic locals, but dont want you seeing my coat just yet 4. Hiked up WAY too long and far, in the wrong footwear, to *barely see an active volcanobecause I love Rob THAT much.", + "likes": 137116, + "commentsCount": 351 + }, + { + "caption": "Another day in Paradise (Iceland)", + "likes": 124474, + "commentsCount": 472 + }, + { + "caption": "Just 4 more days of holiday pics. If you need to unfollow and come back then, I get it. Also, the last pic is the Glacier Tour guide, who I thought was cute and wanted you to see. Thats all.", + "likes": 139943, + "commentsCount": 644 + }, + { + "caption": "Sick of my vacay pics yet? Just a few more days out here, I promise. P.S Iceland is officially the most beautiful place weve ever seen", + "likes": 234699, + "commentsCount": 873 + }, + { + "caption": "Happy 4th, yall. Have a coffee and Cinnabon for me, today! ", + "likes": 98358, + "commentsCount": 227 + }, + { + "caption": "2 waterfalls, 1 guy. Theres a joke in there, somewhere. Go.", + "likes": 171083, + "commentsCount": 559 + }, + { + "caption": "Ooh Heaven is a place on Earth This was taken just after MIDNIGHT. What the what??!!", + "likes": 306056, + "commentsCount": 888 + } + ] + }, + { + "fullname": "Stassi Schroeder Clark", + "biography": "Hartfords mama NYT Bestselling author Podcaster Still basic but humble AF @thegoodthebadthebaby ", + "followers_count": 2366610, + "follows_count": 684, + "website": "http://www.patreon.com/thegoodthebadthebaby/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "stassischroeder", + "role": "influencer", + "latestMedia": [ + { + "caption": "Hoping #tbt is still hip. Butttt idc if its not, because I MISS Versailles, my actual favorite place in the world. Ive said this a million times before, I think I lived at Versailles in a past life as a shoe cobbler or something. And I say it because its true. ", + "likes": 129810, + "commentsCount": 665 + }, + { + "caption": "Obviously had to document this HMU", + "likes": 169190, + "commentsCount": 1448 + }, + { + "caption": "I tried to explain the difference between smizing & pouting. She hasnt quite got it yet.", + "likes": 287545, + "commentsCount": 2356 + }, + { + "caption": "Theres a lot to unpack here.", + "likes": 96811, + "commentsCount": 791 + }, + { + "caption": "#nationalootdday", + "likes": 119104, + "commentsCount": 604 + }, + { + "caption": "Birthdays just got so much better. Hi, 33.", + "likes": 284921, + "commentsCount": 2446 + }, + { + "caption": "I cant believe there was a time when I didnt color coordinate books.", + "likes": 83359, + "commentsCount": 436 + }, + { + "caption": "Family portrait", + "likes": 92960, + "commentsCount": 315 + }, + { + "caption": "My kid got so lucky with her dad. Like realllly lucky. Happy first Fathers Day my love @thegoodthebadthebogie. Im so proud to be in this with you.", + "likes": 204290, + "commentsCount": 869 + }, + { + "caption": "10 days together and only 1 group photo to show for it. Its a cute one though. ", + "likes": 82252, + "commentsCount": 242 + }, + { + "caption": "Happy hour ", + "likes": 154437, + "commentsCount": 891 + }, + { + "caption": "Happy Mothers Day to the most bad ass one out there. Youve set the bar pretty high for me. No pressure or anything. @dayna.r.schroeder", + "likes": 89780, + "commentsCount": 1028 + } + ] + }, + { + "fullname": "Willyrex", + "biography": "Willyrex y TheWillyrex en Youtube! @WillyrexYT en Twitter! TheWillyrexOficial en FB! @madlions_loles Owner y @rawsuperdrink ", + "followers_count": 8339222, + "follows_count": 174, + "website": "https://bit.ly/3tzjyx1", + "profileCategory": 2, + "specialisation": "Public Figure", + "location": "", + "username": "willyrex", + "role": "influencer", + "latestMedia": [ + { + "caption": "Family ", + "likes": 891567, + "commentsCount": 2585 + }, + { + "caption": "No os preocupeis! En unos dias estoy de vuelta! A ver si consigo ponerme moreno ", + "likes": 561121, + "commentsCount": 1921 + }, + { + "caption": "No te pongas celosa @cristiurbi ", + "likes": 540936, + "commentsCount": 885 + }, + { + "caption": "Disfrutando de mis ultimas horas con mis ", + "likes": 594691, + "commentsCount": 1521 + }, + { + "caption": "Ponte que te hago una foto en mitad de la carretera y tus amigos delante haciendo el bobo para que te rias y salgas ", + "likes": 986227, + "commentsCount": 2747 + }, + { + "caption": "Desde lo mas alto de Barcelona y poder ver toda la ciudad @hotelartsbarcelona #Hotelartsbarcelona #Wherecitymeetssea", + "likes": 487328, + "commentsCount": 1180 + }, + { + "caption": "Increible el dia de hoy! Como hemos disfrutado! Ya era hora de que le diese el aire a Maria... y a mi tambien! Llevaba meses sin salir de Andorra!", + "likes": 423834, + "commentsCount": 782 + }, + { + "caption": "Aqu esta por fin! Empece hace aos jugando a videojuegos y estar hoy en una portada de fitness de estas dimensiones era inimaginable! Durante meses he cambiado mi alimentacin (ha sido lo que mas me ha costado) y he entrenado muy duro cada dia. Empece a entrenar 3 dias despues del nacimiento de mi hija por lo que esto ha significado un extra de esfuerzo sumado al cansancio diario. He de decir que he aprendido a comer bien, y entrenar correctamente lo que ha hecho que a dia de hoy me encuentre mejor fisica y sobretodo mentalmente. Muchas gracias a todo el equipo de @sportlife.es por todos los medios que han puesto durante estos meses. Y a mi entrenadora @lauraplaa por aguantarme cada dia Dato: El unico photoshop que lleva esta portada es el moreno de mi piel, que yo estoy muy palido! @sportlife.es @sprinter_es", + "likes": 775306, + "commentsCount": 8384 + }, + { + "caption": "Una de mis nuevas sudaderas top!! Per ardua ad astra ", + "likes": 305662, + "commentsCount": 645 + }, + { + "caption": "Chic@s! Ya tenis toda la coleccin Springfield x Willyrex en myspringfield.com. Os dejo el link en mi bio para poder comprar cualquiera de las prendas. Recuerda que podis conseguir mi coleccin de forma online o en tiendas seleccionadas de Espaa. Hoy os quiero ensear las camisetas de la coleccin. Me parecen una prenda ideal para cualquier situacin. T ya la tienes? Eres ms de blanco o de negro? #SpringfieldxWillyrex", + "likes": 284045, + "commentsCount": 587 + }, + { + "caption": "Listos? Nuevo #SORTEO en mi perfil Una vez ms os traigo lo nuevo de OPPO, os presento el nuevo #OPPOFindX3Neo Su cmara es una autntica locura, viene con Sensor IMX766 de 50 MP. Por la batera no os preocupis, tiene carga SuperVOOC 2.0, 100% en 38 min. Adems, tiene un diseo fino y ultraligero Queris uno como el mo? Participa ahora mismo: - Dale like a la publicacin - Sigue a OPPO @oppomobilees Mucha suerte amig@s!", + "likes": 553685, + "commentsCount": 5675 + } + ] + }, + { + "fullname": "Friends", + "biography": "Official Friends Instagram account. Now streaming on @hbomax.", + "followers_count": 11669131, + "follows_count": 29, + "website": "http://linktr.ee/friends/", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "friends", + "role": "influencer", + "latestMedia": [ + { + "caption": "Happy Birthday Cole and Dylan Sprouse!", + "likes": 805365, + "commentsCount": 1811 + }, + { + "caption": "Could this BE any more exciting?! The entire Friends cast is thrilled to share the Friends: The Reunion Cast Collection, featuring their favorite moments from seasons 1-3. All 6 cast members have been hard at work alongside @represent to bring this officially licensed collection to life for Friends fans around the world. Head on over to represent.com/friends (link in bio!) to check out the whole store. This first collection is available now but will only be available for 4 weeks - then gone forever!", + "likes": 1515868, + "commentsCount": 5634 + }, + { + "caption": "If you know, you know. All of television's most iconic '90s and '00s moments, streaming now on @hbomax. (Link in bio)", + "likes": 197811, + "commentsCount": 251 + }, + { + "caption": "Today is International Friendship Day and in honor of all of the great friends in our lives, we're giving away a set of Funko Pop! vinyl figures for you and a friend! Post a pic of you and your besties using #FriendsWeek for a chance to win! [Link in bio for where to purchase] #giveaway", + "likes": 89647, + "commentsCount": 236 + }, + { + "caption": "We all have that one friend...", + "likes": 717306, + "commentsCount": 6792 + }, + { + "caption": "Happy Birthday Lisa Kudrow!", + "likes": 527135, + "commentsCount": 1633 + }, + { + "caption": "Joey and Chandler lounged in the recliners in front of the TV, Monica cleaned everything in sight - we all have our own ways of unwinding at home. Take a pic of your favorite at-home pasttime and use #FriendsWeek for a chance to win a Friends Digital Slow Cooker and a 'You're My Lobster' trinket tray from Box Lunch for you and a friend! #giveaway [Links in bio for where to purchase]", + "likes": 79937, + "commentsCount": 111 + }, + { + "caption": "That first sit feeling on a brand new recliner.", + "likes": 495397, + "commentsCount": 1043 + }, + { + "caption": "Making a perfect beef trifle isn't the only way to entertain your guests at home. Post a pic from the last get-together you had with your friends using #FriendsWeek for a chance to win the official Friends cookbook and a Friendsgiving entertaining guide! [Link in bio for where to purchase] #giveaway", + "likes": 81660, + "commentsCount": 82 + }, + { + "caption": "\"You gotta have turkey on Thanksgiving. Thanksgiving with no turkey is like Fourth of July with no apple pie, or Friday with no two pizzas.\" - Joey Tribbiani", + "likes": 144624, + "commentsCount": 2067 + }, + { + "caption": "Like the orange couch at Central Perk, we all need the perfect hangout spot in our lives. Post a pic of you and your friends' favorite spot to hang using #FriendsWeek for a chance to win a Central Perk electric percolator set with mugs for you and a friend! #giveaway [Link in bio for where to purchase]", + "likes": 82753, + "commentsCount": 106 + }, + { + "caption": "Smelly Cat, you can be our favorite pet!", + "likes": 711759, + "commentsCount": 2384 + } + ] + }, + { + "fullname": "Blac Chyna \ud83d\udc8b", + "biography": " @lashedcosmetics Hosting / Bookings Email Sujit1@skamartist.com @peachfinance", + "followers_count": 16140521, + "follows_count": 2570, + "website": "http://houseofblacchyna.com/", + "profileCategory": 3, + "specialisation": "Public Figure", + "location": "", + "username": "blacchyna", + "role": "influencer", + "latestMedia": [ + { + "caption": "Chill vibes in my Nova @fashionnova", + "likes": 21280, + "commentsCount": 203 + }, + { + "caption": "@FashionNovaCURVE has the ladies ready to serve looks in the hottest styles Head to @FashionNova for your best feel-good fit FashionNovaPartner", + "likes": 11533, + "commentsCount": 168 + }, + { + "caption": "Good morning, hope to hear from you soon ", + "likes": 1195, + "commentsCount": 36 + }, + { + "caption": "Blac Chyna Closet Shop for the cutest outfits (Size Small - Large) @blacchynacloset www.BlacChynaCloset.com", + "likes": 45081, + "commentsCount": 339 + }, + { + "caption": " @fashionnova", + "likes": 11971, + "commentsCount": 228 + }, + { + "caption": "@FashionNovaCURVE has the ladies living their best lives all summer long! Head to @NovaSWIM for your perfect hot girl summer fit! ", + "likes": 7409, + "commentsCount": 99 + }, + { + "caption": "Thank you, Good Morning LA @fashionnova", + "likes": 31211, + "commentsCount": 372 + }, + { + "caption": "So CHIC & CLASSY Its from @ChicCoutureOnline SEARCH: BABETTE", + "likes": 3507, + "commentsCount": 36 + }, + { + "caption": "Everything always works itself out, positive vibes, peace, and love @fashionnova", + "likes": 69937, + "commentsCount": 576 + } + ] + }, + { + "fullname": "Aspyn Ovard Ferris", + "biography": "Mama to Cove + Wifey to Parker Online Store: @lucaandgrae YouTube: AspynOvard + AspynandParker MY PHOTO PRESETS ", + "followers_count": 2186376, + "follows_count": 222, + "website": "https://gum.co/tzmAy", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "aspynovard", + "role": "influencer", + "latestMedia": [ + { + "caption": "Celebrating 30 weeks of pregnancy at @thebeachfronthome this week with @redrockvacationrentals ", + "likes": 132450, + "commentsCount": 120 + }, + { + "caption": "Trying to fit in all the family outings we can before baby sis comes and life slows down a bit @revolve #revolveme #28weekspregnant", + "likes": 159252, + "commentsCount": 135 + }, + { + "caption": "Best pic I got with my toddler at her second birthday party of the week She had no interest in the Elsa that came or playing with any of the kids she just wanted to be inside playing with the toys alone I cant believe she will be at her own birthday party soon and turning 2 @revolve #revolveme", + "likes": 202812, + "commentsCount": 169 + }, + { + "caption": "Pregnant girl summer #25weekspregnant @dippindaisys #aspynxdd", + "likes": 129075, + "commentsCount": 75 + }, + { + "caption": "Booboo at the beach ", + "likes": 80890, + "commentsCount": 38 + }, + { + "caption": "Beach picnic for lunch today!! @tableandeve ", + "likes": 169694, + "commentsCount": 110 + }, + { + "caption": "One of my fav suits from my @dippindaisys collection #aspynxdd", + "likes": 67631, + "commentsCount": 63 + }, + { + "caption": "2021 vs 2020 vs 2019 vs 2018! Reposting cause I forgot I had 2020 and had to add it 2022 will be 4 of us ", + "likes": 221028, + "commentsCount": 206 + }, + { + "caption": "My custom swimwear collab is up on @lucaandgrae!! We have been working on these suits for over a year and Im so happy they are finally out! This is a collab with @dippindaisys and they perfected each suit and made a few options for minis too Linked on my story! #aspynxdd", + "likes": 108217, + "commentsCount": 103 + }, + { + "caption": "Trying out @bondiboost Hair Growth Range for the next 3 months! My goal this year is to grow out my hair and not chop it like I usually do so Im so excited to use this!!! The products are meant to create a good environment for your scalp, are Australian made and are cruelty free with natural and organic stimulating ingredients!! Also free of sulfates, parabens and silicones! Linking them on my story #boostyourroots #bondiboostUS #ad", + "likes": 43173, + "commentsCount": 71 + }, + { + "caption": "Baby #2 is a... ", + "likes": 383693, + "commentsCount": 2387 + }, + { + "caption": "My baby wearing an outfit I had when I was a baby With an Oreo so I could get a decent photo ", + "likes": 204973, + "commentsCount": 412 + }, + { + "caption": "Sooooo grateful I get to be this sweet babys mama this Mothers Day! Next year Ill be celebrating with 2 babies AHH!!!! ", + "likes": 164748, + "commentsCount": 194 + }, + { + "caption": "Cutest baby daddy ", + "likes": 301708, + "commentsCount": 547 + }, + { + "caption": "Mommy daughter date Wearing @fabletics! Get 2 pairs of leggings for $24 when you sign up to become a VIP! + 50% off the rest of your order and free shipping! #fableticsambassasor", + "likes": 141307, + "commentsCount": 155 + }, + { + "caption": "Taking pics with a toddler vs a baby We wanted to recreate this pic from our trip to AZ last year but this was the best we got ", + "likes": 193763, + "commentsCount": 226 + }, + { + "caption": "16 weeks pregnant in @fabletics #FableticsAmbassador | Get 2 pairs of leggings for $24, free shipping, and 50% off the rest of your order when you sign up to become a VIP! New pieces launch every Thursday and they have XXS - 4X!", + "likes": 152388, + "commentsCount": 160 + }, + { + "caption": "Tired pregnant mom attempting to get some work done with a toddler Now that Im feeling better and in my second trimester Ive been trying to be more productive, eat healthier, and take my @perelelhealth vitamins everyday! They offer daily vitamin packs for fertility, each trimester, and they have a Mom Multi for all moms! You can enter your due date on their website and they will send what you need to your door so its convenient and easy! Use my code ASPYN20 for 20% off your first month, link is in my story #perelelpartner", + "likes": 115038, + "commentsCount": 104 + }, + { + "caption": "Left our baby overnight with my mom for the first time to go on a staycation in Park City ", + "likes": 195620, + "commentsCount": 204 + }, + { + "caption": "Teamed up with @Microban24 to film our back door handle over the course of a day with the 24 Hour Bacteria Cam #Microban24Partner I was surprised that the handle was touched more than I thought between puppy potty breaks and a toddler wanting to play outside. Microban 24 keeps killing bacteria even after multiple touches and is easy to add into your daily routine so you can become the MVP of your house the Most Valuable Protector! #Microban24MVP", + "likes": 15350, + "commentsCount": 34 + }, + { + "caption": "Expectation vs reality of how we use our basement couch We take Cove down here to play every day and she always asks for a slide or a fort @sixpennyhome ", + "likes": 156505, + "commentsCount": 197 + }, + { + "caption": "Slowly feeling like myself again now that Im in my second trimester! I rarely get ready these days so obviously we had a photo shoot Wearing @lucaandgrae and will link this outfit on my story! #14weekspregnant #lucaandgrae", + "likes": 87498, + "commentsCount": 96 + }, + { + "caption": "Family outing at the tulip festival ", + "likes": 205735, + "commentsCount": 243 + } + ] + }, + { + "fullname": "Toochi Kash", + "biography": "WATCH MY STORY creator,crypto MTV,Maxim ,humanitarian @toochis_world @toochi_tv ", + "followers_count": 5804425, + "follows_count": 1613, + "website": "http://toochikash.fans/", + "profileCategory": 3, + "specialisation": "Public Figure", + "location": "", + "username": "toochi_kash", + "role": "influencer", + "latestMedia": [ + { + "caption": "Front or back ? @in_vogue_photography", + "likes": 32112, + "commentsCount": 856 + }, + { + "caption": "Slumber party Are you on way ? @francety pic 1 or 2?", + "likes": 42051, + "commentsCount": 746 + }, + { + "caption": "Morning baby pic 1 or 2 ? @in_vogue_photography", + "likes": 79078, + "commentsCount": 1788 + }, + { + "caption": "Would you eat the forbidden fruit ? pic 1 or 2 @in_vogue_photography", + "likes": 49985, + "commentsCount": 2220 + }, + { + "caption": "How was everyones 4th of July on a scale 1-10 ? ", + "likes": 116127, + "commentsCount": 1678 + }, + { + "caption": "Which pic is more inviting 1 or 2? ", + "likes": 83992, + "commentsCount": 1647 + }, + { + "caption": "Im back again missed you guys pic 1 or 2 ? Ty for giving space the last few months .. love you guys ", + "likes": 176499, + "commentsCount": 3245 + }, + { + "caption": "Drop a if youre ready for bikini season !!!! Pic 1,2 or 3 @brazzersofficial", + "likes": 119626, + "commentsCount": 3109 + }, + { + "caption": "Level unlocked pic 1 or 2 ? drop your gamer names below ", + "likes": 85019, + "commentsCount": 1821 + }, + { + "caption": "Rate us together 1-10 @onejayl", + "likes": 89086, + "commentsCount": 1740 + }, + { + "caption": "Its my B-day Although there is a lots of things i can wish for during this crazy year,Im just going to be grateful for what i have now ", + "likes": 129615, + "commentsCount": 3101 + }, + { + "caption": "Missed you guys Thinking of a number 1-100 guess it right for a shoutout ", + "likes": 74451, + "commentsCount": 1794 + } + ] + }, + { + "fullname": "Royalty", + "biography": "Vegas Paid Mother of @socoolfam1 Boss @royaltyofqueens Subscribe to my YouTube", + "followers_count": 2346117, + "follows_count": 97, + "website": "https://www.youtube.com/channel/UCFQ2Oe3k6tULLXO_iBhoqHA", + "profileCategory": 3, + "specialisation": "Blogger", + "location": "", + "username": "royalty_24kt", + "role": "influencer", + "latestMedia": [ + { + "caption": "Its only ONE of MER O Y A L T Y ", + "likes": 164580, + "commentsCount": 1418 + }, + { + "caption": "In it to WIN ", + "likes": 168207, + "commentsCount": 2084 + }, + { + "caption": "Help me wish a Happy 14th Birthday to my baby girl Jaaliyah Shout & thanks to @funnymike and the Bad Kids for making her day So SpecialLets Turn Up", + "likes": 268310, + "commentsCount": 5145 + }, + { + "caption": "UNBOTHERED in my @waistsnatchers Neon Double Band Use my code: ROYALTY24 for a discount #FreeALLSummer #WaistSnatchers #SnatchNation #WaistTrainer", + "likes": 230450, + "commentsCount": 4431 + }, + { + "caption": "Just Doing My Job We Got THIS Thanks for all the love and support #Royaltys Nation", + "likes": 325738, + "commentsCount": 0 + }, + { + "caption": "Call Me RED EYE ROYALTY ", + "likes": 155413, + "commentsCount": 0 + }, + { + "caption": "Top Of The Line Custom Dior Suit @devonmilan", + "likes": 186637, + "commentsCount": 0 + }, + { + "caption": "Back On My Bullsh*t ", + "likes": 108578, + "commentsCount": 0 + }, + { + "caption": "Guess Im BIG PRESSURE ", + "likes": 116787, + "commentsCount": 0 + }, + { + "caption": "So Cool Twins #versace", + "likes": 89819, + "commentsCount": 1106 + }, + { + "caption": "Help me wish my Son Leonidas a Happy 12th BirthdayLove u Handsome Man ", + "likes": 154340, + "commentsCount": 1691 + }, + { + "caption": "Happy Birthday To ME Big Girl Boss Shit", + "likes": 130692, + "commentsCount": 1523 + } + ] + }, + { + "fullname": "Jonas Brothers", + "biography": "Three brothers from New Jersey", + "followers_count": 7238971, + "follows_count": 4, + "website": "https://bit.ly/Dinner-Us-YOU", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "jonasbrothers", + "role": "influencer", + "latestMedia": [ + { + "caption": "Two weeks until we get to do this again!! You ready? #RememberThisTour", + "likes": 40387, + "commentsCount": 300 + }, + { + "caption": "Label said to post about #LeaveBeforeYouLoveMe again ", + "likes": 27667, + "commentsCount": 116 + }, + { + "caption": "Happy 14th birthday !! This song is almost as old as @nickjonas was when he wrote it ", + "likes": 396925, + "commentsCount": 2362 + }, + { + "caption": "Join us and our friends and family before our #RememberThisTour show in LA!! Well even hook you and a friend up with VIP tickets for our show at the Hollywood Bowl too!! Support the incredible work of @feedingamerica and ENTER for your chance to WIN through the link in our bio or at omaze.com/jonas #omaze @omaze", + "likes": 73691, + "commentsCount": 882 + }, + { + "caption": "Head over heels in the moment ", + "likes": 71400, + "commentsCount": 340 + }, + { + "caption": "Shot some things for the #RememberThisTour show yesterday... Can't wait for you guys to see what we've been putting together ", + "likes": 116180, + "commentsCount": 310 + }, + { + "caption": "Whats the best way to prep for the #RememberThisTour? Key Game obviously ", + "likes": 80584, + "commentsCount": 350 + }, + { + "caption": "POV: Were halfway through the set list and its time to cheers #RememberThisTour", + "likes": 80241, + "commentsCount": 466 + }, + { + "caption": "We heard @livenation has $20 tickets for concert week until August 1st too #rememberthistour", + "likes": 57699, + "commentsCount": 1283 + }, + { + "caption": "Cant wait #RememberThisTour", + "likes": 81617, + "commentsCount": 552 + }, + { + "caption": " Let's GO @TeamUSA!! You're going to crush it at #TokyoOlympics!! We cant wait for the Opening Ceremony tonight and to make some memories together during the Closing Ceremony We're going to #RememberThis for a lifetime.", + "likes": 66467, + "commentsCount": 196 + }, + { + "caption": "Last night really was a (Olympic) DREAM! ICYMI you can stream it now on @peacocktv! Or if you just want to watch again ", + "likes": 126090, + "commentsCount": 317 + } + ] + }, + { + "fullname": "Chrishell", + "biography": "Actor. Realtor. Sometimes Dancer. Booking: jeb@cornerboothent.com PR: marissa@heliotypecreative.com", + "followers_count": 2144715, + "follows_count": 728, + "website": "https://linktr.ee/chrishell.stause", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "chrishell.stause", + "role": "influencer", + "latestMedia": [ + { + "caption": "Goodbye Mykonos. You are perfect. ", + "likes": 126484, + "commentsCount": 349 + }, + { + "caption": "Throwback to the summer of my life being kicked off at the beautiful @garzablancaloscabos celebrating my bday with my long time best friend and ended up having a surprise guest who made an entrance with over 90dozen roses. #TBT", + "likes": 155002, + "commentsCount": 840 + }, + { + "caption": "The hat was a solid Mykonos purchase ", + "likes": 174689, + "commentsCount": 736 + }, + { + "caption": "Trust me, you can dance! -Vodka", + "likes": 174760, + "commentsCount": 751 + }, + { + "caption": "#Twinning Had so much fun celebrating this beautys bday!!! Happy BIRTHDAY @themaryfitzgerald Love you! ", + "likes": 159975, + "commentsCount": 924 + }, + { + "caption": "The JLo effect. ", + "likes": 348612, + "commentsCount": 9998 + }, + { + "caption": "No luggage..? So I was FORCED to do some shopping Italy is the most heavenly place. My photos all kind of suck-lol but the memories are priceless (Almost every single thing pictured is @missoni -again, I HAD to )", + "likes": 144250, + "commentsCount": 876 + }, + { + "caption": "Best birthday ever!!! Thank you SO much @arbollvp @lasventanasalparaiso @laboticaspeakeasy for the hospitality, drinks, and music! Best friends, Truffle sushi, Shania Twain, and Espresso Martinis SO MUCH FUN SO much gratitude for every single birthday message & all the well wishes!! Every one of you helped make it the best birthday of my life-truly felt the LOVE!!! Thank you so so much", + "likes": 73567, + "commentsCount": 457 + }, + { + "caption": "Thank you SO much for all the birthday love!!! I am overwhelmed and so grateful for all the people in my life!!! ****Annnnd now that you guys knowthank you SO much @jasonoppenheim Walked into the most special surprise yesterday. This is all I could fit into the photo *they are all going to a nursing home tomorrow because I dont think this would make it past TSA ", + "likes": 174356, + "commentsCount": 1618 + }, + { + "caption": "Thank you SO much @garzablancaloscabos for uniting me with my bestie from college @ellyboyd2016 for a fun girls bday trip!! Birthday is Wednesday but the celebration has already been kicked off in the most beautiful place! *Follow my stories for shrimp taco content ", + "likes": 121158, + "commentsCount": 642 + }, + { + "caption": "When Marvel superhero @simuliu comes into the office, you kind of HAVE to strike a power pose. Avengers of real estate #SellingSunset #Marvel #theoppenheimgroup #avengers", + "likes": 72340, + "commentsCount": 247 + }, + { + "caption": "The face the night started withSwipe to the end to see the face the night ended with Never a dull moment! #SellingSunset", + "likes": 144888, + "commentsCount": 754 + } + ] + }, + { + "fullname": "BIG MACEIK\ud83e\udd27\ud83e\udd1f\ud83c\udffd", + "biography": "email: maceibooking@gmail.comHTX Brand Ambassador @sneakerhouse_br @cultureshoqbycole YouTube: BadKidMacei", + "followers_count": 2337528, + "follows_count": 2579, + "website": "", + "profileCategory": 3, + "specialisation": "Actor", + "location": "", + "username": "imbadkidmaceii", + "role": "influencer", + "latestMedia": [ + { + "caption": "Li dump <3", + "likes": 109928, + "commentsCount": 1475 + }, + { + "caption": "Happy birthday cousin!! Iloveyou so much words cant even explain! Til death do us apart! Big 16 no need to dtm Ill text yo paragraph later @3wayy_fredd", + "likes": 69784, + "commentsCount": 409 + }, + { + "caption": "Its levels to this", + "likes": 96394, + "commentsCount": 1245 + }, + { + "caption": "Been in my boy ways cause these girls too much fa me but Im always that girl remember that Pics by @travis.tv", + "likes": 190527, + "commentsCount": 2783 + }, + { + "caption": "Fresh too death when I step yk how that go", + "likes": 136871, + "commentsCount": 1902 + }, + { + "caption": "Sit down since you cant stand me", + "likes": 141528, + "commentsCount": 2232 + }, + { + "caption": "Hair dump <33! @cultureshoqbycole", + "likes": 118071, + "commentsCount": 2094 + }, + { + "caption": "I just keep upping the score and you keepin count", + "likes": 179703, + "commentsCount": 2731 + }, + { + "caption": "Gots to see it through my boy", + "likes": 84003, + "commentsCount": 463 + }, + { + "caption": "Li boy things ", + "likes": 146996, + "commentsCount": 890 + }, + { + "caption": "I bring pressure to that raq ", + "likes": 151663, + "commentsCount": 2281 + }, + { + "caption": "Hate me in private while I do me in public, yea ik im a li bit too much too handle ", + "likes": 161464, + "commentsCount": 2585 + } + ] + }, + { + "fullname": "Michael Rainey Jr. Official", + "biography": " @relaxbehealthy @ghoststarz", + "followers_count": 1783701, + "follows_count": 393, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "michaelraineyjr", + "role": "influencer", + "latestMedia": [ + { + "caption": "Happy independence ", + "likes": 67817, + "commentsCount": 521 + }, + { + "caption": "Idk I just be on set vibin someone sent me some nonsense in the second slide ", + "likes": 142608, + "commentsCount": 736 + }, + { + "caption": "@unborn.us Pants u cannot walk next to me", + "likes": 118843, + "commentsCount": 890 + }, + { + "caption": "Even uncle tommy gotta laugh at this bull shit Yall better enjoy every minute of this raising kanan shit cause when we back.. yall know the vibes. The appetizer always comes out before the entree. ", + "likes": 201391, + "commentsCount": 1858 + }, + { + "caption": "Raising who ? Yea we workin #powerbookiighost @50cent over there trippin ", + "likes": 286781, + "commentsCount": 2652 + }, + { + "caption": "Mode. S2 November. Im on yall ass.", + "likes": 206968, + "commentsCount": 1933 + }, + { + "caption": "Happy birthday to my Pmoney. The realest God did his thing today", + "likes": 221327, + "commentsCount": 927 + }, + { + "caption": "Raising kanan TONIGHT. Whos tuned in ? @themekaicurtis @50cent", + "likes": 102235, + "commentsCount": 547 + }, + { + "caption": "What a night last night.. #powerneverends #raisingkananpremiere", + "likes": 136693, + "commentsCount": 566 + } + ] + }, + { + "fullname": "\u201cpayton\u201d", + "biography": "drive away OUT NOW", + "followers_count": 4848505, + "follows_count": 204, + "website": "https://payton.ffm.to/driveaway", + "profileCategory": 3, + "specialisation": "Artist", + "location": "", + "username": "paytonmoormeier", + "role": "influencer", + "latestMedia": [ + { + "caption": "she said its over. & that was just what i need", + "likes": 267718, + "commentsCount": 2861 + }, + { + "caption": "is what it is. new music in august.", + "likes": 415918, + "commentsCount": 3350 + }, + { + "caption": "18", + "likes": 438627, + "commentsCount": 9717 + }, + { + "caption": "performed in the pjs yesterday.", + "likes": 403133, + "commentsCount": 7378 + }, + { + "caption": "Houston. you came with all the energy. luv yall, see you soon", + "likes": 281192, + "commentsCount": 2320 + }, + { + "caption": "Denver. you rock see yall soon", + "likes": 209047, + "commentsCount": 2055 + }, + { + "caption": "im otw denver. lock in ", + "likes": 230192, + "commentsCount": 1961 + }, + { + "caption": "new music otw.", + "likes": 226979, + "commentsCount": 2199 + }, + { + "caption": "stream drive away !", + "likes": 285540, + "commentsCount": 2766 + }, + { + "caption": "on the road. see you soon <3 btw im performing unreleased songs on tour. come see me :)", + "likes": 262263, + "commentsCount": 2227 + }, + { + "caption": "how yall like drive away?", + "likes": 360491, + "commentsCount": 2699 + } + ] + }, + { + "fullname": "Deontay Wilder", + "biography": "The war has just begun. If you give GOD the glory, he will give you the VICTORY.", + "followers_count": 2743585, + "follows_count": 524, + "website": "http://bombzquad.com/", + "profileCategory": 2, + "specialisation": "", + "location": "Tuscaloosa, Alabama", + "username": "bronzebomber", + "role": "influencer", + "latestMedia": [ + { + "caption": " Greatness Recognizes Greatness Ill see you at dinner @officialbyronscott #BombZquad #TilthisDay", + "likes": 43360, + "commentsCount": 621 + }, + { + "caption": "Yo bro, @malikkingscott say it ain't so... Not the COVID-19 lie... They're going to hell for that one!!! Oct 9th can not come any faster. #BombZquad #TilThisDay #ThisWillBeEasy", + "likes": 148535, + "commentsCount": 3114 + }, + { + "caption": "Another great session my Brotha @malikkingscott This is about to be easy! #BombZquad #TilThisDay #2xChamp", + "likes": 90815, + "commentsCount": 1316 + }, + { + "caption": "In camp once again for Oct 9, where I will become 2x Heavyweight Champion Of The World. @telliswift decided she wanted to take the ice box challenge and this what happened. #BombZquad #TilThisDay #ILoveMyLife", + "likes": 62780, + "commentsCount": 1385 + }, + { + "caption": "Congratulations @giannis_an34 on your first NBA championship and Finals MVP. Way to dominate champ. #NBAchampion #FMVP #championclub", + "likes": 59710, + "commentsCount": 411 + }, + { + "caption": "TOMORROW @boxingwagsassociation is having their 5th #charity event in support of #autism with @brighterfuturecharity @neftvodkaus. If youre in the #LA area please donate & raise #awareness for this great cause.", + "likes": 9398, + "commentsCount": 408 + }, + { + "caption": "16 rds it went down. Whats understood dont have to be explained. #BombZquad #BackInBlood #Everlast", + "likes": 66618, + "commentsCount": 2309 + }, + { + "caption": "You say youre a semi truck but Im a freight train. Better get your weight up @gypsyking101. #310 #FuryWilder3 #July24 #BombZquad", + "likes": 132310, + "commentsCount": 7902 + }, + { + "caption": " While they LEEP We Work @malikkingscott #BombZquad #TilThisDay #2AM", + "likes": 191955, + "commentsCount": 8344 + }, + { + "caption": " If you know me then you already know! Huge s/o to @actiontarget for coming to my compound blessings my #UnderGroundGunRange with the goods #BombZquad #TilThisDay #GunLover", + "likes": 149012, + "commentsCount": 3011 + }, + { + "caption": " Revenge is the sweetest JOY next to getting Pu$$y. -2pac #BombZquad #TilThisDay #RevengeIsPriceless", + "likes": 201522, + "commentsCount": 8228 + }, + { + "caption": "An Amazingly Peaceful Session... W/ my brotha and new trainer @malikkingscott @everlast #BombZquad #TilThisDay #ReBirth", + "likes": 75926, + "commentsCount": 5604 + } + ] + }, + { + "fullname": "JACKBOY", + "biography": "Money Dont Make You Real Money Dont Make You Solid Its About What Ah Nigga Got In His Heart Not About Whats Inside Of His Wallet ", + "followers_count": 1772196, + "follows_count": 257, + "website": "https://music.empi.re/tentoesdown", + "profileCategory": 2, + "specialisation": "Musician/Band", + "location": "", + "username": "1804jackboy", + "role": "influencer", + "latestMedia": [ + { + "caption": "All These Scars On My Body Covered It with Diamond Chains 100k In Cash I Could Act Ah Ass With @johnnydangandco", + "likes": 32368, + "commentsCount": 721 + }, + { + "caption": "I Would Never Switch Out On Nun Of Da Bros .... Drop A In Da Comments If You Ready", + "likes": 62100, + "commentsCount": 3279 + }, + { + "caption": "I Cant Say I Had A 10 Year Run Without No Hiccups But I Still Got More Money Then The Nigga You Call Big Bruh", + "likes": 132791, + "commentsCount": 1805 + }, + { + "caption": "Stress Free Kill They Ass With Success Album Coming Soon ", + "likes": 129077, + "commentsCount": 3565 + }, + { + "caption": "Before It Drop Ima Have It Im On Top Of This Fashion Im Staying In Touch With The Owners Unreleased @amiri #EverythingAmiri", + "likes": 77179, + "commentsCount": 868 + }, + { + "caption": "I Cant Do No Wrong 10k Fah My Fits Extra 500 Fah My Cologne", + "likes": 70679, + "commentsCount": 1053 + }, + { + "caption": "Put Him On Da Money He Was Broke But He Aint Wanna Fix It Put Him On Da Fraud He Was Scary He Aint Wanna Risk It Its A Competition Where I'm From Who Gone Be Da Richest", + "likes": 123868, + "commentsCount": 1743 + }, + { + "caption": "Tout le monde meurt mais pas tout le monde vit", + "likes": 118694, + "commentsCount": 1495 + }, + { + "caption": "Im So Up I Put Designer On My Sluts", + "likes": 120017, + "commentsCount": 1673 + }, + { + "caption": "My Girl Like 2 Argue I Dont Pay Attention I Told Her 2 Shut Up & Buy Some Givenchy", + "likes": 135629, + "commentsCount": 1307 + }, + { + "caption": "Ten Toes Down Out Now Link In Bio ", + "likes": 144341, + "commentsCount": 3553 + }, + { + "caption": "Ion Want No Fame Nah Here Yall Could Have It Back Int Come In Da Game To Make No Friends I Came In Dis Shit To Make Dem Racks Drop A If You Ready For New Music #NoDeals", + "likes": 128695, + "commentsCount": 8239 + } + ] + }, + { + "fullname": "Claudia Sulewski", + "biography": "SHOP Claudia Sulewski x @wildflowercases ", + "followers_count": 2023206, + "follows_count": 557, + "website": "https://www.wildflowercases.com/collections/claudia-sulewski-x-wildflower-cases", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "claudiasulewski", + "role": "influencer", + "latestMedia": [ + { + "caption": "clunky ", + "likes": 152497, + "commentsCount": 337 + }, + { + "caption": "!!!!!!", + "likes": 172173, + "commentsCount": 523 + }, + { + "caption": "the week day works. its cutie its comfy its yummy wearing @fabletics #fableticsambassador", + "likes": 129375, + "commentsCount": 214 + }, + { + "caption": "really super sweet yeah", + "likes": 210353, + "commentsCount": 488 + }, + { + "caption": " ", + "likes": 473143, + "commentsCount": 4043 + }, + { + "caption": "my life partner i cant imagine a day without you close by. you are one of the best ones and anyone whos met you knows it too. i am so lucky to love you. cherishing your existence forever happy birthday my baby", + "likes": 412696, + "commentsCount": 1470 + }, + { + "caption": "took her out for a spin", + "likes": 214480, + "commentsCount": 475 + }, + { + "caption": "new videoi never film enough, but we make do", + "likes": 82219, + "commentsCount": 239 + }, + { + "caption": "tuesday shmoozday", + "likes": 125283, + "commentsCount": 425 + } + ] + }, + { + "fullname": "Jordan Fisher", + "biography": "Husband. Dog dad. Actor. Producer. Recording Artist. Musician. Writer. Gamer. Streamer. Creator. Wine/Whiskey Enthusiast. Gaming: @jordanfishergaming", + "followers_count": 4563234, + "follows_count": 1856, + "website": "http://shopjordanfisher.com/", + "profileCategory": 2, + "specialisation": "Public Figure", + "location": "", + "username": "jordanfisher", + "role": "influencer", + "latestMedia": [ + { + "caption": "happiest birf to my sister", + "likes": 427059, + "commentsCount": 393 + }, + { + "caption": " @elliewfisher", + "likes": 211107, + "commentsCount": 341 + }, + { + "caption": "thanks for such a great launch yesterday - second drop available til aug 9th - link in bio", + "likes": 178381, + "commentsCount": 248 + }, + { + "caption": "Be My Friend Link in bio #accessibility text: 4 friends riding bikes, playing follow the leader, throwing popcorn at one another in a park setting while wearing their color block Be My Friend streetwear.", + "likes": 53254, + "commentsCount": 80 + }, + { + "caption": "tomorrow we not only celebrate the second Be My Friend drop, but my 3 year stream anniversary. i cant believe its been 3 years alreadysee yall tomorrow! 10am PT on Twitch! Be My Friend Apparel Collection #2 tomorrow at 11 am PT #accessibility text: Video of black marbling with neon gold letters being written out to read Be My Friend.", + "likes": 47526, + "commentsCount": 89 + }, + { + "caption": "Be My Friend Apparel Collection - second drop available FRIDAY at 11am PT! #accessibility text: Video of four humans riding bikes and playing follow the leader wearing blue and pink/sand color block sweatshirts and sweats while music plays in the background singing G-O Lets Go!", + "likes": 53927, + "commentsCount": 88 + }, + { + "caption": "07.28.21 - 10am PDT", + "likes": 107228, + "commentsCount": 160 + }, + { + "caption": "lazy sunday @elliott_mags", + "likes": 115495, + "commentsCount": 164 + }, + { + "caption": " @elliott_mags", + "likes": 193338, + "commentsCount": 356 + }, + { + "caption": "mm babe gimme your phone", + "likes": 363347, + "commentsCount": 666 + }, + { + "caption": "thats a wrap on season 7 of @cwtheflash what were some of your favorite moments?", + "likes": 381152, + "commentsCount": 966 + } + ] + }, + { + "fullname": "Justina Valentine \u2763", + "biography": "God 1st MTV Wild N Out Rapper.Singer.Songwriter.Host Freestyle QueenNcredible Owner @jvalentinaboutique JustinaManagement@gmail.com New music", + "followers_count": 3695311, + "follows_count": 5684, + "website": "https://linktr.ee/JustinaValentine", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "justinavalentine", + "role": "influencer", + "latestMedia": [ + { + "caption": "But @nickcannon knows i gots ta do me Yall ready for the #WildNOut season premiere this Tuesday August 10th Plus Sheball is out TODAY#GirlDontYouDoThatChallenge", + "likes": 45896, + "commentsCount": 456 + }, + { + "caption": "KNKY music video comin SOON Lnk in b!o to stream it now ", + "likes": 141535, + "commentsCount": 1860 + }, + { + "caption": "", + "likes": 60454, + "commentsCount": 614 + }, + { + "caption": "Kansas City thanks for rockin wit ya girl Cant wait to come back soon Go stream DAMN ", + "likes": 44628, + "commentsCount": 582 + }, + { + "caption": "Kansas City I had so much fun w yall thank you for havin me With the Biggest @latto777 the legend @therealtechn9ne @strangemusicinc fam @jehryrobinson @tara_fba & the most lit crowd ", + "likes": 106218, + "commentsCount": 505 + }, + { + "caption": "TONIGHT Kansas City im hosting and performing See u there ", + "likes": 9223, + "commentsCount": 170 + }, + { + "caption": "Quick shoot w/ @164lopicc KINKY out everywhere Now ", + "likes": 91133, + "commentsCount": 1224 + }, + { + "caption": "All new drops on @jvalentinaboutique Lnk in bo to sh0p ", + "likes": 93478, + "commentsCount": 772 + }, + { + "caption": "We hittin nerves all season Season premiere of Wild N Out August 10th Get ya popcorn", + "likes": 209698, + "commentsCount": 4206 + }, + { + "caption": "SLAY music video comin SOON @kashjuliano feat ME Beat by @makeupbynikolette Lnk in b!0 to stream ", + "likes": 22059, + "commentsCount": 479 + }, + { + "caption": "Make ya an offer ya cant refuse @164lopicc ", + "likes": 42793, + "commentsCount": 441 + }, + { + "caption": "Leave the Take the cannoli ", + "likes": 41838, + "commentsCount": 392 + } + ] + }, + { + "fullname": "Cristiano Ronaldo", + "biography": "", + "followers_count": 323488390, + "follows_count": 475, + "website": "http://www.cristianoronaldo.com/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "cristiano", + "role": "influencer", + "latestMedia": [ + { + "caption": "", + "likes": 7778623, + "commentsCount": 50252 + }, + { + "caption": "Don't give up on the dream of graduating! Take part in the selection for the 24 eCampus scholarships that I am happy to donate. Send your application by 12 September on https://cr7.uniecampus.it . I will be proud to support your studies!", + "likes": 2695644, + "commentsCount": 28305 + }, + { + "caption": "Have a good week ", + "likes": 14747987, + "commentsCount": 133470 + }, + { + "caption": "Always by my side ", + "likes": 7564973, + "commentsCount": 72878 + }, + { + "caption": "Felice di tornare al lavoro ", + "likes": 6956743, + "commentsCount": 53385 + }, + { + "caption": "Work done ", + "likes": 9452032, + "commentsCount": 77207 + }, + { + "caption": "Ateno fs do Brasil! Est no ar a promoo Encontro dos Sonhos da @clear.haircare no qual ters a oportunidade de nos vir conhecer, a mim e @martavsilva10 , aqui na Europa. isso mesmo. Visita o site www.promocaoclear.com.br #clearmeleva para mais informaes (participaes vlidas at 17/09/2021) The Promotion Encontro dos Sonhos with @clear.haircare Brazil is on air! Join us at www.promocaoclear.com.br", + "likes": 2095965, + "commentsCount": 16676 + }, + { + "caption": "My beautiful queen ", + "likes": 13283024, + "commentsCount": 101405 + }, + { + "caption": "Powerful, energetic and witty. CR7 Game On is all you need to invigorate your summer nights! #CR7FRAGRANCES", + "likes": 3781731, + "commentsCount": 34706 + }, + { + "caption": "Decision day ", + "likes": 14347499, + "commentsCount": 157168 + }, + { + "caption": "A good weekend to everyone ", + "likes": 9365118, + "commentsCount": 82850 + }, + { + "caption": "CR7 Eyewear is inspired by classic frames with a slight touch of modernity. Have you already chosen your favorite model? #CR7EYEWEAR", + "likes": 6749833, + "commentsCount": 70993 + } + ] + }, + { + "fullname": "LeBron James", + "biography": "", + "followers_count": 93757687, + "follows_count": 354, + "website": "", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "kingjames", + "role": "influencer", + "latestMedia": [ + { + "caption": " x Brodie x ", + "likes": 4221297, + "commentsCount": 61684 + }, + { + "caption": "IYKYK. One of the most talented teammates Ive ever had in my life! Damn good seeing my G today! The Messiah & King! Camden, NJ stand up and salute a ! My to you. Oh by the way his son dj_wag21 is NEXT UP!! by @liam.slam ", + "likes": 1267048, + "commentsCount": 7267 + }, + { + "caption": "My mom @gloriajames & daughter @allthingszhuri are hosting @spacejammovie premiere in my hometown of Akron Ohio tonight as I type and heres how they welcomed everyone there! . We are literally hours away from takeoff so that then EVERYONE can enjoy this movie all over the !!! LETS GO PEOPLE!! #JamesGang", + "likes": 454065, + "commentsCount": 4082 + }, + { + "caption": "About last night! It was a ABSOLUTE SURREAL feeling doing a WORLD premiere of @spacejammovie in which Im the lead role! Beyond Craziness. I literally would have dreams about being in Space Jam with the Looney Tunes when I was a kid growing up. Cant believe this, I just cant! To my amazing director & cast you guys killed it!!!! This Friday July 16th i cant wait for all of you to see it! Its one heck out an ADVENTURE I believe everyone will enjoy!!! Love yall for real for real for the support!! @thespringhillco @spacejammovie", + "likes": 2746108, + "commentsCount": 12713 + }, + { + "caption": "Yall ready for this? @fortnite #TheKingHasArrived #ad", + "likes": 1686981, + "commentsCount": 18565 + }, + { + "caption": "Siempre es bueno ver a mi hermano @badbunnypr! Aprecie el amor y la hospitalidad en su ciudad natal! Ama siempre! Hasta la prxima vez que enlazamos ", + "likes": 3001554, + "commentsCount": 13529 + }, + { + "caption": "Damn right its BOUT THAT TIME! LETS GO!!!!!!!!!! ", + "likes": 1232206, + "commentsCount": 6627 + }, + { + "caption": "Like father, like son! @bronny #JamesGang", + "likes": 2378887, + "commentsCount": 12243 + }, + { + "caption": "I simply wouldnt be who I am w/o yall! Love ", + "likes": 897209, + "commentsCount": 2688 + }, + { + "caption": "Well lets just say He and I have a REAL complicated relationship/friendship! At THE SHOP is where it all goes down! @uninterrupted @spacejammovie. July 16th cant come soon enough!", + "likes": 331959, + "commentsCount": 2866 + }, + { + "caption": "Im ready for all yall squads on @xbox . Whos beating me and the tunes?! Play @spacejammovie The Game first with @xboxgamepass Ultimate Perks.", + "likes": 316322, + "commentsCount": 1883 + }, + { + "caption": "About last night. @spacejammovie event at Magic Mountains Six Flags was a movie in itself. Had a great time with family and friends! Cant wait for you guys to go on this magical ride with me on July 16th when the movie releases in theaters & on @hbomax. #ItsAlmostTimeToJam ", + "likes": 1325570, + "commentsCount": 5689 + } + ] + }, + { + "fullname": "NJ 10 \ud83c\udde7\ud83c\uddf7", + "biography": "O menino encantou a quebrada", + "followers_count": 156732010, + "follows_count": 1576, + "website": "http://www.neymarjr.com/", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "neymarjr", + "role": "influencer", + "latestMedia": [ + { + "caption": "Want to enter the @neymarjr X @superdry challenge ? Grab a football and show us your skills. To enter: 1. Video your football skill 2. Upload to Instagram 3. Tag and follow @superdry 4. Include #NeymarChallenge in your caption Theres also vouchers up for grabs too as runner up prizes. Competition open in certain countries until 23:59 (BST) 20/08/2021, to those aged 16+ only. The winner and runners up will be contacted by the official Superdry Instagram account (look for the blue tick). For full T&Cs visit https://www.superdry.com/terms-and-conditions #ad", + "likes": 636853, + "commentsCount": 10 + }, + { + "caption": "Play na temporada ", + "likes": 1716930, + "commentsCount": 44 + }, + { + "caption": "De volta aos treinos ", + "likes": 2526881, + "commentsCount": 34 + }, + { + "caption": "*Era uma foto nossa @fialho_diogo *depois entrou a crianada *depois virou empurra empurra ", + "likes": 2990609, + "commentsCount": 46 + }, + { + "caption": "Amigos ", + "likes": 6329382, + "commentsCount": 46 + }, + { + "caption": "", + "likes": 4735921, + "commentsCount": 61 + }, + { + "caption": "", + "likes": 3720166, + "commentsCount": 42 + }, + { + "caption": "Fratello @marco_verratti92", + "likes": 3756506, + "commentsCount": 16 + }, + { + "caption": "Ibiza kids ", + "likes": 2198636, + "commentsCount": 19 + }, + { + "caption": "Nova gerao vem como?! ", + "likes": 2119639, + "commentsCount": 28 + }, + { + "caption": "Sendo feliz ", + "likes": 1937839, + "commentsCount": 60 + }, + { + "caption": "Partners in crime ", + "likes": 1648081, + "commentsCount": 40 + } + ] + }, + { + "fullname": "FC Barcelona", + "biography": " More than a Club. Mes que un Club We #Culers #ForcaBarca & #CampNou WATCH FRIENDLIES ON BARATV+!", + "followers_count": 99674726, + "follows_count": 77, + "website": "http://barca.link/FcKf30rOtXd", + "profileCategory": 2, + "specialisation": "", + "location": "Barcelona, Spain", + "username": "fcbarcelona", + "role": "influencer", + "latestMedia": [ + { + "caption": "Simply put: @leomessi beat the game. Super Leo @theinktrail", + "likes": 651975, + "commentsCount": 6519 + }, + { + "caption": " Blaugrana love Els missatges de l'equip a Leo Los mensajes ms emotivos del equipo a Messi", + "likes": 2785399, + "commentsCount": 21863 + }, + { + "caption": "History has been made with you, @leomessi Un llegat nic. Histrico ", + "likes": 2720515, + "commentsCount": 20537 + }, + { + "caption": " Thank you for wearing our shirt with pride Grcies Leo per lluir-les amb Orgull Gracias Leo por llevarlas con orgullo ", + "likes": 2467948, + "commentsCount": 18789 + }, + { + "caption": " @jlaportaoficial on Leo Messi", + "likes": 1541886, + "commentsCount": 29272 + }, + { + "caption": "A lifetime at Bara Una vida de ", + "likes": 5186271, + "commentsCount": 62653 + } + ] + }, + { + "fullname": "James Rodri\u0301guez", + "biography": "", + "followers_count": 46980973, + "follows_count": 774, + "website": "http://facebook.com/10Jamesrodriguez/", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "jamesrodriguez10", + "role": "influencer", + "latestMedia": [ + { + "caption": "Lleg mi nuevo amiguito.", + "likes": 768322, + "commentsCount": 2938 + }, + { + "caption": "momentos que no cambio por nada.", + "likes": 1652523, + "commentsCount": 4808 + }, + { + "caption": "enjoying the excitement of @f1 @tommyhilfiger #EyeLoveTommy #tommyhilfiger", + "likes": 749799, + "commentsCount": 2817 + }, + { + "caption": "Das de sol en Liverpool. @marjajua14 @tommyhilfiger #EyeLoveTommy #tommyhilfiger ", + "likes": 459249, + "commentsCount": 1735 + }, + { + "caption": "ser feliz. ", + "likes": 1225201, + "commentsCount": 5293 + }, + { + "caption": "Un da como hoy, hace 7 aos ests conmigo. Pasa el tiempo y an te veo como la primera vez .", + "likes": 1226186, + "commentsCount": 6131 + }, + { + "caption": "gracias por sus mensajes. Ya estoy en el tercer piso 30.", + "likes": 2011430, + "commentsCount": 16429 + }, + { + "caption": " @easymoneysniper KD. ", + "likes": 1123129, + "commentsCount": 3755 + }, + { + "caption": "10 ", + "likes": 1160557, + "commentsCount": 3488 + }, + { + "caption": "", + "likes": 786897, + "commentsCount": 2496 + }, + { + "caption": " @karolg", + "likes": 1379437, + "commentsCount": 5690 + }, + { + "caption": "Bautizo de Samu. ", + "likes": 1145024, + "commentsCount": 4761 + } + ] + }, + { + "fullname": "Real Madrid C.F.", + "biography": " Official profile of Real Madrid C.F. 13 times European Champions FIFA Best Club of the 20th Century #RealFootball | #RMFans", + "followers_count": 101928227, + "follows_count": 43, + "website": "http://shop.realmadrid.com/", + "profileCategory": 2, + "specialisation": "", + "location": "Madrid, Spain", + "username": "realmadrid", + "role": "influencer", + "latestMedia": [ + { + "caption": " GOOD VIBES! De ESTRENO! @adidasfootball | #ThisIsGrandeza", + "likes": 811164, + "commentsCount": 1768 + }, + { + "caption": " Thanks to @LucasVazquez91, we've got our competition winner! @Austin.Vieira, congratulations on winning a @playstationes 5 signed by our players and a commemorative 2021/22 home shirt! - Enhorabuena a @Austin.Vieira, que has ganado una PS5 firmada por los jugadores y una camiseta conmemorativa 2021/22!", + "likes": 271563, + "commentsCount": 805 + }, + { + "caption": " AWAY KIT DRIP @KarimBenzema LINK EN BIO @adidasfootball | #ThisIsGrandeza", + "likes": 557962, + "commentsCount": 1354 + }, + { + "caption": " Whose name are you getting on the back of your new away shirt? Ya sabes qu nombre le pondrs a tu nueva camiseta? @adidasfootball | #ThisIsGrandeza", + "likes": 845283, + "commentsCount": 5873 + }, + { + "caption": "SO FRESH! @Marcelotwelve Link in bio #ThisIsGrandeza | @adidasfootball", + "likes": 649254, + "commentsCount": 1433 + }, + { + "caption": " The Masked Singer The Masked Footballers", + "likes": 580609, + "commentsCount": 1171 + }, + { + "caption": " Born out of creativity. Nacido de la creatividad. LINK EN BIO #ThisIsGrandeza | @adidasfootball", + "likes": 1313960, + "commentsCount": 3705 + }, + { + "caption": " Create new boundaries. Lead from the front. Our grandeza grows greater. Our new 2021/22 @adidasfootball away kit. - Crea nuevos lmites. Lidera de frente. Nuestra grandeza crece. Nuestra segunda equipacin 2021/22. LINK EN BIO #ThisIsGrandeza", + "likes": 334555, + "commentsCount": 767 + }, + { + "caption": " 3, 2, 1... ", + "likes": 463731, + "commentsCount": 760 + }, + { + "caption": "This guy has started his 13th season at @RealMadrid! @KarimBenzema comienza su 13 temporada en el equipo!", + "likes": 866539, + "commentsCount": 2629 + }, + { + "caption": " HE'S back! @KarimBenzema", + "likes": 855824, + "commentsCount": 3325 + }, + { + "caption": " Welcome home! Bienvenidos a casa! #RMCity", + "likes": 525251, + "commentsCount": 1340 + }, + { + "caption": " They're back! De vuelta! @Casemiro @edermilitao @vinijr", + "likes": 566725, + "commentsCount": 1028 + }, + { + "caption": " That FINAL FEELING!", + "likes": 1289534, + "commentsCount": 3865 + }, + { + "caption": " @MarcoAsensio10, @JesusVallejo1997 & @Takefusa.Kubo Japan Spain 13:00 CEST #Tokyo2020", + "likes": 629929, + "commentsCount": 911 + }, + { + "caption": " Our August fixture list! Toma nota! Nuestro calendario de agosto. #HalaMadrid", + "likes": 755861, + "commentsCount": 1494 + }, + { + "caption": " Pre-season GOLAZOS! GOLAZOS de pretemporada!", + "likes": 1377622, + "commentsCount": 3533 + }, + { + "caption": " #HBD to @MarianoDiazMejia, who turns 28 today! FELIZ CUMPLEAOS a Mariano, quien hoy cumple 28 aos! #HalaMadrid ", + "likes": 964876, + "commentsCount": 3367 + }, + { + "caption": " These guys are through to the #Tokyo2020 semi-finals! Estos madridistas lucharn por las medallas!", + "likes": 914490, + "commentsCount": 1825 + }, + { + "caption": " @IscoAlarcon @GarethBale11 ", + "likes": 566424, + "commentsCount": 1880 + }, + { + "caption": " Hugs and handshakes for @RaphaelVarane. Varane recibi el cario de la plantilla.", + "likes": 1274147, + "commentsCount": 6382 + }, + { + "caption": " Au revoir, @RaphaelVarane.", + "likes": 2054643, + "commentsCount": 10166 + }, + { + "caption": " Friends. Bros. Mates. AMIGOS! #FriendshipDay | #DaDeLaAmistad", + "likes": 729673, + "commentsCount": 1546 + } + ] + }, + { + "fullname": "House of Highlights", + "biography": " HoHs NBA CHAMPIONSHIP DROP ", + "followers_count": 26034838, + "follows_count": 1359, + "website": "https://hoh.world/zw6zfs", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "houseofhighlights", + "role": "influencer", + "latestMedia": [ + { + "caption": "KD PUT THE WORLD ON NOTICE. ", + "likes": 287817, + "commentsCount": 1042 + }, + { + "caption": "TEAM USA TAKES HOME GOLD. OLYMPIC KD DROPPED 29 PTS.", + "likes": 247221, + "commentsCount": 1162 + }, + { + "caption": "KD is the OLYMPIC GOAT. ", + "likes": 241065, + "commentsCount": 1107 + }, + { + "caption": "This transformation is crazy. (via @mosaffari)", + "likes": 223162, + "commentsCount": 1317 + }, + { + "caption": "He doesnt skip back day. (via @andre.the.vaillant)", + "likes": 146571, + "commentsCount": 2280 + }, + { + "caption": "This DeRozan story about Kobe is hilarious. (via @allthesmoke, nba_szn/TT)", + "likes": 529364, + "commentsCount": 1868 + }, + { + "caption": "This is NEXT LEVEL. (via @aero.tim)", + "likes": 214958, + "commentsCount": 1341 + }, + { + "caption": "He is the ULTIMATE cheat code. (via @thattallfamily)", + "likes": 327863, + "commentsCount": 1213 + }, + { + "caption": "KD plans to sign a 4 year, $198 million extension with the Nets; per @wojespn. ", + "likes": 196078, + "commentsCount": 734 + }, + { + "caption": "KAWHI RE-SIGNING WITH THE CLIPPERS. (Per @chrisbhaynesnba)", + "likes": 398055, + "commentsCount": 2166 + }, + { + "caption": "Dwight's impersonations are SPOT ON. (via @dwighthoward)", + "likes": 185278, + "commentsCount": 904 + }, + { + "caption": "Klay really made this employees day. (via @kai.teevee)", + "likes": 468875, + "commentsCount": 1714 + } + ] + }, + { + "fullname": "Paul Labile Pogba", + "biography": "Born Ready ", + "followers_count": 46598071, + "follows_count": 149, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "paulpogba", + "role": "influencer", + "latestMedia": [ + { + "caption": "Balling smiling laughing ", + "likes": 1057712, + "commentsCount": 2712 + }, + { + "caption": " ", + "likes": 815129, + "commentsCount": 3393 + }, + { + "caption": "", + "likes": 1117355, + "commentsCount": 4243 + }, + { + "caption": "", + "likes": 616050, + "commentsCount": 2776 + }, + { + "caption": " ", + "likes": 977285, + "commentsCount": 2249 + }, + { + "caption": "TOO E @davidbeckham", + "likes": 1582230, + "commentsCount": 3798 + }, + { + "caption": "It doesn't matter if it's rain or sweat... ! ", + "likes": 1122664, + "commentsCount": 3578 + }, + { + "caption": " f g F", + "likes": 489459, + "commentsCount": 1762 + }, + { + "caption": "e derence eween e pole and. e pole le n e peron' . DEERNAOn ", + "likes": 1884395, + "commentsCount": 8268 + }, + { + "caption": " . ", + "likes": 819277, + "commentsCount": 3977 + }, + { + "caption": "Mindset @giannis_an34", + "likes": 227755, + "commentsCount": 647 + }, + { + "caption": " ", + "likes": 2398891, + "commentsCount": 18218 + } + ] + }, + { + "fullname": "UEFA Champions League", + "biography": "The official home of the #UCL on Instagram Hit the link ", + "followers_count": 77936186, + "follows_count": 397, + "website": "https://linktr.ee/UEFAChampionsLeague", + "profileCategory": 2, + "specialisation": "", + "location": "Nyon, Switzerland", + "username": "championsleague", + "role": "influencer", + "latestMedia": [ + { + "caption": "@karimbenzema. Back to work #UCL #RealMadrid", + "likes": 308757, + "commentsCount": 468 + }, + { + "caption": " First OR second Schmeichel save? #UCL #MUFC #GKunion #goalkeeper #goalie #torwart #arquero #keeper #portero #goleiro #portiere #gardien #portieri #football @manchesterunited", + "likes": 165759, + "commentsCount": 458 + }, + { + "caption": " Bayern legends! Kahn OR Neuer: who ya got? #UCL #FCBayern", + "likes": 618427, + "commentsCount": 2827 + }, + { + "caption": " What makes ngel Di Mara special? #UCL #baller #skills #Paris", + "likes": 1189245, + "commentsCount": 3501 + }, + { + "caption": " Christian Eriksen reunited with his club team-mates & Inter legend Javier Zanetti #UCL #Inter", + "likes": 363292, + "commentsCount": 470 + }, + { + "caption": "Coming to the #UCL @jackgrealish joins @mancity on a six-year deal! ", + "likes": 807602, + "commentsCount": 1468 + }, + { + "caption": " Memorable Ajax goals! Your favourite? #UCL #TBT #ThrowbackThursday", + "likes": 487541, + "commentsCount": 1291 + }, + { + "caption": " Who plays here? #UCL", + "likes": 364827, + "commentsCount": 2257 + }, + { + "caption": " Ziyech this season will ______ #UCL #CFC", + "likes": 570117, + "commentsCount": 2256 + }, + { + "caption": "Rate this 2014 @realmadrid signing from 1-10! #UCL #RealMadrid #throwback #OTD #OnThisDay #GKunion #goalkeeper #goalie #torwart #arquero #keeper #portero #goleiro #portiere #gardien #portieri #football @realmadrid @keylornavas1", + "likes": 163363, + "commentsCount": 485 + }, + { + "caption": "2 years since #MUFC signed Harry Maguire Sum up his spell at Old Trafford so far #UCL @manchesterunited", + "likes": 438003, + "commentsCount": 1521 + }, + { + "caption": " Neymar. Born entertainer #UCL @neymarjr", + "likes": 1213338, + "commentsCount": 2961 + }, + { + "caption": "When your kit is #UCL", + "likes": 257283, + "commentsCount": 267 + }, + { + "caption": " Paris unveiled Neymar 4 years ago today! He's scored 20 goals in 29 #UCL games since...", + "likes": 982430, + "commentsCount": 2138 + }, + { + "caption": " #UCL qualifying hopefuls @asmonaco announce the signing of Myron Boadu. Will we see him in the Group Stage? ", + "likes": 296693, + "commentsCount": 282 + }, + { + "caption": " Who's this? #UCL", + "likes": 851147, + "commentsCount": 9306 + }, + { + "caption": " Brazilian full-back at Bara! Emerson Royal Barcelona : @fcbarcelona #UCL #transfer #signing", + "likes": 469413, + "commentsCount": 665 + }, + { + "caption": " Which Champions League season? #UCL", + "likes": 683449, + "commentsCount": 5909 + }, + { + "caption": " Iker Casillas saves! Which is best? The #UCL icon retired from football #OTD last year...", + "likes": 1107099, + "commentsCount": 4096 + }, + { + "caption": " Jan Oblak rating: 80-89 OR 90+ #UCL #GKunion #goalkeeper #goalie #torwart #arquero #keeper #portero #goleiro #portiere #gardien #portieri #football", + "likes": 1147863, + "commentsCount": 6779 + }, + { + "caption": "Composure @manuelneuer #UCL #throwback #manuelneuer #neuer #FCBayern #GKunion #goalkeeper #goalie #torwart #arquero #keeper #portero #goleiro #portiere #gardien #portieri #football", + "likes": 312617, + "commentsCount": 496 + }, + { + "caption": " OR : who do you want to win Olympic football gold? #UCL #tokyo2020 #OlympicFootball", + "likes": 1006670, + "commentsCount": 4769 + }, + { + "caption": "Four-time winner Real Madrid legend #UCL #Varane #RealMadrid #throwback #masterclass @raphaelvarane @realmadrid", + "likes": 222123, + "commentsCount": 589 + }, + { + "caption": "Sancho OR Evra: who did it best? #UCL #skills #baller #throwback", + "likes": 1062886, + "commentsCount": 6794 + }, + { + "caption": ". . . Who's got this new #UCL tattoo?", + "likes": 670953, + "commentsCount": 3913 + }, + { + "caption": " Sum up @giorgiochiellini using emoji only! #UCL #Juventus #Juve", + "likes": 867479, + "commentsCount": 3427 + }, + { + "caption": "Amigos Who's your best friend? : @leomessi #UCL #leomessi #Leo #Messi #messi10", + "likes": 1090483, + "commentsCount": 3067 + }, + { + "caption": "@cristiano magic #UCL #Cristiano #Ronaldo #cristianoronaldo #CR7 #MUFC #throwback #MondayMotivation #skills #baller", + "likes": 1034227, + "commentsCount": 4482 + }, + { + "caption": "NEVER skip leg day Which athletes inspire you to put in the work? #UCL #MondayMotivation", + "likes": 812331, + "commentsCount": 1961 + }, + { + "caption": " Free-kick 1 OR 2? San joined Manchester City #OTD in 2016 #UCL #OnThisDay", + "likes": 474546, + "commentsCount": 1025 + }, + { + "caption": " : @sterling7 #UCL", + "likes": 474564, + "commentsCount": 1068 + }, + { + "caption": "Unforgettable saves! Tell us your top 2 #UCL #GKunion #goalkeeper #goalie #torwart #arquero #keeper #portero #goleiro #portiere #gardien #portieri #football #throwback #MondayMotivation", + "likes": 730176, + "commentsCount": 4527 + }, + { + "caption": " Another title for Lille & Burak Ylmaz : @losclive #UCL", + "likes": 556426, + "commentsCount": 1139 + }, + { + "caption": "Play-off draw Who are you backing? #UCLdraw", + "likes": 499499, + "commentsCount": 2199 + }, + { + "caption": " Sporting CP = 2021 Portuguese Super Cup winners Who are their key players? : @sportingclubedeportugal #UCL", + "likes": 322463, + "commentsCount": 618 + } + ] + }, + { + "fullname": "LaMelo Ball", + "biography": "1 of 1 ", + "followers_count": 7106340, + "follows_count": 94, + "website": "http://lameloball.io/", + "profileCategory": 3, + "specialisation": "Public Figure", + "location": "", + "username": "melo", + "role": "influencer", + "latestMedia": [ + { + "caption": "proud to announce my ownership with @memorigin ITS UPPP ", + "likes": 509625, + "commentsCount": 1221 + }, + { + "caption": "SOON GANGGERS ", + "likes": 410131, + "commentsCount": 2482 + }, + { + "caption": "amiri wit da off-white its a off-night ", + "likes": 650578, + "commentsCount": 2025 + }, + { + "caption": "for da 4", + "likes": 1224809, + "commentsCount": 3415 + }, + { + "caption": "gotta watch how i be movin cuz they gone tell on me ", + "likes": 723232, + "commentsCount": 2032 + }, + { + "caption": "ROTY ", + "likes": 577428, + "commentsCount": 4075 + }, + { + "caption": "heeeeem. ", + "likes": 1272757, + "commentsCount": 7880 + }, + { + "caption": "charlittt ", + "likes": 678175, + "commentsCount": 3429 + }, + { + "caption": "chino hills", + "likes": 693586, + "commentsCount": 3171 + }, + { + "caption": "gangger ", + "likes": 654559, + "commentsCount": 2928 + }, + { + "caption": "ON SALE NOW !! @ link in bio // first dynamic NFTs made by #chainlink and @ether.cards designed by @law_degree + @chrisderoy . GOLD SUN // 2021 ROTY ANNOUNCEMENT RED MARS // POINTS // 0.01 ETH (~$26) // 1 of 6500 BLUE NEPTUNE // STEALS // 0.1 ETH (~$260) // 1 of 2000 SILVER MOON // ASSISTS // 1 ETH (~$2,600) // 1 of 1000 each NFT wins you various tiers of membership rewards in my world including free memorabilia giveaways, @lafrance merch, and future participation in my endorsement deals. might give away my high school ring or some triple double shoes. details and sales at the link in bio. ", + "likes": 193854, + "commentsCount": 800 + }, + { + "caption": "1:11 am ", + "likes": 958209, + "commentsCount": 3863 + } + ] + }, + { + "fullname": "James Harden", + "biography": "@jharden13", + "followers_count": 11603900, + "follows_count": 412, + "website": "https://www.adidas.com/us/james_harden", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "jharden13", + "role": "influencer", + "latestMedia": [ + { + "caption": "Today Im announcing that Im joining @saks as a board member and investor. I'm honored to be a part of a company that is creating the future of luxury retail. This is an exciting opportunity for me to combine some of my personal passions: fashion and teaming up with a brand with the potential to lead while making an impact on the community. @thesaksman", + "likes": 557676, + "commentsCount": 5771 + }, + { + "caption": "The Voice of The Heroes Its about that time! @lildurk @lilbaby", + "likes": 220768, + "commentsCount": 1139 + }, + { + "caption": "Happy Place.", + "likes": 452204, + "commentsCount": 2536 + }, + { + "caption": "I only invest in what I believe in on and off the court. That includes investing in my body, which is why I invested in @Therabody in the early stages. I use their recovery devices, including Theragun and RecoveryAir daily, especially heading into the playoffs. Im excited to take our partnership to the next level as a Therabody Athlete so I can help spread the company and its mission of making wellness accessible to everybody. #TherabodyAthlete", + "likes": 102722, + "commentsCount": 755 + }, + { + "caption": "", + "likes": 531345, + "commentsCount": 2880 + }, + { + "caption": "Its not my fault if I dont meet ya likeness.", + "likes": 593043, + "commentsCount": 3192 + }, + { + "caption": "", + "likes": 64710, + "commentsCount": 315 + }, + { + "caption": "I told the bros skys the limit if we play it right.", + "likes": 700755, + "commentsCount": 4402 + }, + { + "caption": "HUSSLE MAN!! We miss you bro. Quick update: Some days better than others but we built for tough days . Crazy times in the world right now but we still pushin. Im in Brooklyn now still on this Marathon you know how that go. Family good homies solid. Not a day go by that I dont think about you. TMC Forever! Love you Bro. @nipseyhussle ", + "likes": 367828, + "commentsCount": 1296 + }, + { + "caption": "Aint no stopping me, Im trynna take it there. ", + "likes": 503213, + "commentsCount": 2225 + } + ] + }, + { + "fullname": "ESPN", + "biography": "Stream #UFC265 Saturday on ESPN+ ", + "followers_count": 20050254, + "follows_count": 478, + "website": "https://es.pn/UFC265ESPN", + "profileCategory": 2, + "specialisation": "", + "location": "Bristol, Connecticut", + "username": "espn", + "role": "influencer", + "latestMedia": [ + { + "caption": "Team USA KD is a spiritual experience @easymoneysniper All-time Olympics leading scorer for the men's team and a three-time gold medalist.", + "likes": 80027, + "commentsCount": 353 + }, + { + "caption": "Khris and Jrue join an exclusive club with Kyrie Irving, LeBron James, Scottie Pippen (2x) and Michael Jordan ", + "likes": 131487, + "commentsCount": 406 + }, + { + "caption": "Another Olympics, another basketball gold medal for the Team USA men ", + "likes": 220252, + "commentsCount": 1389 + }, + { + "caption": "These NBA stars were caught slippin' (via @kevinlove, @money23green @naterobinson, @laclippers, @deandre, @cp3)", + "likes": 391948, + "commentsCount": 1031 + }, + { + "caption": "Iconic moment in ESPN history ", + "likes": 76872, + "commentsCount": 411 + }, + { + "caption": "Melo admits he's part of the banana boat crew (via @carmeloanthony)", + "likes": 248677, + "commentsCount": 992 + }, + { + "caption": "What's the best move of the NBA offseason? @stephenasmith", + "likes": 210622, + "commentsCount": 1046 + }, + { + "caption": "@acfresh21 gives his thanks to LA ", + "likes": 120175, + "commentsCount": 611 + }, + { + "caption": "@jalenduren, the No. 2 overall prospect in the class of 2022, has reclassified into the class of 2021 and committed to Memphis, according to @paulbiancardi. ( via @jaydoefilms)", + "likes": 170256, + "commentsCount": 625 + }, + { + "caption": "The heavyweights needed to be separated during their face-off #UFC265 @espnmma", + "likes": 32550, + "commentsCount": 209 + }, + { + "caption": "PSG are prepared to offer Lionel Messi a three-year contract to move to the French capital, sources have told @julien_laurens. The club feels a deal is close after positive initial talks with Messis representatives.", + "likes": 167124, + "commentsCount": 699 + }, + { + "caption": "Nah look at Jared Dudley ", + "likes": 392358, + "commentsCount": 2923 + } + ] + }, + { + "fullname": "Tom Brady", + "biography": "", + "followers_count": 10011906, + "follows_count": 461, + "website": "http://autograph.io/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "tombrady", + "role": "influencer", + "latestMedia": [ + { + "caption": "Eliminate Pain. Period. @tb12sports", + "likes": 26260, + "commentsCount": 191 + }, + { + "caption": "Im so happy I just throw the football for a living #Madden22", + "likes": 405219, + "commentsCount": 7623 + }, + { + "caption": "Training camp starts this week. Im looking forward to having some actual receivers again : @ari_fararooy @shadowlion", + "likes": 1346884, + "commentsCount": 26217 + }, + { + "caption": "How it started vs How its going", + "likes": 1537283, + "commentsCount": 22746 + }, + { + "caption": "Pretty sick. #WhatsMyFavoriteRing? #TheNextOne", + "likes": 792200, + "commentsCount": 7605 + }, + { + "caption": "Excited to put a ring on it tonight boys!! LFG : @shrimpdaddy @shadowlion", + "likes": 271862, + "commentsCount": 1984 + }, + { + "caption": "Alright, @edelman11, Im in. Im proud to be a part of the #thistooshallpass campaign where fans can win a chance to play some catch with me to help raise money for some great causes! @gronk @mikeevans @ab @chrisgodwin - you guys are next so jump aboard! Go check out @whipfundraising @charitybuzz & @kindboost or go to the link in my bio for more info.", + "likes": 164053, + "commentsCount": 1330 + }, + { + "caption": "Got ships? We do. Big day for @autograph.io as weve partnered with some kinda maybe somewhat well known athletesLFG", + "likes": 111556, + "commentsCount": 1426 + }, + { + "caption": "Happy Birthday ! This has been an incredible year and its hard to imagine loving you more today than I did a year ago, but I do! You love our family the way nobody else can and we all celebrate you on this day! Te amo Tanto meu amor da minha vida! @gisele", + "likes": 365755, + "commentsCount": 2586 + }, + { + "caption": "Great to have Wes, Jules and Danny out in Montana this week! Just missing my tight tight end", + "likes": 828041, + "commentsCount": 6915 + }, + { + "caption": "Get pliable, feel better, throw footballs really far (if thats in your job description) @tb12sports", + "likes": 248434, + "commentsCount": 1171 + }, + { + "caption": "Hand up", + "likes": 434855, + "commentsCount": 2743 + } + ] + }, + { + "fullname": "Giannis Ugo Antetokounmpo", + "biography": "l AM MY FATHERS LEGACY. x", + "followers_count": 10518576, + "follows_count": 8, + "website": "http://sincerelymariah.com/", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "giannis_an34", + "role": "influencer", + "latestMedia": [ + { + "caption": "Blessed ", + "likes": 1504156, + "commentsCount": 6654 + }, + { + "caption": "We got one too @kostas__ante13 !! #3Champions", + "likes": 1699427, + "commentsCount": 5733 + }, + { + "caption": "Your big moment is as big as the people you share it with #neverdreamalone @budweiser", + "likes": 325346, + "commentsCount": 1470 + }, + { + "caption": "I want to thank you guys for the support all season long! If you werent able to be in the arena for our playoff journey or downtown at the parade we missed you! But dont worry you dont have to miss the fun next season when we celebrate! Were giving away the ultimate trip to be there when we raise the banner & meet me! Just follow me and my company @ready_nutrition, share this to your story and tag a friend in the comments! Winner picked Tuesday August 10th! No purchase necessary. Exclusions apply. Terms and conditions here: bit.ly/giannisgiveaway", + "likes": 688852, + "commentsCount": 18309 + }, + { + "caption": "Iconic ", + "likes": 929346, + "commentsCount": 4843 + }, + { + "caption": "We did it @thanasis_ante43 nobody can take it away from us ", + "likes": 1844506, + "commentsCount": 8191 + }, + { + "caption": "Checkmate ", + "likes": 2165858, + "commentsCount": 23436 + }, + { + "caption": "I almost pooped ", + "likes": 1697700, + "commentsCount": 25254 + }, + { + "caption": "When greatness collides. I teamed up with @jblaudio to create an exclusive collection of my favorite products, inspired by my new Zoom Freak 2 colorway. Best part, you have a chance to win one of these limited edition kits! Enter to win by liking this post, following @JBLaudio, and tagging 2 basketball fans in the comments. U.S.only; must be 18+. Head to https://bit.ly/3xanXJG for full terms and conditions. Good luck! #TeamJBL", + "likes": 336607, + "commentsCount": 2472 + }, + { + "caption": "Our attitude determines our approach to life.", + "likes": 393896, + "commentsCount": 816 + }, + { + "caption": "Great win #KeepBuilding", + "likes": 524282, + "commentsCount": 1563 + }, + { + "caption": "Big Win. Step in the right direction ", + "likes": 666706, + "commentsCount": 3903 + } + ] + }, + { + "fullname": "Kai", + "biography": "A11Even", + "followers_count": 14927509, + "follows_count": 662, + "website": "http://kyrieirving.com/", + "profileCategory": 1, + "specialisation": "", + "location": "", + "username": "kyrieirving", + "role": "influencer", + "latestMedia": [ + { + "caption": "", + "likes": 334922, + "commentsCount": 2947 + }, + { + "caption": "Write it down, work in silence, then make it look effortless. A11Even", + "likes": 612600, + "commentsCount": 4338 + }, + { + "caption": "Conductor", + "likes": 271976, + "commentsCount": 1254 + }, + { + "caption": "A11Even", + "likes": 136498, + "commentsCount": 1643 + }, + { + "caption": "Gotta Happen, idc what anyone says. BLACK KINGS BUILT THE LEAGUE", + "likes": 1364991, + "commentsCount": 31456 + }, + { + "caption": "Kai.", + "likes": 263967, + "commentsCount": 6041 + }, + { + "caption": "Spread the word please Kings and Queens", + "likes": 60809, + "commentsCount": 1419 + } + ] + }, + { + "fullname": "Odell Beckham Jr", + "biography": "I am who I am. #TakeControl", + "followers_count": 14393468, + "follows_count": 1188, + "website": "", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "obj", + "role": "influencer", + "latestMedia": [ + { + "caption": "Aint much to be said tht could affect me at the moment .", + "likes": 458066, + "commentsCount": 1735 + }, + { + "caption": "n it stillll aint near enough", + "likes": 223509, + "commentsCount": 1458 + }, + { + "caption": "I dont let my past haunt mei stopped lookin in my rearview.", + "likes": 453935, + "commentsCount": 1650 + }, + { + "caption": "Truth is, its all on youthe work you put into it and whose opinions you decide to listen to", + "likes": 72688, + "commentsCount": 422 + }, + { + "caption": "Been thru so much Shxt adversity became the new normal.", + "likes": 761335, + "commentsCount": 2326 + }, + { + "caption": "I feel like we come to a place in our life where no matter what we been thru, deep down inside we kno everythings gon be aittttee! So laugh at the bad times, live in the moment, and kno that everything truly happens for a reason!", + "likes": 460240, + "commentsCount": 1388 + }, + { + "caption": "Forever Twin! I love you Happy Fathers Day", + "likes": 174660, + "commentsCount": 439 + }, + { + "caption": "", + "likes": 187305, + "commentsCount": 1575 + }, + { + "caption": "When ur energys right, everything else falls into place", + "likes": 493464, + "commentsCount": 2183 + }, + { + "caption": "", + "likes": 151253, + "commentsCount": 1675 + }, + { + "caption": "", + "likes": 153692, + "commentsCount": 1252 + }, + { + "caption": "If I quit now then im dead wrong....", + "likes": 736547, + "commentsCount": 3352 + } + ] + }, + { + "fullname": "Noah Beck", + "biography": "noah@talentxent.com do what makes you happy<3 triller, tiktok, twitter - noahbeck SUB TO THE YT CHANNEL", + "followers_count": 7992490, + "follows_count": 706, + "website": "https://m.youtube.com/c/NoahBeck", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "noahbeck", + "role": "influencer", + "latestMedia": [ + { + "caption": "art and chocolate milk? a yes from me", + "likes": 832067, + "commentsCount": 976 + }, + { + "caption": "i said ", + "likes": 808388, + "commentsCount": 1870 + }, + { + "caption": "happy national girlfriend day bub<3", + "likes": 1824043, + "commentsCount": 3198 + }, + { + "caption": "swipe for some state fair content", + "likes": 1080607, + "commentsCount": 1961 + }, + { + "caption": "later that day :)", + "likes": 769269, + "commentsCount": 1487 + }, + { + "caption": "im fully convinced i was born in the wrong country", + "likes": 1068130, + "commentsCount": 2410 + }, + { + "caption": "captions are hard.. but these photos are harder #quirky", + "likes": 842613, + "commentsCount": 1071 + }, + { + "caption": "certified lover boy", + "likes": 919220, + "commentsCount": 2576 + }, + { + "caption": "lets travel the world together", + "likes": 663742, + "commentsCount": 1770 + }, + { + "caption": "selfies", + "likes": 728059, + "commentsCount": 1675 + }, + { + "caption": "not a minute goes by where im not thinking of you..", + "likes": 804274, + "commentsCount": 1918 + }, + { + "caption": "missing it", + "likes": 829566, + "commentsCount": 1808 + } + ] + }, + { + "fullname": "NBA", + "biography": "#ThatsGame #NBASummer", + "followers_count": 58485306, + "follows_count": 1021, + "website": "http://nbaevents.com/", + "profileCategory": 2, + "specialisation": "Sports League", + "location": "", + "username": "nba", + "role": "influencer", + "latestMedia": [ + { + "caption": "The U.S. Men capture a fourth consecutive Olympic gold medal at #Tokyo2020! @usabasketball x #USABMNT x #GoldHabits", + "likes": 354114, + "commentsCount": 1215 + }, + { + "caption": "Led by @easymoneysnipers 29, @usabasketball defeats @equipedefrancebasket 87-82 for ! #Tokyo2020 #Basketball", + "likes": 324970, + "commentsCount": 1275 + }, + { + "caption": "The Salt Lake City Summer League wraps up with wins for the @memgrizz & the @utahjazz white squad!", + "likes": 108694, + "commentsCount": 248 + }, + { + "caption": "Denied!! @memgrizz ESPNU", + "likes": 300298, + "commentsCount": 1177 + }, + { + "caption": "@josh.primoo steps back to beat the buzzer! #NBARooks @spurs ESPNU", + "likes": 106522, + "commentsCount": 428 + }, + { + "caption": " @usabasketball & @equipedefrancebasket meet in the 2020 #Tokyo2020 Mens #Basketball Finals for 10:30pm/et TONIGHT!", + "likes": 328241, + "commentsCount": 759 + }, + { + "caption": "As part of its one-year anniversary, the @NBAFoundation announced 22 new grants totaling $6 million today to help create employment opportunities, further career advancement and drive greater economic empowerment for Black youth. Visit nbafoundation.com to learn more!", + "likes": 61440, + "commentsCount": 225 + }, + { + "caption": "The Salt Lake City Summer League wraps up tonight on ESPNU!", + "likes": 86522, + "commentsCount": 429 + }, + { + "caption": " A goal set & achieved @giannis_an34, 2019 #ThatsGame", + "likes": 85260, + "commentsCount": 436 + }, + { + "caption": " The Antetokounbros @giannis_an34, 2019 #ThatsGame", + "likes": 358133, + "commentsCount": 898 + }, + { + "caption": " Your parents see the future for you @giannis_an34, 2019 #ThatsGame", + "likes": 134641, + "commentsCount": 472 + }, + { + "caption": "Today marks 75 days until the NBA's 75th anniversary celebratory season. #NBA75", + "likes": 98349, + "commentsCount": 464 + } + ] + }, + { + "fullname": "Karim Benzema", + "biography": "contact@benzema-karim.com", + "followers_count": 41009844, + "follows_count": 163, + "website": "", + "profileCategory": 2, + "specialisation": "Athlete", + "location": "", + "username": "karimbenzema", + "role": "influencer", + "latestMedia": [ + { + "caption": "Il ny a pas de hasard... ", + "likes": 466017, + "commentsCount": 3252 + }, + { + "caption": "Back at home Vamonos #HalaMadrid #Nueve @realmadrid", + "likes": 502176, + "commentsCount": 1449 + }, + { + "caption": "Je nai quune chose dire... ", + "likes": 690391, + "commentsCount": 3440 + }, + { + "caption": "On verra bien... #nueve #charbon ", + "likes": 933516, + "commentsCount": 3882 + }, + { + "caption": "Mon frrot, que dire de plus part que tu es une lgende ici. Tu vas me manquer je te souhaite le meilleur dans ton nouveau challenge avec tout le bonheur. Tu mrites tout ce que tu as accompli et je te souhaite encore plus @raphaelvarane", + "likes": 1174018, + "commentsCount": 2774 + }, + { + "caption": "Al hamdulillah ", + "likes": 1002449, + "commentsCount": 7103 + }, + { + "caption": " always focus #Nueve", + "likes": 442063, + "commentsCount": 1833 + }, + { + "caption": "Eid mubarak taqabal allah mina wa minkoum #alhamdulillah ", + "likes": 2392643, + "commentsCount": 27566 + }, + { + "caption": "Roll with me.. #Nueve", + "likes": 527200, + "commentsCount": 1774 + }, + { + "caption": "Nueve", + "likes": 627519, + "commentsCount": 2247 + }, + { + "caption": "Work in progress.. #nueve", + "likes": 809470, + "commentsCount": 2733 + }, + { + "caption": "Dad and son #familyovereverything", + "likes": 861974, + "commentsCount": 3156 + } + ] + }, + { + "fullname": "Serena Williams", + "biography": "Im Olympias mom. @serena ships WORLDWIDE. @serenawilliamsjewelry", + "followers_count": 13503615, + "follows_count": 95, + "website": "https://serenawilliamsjewelry.com/pages/unstoppable-brilliance", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "serenawilliams", + "role": "influencer", + "latestMedia": [ + { + "caption": "Im loving our new @serenawilliamsjewelry Unstoppable Brilliance necklace in white! Unstoppable is engraved on one side, diamonds and color are on the other so you can be sparkly AND inspiring. Link in bio for more", + "likes": 172896, + "commentsCount": 1868 + }, + { + "caption": "New @serena collection out now. The Xena Be Strong leggings are just the beginning.... by @stuartweitzman", + "likes": 255220, + "commentsCount": 2438 + }, + { + "caption": "Weve made many strides in womens sports, but theres still more work to do. Im proud to join @SecretDeodorant and @womenssportsfoundation in their mission to encourage women athletes to play the sports they love #WatchMe #secretdeopartner", + "likes": 29025, + "commentsCount": 304 + }, + { + "caption": "Monday mood", + "likes": 201222, + "commentsCount": 1942 + }, + { + "caption": "Reading is more fun when your bookshelf is a secret door (Its not a secret that I love our @vstarrdesign and @hakwood flooring that adds the perfect amount of warmth) Photos by @ryanloco", + "likes": 70823, + "commentsCount": 486 + }, + { + "caption": "", + "likes": 651357, + "commentsCount": 34023 + }, + { + "caption": "Zoom in... zoom out", + "likes": 237361, + "commentsCount": 2796 + }, + { + "caption": "Summer blues", + "likes": 353293, + "commentsCount": 3089 + }, + { + "caption": "*finishes last meeting of the week* ", + "likes": 224276, + "commentsCount": 2145 + } + ] + }, + { + "fullname": "Sergio Leonel Agu\u0308ero", + "biography": "Argentino. Jugador del FC Barcelona.", + "followers_count": 19237674, + "follows_count": 206, + "website": "https://twitch.tv/slakun10", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "kunaguero", + "role": "influencer", + "latestMedia": [ + { + "caption": "", + "likes": 1905551, + "commentsCount": 7792 + }, + { + "caption": "", + "likes": 615556, + "commentsCount": 2375 + }, + { + "caption": "@soficalzetti ", + "likes": 1041109, + "commentsCount": 1801 + }, + { + "caption": "", + "likes": 1290680, + "commentsCount": 3917 + }, + { + "caption": "", + "likes": 2789274, + "commentsCount": 10648 + }, + { + "caption": "Y un da se nos dio ", + "likes": 5034172, + "commentsCount": 42300 + }, + { + "caption": "", + "likes": 953570, + "commentsCount": 3589 + }, + { + "caption": "Orgulloso por los 100 partidos con la seleccin ", + "likes": 1866810, + "commentsCount": 5609 + }, + { + "caption": "", + "likes": 786025, + "commentsCount": 3414 + }, + { + "caption": "", + "likes": 1740550, + "commentsCount": 6826 + }, + { + "caption": "#copaamerica ", + "likes": 951574, + "commentsCount": 3572 + }, + { + "caption": "", + "likes": 1521462, + "commentsCount": 6008 + }, + { + "caption": "Con el compromiso y la pasin de siempre, ahora #Bara Visca el Bara!!", + "likes": 4160858, + "commentsCount": 42135 + }, + { + "caption": "Orgulloso del equipo y de haber vestido tantos aos esta camiseta. Manchester City siempre en mi corazn ", + "likes": 2859792, + "commentsCount": 15808 + }, + { + "caption": "", + "likes": 590278, + "commentsCount": 4497 + }, + { + "caption": "Eternamente Gracias Manchester City ", + "likes": 2686233, + "commentsCount": 15039 + }, + { + "caption": "Gracias @mancity", + "likes": 2687552, + "commentsCount": 15104 + }, + { + "caption": "Campeones ! Orgulloso de este equipo! Five #PremierLeague with #ManCity ", + "likes": 851774, + "commentsCount": 5063 + }, + { + "caption": "Gracias pa ", + "likes": 3114411, + "commentsCount": 26273 + }, + { + "caption": "A la final #UCL", + "likes": 908260, + "commentsCount": 5233 + }, + { + "caption": "Were ready for the champions League ", + "likes": 751711, + "commentsCount": 6964 + }, + { + "caption": "Campeones! #CarabaoCup ", + "likes": 923182, + "commentsCount": 4597 + } + ] + }, + { + "fullname": "Chris Paul", + "biography": ": @chrispaulfamfdn : @ohhdip", + "followers_count": 10569378, + "follows_count": 954, + "website": "http://hoo.be/cp3/", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "cp3", + "role": "influencer", + "latestMedia": [ + { + "caption": "Run it back ", + "likes": 452541, + "commentsCount": 3647 + }, + { + "caption": "Thank you to Phoenix and all the fans on a great season!! Back to work #CantGiveUpNow", + "likes": 591297, + "commentsCount": 4674 + }, + { + "caption": "4 More Papa!! #WesternConferenceChamps #CantGiveUpNow #61", + "likes": 636680, + "commentsCount": 10758 + }, + { + "caption": "Cant Give Up Now.", + "likes": 642280, + "commentsCount": 7883 + }, + { + "caption": "THE FANS......SHEEEEEEEEEEESH!! #CantGiveUpNow", + "likes": 524487, + "commentsCount": 3720 + }, + { + "caption": "BIG MOOD!!! #CantGiveUpNow", + "likes": 281075, + "commentsCount": 1744 + }, + { + "caption": "May.24.2009...2:41am...HBD Son!! @littlechrisp ", + "likes": 135381, + "commentsCount": 767 + }, + { + "caption": "Ready to go #CantGiveUpNow", + "likes": 182897, + "commentsCount": 1594 + }, + { + "caption": "#ad I think I took \"ball is life\" too literally @statefarm @sabrina_i", + "likes": 29210, + "commentsCount": 206 + }, + { + "caption": "#RallytheValley @phoenixmercury @skydigg4", + "likes": 84994, + "commentsCount": 451 + }, + { + "caption": "", + "likes": 236557, + "commentsCount": 974 + }, + { + "caption": "#2 #Mambacita ", + "likes": 139705, + "commentsCount": 443 + } + ] + }, + { + "fullname": "NFL", + "biography": ": @nflnetwork : @thecheckdown : @nflthrowback : @nflfilms : @nflfantasy : @officialnflshop : @nflinthecommunity : @inspirechange", + "followers_count": 21102114, + "follows_count": 1872, + "website": "http://nfl.com/", + "profileCategory": 2, + "specialisation": "", + "location": "New York, New York", + "username": "nfl", + "role": "influencer", + "latestMedia": [ + { + "caption": "Good as gold : @ProFootballHOF Enshrinement -- Sat & Sun on @nflnetwork : @doster/NFL", + "likes": 171833, + "commentsCount": 580 + }, + { + "caption": "Gold jacket gauntlet: Current HOFers line up to welcome the new classes at tonight's Gold Jacket Ceremony. : @ProFootballHOF Enshrinement -- Sat & Sun on @nflnetwork : @doster/NFL", + "likes": 67176, + "commentsCount": 201 + }, + { + "caption": "\"I've never seen a tight end do everything that well.\" Where do you think @gkittle will rank in the #NFLTop100? : #NFLTop100 premieres August 15th on @nflnetwork : Terrell Lloyd/AP", + "likes": 52561, + "commentsCount": 436 + }, + { + "caption": "@drewbrees gave @jaboowins some parting advice (via @espn)", + "likes": 277062, + "commentsCount": 1996 + }, + { + "caption": "You can tell Peyton's son appreciates the company he's in. : @ProFootballHOF Enshrinement -- Sat & Sun on @nflnetwork", + "likes": 79266, + "commentsCount": 358 + }, + { + "caption": "Does @edreedhof20 have the best HOF bust of all time? : @profootballhof Enshrinement Sat & Sun on @nflnetwork", + "likes": 358476, + "commentsCount": 1550 + }, + { + "caption": "Almost gold jacket time for John Lynch (via @nflthrowback) : @profootballhof Class of 2021 Enshrinement -- Sunday on @nflnetwork", + "likes": 69010, + "commentsCount": 367 + }, + { + "caption": "Mental health is simply health. @simonebiles @jowens_3 (via @espn)", + "likes": 138918, + "commentsCount": 1013 + }, + { + "caption": "@tombrady will believe it when he sees it. (h/t @brgridiron) : @profootballhof Class of 2021 Enshrinement -- Sunday at 7pm ET on @nflnetwork", + "likes": 188695, + "commentsCount": 872 + }, + { + "caption": "The Class of 2020 and 2021 with their fellow Hall of Famers. A legendary group. : @profootballhof Enshrinement -- Sat & Sun on @nflnetwork : @doster/NFL", + "likes": 59132, + "commentsCount": 121 + }, + { + "caption": "Gotta compete against the best to get better. (via @chargers)", + "likes": 66262, + "commentsCount": 439 + }, + { + "caption": "@patrickmahomes and @cheetah. Best friends. (via @chiefs)", + "likes": 107075, + "commentsCount": 410 + } + ] + }, + { + "fullname": "Anthony Davis", + "biography": "From Chicago. Nat'l Champion. #BBN. Do you wanna be GOOD or do you wanna be GREAT? @nikemeanstreets R.I.P BDJ TWITCH: AntDavis3", + "followers_count": 6931289, + "follows_count": 675, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "antdavis23", + "role": "influencer", + "latestMedia": [ + { + "caption": "Cheers to the guys for making it to the semis-finals. Wishing them luck in the next game! Lets bring it home! #JoyWins #TeamULTRA", + "likes": 367349, + "commentsCount": 1450 + }, + { + "caption": "Whats up doc my star at the Space Jam Premiere!", + "likes": 407507, + "commentsCount": 1258 + }, + { + "caption": "Welcome to the Jam!! @spacejammovie", + "likes": 327823, + "commentsCount": 1308 + }, + { + "caption": "Happy Fathers Day to the OG!", + "likes": 495948, + "commentsCount": 1126 + }, + { + "caption": "Bringing THE BROW to the big screen in Space Jam: A New Legacy! In theaters and streaming on HBO Max July 16. #SpaceJamMovie", + "likes": 363769, + "commentsCount": 2852 + }, + { + "caption": "Happy Mothers Day to these Queens!! Love yall!! ", + "likes": 364554, + "commentsCount": 666 + }, + { + "caption": "", + "likes": 385519, + "commentsCount": 1620 + }, + { + "caption": "Hanging with @kingbach eating @ruffles when we realized #OwnYourRidges #Ad", + "likes": 226611, + "commentsCount": 1949 + }, + { + "caption": "Still dont believe it!!! Miss you brotha!!! #RIPBean #RIPGiGi #MambaForever", + "likes": 490538, + "commentsCount": 2152 + }, + { + "caption": "Working with @michelobultra and they asked me Are you happy because you win? Or do you win because youre happy? What you do you think? #JoyWins", + "likes": 77157, + "commentsCount": 377 + }, + { + "caption": "", + "likes": 458347, + "commentsCount": 2252 + }, + { + "caption": "", + "likes": 602897, + "commentsCount": 2164 + } + ] + }, + { + "fullname": "Antoine Griezmann", + "biography": "Champion du monde et parrain de lassociation @unriencesttout.", + "followers_count": 33990888, + "follows_count": 76, + "website": "http://www.by-and-for.com/", + "profileCategory": 2, + "specialisation": "", + "location": "Barcelona, Spain", + "username": "antogriezmann", + "role": "influencer", + "latestMedia": [ + { + "caption": "Lo unico que puedo decirte y que cada amante del futbol lo pensar: GRACIAS ! Gracias por todo lo que has hecho en el Barcelona! Por la ciudad, por el club lo has cambiado todo! Estoy seguro que no es un adios sino un hasta luego y que tu camino se volvera a cruzar con el FC Barcelona. Te deseo lo mejor, que seais felices t y tu familia donde vayis. Muy pocos saben lo que es ser Messi y fuiste un ejemplo para mi en todos los sentidos.", + "likes": 2117642, + "commentsCount": 15050 + }, + { + "caption": "La famille Griezmann fond derrire les franaises et les franais pendant les #JeuxOlympiquesde #Tokyo2020. Allez la France ", + "likes": 464935, + "commentsCount": 1535 + }, + { + "caption": "We call that Faster Football ULTRA: a new world of speed @pumafootball", + "likes": 1293497, + "commentsCount": 8503 + }, + { + "caption": "Difficile de passer autre chose aprs cette dfaite ! Sortir vainqueur de cette comptition tait un rve, un objectif pour nous. Nous allons apprendre de nos erreurs et revenir plus fort. Je tiens vous remercier vous les franais prsents dans les stades, devant vos crans en famille ou entre ami(e)s. Et un grand merci tous nos supporters qui portaient firement nos couleurs les jours de match Fier dtre franais ", + "likes": 946635, + "commentsCount": 18476 + }, + { + "caption": "Kuuuuuurt ! ", + "likes": 630083, + "commentsCount": 2530 + }, + { + "caption": " E N S E M B L E ", + "likes": 612159, + "commentsCount": 2099 + }, + { + "caption": "Y'a les dribbles, les crochets, les buts, les blessures mais surtout il y a l'homme ! Encore un obstacle franchir sur ton chemin mais tu vas revenir plus fort physiquement et mentalement ! Je suis triste de te voir partir de cet euro, mais sache que tu seras sur le terrain avec nous ", + "likes": 1025855, + "commentsCount": 3448 + }, + { + "caption": "", + "likes": 824043, + "commentsCount": 2839 + }, + { + "caption": "Un match difficile mais on prend un point important. Laventure continue. ", + "likes": 510539, + "commentsCount": 2004 + }, + { + "caption": "", + "likes": 588670, + "commentsCount": 2093 + }, + { + "caption": "", + "likes": 731035, + "commentsCount": 2006 + }, + { + "caption": "Une victoire dquipe ! ", + "likes": 637149, + "commentsCount": 2396 + } + ] + }, + { + "fullname": "433", + "biography": "The Home of Football Get featured!", + "followers_count": 39929508, + "follows_count": 2124, + "website": "http://submit.by433.com/", + "profileCategory": 2, + "specialisation": "Community", + "location": "", + "username": "433", + "role": "influencer", + "latestMedia": [] + }, + { + "fullname": "Luka Doncic", + "biography": "#77", + "followers_count": 6053531, + "follows_count": 608, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "lukadoncic", + "role": "influencer", + "latestMedia": [ + { + "caption": "#TEAM ", + "likes": 680282, + "commentsCount": 5080 + }, + { + "caption": "Top 4 in the world, a country of 2M people! What a feeling! #mislovenci", + "likes": 934287, + "commentsCount": 3511 + }, + { + "caption": "What a team #mislovenci", + "likes": 758551, + "commentsCount": 2504 + }, + { + "caption": "", + "likes": 477207, + "commentsCount": 1274 + }, + { + "caption": "Second win! #mislovenci", + "likes": 543301, + "commentsCount": 1471 + }, + { + "caption": "First one #mislovenci #tokyo2020olympics", + "likes": 861788, + "commentsCount": 4190 + }, + { + "caption": " #olympics", + "likes": 575026, + "commentsCount": 1323 + }, + { + "caption": "Huge honor to be on the cover of #NBA2K22. Thanks @NBA2K!", + "likes": 1084906, + "commentsCount": 8861 + }, + { + "caption": "No words needed! What a team #mislovenci", + "likes": 656193, + "commentsCount": 2298 + }, + { + "caption": "#mislovenci #1more", + "likes": 365088, + "commentsCount": 771 + }, + { + "caption": "Second one! #mislovenci", + "likes": 293309, + "commentsCount": 675 + }, + { + "caption": "First one", + "likes": 437007, + "commentsCount": 774 + } + ] + }, + { + "fullname": "Bleacher Report", + "biography": "> @brfootball > @brkicks > @brgaming > @br_hoops > @br_betting > @brgridiron > @brwalkoff > @brwrestling", + "followers_count": 16186444, + "follows_count": 624, + "website": "https://youtu.be/uf-cpw_LimU", + "profileCategory": 2, + "specialisation": "", + "location": "San Francisco, California", + "username": "bleacherreport", + "role": "influencer", + "latestMedia": [ + { + "caption": "KD came up CLUTCH when it mattered ", + "likes": 289078, + "commentsCount": 1160 + }, + { + "caption": "TEAM USA IS HEADING HOME WITH THE GOLD MEDAL ", + "likes": 437557, + "commentsCount": 2844 + }, + { + "caption": "The Raptors plan to retire Kyle Lowry's No. 7 jersey after he retires, per @jaredweissnba Lowry would be thefirst Raptor to see his jersey hung in the rafters ", + "likes": 429070, + "commentsCount": 3549 + }, + { + "caption": "Five-star recruit Jalen Duren announces he is committing to Memphis@brhoops @iam1cent lands another top-tier talent", + "likes": 108729, + "commentsCount": 391 + }, + { + "caption": "Sweatpants, glasses and juice @christenpress takes us with her on a shopping trip for her favorite stuff @wellsfargo Active Cash Credit Card.", + "likes": 7721, + "commentsCount": 112 + }, + { + "caption": "@simonebiles' neighborhood gave her a warm welcome back after competing at the #tokyoolympics @highlighther (via @lais.medeirosss)", + "likes": 122875, + "commentsCount": 1781 + }, + { + "caption": "So having an opportunity to get outside take in the scenery around you, its priceless. Carlos Boozer tells us how he unwinds with Cutwater Spirits ", + "likes": 10789, + "commentsCount": 161 + }, + { + "caption": "Theres no place like home @dwighthoward", + "likes": 253079, + "commentsCount": 1213 + }, + { + "caption": "We just want to go out with a bang. Its the last game for The Academy before the summer break, giving players one final chance to impress in a big game against MLS competition. [From B/R Football x @@audi] #GoalsDriveProgress", + "likes": 7183, + "commentsCount": 52 + }, + { + "caption": "Kevin Durant is staying with the Nets (via @wojespn)", + "likes": 186703, + "commentsCount": 1002 + }, + { + "caption": "Kawhi is returning to the Clippers, per @chrisbhaynesnba", + "likes": 182571, + "commentsCount": 1205 + }, + { + "caption": "Lionel Messi chooses PSG PSG are trying to close the deal over the weekend, reports @mohamedbouhafsi @brfootball", + "likes": 433547, + "commentsCount": 3376 + } + ] + }, + { + "fullname": "zidane", + "biography": "", + "followers_count": 29117156, + "follows_count": 31, + "website": "", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "zidane", + "role": "influencer", + "latestMedia": [ + { + "caption": "Passement de jambe ! ", + "likes": 474782, + "commentsCount": 3913 + }, + { + "caption": "Holidays21 .", + "likes": 1080800, + "commentsCount": 7753 + }, + { + "caption": "Marseille comme on laime ", + "likes": 1335676, + "commentsCount": 8584 + }, + { + "caption": "LEYENDA. Fue un gran placer y honor tenerte como compaero y jugador ! Un gran Capitn para la historia ! Muchas gracias por todo.", + "likes": 1834634, + "commentsCount": 10437 + }, + { + "caption": "Allez les Bleus !", + "likes": 628127, + "commentsCount": 4550 + }, + { + "caption": "Fier de toi mon Enzinio ", + "likes": 341043, + "commentsCount": 1626 + }, + { + "caption": "Dj 1 mois 1/2 que tu fais partie de la Famille ", + "likes": 1488920, + "commentsCount": 12152 + }, + { + "caption": "Joyeux anniversaire mon Tho ", + "likes": 1008921, + "commentsCount": 14895 + }, + { + "caption": "Joyeux Anniversaire mon Fils ", + "likes": 738943, + "commentsCount": 5405 + } + ] + }, + { + "fullname": "Damian Lillard", + "biography": "Dame D.O.L.L.A. #YKWTII ", + "followers_count": 9239382, + "follows_count": 2572, + "website": "https://linktr.ee/DamianLillard", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "damianlillard", + "role": "influencer", + "latestMedia": [ + { + "caption": "Each Friday through October, Ill be digging into the stories of the best MCs in my #4BarFriday community. Heres part 2 of @iamgallolocknezs story. Follow @4barfriday to be a part of the movement.", + "likes": 9148, + "commentsCount": 78 + }, + { + "caption": "The video for The Juice (feat. @msjanehandcock) is out now. A real movie! Hit the link in my bio to watch it now. Shoutout to my man @khalilkain for coming out to the west coast to help me make this visual happen. Director: @keonimars Creative: @brookfieldduece #DameDOLLA #FrontPageMusic", + "likes": 63698, + "commentsCount": 945 + }, + { + "caption": "D.O.L.L.A. $ The pre-order/pre-save for my 4th album Different On Levels The Lord Allowed drops tonight at 9 PT/Midnight ET with the first single The Juice. Full album drops August 20th. Cant wait for yall to hear this full project and see the videos I have coming. Its really about my mentality and how I got to this place in my life. Cover : @grandnationxl #DameDOLLA #FrontPageMusic @frontpagehits", + "likes": 197061, + "commentsCount": 1068 + }, + { + "caption": "1 more.", + "likes": 573015, + "commentsCount": 2271 + }, + { + "caption": "Love and miss you cuzzo! Happy Bday and may you continue to Rest In Peace! @villboifree ", + "likes": 187197, + "commentsCount": 681 + }, + { + "caption": "When I started #4BarFriday in 2013, I always wanted to create a series highlighting all the best MCs in the community. Every Friday through October 2021, Ill be dropping episodes highlighting the stories of the best MCs in my #4BarFriday community. Next up is Bronx, NYs own @iamgallolocknez. Part 2 of @iamgallolocknezs story drops next Friday. Follow @4barfriday to be a part of the movement.", + "likes": 16554, + "commentsCount": 168 + }, + { + "caption": "Jumped on @oldmanebros @applemusic Radio show. Hit the link in my bio to listen to the full interview. #AppleMusic1 #DameDOLLA", + "likes": 50258, + "commentsCount": 459 + }, + { + "caption": "You dont learn life lessons in school the ghetto teach you you choose not to learn them lessons then the ghetto eat you you silly rabbit you moving too fast the turtle beat you guess thats what happens when you underestimating people you see through ! They say in the ghetto nothing grows but sometimes you come across a rose!", + "likes": 632239, + "commentsCount": 5877 + }, + { + "caption": "", + "likes": 767237, + "commentsCount": 2609 + }, + { + "caption": "Each Friday through October, Ill be digging into the stories of the best MCs in my #4BarFriday community. Heres part 2 of @patentpendins story. Follow @4barfriday to be a part of the movement.", + "likes": 15878, + "commentsCount": 80 + }, + { + "caption": "D.O.L.L.A.", + "likes": 677835, + "commentsCount": 5449 + }, + { + "caption": "If youre in Utah or not lets sell out the Dee Events Center for this @weberstatembb alumni classic! #WeAreWeber #ShareWithAFriend", + "likes": 59700, + "commentsCount": 409 + } + ] + }, + { + "fullname": "Gareth Bale", + "biography": "Footballer for @realmadrid and @fawales Twitter: @GarethBale11", + "followers_count": 44362833, + "follows_count": 87, + "website": "http://et.golf/cazooopentickets/", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "garethbale11", + "role": "influencer", + "latestMedia": [ + { + "caption": "So happy to have welcomed a new baby boy into the world. Xander Frank Bale 07.07.21 ", + "likes": 628233, + "commentsCount": 4797 + }, + { + "caption": "Proud to be supporting the @cazooopen this July Looking forward to welcoming the fans to Celtic Manor! Limited tickets available now. Link in bio!", + "likes": 118723, + "commentsCount": 965 + }, + { + "caption": "Tough one to take on Saturday. Unfortunately we just fell short but Im proud of all of the boys and the effort everyone has put in over the last few weeks. Thank you so much for your support. Well be back and well do everything we can to make the nation proud #TogetherStronger", + "likes": 420740, + "commentsCount": 1324 + }, + { + "caption": "All set for tomorrows challenge. Lets go! @fawales", + "likes": 400129, + "commentsCount": 1672 + }, + { + "caption": "Last 16! Proud of the boys! Difficult game today but the lads gave it everything. We look forward #togetherstronger @fawales", + "likes": 425865, + "commentsCount": 914 + }, + { + "caption": " Rome", + "likes": 307154, + "commentsCount": 837 + }, + { + "caption": "What a performance! Unreal boys #TogetherStronger", + "likes": 923759, + "commentsCount": 4692 + }, + { + "caption": "Ready for tomorrow! #EURO2020 @fawales", + "likes": 266956, + "commentsCount": 1224 + }, + { + "caption": "Press against online hate. Share with your followers and help build our team. #HopeUnited", + "likes": 81739, + "commentsCount": 277 + }, + { + "caption": "", + "likes": 290928, + "commentsCount": 1112 + }, + { + "caption": "Baku here we come! #EURO2020 @fawales", + "likes": 244647, + "commentsCount": 1115 + }, + { + "caption": "Final prep! Great to have the red wall back @fawales", + "likes": 254506, + "commentsCount": 717 + } + ] + }, + { + "fullname": "Lonzo Ball", + "biography": " 10/27/97 #B2B 2...21 RIP Nnam", + "followers_count": 10503891, + "follows_count": 671, + "website": "http://airbnb.com/Olympics", + "profileCategory": 2, + "specialisation": "Personal Blog", + "location": "", + "username": "zo", + "role": "influencer", + "latestMedia": [ + { + "caption": "Met some real ones along the way The journey continues #Blessed ", + "likes": 265192, + "commentsCount": 1020 + }, + { + "caption": "Life is good ", + "likes": 260804, + "commentsCount": 1719 + }, + { + "caption": "Never loved someone like my lil mama, turned a boy to man a man to a father Happy Birthday lil Z O I love you more than you can understand #3", + "likes": 274336, + "commentsCount": 946 + }, + { + "caption": " Ever since I was a young hooper, Ive looked up to the basketball greats that came before me. And you cant say greats without mentioning the 92 US Mens Olympic Basketball Team.Three of the teams all-stars - Scottie Pippen, Larry Bird and Patrick Ewing - are hosting @airbnb Online Experiences on @airbnb where theyll be talking about what it was like competing on the legendary team. Plus Scottie is giving fans the once-in-lifetime opportunity to watch the Olympics while stay at his Chicago home. Check out the link in bio for your chance to peek at history and celebrate the OG team. #AirbnbPartner", + "likes": 140118, + "commentsCount": 490 + }, + { + "caption": "Yall know the drill Happy FridayPressure OUT NOW", + "likes": 69024, + "commentsCount": 382 + }, + { + "caption": "Had a dope time @klutchsports Pro Day earlier this week. Checked out the future generation on the court and heard about the future of digital currency from @coinclouddcm CMO#digitalcurrency #ad", + "likes": 168292, + "commentsCount": 489 + }, + { + "caption": "Since a kid I knew I always had it ", + "likes": 322093, + "commentsCount": 3383 + }, + { + "caption": "Vibe wit me The Way OUT NOW ", + "likes": 40783, + "commentsCount": 365 + }, + { + "caption": "Tomorrows Friday #TheWay ", + "likes": 34064, + "commentsCount": 198 + }, + { + "caption": "Biggest baddest compared to all the ", + "likes": 309208, + "commentsCount": 2769 + }, + { + "caption": "Energy always up @c4energy", + "likes": 51023, + "commentsCount": 208 + }, + { + "caption": "We live First drop of the summer Might drop every Friday til I sign jus bc I can #MyTown", + "likes": 64562, + "commentsCount": 566 + } + ] + }, + { + "fullname": "Trae Young", + "biography": "Point Guard For The Atlanta Hawks", + "followers_count": 3682395, + "follows_count": 115, + "website": "", + "profileCategory": 2, + "specialisation": "Athlete", + "location": "", + "username": "traeyoung", + "role": "influencer", + "latestMedia": [ + { + "caption": "Official. 5 More ATL !! ATLANTA IS HOME Blessings", + "likes": 208278, + "commentsCount": 952 + }, + { + "caption": "", + "likes": 188700, + "commentsCount": 596 + }, + { + "caption": "I used to always see my favorite NBA players heading into the arena rocking something nice on their wrist. Thats what got me collecting watches on @eBay as a kid. Now that Im in the league that collection just keeps growing. @ebaywatches", + "likes": 15065, + "commentsCount": 57 + }, + { + "caption": " ATL , We Move ", + "likes": 317174, + "commentsCount": 1607 + }, + { + "caption": "You Gotta Love The Grind !! Back to it", + "likes": 113209, + "commentsCount": 382 + }, + { + "caption": "Today I want to shout out a place I have been going to since I was a kid@beanstalkcoffeesno in Norman, Oklahoma. They are locally owned and operated. They have the absolute best Sno Cones and you know I like them icy! Make sure to go check out Beanstalk Coffee and Sno and tell them I sent you! Shout out some of your favorite small businesses and be like QuickBooks and help some small businesses. #backsmallbiz #ad", + "likes": 31035, + "commentsCount": 157 + }, + { + "caption": "As we get back to doing the things we love, we should all take a moment to do what QuickBooks does daily and help small businesses. For all the pet lovers, check out @dogdaysatlanta. With two locations in Buckhead and Midtown, Dog Days of Atlanta will be there to take care of your dog's every need! My dogs Lanta and Normi stay there when I am out of town and they love it. Let me know some of your favorite small businesses and with QuickBooks, I will share more of my favorites. #backsmallbiz #ad", + "likes": 31308, + "commentsCount": 156 + }, + { + "caption": "Im proud to partner with @krogerhealth to help drive awareness and access to the COVID-19 vaccine within Americas underserved communities. I want to use my platform and let my community know that getting the right information and understanding where to go is important. @krogerco has your back when it comes to the vaccine, and can give you all the info you need to make your decision. Getting us all back to normal starts with getting vaccinated!", + "likes": 22369, + "commentsCount": 199 + }, + { + "caption": "What a night Oklahoma.! Yall showed out!!! Love ..last pic just funny! @rjfuqua", + "likes": 240717, + "commentsCount": 753 + }, + { + "caption": "When you talk that , just know you gotta back it up with me..! THIS FOR THE CITY", + "likes": 816890, + "commentsCount": 7186 + }, + { + "caption": "", + "likes": 140020, + "commentsCount": 334 + } + ] + }, + { + "fullname": "Alex Morgan", + "biography": "@uswnt // @orlpride", + "followers_count": 9412841, + "follows_count": 528, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "Los Angeles, California", + "username": "alexmorgan13", + "role": "influencer", + "latestMedia": [ + { + "caption": "TOKYO OLYMPICS 2020//2021", + "likes": 110267, + "commentsCount": 404 + }, + { + "caption": "Started our journey together on the team circa 2009 and still going strong. 2020 Olympic medalists baby! ", + "likes": 217356, + "commentsCount": 625 + }, + { + "caption": "I'm incredibly honored to have represented USA in the 2021 Tokyo Olympics and grateful for the opportunity to compete for a medal today. 39 days later with this squad and still going strong, now let's finish the damn thing!!!", + "likes": 196217, + "commentsCount": 578 + }, + { + "caption": "Where dreams turn into reality. Big day, for all of us. USAvCAN Olympic Semi Final 4amET on @usa_network", + "likes": 313930, + "commentsCount": 1060 + }, + { + "caption": "A strong body deserves a strong mind. Train both your body and mind, empowering you to be what you want. Thank you for supporting my journey, both on and off the field. #BeWhatYouWant #TrainBodyandMind", + "likes": 91199, + "commentsCount": 237 + }, + { + "caption": "It's that time. #USAvNED", + "likes": 404028, + "commentsCount": 1167 + }, + { + "caption": "Nailed it. #openingceremony #Tokyo2020 #LFGUSA", + "likes": 357564, + "commentsCount": 1110 + }, + { + "caption": "All smiles because it's the day we've been waiting for. GAME DAY! USA v Sweden game 1 of #tokyo2020 430amET", + "likes": 288758, + "commentsCount": 1011 + }, + { + "caption": "TOMORROW. What we've been waiting for. LFG!!! #tokyo2020", + "likes": 236982, + "commentsCount": 937 + }, + { + "caption": "Only 4% of sports media coverage is dedicated to women. Im grateful to be a voice for @secretdeodorants #WatchMe campaign, so together we can encourage the world and help young girls become tomorrows champions. #secretdeopartner : Derrick White / Getty", + "likes": 86917, + "commentsCount": 185 + }, + { + "caption": "", + "likes": 467288, + "commentsCount": 864 + }, + { + "caption": "When youre competing at my level, nothing is guaranteed. Good thing your Grubhub is! I am so excited to be partnering with @Grubhub to help launch their new #GrubhubGuarantee.", + "likes": 93249, + "commentsCount": 267 + } + ] + }, + { + "fullname": "Jayson Tatum\ud83d\ude4f\ud83c\udfc0", + "biography": "In Jesus Name I Play Oh yeah I'm from the LOU", + "followers_count": 3863279, + "follows_count": 799, + "website": "https://linktr.ee/jaytatum0", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "jaytatum0", + "role": "influencer", + "latestMedia": [ + { + "caption": "With Beats Studio Buds, its about feeling proud to be from The Lou when Country Grammar by @nelly comes on. @beatsbydre #ItsTheMusic #BeatsPartner", + "likes": 52270, + "commentsCount": 302 + }, + { + "caption": "My brotha @bradbeal3 happy birthday champ! Keep showing the way know how much I appreciate you! had throw last pic in there shoot over the top I dont see nothing but the rim lol love bro ", + "likes": 531966, + "commentsCount": 1796 + }, + { + "caption": "#Ruffles_Partner @sierato did his thing with these @ruffles #OwnYourRidges @overtime", + "likes": 65071, + "commentsCount": 344 + }, + { + "caption": "Happy Fathers Day to my ole dude! Love you Tat @tatum_camps", + "likes": 309885, + "commentsCount": 698 + }, + { + "caption": "Having our way with this thing called life ", + "likes": 517776, + "commentsCount": 2217 + }, + { + "caption": "Whether Im curating a playlist for practice or educating my little man on music history, music is a big part of my life and something that sets me apart. Find out how you listen on @Spotify #SpotifyPartner #OnlyYou http://bit.ly/IG_Jayson", + "likes": 189200, + "commentsCount": 1119 + }, + { + "caption": "Its enough haters out there, why not cheer for me 4", + "likes": 558678, + "commentsCount": 5920 + }, + { + "caption": "Dont try this at home.", + "likes": 257266, + "commentsCount": 1411 + }, + { + "caption": "Happy Mothers Day ", + "likes": 289605, + "commentsCount": 684 + }, + { + "caption": "60 of em kid! Started with a ball and a dream keep going! ", + "likes": 770621, + "commentsCount": 5853 + }, + { + "caption": "Excited to be part of #NBACourtOptix Powered By @Microsoft Azure. Against 22 double teams last night, I created 1.42 team points per possession. Getting ready for this playoff push with these next generation AI-based insights . Elevate the Game #ad https://nbacourtoptix.nba.com", + "likes": 153908, + "commentsCount": 672 + } + ] + }, + { + "fullname": "Gerard Pique\u0301", + "biography": "@fcbarcelona football player | Kosmos President & Founder", + "followers_count": 18786426, + "follows_count": 336, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "3gerardpique", + "role": "influencer", + "latestMedia": [ + { + "caption": "Ya nada volver a ser lo mismo. Ni el Camp Nou, ni la ciudad de Barcelona, ni nosotros mismos. Despus de ms de 20 aos en el Club, dejars de vestir la camiseta del Bara. La realidad, a veces, es muy dura. Nos conocimos en el 2000, tenamos 13 aos y una carrera por delante. Qu carrera! La madre que nos pari! Si la hubieramos diseado en ese momento, era imposible hacerla mejor. Una p*** locura! En mi primera temporada, despus de volver al FC Barcelona, ganamos el triplete y te convertiste en el mejor jugador de todos los tiempos. De Rosario a tocar el cielo de Roma. Ah empez la leyenda. Lo que vino despus es historia. Y qu bien lo hemos pasado! Ahora te vas, pero s que un da vas a volver. Quedan cosas pendientes por hacer. Psatelo bien, disfruta all donde vayas y sigue ganando como solo t sabes hacer. Aqu te vamos a extraar. Te quiero Leo.", + "likes": 1935067, + "commentsCount": 36813 + }, + { + "caption": "Home.", + "likes": 769511, + "commentsCount": 10266 + }, + { + "caption": "Salzburg.", + "likes": 762881, + "commentsCount": 9671 + }, + { + "caption": "LFG.", + "likes": 658286, + "commentsCount": 5882 + }, + { + "caption": "Kenny.", + "likes": 903721, + "commentsCount": 14161 + }, + { + "caption": "Reflection.", + "likes": 743240, + "commentsCount": 7379 + }, + { + "caption": "Anarchy.", + "likes": 701982, + "commentsCount": 8693 + }, + { + "caption": "Killers.", + "likes": 727907, + "commentsCount": 6877 + }, + { + "caption": "Rahm.", + "likes": 695967, + "commentsCount": 7608 + }, + { + "caption": "Olympics.", + "likes": 785306, + "commentsCount": 7680 + }, + { + "caption": "Stuttgart.", + "likes": 907078, + "commentsCount": 12951 + }, + { + "caption": "Colors.", + "likes": 890430, + "commentsCount": 11016 + } + ] + }, + { + "fullname": "Manchester United", + "biography": "The official #MUFC Instagram account Subscribe to MUTV now ", + "followers_count": 42074500, + "follows_count": 121, + "website": "http://manutd.co/EvertonFriendly", + "profileCategory": 2, + "specialisation": "", + "location": "Manchester, United Kingdom", + "username": "manchesterunited", + "role": "influencer", + "latestMedia": [ + { + "caption": "@OfficialKeane16 kicked off his United career on August 7, back in 1993 #MUFC #ManUtd #OTD #RoyKeane", + "likes": 39647, + "commentsCount": 151 + }, + { + "caption": " #OTD in 2011, @D_DeGeaOfficial made his first start for United! Swipe to go forward a decade... #MUFC #ManUtd #DeGea", + "likes": 121389, + "commentsCount": 461 + }, + { + "caption": "This one-two and finish from @JuanSebastian.Veron back in 2001 #MUFC #ManUtd #GoalOfTheDay", + "likes": 74199, + "commentsCount": 270 + }, + { + "caption": "Watch our final friendly before the #PremierLeague season gets under way live on #MUTV! Use offer code to get 12 months for the price of six... link in our bio! #MUFC #ManUtd", + "likes": 119974, + "commentsCount": 332 + }, + { + "caption": "On location #MUFC #ManUtd", + "likes": 153691, + "commentsCount": 603 + }, + { + "caption": "Fit and fresh, ready and rested: things we love to hear from Bruno! #MUFC #ManUtd #BrunoFernandes", + "likes": 176774, + "commentsCount": 620 + }, + { + "caption": "8 days until we're back in #PremierLeague action... #MUFC #ManUtd #Mata", + "likes": 152831, + "commentsCount": 494 + }, + { + "caption": "Don't miss what happened when Ole met our #LittleDevils Find out what they got up to in our Story! #MUFC #ManUtd", + "likes": 115972, + "commentsCount": 405 + }, + { + "caption": "Increasing the tempo during a week of graft in Scotland #MUFC #ManUtd", + "likes": 122655, + "commentsCount": 675 + }, + { + "caption": "When @RobinVanPersie hit this volley #MUFC #ManUtd #GoalOfTheDay #Reels #VanPersie", + "likes": 377299, + "commentsCount": 1957 + }, + { + "caption": "@RobinVanPersie appreciation post #MUFC #ManUtd #VanPersie", + "likes": 706590, + "commentsCount": 2805 + }, + { + "caption": "Sending all of our birthday wishes to @RobinvanPersie on his 38th birthday! #MUFC #ManUtd #VanPersie", + "likes": 225592, + "commentsCount": 2656 + } + ] + }, + { + "fullname": "dwyanewade", + "biography": "My Belief Is Stronger Than Your Doubt", + "followers_count": 17857542, + "follows_count": 1717, + "website": "https://linktr.ee/dwyanewade", + "profileCategory": 2, + "specialisation": "Athlete", + "location": "Los Angeles, California", + "username": "dwyanewade", + "role": "influencer", + "latestMedia": [ + { + "caption": "Congrts on the wrap of The Perfect Find you are the perfect find Mrs Wade! @gabunion Big thank you to @reallouiscato @neivy @chefronndarocks for making this happen", + "likes": 31710, + "commentsCount": 855 + }, + { + "caption": "I got to play golf with TIGER everybody!!! @tigerwoods!!! Hes the reason why I even picked up a golf club. Thanks for the honest conversation and the golf tips that still havent really set in Link in bio to watch my episode on @golfdigest", + "likes": 32597, + "commentsCount": 258 + }, + { + "caption": " MOMMYDADDY (kaavs voice)", + "likes": 90198, + "commentsCount": 325 + }, + { + "caption": "A day with my yng @zaire", + "likes": 141749, + "commentsCount": 941 + }, + { + "caption": "Took my first favorite girl, my mom @jolindaw on a date today but also who watched The Cube tonite!!!??? #myveryfirstreel", + "likes": 88326, + "commentsCount": 1180 + }, + { + "caption": "I know a thing or3 about victory... You think they have what it takes to #BeatTheCube tonight? Episode 7 LET'S GO!!9/8c on@TBSNetwork @59thandprairie", + "likes": 12235, + "commentsCount": 127 + }, + { + "caption": " in ", + "likes": 147987, + "commentsCount": 600 + }, + { + "caption": "A connection is the energy that exist between two people when they feel seen, heard, and valued. When they can give and receive without judgment and when they derive substances and strength from a relationship! These moments I never take for granted @carmeloanthony #brotherhood", + "likes": 145242, + "commentsCount": 630 + }, + { + "caption": "Its time to get the @hisense_usa TV you dream about. As the Chairman of Upgrades, let me break down your familys excuses. You filed the claim. Now lets see whos getting a brand new TV", + "likes": 9263, + "commentsCount": 78 + }, + { + "caption": "Two are good golfers, One is getting there and the other sucks! Can you name them Great day on the links @cc_sabathia @theshawbiz @shawnpecas ", + "likes": 77519, + "commentsCount": 434 + }, + { + "caption": "I seen The Cube really test people in there ... friendships, marriage... they gotta be solid if they trying to #BeatTheCube!! Catch Episode 6 tonight 9/8c on @TBSNetwork @59thandprairie #TalkToMeNice", + "likes": 14165, + "commentsCount": 132 + }, + { + "caption": "This has truly been a labor of love!DWYANE my photographic memoir with a genuine, behind-the-scenes look at my life on and off the court is officially available for presale! Link in bio A huge THANK YOU to my brother @justintinsley for creating such a dope structure for this book and for bringing my words to life. My brother @bobbymetelus and I, were connected at the hip during some special times in my life and were excited to share some of those moments with you all.", + "likes": 28630, + "commentsCount": 447 + } + ] + }, + { + "fullname": "Los Angeles Lakers", + "biography": "Welcome to the #LakeShow 17x Champions | Want more? @LakersScene", + "followers_count": 17112289, + "follows_count": 82, + "website": "https://www.nba.com/lakers/in-the-paint", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "lakers", + "role": "influencer", + "latestMedia": [ + { + "caption": "Brow x Brodie x Bron", + "likes": 796113, + "commentsCount": 6336 + }, + { + "caption": "One more thing: Congrats on your contract extension, Coach V!", + "likes": 178236, + "commentsCount": 894 + }, + { + "caption": "Announce Russ? Why Not?", + "likes": 701071, + "commentsCount": 4794 + }, + { + "caption": "OFFICIAL: Lake Show Melo has arrived ", + "likes": 507385, + "commentsCount": 3151 + }, + { + "caption": "OFFICIAL: Welcome back to the Purple and Gold, Baze!", + "likes": 174637, + "commentsCount": 578 + }, + { + "caption": "And now a word from Trevor Ariza.", + "likes": 170327, + "commentsCount": 1255 + }, + { + "caption": "OFFICIAL: THT has re-signed with the #LakeShow", + "likes": 249373, + "commentsCount": 1064 + }, + { + "caption": "OFFICIAL: @ahmad_monk x #LakeShow", + "likes": 182336, + "commentsCount": 593 + }, + { + "caption": "OFFICIAL: Welcome to LA, Kendrick", + "likes": 308529, + "commentsCount": 1100 + }, + { + "caption": "OFFICIAL: Welcome back, Mr. Ariza. #LakersFamily", + "likes": 265843, + "commentsCount": 1059 + }, + { + "caption": "OFFICIAL: The sharpshooting @wayneellington is back with the #LakeShow", + "likes": 243759, + "commentsCount": 605 + }, + { + "caption": "OFFICIAL: Superman Returns", + "likes": 563586, + "commentsCount": 3704 + } + ] + }, + { + "fullname": "Luka Modric", + "biography": "@realmadrid football player. @hns_cff team captain. #TheBestThingsNeverComeEasy", + "followers_count": 19744934, + "follows_count": 449, + "website": "", + "profileCategory": 1, + "specialisation": "", + "location": "", + "username": "lukamodric10", + "role": "influencer", + "latestMedia": [ + { + "caption": "Rafita, ha sido un placer jugar contigo durante 9 temporadas. Eres un crack como jugador y como persona. Te deseo lo mejor en tu nueva etapa. Te echaremos de menos @raphaelvarane ", + "likes": 502832, + "commentsCount": 796 + }, + { + "caption": "10th season. @realmadrid ", + "likes": 335794, + "commentsCount": 1394 + }, + { + "caption": "With the Boss visiting the old house!Childhood! #aa #Kvartiri #Roots", + "likes": 599275, + "commentsCount": 2368 + }, + { + "caption": "Special day with the SPECIAL woman! Happy birthday my love! ", + "likes": 478863, + "commentsCount": 1327 + }, + { + "caption": "Family time = Best time! #Holiday #Croatia #MyEverything ", + "likes": 563877, + "commentsCount": 1753 + }, + { + "caption": "Proud of this country. Proud of this team. Thanks to our fans for the support. #IznadSvihHrvatska", + "likes": 689572, + "commentsCount": 3092 + }, + { + "caption": "Never give up. Croatia Next round #IznadSvihHrvatska", + "likes": 957558, + "commentsCount": 8273 + }, + { + "caption": "Big game! #IznadSvihHrvatska ", + "likes": 410219, + "commentsCount": 1231 + }, + { + "caption": "Amigo y hermano: Se me hace muy difcil despedirme de ti. Desde el primer da que llegu a Madrid has sido una persona especial para m. Hemos sufrido y hemos disfrutado, hemos perdido pero, sobre todo, hemos ganado. Has sido un ejemplo como compaero y capitn. Te voy a echar mucho de menos. Ya sabes que aqu tienes un AMIGO. Gracias por todo y mucha suerte! TQ hermano ", + "likes": 1217648, + "commentsCount": 4621 + }, + { + "caption": "Last game before @euro2020 #IznadSvihHrvatska ", + "likes": 313443, + "commentsCount": 968 + }, + { + "caption": "Sretan rodjendan ponosu moj! Happy birthday big boy! Love you! 11 #Ivano #MyEverything", + "likes": 642910, + "commentsCount": 3384 + }, + { + "caption": "#IznadSvihHrvatska ", + "likes": 452212, + "commentsCount": 1520 + } + ] + }, + { + "fullname": "Novak Djokovic", + "biography": " @novakfoundation", + "followers_count": 9052171, + "follows_count": 1167, + "website": "http://novakdjokovic.com/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "djokernole", + "role": "influencer", + "latestMedia": [ + { + "caption": "It was a true privilege to represent Serbia at the Olympics Thank you Tokyo and everyone that helped us come together for the magic of sport. I know in my heart I gave it everything to fight for a medal, and Im looking forward to coming back stronger in Paris. This was an unbelievable experience I will never forget . Good luck to all the Serbian athletes still competing for a medal @oksrbije #TeamSerbia #Toyko2020 #tennis . , 3 . ! ", + "likes": 587193, + "commentsCount": 5205 + }, + { + "caption": "Doubles bonding @nina.stojanovic #Tokyo2020 #tennis", + "likes": 487456, + "commentsCount": 5821 + }, + { + "caption": "R3 # Kopatsch/Sato/Sidorjak #Tokyo2020 #Olympics", + "likes": 608745, + "commentsCount": 3833 + }, + { + "caption": "Working on my splits with @teambelgium gymnastics ;) @ninaderwael @mae_gym", + "likes": 942763, + "commentsCount": 6630 + }, + { + "caption": "Thanks for a great practice Andy Konnichiwa Tokyo! #Tokyo2020 #TeamSerbia #Idemooo", + "likes": 446346, + "commentsCount": 1605 + }, + { + "caption": "Honored to play for my people and my country at the @olympics! Wheels up, see you in Tokyo @oksrbije #Tokyo2020 #TeamSerbia #Idemooo # #", + "likes": 710873, + "commentsCount": 8055 + }, + { + "caption": "I know I am late, but its never too late with Wimbledon post. I wanted to write few words and acknowledge this wonderful piece of art whose author is unknown (at least to me). When I first saw this picture I was emotional. It brought me back to childhood and my first tennis steps. When I was a kid, I was constructing Wimbledon trophy out of improvised material I could find in my room. I was looking myself in the mirror, saying I am Novak Djokovic, Wimbledon champion. To win this sacred and most special tournament for me for 6th time is surreal. I am blessed and grateful to experience many beautiful moments on the holy grass of Wimbledon. My imagination was very realistic. As every kid, I dreamed,imagined,visualized and believed 100% in my dreams, like they were already achieved. Imagination and visualization is a super power.When children dream and imagine,its the purest form of love and motivation. I was fortunate that I had parents and few more other close people in my career that allowed me to dream and believe I can reach the stars in tennis. I am not saying that everyone will succeed in reaching the biggest heights in tennis. As a parent I believe creating loving and caring environment where we as parents show respect and support for childrens dreams,can do many wonders for our society and sports ecosystem as a whole , . . . . . , , . / . , , . ", + "likes": 405778, + "commentsCount": 2467 + }, + { + "caption": "20", + "likes": 903687, + "commentsCount": 11073 + }, + { + "caption": "Tradition ", + "likes": 1010619, + "commentsCount": 9802 + }, + { + "caption": "", + "likes": 1053768, + "commentsCount": 19426 + }, + { + "caption": "Lets go!!!!! Tomorrow!!! Grateful and blessed to live this dream Pleasure to share court with you yesterday @denis.shapovalov ..big things to come for you my friend, I have no doubt ", + "likes": 605123, + "commentsCount": 4633 + } + ] + }, + { + "fullname": "Marcus Rashford MBE", + "biography": "Manchester United & England Management: @dnmaysportsmgt info@dnmaysportsmgt.com", + "followers_count": 11643660, + "follows_count": 161, + "website": "https://www.whsmith.co.uk/products/you-are-a-champion/marcus-rashford/paperback/9781529068177.html", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "marcusrashford", + "role": "influencer", + "latestMedia": [ + { + "caption": "Happy belated 60th birthday @barackobama thank you for your wisdom and your kind words ", + "likes": 637166, + "commentsCount": 1569 + }, + { + "caption": "When I was 11 years old @manchesterunited helped me and my family out of a really difficult situation. I will always feel indebted. When the club needs me, Ill be there. Any role I can play in helping my boyhood club Im going to do it. Even to my detriment at times. Having been out of the game recovering from the double stress fracture, and having spent a lot of time away from teammates and staff whod been a part of my life for as long as I could remember, I needed to feel a part of something again. I needed to feel like I was playing my part. Ive read some call me selfish for holding off getting the surgery this season but it was never about putting myself first and thats how weve reached this point, and something as a 23 year old Ive had to learn the hard way. To guarantee I can play this game as long as possible I need to listen to my body. Everyone has an opinion but no one knows my body better than me. Its hard to describe the feeling of representing your country. Given the choice no one would ever turn that down at such a big tournament. As a little boy or girl you dream of those moments. I had been deemed fit for the full season, and given my injuries were being managed, what was another couple of weeks? Managing the pain I was training well and found a lot of comfort in the England camp after the Europa League final. On hindsight, if I had of known I wouldnt have played a significant role in the Euros, would I have gone? Hindsight is a wonderful thing isnt it I didnt want to let anyone down but ultimately looking at some of my performances towards the end of last season I felt like I was. When I step on the pitch I always give 100%. Physically my 100% just wasnt possible. Im walking away from last season with 36 goal contributions, but more importantly Im walking away with lessons learnt. We live and we learn as they say but what is never in doubt is my commitment to the club and the national team. Its been a hard one but Im coming back physically and mentally stronger. Thank you for all of the kind messages. ", + "likes": 993261, + "commentsCount": 15323 + }, + { + "caption": "Pleased to say Ive brought the sun back home with me ", + "likes": 844876, + "commentsCount": 3865 + }, + { + "caption": "Honoured. Thank you ESPY @pattillmanfnd @espn", + "likes": 1380104, + "commentsCount": 12859 + }, + { + "caption": "Overwhelmed. Thankful. Lost for words ", + "likes": 2041513, + "commentsCount": 45106 + }, + { + "caption": "I dont even know where to start and I dont even know how to put into words how Im feeling at this exact time. Ive had a difficult season, I think thats been clear for everyone to see and I probably went into that final with a lack of confidence. Ive always backed myself for a penalty but something didnt feel quite right. During the long run up I was saving myself a bit of time and unfortunately the result was not what I wanted. I felt as though I had let my teammates down. I felt as if Id let everyone down. A penalty was all Id been asked to contribute for the team. I can score penalties in my sleep so why not that one? Its been playing in my head over and over since I struck the ball and theres probably not a word to quite describe how it feels. Final. 55 years. 1 penalty. History. All I can say is sorry. I wish it had of gone differently. Whilst I continue to say sorry I want to shoutout my teammates. This summer has been one of the best camps Ive experienced and youve all played a role in that. A brotherhood has been built that is unbreakable. Your success is my success. Your failures are mine. Ive grown into a sport where I expect to read things written about myself. Whether it be the colour of my skin, where I grew up, or, most recently, how I decide to spend my time off the pitch. I can take critique of my performance all day long, my penalty was not good enough, it should have gone in but I will never apologise for who I am and where I came from. Ive felt no prouder moment than wearing those three lions on my chest and seeing my family cheer me on in a crowd of 10s of thousands. I dreamt of days like this. The messages Ive received today have been positively overwhelming and seeing the response in Withington had me on the verge of tears. The communities that always wrapped their arms around me continue to hold me up. Im Marcus Rashford, 23 year old, black man from Withington and Wythenshawe, South Manchester. If I have nothing else I have that. For all the kind messages, thank you. Ill be back stronger. Well be back stronger. MR10", + "likes": 4649055, + "commentsCount": 232842 + }, + { + "caption": "Candid camera @highsnobiety @ewenspencer @elgarjohnson", + "likes": 723412, + "commentsCount": 88139 + }, + { + "caption": "Story of my life @menshealthuk ", + "likes": 628407, + "commentsCount": 3660 + }, + { + "caption": "All smiles ", + "likes": 680026, + "commentsCount": 2737 + }, + { + "caption": "Wembley-bound ", + "likes": 614680, + "commentsCount": 1764 + }, + { + "caption": "", + "likes": 863115, + "commentsCount": 6389 + }, + { + "caption": "My guys ", + "likes": 1023858, + "commentsCount": 4452 + } + ] + }, + { + "fullname": "Carmelo Anthony", + "biography": "#STAYME7O", + "followers_count": 7561170, + "follows_count": 520, + "website": "https://bit.ly/wheretomorrowsarentpromised", + "profileCategory": 2, + "specialisation": "Athlete", + "location": "", + "username": "carmeloanthony", + "role": "influencer", + "latestMedia": [ + { + "caption": "Salute to the King Esco, giving the his Flowers. Kings Disease II out now @nas @massappeal @hstry @hitboy #KingsDisease2 ", + "likes": 175041, + "commentsCount": 799 + }, + { + "caption": "You gotta read the first chapter before we get into this next one! Hit the link in my bio to pre-order Where Tomorrows Arent Promised right now. #STAYME7O", + "likes": 50883, + "commentsCount": 383 + }, + { + "caption": "WE THE PEOPLE #STAYME7O #WhereTomorrowsArentPromised", + "likes": 309428, + "commentsCount": 1204 + }, + { + "caption": "Portland, all I can say is thank you. Thank you for letting me love the game of basketball again. Thank you for welcoming me into your community, and supporting me both on the court and in your city. These two years were some of the most important ones of my career, and for that Ill always be grateful. #STAYME7O @trailblazers", + "likes": 754697, + "commentsCount": 5699 + }, + { + "caption": "Legacy #STAYME7O ( @hugoshoots)", + "likes": 447488, + "commentsCount": 3211 + }, + { + "caption": "Were live. Thank you to my brother Shaka King for sitting down with me to talk about growing up in BK, Judas and the Black Messiah, and so much more. New episodes of #WhatsInYourGlass coming every week, so hit the link in my bio to subscribe now.", + "likes": 12002, + "commentsCount": 73 + }, + { + "caption": "Whats In Your Glass? is back. New episodes starting this week, featuring real conversations with some of the biggest names in sports, music, media and entertainment. Subscribe now via the link in my bio to be ready when it drops. #WhatsInYourGlass", + "likes": 18414, + "commentsCount": 144 + }, + { + "caption": "When technology keeps the community get together. @quai54wsc & @casa__93. See you soon in Paris! #JordanWings @jumpman23", + "likes": 83663, + "commentsCount": 204 + }, + { + "caption": "Greatness is not about the actual outcome. Its about who you are as a person, what you believe in, and how many people you can bring along with you. Raise a glass to the journey #MoetxNBA #MoetPartner", + "likes": 21359, + "commentsCount": 218 + }, + { + "caption": "My memoir, Where Tomorrows Arent Promised is two months away. Hit the link in my bio to pre-order it today. #WhereTomorrowsArentPromised #STAYME7O", + "likes": 131180, + "commentsCount": 960 + }, + { + "caption": "Some Things Are Up To Us And Some Are Not! #STAYME7O", + "likes": 272773, + "commentsCount": 1822 + } + ] + }, + { + "fullname": "Kevin De Bruyne", + "biography": "@mancity | @belgianreddevils", + "followers_count": 14676322, + "follows_count": 382, + "website": "", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "kevindebruyne", + "role": "influencer", + "latestMedia": [ + { + "caption": "Work mode on!", + "likes": 596852, + "commentsCount": 1830 + }, + { + "caption": "Cheeky monkeys ", + "likes": 366243, + "commentsCount": 1037 + }, + { + "caption": "Still thankfull after not seeing my Belgium family and American family together in a longtime it was a blast", + "likes": 486913, + "commentsCount": 780 + }, + { + "caption": "Family boat day", + "likes": 627604, + "commentsCount": 1502 + }, + { + "caption": "Just grateful!", + "likes": 673992, + "commentsCount": 1825 + }, + { + "caption": "My eldest. Proud of my family", + "likes": 545114, + "commentsCount": 2164 + }, + { + "caption": "My princess ", + "likes": 594243, + "commentsCount": 2429 + }, + { + "caption": "My big boy", + "likes": 824147, + "commentsCount": 4078 + }, + { + "caption": "30 years young today. I want to thank you all for the birthday wishes. What a ride it has been. Lets continue this beautiful journey", + "likes": 813267, + "commentsCount": 9761 + }, + { + "caption": "Staying a little longer ", + "likes": 1144679, + "commentsCount": 6398 + }, + { + "caption": "Happy anniversary baby. 4 years and counting.. @lacroixmichele", + "likes": 492052, + "commentsCount": 1263 + }, + { + "caption": "Been busy creating my success mindset masterclass series with @GetMetrix. The 1st module is up and can be viewed for free at getmetrixapp.com/kevin or link in bio Game on! Follow @getmetrix #GetMetrix #Kevindebruyne #Masterclass #Football #Soccer #DecodeYourGame", + "likes": 189893, + "commentsCount": 636 + } + ] + }, + { + "fullname": "Roger Federer", + "biography": "Pro tennis player", + "followers_count": 8610179, + "follows_count": 71, + "website": "http://myswitzerland.com/roger", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "rogerfederer", + "role": "influencer", + "latestMedia": [ + { + "caption": "HISTORY @belindabencic ", + "likes": 631033, + "commentsCount": 3228 + }, + { + "caption": "During the grass court season, I unfortunately experienced a setback with my knee, and have accepted that I must withdraw from the Tokyo Olympic Games. I am greatly disappointed, as it has been an honor and highlight of my career each time I have represented Switzerland. I have already begun rehabilitation in the hopes of returning to the tour later this summer. I wish the entire Swiss team the best of luck and I will be rooting hard from afar. As always, Hopp Schwiz! ", + "likes": 849748, + "commentsCount": 9015 + }, + { + "caption": "Middle Sunday #wimbledonthing", + "likes": 477548, + "commentsCount": 8639 + }, + { + "caption": "Manic Monday", + "likes": 833825, + "commentsCount": 7320 + }, + { + "caption": "After 18 months of rehabbing and performing behind closed doors, playing on Centre Court to a passionate crowd makes it all worth it. Thank you ", + "likes": 722422, + "commentsCount": 7324 + }, + { + "caption": "Behind the scenes of No Drama ... theres still no drama. But filming with Robert and @myswitzerland was just great. #IneedSwitzerland #nodrama", + "likes": 96155, + "commentsCount": 684 + }, + { + "caption": "@wimbledon ", + "likes": 852901, + "commentsCount": 10627 + }, + { + "caption": "I am delighted my personal sporting memorabilia is being sold at @christiesinc in support of the @rogerfederer.foundation Every item reminds me of great moments in my tennis career and enables me to share a part of my personal archive with my fans around the world. More importantly, the proceeds will support The Roger Federer Foundation to help us continue to deliver educational resources to children in Africa and Switzerland. The Live Auction will take place at Christies on Wednesday 23 June. The Online Auction will run from Wednesday 23 June to Tuesday 13 & Wednesday 14 July. Link to The Online Auction: https://bit.ly/3cM0q9p Link to The Live Auction: https://bit.ly/35ppQFJ @rogerfederer.foundation #christies #christiesxfederer Tim Clayton / Corbis Sport / Getty Images", + "likes": 414088, + "commentsCount": 1356 + }, + { + "caption": "For the love of the game ", + "likes": 1034635, + "commentsCount": 13109 + }, + { + "caption": "Currently living a scene out of inception ", + "likes": 969828, + "commentsCount": 5539 + }, + { + "caption": " demain Paris ", + "likes": 679662, + "commentsCount": 4994 + }, + { + "caption": "Ici Cest Paris ", + "likes": 515023, + "commentsCount": 4687 + } + ] + }, + { + "fullname": "Saquon Barkley", + "biography": "Running back for the New York Giants Twitter: @Saquon Business inquiries @G_rockington", + "followers_count": 2229058, + "follows_count": 727, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "saquon", + "role": "influencer", + "latestMedia": [ + { + "caption": "They gon remember... ", + "likes": 322009, + "commentsCount": 1942 + }, + { + "caption": "Maybe if I wasnt built for this Id let it phase me.. Thats one thing I KNOW!! ", + "likes": 198086, + "commentsCount": 1000 + }, + { + "caption": "Aint nothing but a little bit straightenin!! #daybyday", + "likes": 329394, + "commentsCount": 1476 + }, + { + "caption": "But still he got so far to go... ", + "likes": 291233, + "commentsCount": 1669 + }, + { + "caption": "", + "likes": 84863, + "commentsCount": 884 + }, + { + "caption": "Life is always gonna throw crazy challenges your way... but through the toughest times.. who are u during those challenges #sowhatnowwhat", + "likes": 316768, + "commentsCount": 2113 + }, + { + "caption": "Gonna be a hell of a story....", + "likes": 728749, + "commentsCount": 15858 + }, + { + "caption": "Happy birthday to my beautiful daughter JADA!!! Two years old already and shes already so grown!! ", + "likes": 291036, + "commentsCount": 1570 + }, + { + "caption": "How you plan to make it to the top by just fittin' it? #MissingIt", + "likes": 326911, + "commentsCount": 1224 + }, + { + "caption": " #Forever", + "likes": 266207, + "commentsCount": 757 + }, + { + "caption": "Kobe forever ", + "likes": 283167, + "commentsCount": 1191 + } + ] + }, + { + "fullname": "Chelsea FC", + "biography": "The official Instagram account of Chelsea Football Club, Champions of Europe. ", + "followers_count": 28317313, + "follows_count": 118, + "website": "http://bit.ly/21AwayKit", + "profileCategory": 2, + "specialisation": "Sports Team", + "location": "London, United Kingdom", + "username": "chelseafc", + "role": "influencer", + "latestMedia": [ + { + "caption": "New hair, who this? @jorginhofrello @thiagosilva #CFC #Chelsea", + "likes": 211932, + "commentsCount": 1479 + }, + { + "caption": "Helping each other out, sort of. @thiagosilva @benchilwell @masonmount #CFC #Chelsea", + "likes": 170775, + "commentsCount": 978 + }, + { + "caption": "The perfect picture doesn't exi... @nglkante @cesarazpi #CFC #Chelsea", + "likes": 215864, + "commentsCount": 819 + }, + { + "caption": "A new look for these two! @thiagosilva @jorginhofrello #CFC #Chelsea", + "likes": 645621, + "commentsCount": 3730 + }, + { + "caption": "Guess who. #CFC #Chelsea", + "likes": 455934, + "commentsCount": 11521 + }, + { + "caption": "Kitted out! @hziyech @toniruediger @benchilwell @kaihavertz29 @masonmount #CFC #Chelsea", + "likes": 209823, + "commentsCount": 761 + }, + { + "caption": "Captain Mendy. @edou_mendy #CFC #Chelsea", + "likes": 344914, + "commentsCount": 1315 + }, + { + "caption": "Different threads, same energy! @masonmount #CFC #Chelsea", + "likes": 407643, + "commentsCount": 2381 + }, + { + "caption": "We signed Joe Cole #OnThisDay in 2003! What a player! @therealjoecole #CFC #Chelsea", + "likes": 339583, + "commentsCount": 1437 + }, + { + "caption": "What goes on at filming day, gets shared with the world. #CFC #Chelsea Flashing images.", + "likes": 226603, + "commentsCount": 3958 + }, + { + "caption": "'When you have NG behind you, you know always hes clearing everything.' @HZiyech #CFC #Chelsea", + "likes": 381630, + "commentsCount": 1589 + }, + { + "caption": "Wishing a very happy birthday to @SalomonKalou and @WayneBridge03! #CFC #Chelsea", + "likes": 161771, + "commentsCount": 630 + } + ] + }, + { + "fullname": "Juventus", + "biography": "Welcome to the official Instagram profile of Juventus #FinoAllaFine @liveahead", + "followers_count": 50508461, + "follows_count": 64, + "website": "http://juve.it/XUj650FAKpb", + "profileCategory": 2, + "specialisation": "", + "location": "Turin, Italy", + "username": "juventus", + "role": "influencer", + "latestMedia": [ + { + "caption": "Best of luck on your new adventure, @merihdemiral! He joins Atalanta on loan. #FinoAllaFine #ForzaJuve", + "likes": 352453, + "commentsCount": 3971 + }, + { + "caption": "Building up to Bara! #FinoAllaFine #ForzaJuve", + "likes": 249327, + "commentsCount": 876 + }, + { + "caption": "An @alessandrodelpiero #GoalOfTheDay Shamrock that's anything but luck of the Irish! ", + "likes": 238637, + "commentsCount": 2253 + }, + { + "caption": "The final episode of #ConfidenceMakesUsDoEverything is here! This one looks at @tuijahyy and how football has allowed her to live her dream! #JuventusWomen", + "likes": 79865, + "commentsCount": 318 + }, + { + "caption": "Bianconeri on the pitch Fans in the stands ", + "likes": 233035, + "commentsCount": 824 + }, + { + "caption": " Kaio Jorge checks into #JMedical! ", + "likes": 708751, + "commentsCount": 3556 + }, + { + "caption": "That #WednesdayWorkout feeling! ", + "likes": 402744, + "commentsCount": 711 + }, + { + "caption": "Ciao, Jorge! ", + "likes": 821425, + "commentsCount": 5737 + }, + { + "caption": "The rest of the Bianconeri boys are officially in town! ", + "likes": 202286, + "commentsCount": 569 + }, + { + "caption": "Medical visits for last returning Bianconeri at #JMedical! ", + "likes": 361831, + "commentsCount": 716 + }, + { + "caption": " @giorgiochiellini's & story continues! #Chiellini2023", + "likes": 371576, + "commentsCount": 865 + }, + { + "caption": " ! ", + "likes": 517860, + "commentsCount": 1305 + }, + { + "caption": "OFFICIAL | @giorgiochiellini has renewed his Juventus contract! #Chiellini2023", + "likes": 315522, + "commentsCount": 1927 + }, + { + "caption": "How's your touch, boss? #MondayMotivation #MonzaJuve", + "likes": 354573, + "commentsCount": 807 + }, + { + "caption": "OK THEN! @alessandrodelpiero #GoalOfTheDay", + "likes": 217110, + "commentsCount": 1043 + }, + { + "caption": "#MonzaJuve in 1 minute! ", + "likes": 277741, + "commentsCount": 545 + }, + { + "caption": "When you see how beautiful our new kit looks! ", + "likes": 242451, + "commentsCount": 524 + }, + { + "caption": " #MonzaJuve #FinoAllaFine #ForzaJuve", + "likes": 317419, + "commentsCount": 498 + }, + { + "caption": "We end the first lap in front! #MonzaJuve #FinoAllaFine #ForzaJuve", + "likes": 320669, + "commentsCount": 531 + }, + { + "caption": " #MonzaJuve #FinoAllaFine #ForzaJuve", + "likes": 231300, + "commentsCount": 258 + }, + { + "caption": " #! #FinoAllaFine #ForzaJuve", + "likes": 250675, + "commentsCount": 337 + }, + { + "caption": " # ", + "likes": 184841, + "commentsCount": 308 + } + ] + }, + { + "fullname": "adidas Football", + "biography": "Through sport, we have the power to change lives. #ImpossibleIsNothing", + "followers_count": 31133166, + "follows_count": 346, + "website": "http://adidas.com/football/", + "profileCategory": 2, + "specialisation": "", + "location": "Herzogenaurach", + "username": "adidasfootball", + "role": "influencer", + "latestMedia": [ + { + "caption": "Our grandeza is our creativity. Introducing the all new @realmadrid Away jersey for the 2021/22 season, available now through adidas and official club stores. #Football #Soccer #adidasFootball", + "likes": 225663, + "commentsCount": 708 + }, + { + "caption": "Where dreams grow and stories start. Introducing the 2021/22 @ManchesterUnited Away jersey, exclusively available now through adidas and official club stores. : @johncooperclarke #Football #Soccer #adidasFootball", + "likes": 80911, + "commentsCount": 590 + }, + { + "caption": "Crafted for ultimate touch. Introducing the all new #Copa, available now through adidas and select retailers. #Football #Soccer #adidasFootball", + "likes": 250986, + "commentsCount": 371 + }, + { + "caption": "Infinite control. Introducing the all new #Predator, available now though adidas and select retailers. #Football #Soccer #adidasFootball", + "likes": 424955, + "commentsCount": 1880 + }, + { + "caption": "From Munich to the world. Introducing the 2021/22 @fcbayern Home jersey, exclusively available now through adidas and official club stores. #Football #Soccer #adidasFootball", + "likes": 201616, + "commentsCount": 659 + }, + { + "caption": "Always forward, never stand still. Introducing the all new @juventus Away jersey for the 21/22 season, available July 23 through adidas and official club stores. #Football #Soccer #adidasFootball", + "likes": 234452, + "commentsCount": 773 + }, + { + "caption": "What pushes our fastest players to play at the speed of thought? Watch the #XSpeedflow experience feat. @leomessi, @mosalah, @viviannemiedema, @lindseyhoran10, @sergegnabry, @hm_son7, @karimbenzema, @joaofelix79, @andreia_martins_faria & @scottmctominay and see for yourself. adidas.com/xspeedflow #Football #Soccer #adidasFootball", + "likes": 44631, + "commentsCount": 181 + }, + { + "caption": "Welcome to Speedfulness, mind, body and boot. Discover a higher state of speed and dive into the minds of @leomessi, @mosalah, @viviannemiedema, @lindseyhoran10, @sergegnabry, @hm_son7, @karimbenzema, @joaofelix79, @andreia_martins_faria & @scottmctominay to experience the all new X SPEEDFLOW. NOW on: adidas.com/xspeedflow #Football #Soccer #adidasFootball", + "likes": 72248, + "commentsCount": 268 + }, + { + "caption": "Play at the speed of thought. Experience Speedfulness, a new realm of speed, tomorrow on adidas.com/xspeedflow with @leomessi, @mosalah, @viviannemiedema, @lindseyhoran10, @sergegnabry, @hm_son7 and many more. #XSpeedflow #Football #Soccer #adidasFootball", + "likes": 75419, + "commentsCount": 331 + }, + { + "caption": "A new era of speed, explore the new X SPEEDFLOW. With an all-new lightweight Carbon fibre Speedframe designed to fast forward your game and support accelerated movements and radical changes in direction. Engineered lightweight Primeknit, for zero distraction and a supreme adaptive fit. Lightweight outsole designed for high speed and traction across all surfaces. Tap to shop now. #Football #Soccer #adidasFootball", + "likes": 155516, + "commentsCount": 662 + }, + { + "caption": "Where we belong. Introducing the new @arsenal home jersey for 2021/2022, exclusively available now through adidas and official club stores. #Football #Soccer #adidasFootball", + "likes": 139700, + "commentsCount": 644 + }, + { + "caption": "The Mancunian Way. Introducing the new @manchesterunited home jersey for 2021/2022, exclusively available now through adidas and official club stores. #Football #Soccer #adidasFootball", + "likes": 372969, + "commentsCount": 1820 + } + ] + }, + { + "fullname": "Christian", + "biography": "Hershey, PA Twitter: cpulisic_10 Facebook: cmpulisic", + "followers_count": 4285260, + "follows_count": 400, + "website": "", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "cmpulisic", + "role": "influencer", + "latestMedia": [ + { + "caption": "Pt. 3", + "likes": 297805, + "commentsCount": 655 + }, + { + "caption": "Back where we left off", + "likes": 340507, + "commentsCount": 1067 + }, + { + "caption": "Unforgettable moment! @usmnt supporting you guys in this Gold cup", + "likes": 279717, + "commentsCount": 1238 + }, + { + "caption": "Putting in work in Ireland excited for the season", + "likes": 214817, + "commentsCount": 966 + }, + { + "caption": "Felt great to get some minutes in the legs! @tammyabraham and I enjoying the sunshine while it lasts", + "likes": 358061, + "commentsCount": 950 + }, + { + "caption": "Good to be @chelseafc", + "likes": 263646, + "commentsCount": 1990 + }, + { + "caption": "Spinning into FIFA 22 #FIFA22 #PoweredByFootball @easportsfifa", + "likes": 43545, + "commentsCount": 0 + }, + { + "caption": "part ", + "likes": 290810, + "commentsCount": 2515 + }, + { + "caption": "", + "likes": 337497, + "commentsCount": 1107 + }, + { + "caption": "2020/2021 bc it got taken down S/O @tiggzvids for the edit! and the boy @polo.capalot ", + "likes": 208860, + "commentsCount": 1543 + }, + { + "caption": "", + "likes": 562222, + "commentsCount": 3575 + }, + { + "caption": "Trophy season with the absolute ", + "likes": 355508, + "commentsCount": 1424 + } + ] + }, + { + "fullname": "Paul George", + "biography": "13", + "followers_count": 9025892, + "follows_count": 702, + "website": "", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "ygtrece", + "role": "influencer", + "latestMedia": [ + { + "caption": "Great vacation with my babies ! ", + "likes": 257296, + "commentsCount": 19 + }, + { + "caption": "Wow! Shoutout my lil cuzzo @asiadeasia she got the gift! Music is out on all platforms check my story for the link! Keep going lil cuz! ", + "likes": 27253, + "commentsCount": 5 + }, + { + "caption": "My dawg @foestar13 !", + "likes": 99813, + "commentsCount": 2 + }, + { + "caption": "PG5 x PS5 ", + "likes": 79955, + "commentsCount": 13 + }, + { + "caption": "God has blessed me with an unbelievable daughter and big sister! Happy birthday pooka butt! I love you my little mermaid!!! #big7 ", + "likes": 193369, + "commentsCount": 31 + }, + { + "caption": "NEVER BE OUTWORKED @djbandcamp ", + "likes": 98955, + "commentsCount": 18 + }, + { + "caption": "Souled out. R I P. ", + "likes": 93342, + "commentsCount": 14 + }, + { + "caption": "7th appearance in the books. I never could take these opportunities for granted thank you guys! #Palmdalesown", + "likes": 302811, + "commentsCount": 28 + }, + { + "caption": "R. I. P. ", + "likes": 85447, + "commentsCount": 9 + }, + { + "caption": "My forever valentine @danielarajic I love you! ", + "likes": 76986, + "commentsCount": 19 + }, + { + "caption": "", + "likes": 168929, + "commentsCount": 9 + }, + { + "caption": "I knew I held on tight for a reason. We miss and love you big bro! RIP to all the lives lost too soon! Mamba FOREVER!", + "likes": 279037, + "commentsCount": 15 + } + ] + }, + { + "fullname": "Ben Simmons", + "biography": "", + "followers_count": 5668592, + "follows_count": 222, + "website": "", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "bensimmons", + "role": "influencer", + "latestMedia": [ + { + "caption": "", + "likes": 370660, + "commentsCount": 7474 + }, + { + "caption": "Reflecting back Ive experienced some amazing highs and with that, some of the lowest lows. Lifes a journey.. Ill always remain relentless and remain human through it all. Heres to my 25 year #Relentlesspursuit doing what I love on my bday Im blessed", + "likes": 348916, + "commentsCount": 8348 + }, + { + "caption": "#OTTNO ", + "likes": 251219, + "commentsCount": 24244 + }, + { + "caption": "", + "likes": 185390, + "commentsCount": 5150 + }, + { + "caption": " @penfolds #penfolds #ad", + "likes": 76807, + "commentsCount": 1265 + }, + { + "caption": "They love me. They love me not. They love me. They love me not ", + "likes": 349930, + "commentsCount": 6292 + }, + { + "caption": "Im just here to win ", + "likes": 261617, + "commentsCount": 2415 + }, + { + "caption": "Game 1 feels ", + "likes": 155258, + "commentsCount": 1193 + }, + { + "caption": "", + "likes": 141559, + "commentsCount": 767 + } + ] + }, + { + "fullname": "LiAngelo Ball", + "biography": "RIP big bro Nnam #HeadHoncho #333 IE/LA", + "followers_count": 2586871, + "follows_count": 136, + "website": "http://www.cameo.com/geloball3", + "profileCategory": 3, + "specialisation": "Public Figure", + "location": "", + "username": "gelo", + "role": "influencer", + "latestMedia": [ + { + "caption": "ALL EYEZ ON ME", + "likes": 299073, + "commentsCount": 1587 + }, + { + "caption": "Watches and chains a whole lot don changed ", + "likes": 241576, + "commentsCount": 910 + }, + { + "caption": "Im too far for me to complain", + "likes": 254497, + "commentsCount": 1111 + }, + { + "caption": "Even after dem true colors showed, kept it real on my end#GoReala #G3", + "likes": 232310, + "commentsCount": 965 + }, + { + "caption": "Video out now on @coolkicksla YouTube channeltap in gang!", + "likes": 125452, + "commentsCount": 738 + }, + { + "caption": "Preciate yaw gang! its all love", + "likes": 175039, + "commentsCount": 493 + }, + { + "caption": "Pray for the best, prepare for the worst, however it come jus kno tht Im ready ", + "likes": 352122, + "commentsCount": 1467 + }, + { + "caption": "Good lookin out on the house gates my dawg @jluzanocustomfab ", + "likes": 249893, + "commentsCount": 673 + }, + { + "caption": "Ik the game, lets play it ", + "likes": 209352, + "commentsCount": 1005 + }, + { + "caption": "Calm b4 the storm #MarniMan", + "likes": 185594, + "commentsCount": 739 + }, + { + "caption": "I ain never put my hand out for no paper ", + "likes": 264205, + "commentsCount": 1713 + }, + { + "caption": "Livin my life and its bringing me chillz", + "likes": 254209, + "commentsCount": 1157 + } + ] + }, + { + "fullname": "Paris Saint-Germain", + "biography": "Paris Saint-Germain's official account #ICICESTPARIS", + "followers_count": 38043251, + "follows_count": 90, + "website": "https://www.psg.fr/", + "profileCategory": 2, + "specialisation": "", + "location": "Paris, France", + "username": "psg", + "role": "influencer", + "latestMedia": [ + { + "caption": "Chapter one Le premier chapitre Troyes 21.00 CEST Stade de lAube #ESTACPSG #WeAreParis #Ligue1 #AllezParis #ICICESTPARIS #PSG #Football #Herrera", + "likes": 24648, + "commentsCount": 297 + }, + { + "caption": " The last internationals are Le retour des derniers internationaux #WeAreParis", + "likes": 627811, + "commentsCount": 6921 + }, + { + "caption": "", + "likes": 181825, + "commentsCount": 1609 + }, + { + "caption": " . #PSGfamily #WeAreParis #PSG #AllezParis #PSG #Football #ICICESTPARIS", + "likes": 1439829, + "commentsCount": 8250 + }, + { + "caption": " #Ligue1 . #ESTACPSG #Kimpembe #AllezParis #ICICESTPARIS #PSG #Paris #Football #PSGtraining", + "likes": 265323, + "commentsCount": 1211 + }, + { + "caption": " @keylornavas1 . #ESTACPSG #AllezParis #PSGtraining #Football #Paris #Navas", + "likes": 305184, + "commentsCount": 1317 + }, + { + "caption": " . #ESTACPSG #AllezParis #ICICESTPARIS #PSG #Paris #PSGtraining #Hakimi", + "likes": 433898, + "commentsCount": 6899 + }, + { + "caption": "Welcome to Paris @gigiodonna99 ", + "likes": 402910, + "commentsCount": 1452 + }, + { + "caption": " @gigiodonna99 settling in at Ooredoo Gigio prend ses marques Ooredoo . #ICICESTPARIS #AllezParis #PSG #Donnarumma #Paris #Football", + "likes": 988150, + "commentsCount": 1765 + }, + { + "caption": " @k.mbappe . #AllezParis #ICICESTPARIS #WeAreParis #PSG #ParisSaintGermain #Paris #Football", + "likes": 469194, + "commentsCount": 1551 + }, + { + "caption": "#CarteBlanche - . Discover a gallery of unique photos by @moro_julien_ Dcouvrez une galerie de photos uniques ralises par @moro_julien_ . #WeAreParis", + "likes": 366909, + "commentsCount": 550 + }, + { + "caption": " @kimpembe3 . #AllezParis #ICICESTPARIS #WeAreParis #PSG #ParisSaintGermain #Paris #Football", + "likes": 237433, + "commentsCount": 426 + } + ] + }, + { + "fullname": "MLB \u26be", + "biography": "The official Instagram of Major League Baseball.", + "followers_count": 7657614, + "follows_count": 2436, + "website": "https://linktr.ee/mlb", + "profileCategory": 2, + "specialisation": "", + "location": "New York, New York", + "username": "mlb", + "role": "influencer", + "latestMedia": [ + { + "caption": "Baseball is turning up right now ", + "likes": 32661, + "commentsCount": 322 + }, + { + "caption": "Star-Lord #Walkoff", + "likes": 44556, + "commentsCount": 207 + }, + { + "caption": "Its a #walkoff Gardy party in the Bronx ", + "likes": 118683, + "commentsCount": 1150 + }, + { + "caption": "Get Rowdy, @brewers fans ", + "likes": 68205, + "commentsCount": 643 + }, + { + "caption": "Going for GOLD Set those alarms! USA vs. Japan at 6am ET ", + "likes": 136866, + "commentsCount": 545 + }, + { + "caption": "Phirst place Phils ", + "likes": 132206, + "commentsCount": 1819 + }, + { + "caption": "We have no words ", + "likes": 183433, + "commentsCount": 1119 + }, + { + "caption": "Bryce can taste first place ", + "likes": 250702, + "commentsCount": 2676 + }, + { + "caption": "Yaz is fearless ", + "likes": 102910, + "commentsCount": 348 + }, + { + "caption": "NINE runs in the 5th for the @bluejays ", + "likes": 60522, + "commentsCount": 430 + }, + { + "caption": "LA Trea ", + "likes": 153280, + "commentsCount": 973 + }, + { + "caption": "Getting creative at the corners ", + "likes": 89368, + "commentsCount": 288 + } + ] + }, + { + "fullname": "NBA 2K", + "biography": " | ESRB: E Pre-order 2K22 now ", + "followers_count": 4711755, + "follows_count": 243, + "website": "http://nba.2k.com/buy", + "profileCategory": 2, + "specialisation": "", + "location": "", + "username": "nba2k", + "role": "influencer", + "latestMedia": [ + { + "caption": "The artists that will be on the #NBA2K22 in-game Soundtrack Which is your favorite?", + "likes": 273455, + "commentsCount": 11985 + }, + { + "caption": "Play with these top picks in 2K21 #MyTEAM and look out for them in 2K22 soon Pre-order @ link in bio", + "likes": 129250, + "commentsCount": 1624 + }, + { + "caption": "The top 2021 NBA Draft picks are in #MyTEAM Pick up NEXT Packs today to ball with these future rookies.", + "likes": 54582, + "commentsCount": 720 + }, + { + "caption": "Two of the greatest Run with GOAT Kobe, GOAT Magic and more players in #MyTEAM Fan Favorites 2 Packs.", + "likes": 60321, + "commentsCount": 634 + }, + { + "caption": "Champs Congrats to the @bucks for winning the 2021 #NBAFinals", + "likes": 224676, + "commentsCount": 1367 + }, + { + "caption": "Gameplay Director Mike Wang talks new features ", + "likes": 188601, + "commentsCount": 4488 + }, + { + "caption": "@CandaceParker First Look #NBA2K22 ", + "likes": 134279, + "commentsCount": 1810 + }, + { + "caption": "First Look at @swish41 #NBA2K22", + "likes": 247443, + "commentsCount": 1700 + }, + { + "caption": "First Look at @lukadoncic in #NBA2K22 ", + "likes": 314173, + "commentsCount": 3595 + }, + { + "caption": "Kickoff #MyTEAM Season 9 with these Space Jam: A New Legacy special edition cards from Out of this World Packs. #SpaceJamMovie", + "likes": 209942, + "commentsCount": 1432 + }, + { + "caption": "Whos watching Space Jam: A New Legacy this weekend? Celebrate the premiere in MyTEAM and pick up GOAT LeBron & special edition Space Jam: A New Legacy cards in new Out of this World Packs. Available for one week. #SpaceJamMovie", + "likes": 141446, + "commentsCount": 837 + }, + { + "caption": "#NBA2K22 Cover Athletes reacting to their covers ", + "likes": 393500, + "commentsCount": 2705 + } + ] + }, + { + "fullname": "12", + "biography": "#KaariJ #LLT #BNO #TTG #MBNO ", + "followers_count": 4083958, + "follows_count": 498, + "website": "https://bit.ly/2VmN62c", + "profileCategory": 3, + "specialisation": "Athlete", + "location": "", + "username": "jamorant", + "role": "influencer", + "latestMedia": [ + { + "caption": "MOOD ITS MY BABY BIRTHDAY ", + "likes": 23966, + "commentsCount": 16 + }, + { + "caption": "nothing in this world could be as beautiful as you to me. no matter how old you get, if you ever need someone, you got daddy. daddy love & adore you babygirl HAPPY BIRTHDAY princessK. BIG2", + "likes": 91488, + "commentsCount": 34 + }, + { + "caption": "12 MORANT ", + "likes": 172190, + "commentsCount": 34 + }, + { + "caption": "Whos ready to join BODYARMOR U!?! Yo @DrinkBODYARMOR I needed this back in school Heres how student-athletes can join for a chance to get HOOKED up: Post a photo or video of yourself training w/ BODYARMOR Use hashtag #BODYARMORU Fill out the form in @DrinkBODYARMORs bio Tag a teammate to let them know!", + "likes": 81953, + "commentsCount": 10 + }, + { + "caption": "look how he shocked da world.. look how he put da odds to rest, look how he overcame .. look how he showed you he da best still .. ", + "likes": 238900, + "commentsCount": 49 + }, + { + "caption": "@shotby.nie", + "likes": 56208, + "commentsCount": 30 + }, + { + "caption": "my day 1 . you my brother & i love you to death i'll never go against you @_dtap2 #twinnem #sincejits", + "likes": 142861, + "commentsCount": 25 + }, + { + "caption": "the smile on my face doesn't mean my life is perfect. it means i appreciate what i have & what God has blessed me with ", + "likes": 227611, + "commentsCount": 39 + }, + { + "caption": "AH ", + "likes": 142752, + "commentsCount": 55 + }, + { + "caption": "12 ", + "likes": 232537, + "commentsCount": 25 + }, + { + "caption": "we at it again ", + "likes": 135288, + "commentsCount": 22 + }, + { + "caption": "", + "likes": 197476, + "commentsCount": 25 + } + ] + }, + { + "fullname": "JJ Watt", + "biography": "#99", + "followers_count": 4101091, + "follows_count": 456, + "website": "http://reebok.com/jjwatt/", + "profileCategory": 3, + "specialisation": "", + "location": "", + "username": "jjwatt", + "role": "influencer", + "latestMedia": [ + { + "caption": "Wheels Up to AZ ", + "likes": 131540, + "commentsCount": 604 + }, + { + "caption": "a great offseason comes to an end, now the fun begins. Thank you @nxlevelbrad #296", + "likes": 121326, + "commentsCount": 879 + }, + { + "caption": "", + "likes": 100353, + "commentsCount": 394 + }, + { + "caption": "family. literally.", + "likes": 96417, + "commentsCount": 396 + }, + { + "caption": "pups at the park.", + "likes": 134220, + "commentsCount": 279 + }, + { + "caption": "were looking for Dippin Dots", + "likes": 86794, + "commentsCount": 221 + }, + { + "caption": "the frustrated grunt of a hibachi onion volcano gone wrong due to a faulty lighter ", + "likes": 128037, + "commentsCount": 896 + }, + { + "caption": "", + "likes": 133642, + "commentsCount": 515 + }, + { + "caption": "beware the bullshit.", + "likes": 161058, + "commentsCount": 1546 + }, + { + "caption": "first started training here when I was 15. looked up to the high school kids who started on varsity, dreamt to be like the college athletes who trained in the same gym as me and wondered what it might feel like to be an NFL player like the ones I watched work everyday. now we train side by side with the next generation, watching them work, being inspired and pushed by them. All those names and weights on the wall in the back are middle school, high school and college kids, moms and dads, young and old. theyre people who push themselves, put in the work and strive to improve every single day. It doesnt matter what your goal is, just wake up and work for it everyday. Whatever it is. #DBWH", + "likes": 56447, + "commentsCount": 206 + } + ] + }, { "fullname": "ESPN Ringside", "biography": "Taking boxing fans ringside on fight night ", "followers_count": 280259, "follows_count": 257, "website": "http://es.pn/ringsideigbio/", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "espnringside", @@ -79,7 +26486,7 @@ "followers_count": 254423, "follows_count": 2555, "website": "https://pelagicgear.com/?rfsn=5633269.47f4b9", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "bombchelle_fishing", @@ -153,7 +26560,7 @@ "followers_count": 379384, "follows_count": 348, "website": "http://www.navy.com/", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "americasnavy", @@ -227,7 +26634,7 @@ "followers_count": 411899, "follows_count": 325, "website": "https://www.drakewaterfowl.com/products/ghillie-layout-blind-with-spring-loaded-bonnet", - "interest": "", + "profileCategory": 2, "specialisation": "Outdoor & Sporting Goods Company", "location": "Olive Branch, Mississippi", "username": "drakewaterfowl", @@ -301,7 +26708,7 @@ "followers_count": 339562, "follows_count": 192, "website": "https://www.thehydrojug.com/collections/all-products?utm_source=IG&utm_medium=conv&utm_campaign=linkinbio_allproducts&utm_id=allproducts", - "interest": "", + "profileCategory": 2, "specialisation": "Entrepreneur", "location": "", "username": "hydrojug", @@ -430,7 +26837,7 @@ "followers_count": 237088, "follows_count": 506, "website": "https://youtu.be/XmvPjpO-uGk", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "wheelerfishing", @@ -504,7 +26911,7 @@ "followers_count": 238104, "follows_count": 482, "website": "https://m.youtube.com/channel/UCh2cZhLN4OsJmTijcILBIVg", - "interest": "", + "profileCategory": 2, "specialisation": "Public Figure", "location": "", "username": "presidentbobby", @@ -578,7 +26985,7 @@ "followers_count": 472989, "follows_count": 157, "website": "http://ocean-obsessions.com/", - "interest": "", + "profileCategory": 2, "specialisation": "Community", "location": "", "username": "ocean_obsessions_", @@ -652,7 +27059,7 @@ "followers_count": 287230, "follows_count": 2193, "website": "http://www.sharksbymikecoots.com/", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "mikecoots", @@ -726,7 +27133,7 @@ "followers_count": 510877, "follows_count": 3116, "website": "https://linktr.ee/alexhayes", - "interest": "", + "profileCategory": 3, "specialisation": "Artist", "location": "", "username": "alexhayes", @@ -800,7 +27207,7 @@ "followers_count": 175297, "follows_count": 334, "website": "https://linktr.ee/pattischmidt", - "interest": "", + "profileCategory": 3, "specialisation": "Photographer", "location": "", "username": "pattischmidt", @@ -874,7 +27281,7 @@ "followers_count": 203811, "follows_count": 878, "website": "", - "interest": "", + "profileCategory": 3, "specialisation": "Personal Blog", "location": "", "username": "huntress_jen7", @@ -948,7 +27355,7 @@ "followers_count": 521936, "follows_count": 446, "website": "https://youtu.be/EhcLx4jsBKs", - "interest": "", + "profileCategory": 2, "specialisation": "Product/Service", "location": "Springfield, Missouri", "username": "lews_fishing", @@ -1022,7 +27429,7 @@ "followers_count": 341681, "follows_count": 2379, "website": "", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "sageerickson", @@ -1096,7 +27503,7 @@ "followers_count": 381989, "follows_count": 389, "website": "https://linktr.ee/pelagicgear", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "pelagicgear", @@ -1170,7 +27577,7 @@ "followers_count": 363337, "follows_count": 1265, "website": "https://linktr.ee/zmanfishing", - "interest": "", + "profileCategory": 2, "specialisation": "Outdoor & Sporting Goods Company", "location": "Ladson, South Carolina", "username": "zmanfishingproducts", @@ -1244,7 +27651,7 @@ "followers_count": 485476, "follows_count": 525, "website": "https://linktr.ee/Gravityindustries", - "interest": "", + "profileCategory": 2, "specialisation": "Aerospace Company", "location": "", "username": "takeongravity", @@ -1318,7 +27725,7 @@ "followers_count": 137074, "follows_count": 241, "website": "https://codymillerswim.com/", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "codymiller", @@ -1392,7 +27799,7 @@ "followers_count": 82299, "follows_count": 1067, "website": "https://youtu.be/mvAK_Vd0jJ8", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "thereelhilarysue", @@ -1466,7 +27873,7 @@ "followers_count": 185498, "follows_count": 243, "website": "https://linktr.ee/swimmermichael", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "swimmermichael", @@ -1540,7 +27947,7 @@ "followers_count": 212264, "follows_count": 1242, "website": "https://direct.me/britt-fishing", - "interest": "", + "profileCategory": 3, "specialisation": "Public Figure", "location": "", "username": "britt_fishing", @@ -1614,7 +28021,7 @@ "followers_count": 273735, "follows_count": 2400, "website": "http://darrellerevis.com/", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "darrellerevis", @@ -1658,7 +28065,7 @@ "followers_count": 276210, "follows_count": 7276, "website": "http://shop.octonation.com/", - "interest": "", + "profileCategory": 2, "specialisation": "Nonprofit Organization", "location": "", "username": "octonation", @@ -1732,7 +28139,7 @@ "followers_count": 814999, "follows_count": 799, "website": "https://www.sandcloud.com/collections/new-products", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "sand_cloud", @@ -1806,7 +28213,7 @@ "followers_count": 558916, "follows_count": 79, "website": "https://abc.com/shows/shark-tank", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "sharktankabc", @@ -1880,7 +28287,7 @@ "followers_count": 172424, "follows_count": 269, "website": "http://linktr.ee/musclebae/", - "interest": "", + "profileCategory": 3, "specialisation": "Fitness Model", "location": "", "username": "fit_lolamontez", @@ -1954,7 +28361,7 @@ "followers_count": 282113, "follows_count": 714, "website": "https://youtube.com/channel/UC-Gev_nIYf_a1U2Ocz_V0Dg", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "godwinjohn316", @@ -2028,7 +28435,7 @@ "followers_count": 190610, "follows_count": 1876, "website": "", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "blairconklin", @@ -2102,7 +28509,7 @@ "followers_count": 395756, "follows_count": 1833, "website": "https://www.fundmychallenge.com/", - "interest": "", + "profileCategory": 1, "specialisation": "", "location": "", "username": "joelparko", @@ -2176,7 +28583,7 @@ "followers_count": 163966, "follows_count": 714, "website": "https://direct.me/mariah-970", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "mariah_970", @@ -2250,7 +28657,7 @@ "followers_count": 144122, "follows_count": 1189, "website": "https://linktr.ee/brittanytareco", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "brittanytareco", @@ -2324,7 +28731,7 @@ "followers_count": 138495, "follows_count": 1180, "website": "https://www.youtube.com/watch?v=vK2KcNRwFEk", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "brisahennessy", @@ -2398,7 +28805,7 @@ "followers_count": 558305, "follows_count": 1774, "website": "http://www.robertoochoahe.com/", - "interest": "", + "profileCategory": 3, "specialisation": "Film Director", "location": "", "username": "robertoochoahe", @@ -2472,7 +28879,7 @@ "followers_count": 519355, "follows_count": 785, "website": "https://bit.ly/dream-mission", - "interest": "", + "profileCategory": 2, "specialisation": "Nonprofit Organization", "location": "", "username": "oceanx", @@ -2546,7 +28953,7 @@ "followers_count": 438060, "follows_count": 235, "website": "https://mlf.shortstack.com/KSMsQ1", - "interest": "", + "profileCategory": 2, "specialisation": "Sports League", "location": "Tulsa, Oklahoma", "username": "majorleaguefishingofficial", @@ -2620,7 +29027,7 @@ "followers_count": 339482, "follows_count": 6240, "website": "", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "usmcpics", @@ -2694,7 +29101,7 @@ "followers_count": 164615, "follows_count": 176, "website": "https://m.youtube.com/channel/UCJvv0Drv2Rijl8nNoSJIBNw", - "interest": "", + "profileCategory": 1, "specialisation": "", "location": "", "username": "lucas_york_black", @@ -2768,7 +29175,7 @@ "followers_count": 161969, "follows_count": 832, "website": "https://linktr.ee/jordanleefishing", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "jleefishing", @@ -2842,7 +29249,7 @@ "followers_count": 185919, "follows_count": 504, "website": "https://bit.ly/HairClub-Fishing-Trip", - "interest": "", + "profileCategory": 3, "specialisation": "Video Creator", "location": "", "username": "_darcizzle_", @@ -2916,7 +29323,7 @@ "followers_count": 261438, "follows_count": 287, "website": "", - "interest": "", + "profileCategory": 2, "specialisation": "Athlete", "location": "Stockholm, Sweden", "username": "sarahsjostrom", @@ -2990,7 +29397,7 @@ "followers_count": 340525, "follows_count": 92, "website": "", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "amazing.sea.world", @@ -3064,7 +29471,7 @@ "followers_count": 285657, "follows_count": 1484, "website": "https://catchsurf.com/a/shop", - "interest": "", + "profileCategory": 2, "specialisation": "Brand", "location": "", "username": "catchsurf", @@ -3138,7 +29545,7 @@ "followers_count": 732176, "follows_count": 479, "website": "https://pelagicgear.com/?rfsn=5950658.376c7c&utm_source=refersion&utm_medium=affiliate&utm_campaign=5950658.376c7c", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "marissa_everhart", @@ -3212,7 +29619,7 @@ "followers_count": 265223, "follows_count": 345, "website": "https://jolyn.com/", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "Huntington Beach, California", "username": "jolynclothing", @@ -3286,7 +29693,7 @@ "followers_count": 443887, "follows_count": 1080, "website": "", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "owright", @@ -3360,7 +29767,7 @@ "followers_count": 380471, "follows_count": 378, "website": "https://www.berkley-fishing.com/pages/saltwater-hardbaits", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "Spirit Lake, Iowa", "username": "berkleyfishing", @@ -3434,7 +29841,7 @@ "followers_count": 187017, "follows_count": 174, "website": "https://youtu.be/BzckILqZgFg", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "csgreatwhites", @@ -3508,7 +29915,7 @@ "followers_count": 414803, "follows_count": 705, "website": "http://ironswim.hu/", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "hosszukatinka", @@ -3582,7 +29989,7 @@ "followers_count": 214886, "follows_count": 422, "website": "https://bit.ly/RidersChoice_2021", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "Orlando, Florida", "username": "nautiqueboats", @@ -3656,7 +30063,7 @@ "followers_count": 185124, "follows_count": 272, "website": "", - "interest": "", + "profileCategory": 1, "specialisation": "", "location": "", "username": "katjimenezz", @@ -3725,7 +30132,7 @@ "followers_count": 473286, "follows_count": 1215, "website": "https://passportocean.com/product-category/jewelry/rings", - "interest": "", + "profileCategory": 2, "specialisation": "Brand", "location": "", "username": "passport.ocean", @@ -3799,7 +30206,7 @@ "followers_count": 4843225, "follows_count": 1681, "website": "", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "nhl", @@ -3873,7 +30280,7 @@ "followers_count": 6380355, "follows_count": 144, "website": "http://www.paramountplus.com/?ftag=PPM-05-10aeh6j", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "mtvwildnout", @@ -3947,7 +30354,7 @@ "followers_count": 5082695, "follows_count": 668, "website": "http://bit.ly/bppricematch", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "caseycott", @@ -3991,7 +30398,7 @@ "followers_count": 8527662, "follows_count": 58, "website": "https://bit.ly/3tuuQmj", - "interest": "", + "profileCategory": 3, "specialisation": "TV Show", "location": "", "username": "gameofthrones", @@ -4065,7 +30472,7 @@ "followers_count": 1464441, "follows_count": 423, "website": "https://youtu.be/5V06J2dKeDY", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "elsyguevara", @@ -4139,7 +30546,7 @@ "followers_count": 6679932, "follows_count": 388, "website": "", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "taylorlautner", @@ -4213,7 +30620,7 @@ "followers_count": 3213891, "follows_count": 393, "website": "http://eepurl.com/hn4AND", - "interest": "", + "profileCategory": 2, "specialisation": "Community", "location": "", "username": "wetheurban", @@ -4287,7 +30694,7 @@ "followers_count": 4758919, "follows_count": 1670, "website": "http://koji.to/piperrockelle/", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "piperrockelle", @@ -4361,7 +30768,7 @@ "followers_count": 4241234, "follows_count": 401, "website": "https://urldefense.proofpoint.com/v2/url?u=https-3A__santandabel.com_pages_s-2Da-2Dx-2Dandy-2Dcohen&d=DwMFaQ&c=Wi-qTpn_RgcJBhcTBvE78ikfrezXYPI95JOwqif1l1c&r=7kcj_OvzRrAaaCy6WYPEvQsh0ux3s37koFYIVt5E13U&m=rf6GOZ3K-NQWSbqOUsv_PQm2ncEZJHfZZfKy3dMuwGc&s=JvmT8zwWAuLu8WHlsY8UB_2eAuT1zPZL7hweijrzZf8", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "bravoandy", @@ -4435,7 +30842,7 @@ "followers_count": 2524777, "follows_count": 405, "website": "http://bit.ly/BlueHunnids", - "interest": "", + "profileCategory": 2, "specialisation": "Artist", "location": "", "username": "lightskinkeisha", @@ -4509,7 +30916,7 @@ "followers_count": 17523911, "follows_count": 1039, "website": "https://vm.tiktok.com/ZMeUx94c6/", - "interest": "", + "profileCategory": 3, "specialisation": "Actor", "location": "", "username": "cvillaloboss", @@ -4583,7 +30990,7 @@ "followers_count": 2543215, "follows_count": 1262, "website": "https://grandezahotsauce.com/", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "robkardashianofficial", @@ -4657,7 +31064,7 @@ "followers_count": 2158357, "follows_count": 848, "website": "https://hoo.be/heathhussar", - "interest": "", + "profileCategory": 3, "specialisation": "Public Figure", "location": "", "username": "heathhussar", @@ -4726,7 +31133,7 @@ "followers_count": 3909561, "follows_count": 349, "website": "http://www.howisfeedinggoing.com/", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "tanfrance", @@ -4800,7 +31207,7 @@ "followers_count": 2366610, "follows_count": 684, "website": "http://www.patreon.com/thegoodthebadthebaby/", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "stassischroeder", @@ -4874,7 +31281,7 @@ "followers_count": 8339222, "follows_count": 174, "website": "https://bit.ly/3tzjyx1", - "interest": "", + "profileCategory": 2, "specialisation": "Public Figure", "location": "", "username": "willyrex", @@ -4943,7 +31350,7 @@ "followers_count": 11669131, "follows_count": 29, "website": "http://linktr.ee/friends/", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "friends", @@ -5017,7 +31424,7 @@ "followers_count": 16140521, "follows_count": 2570, "website": "http://houseofblacchyna.com/", - "interest": "", + "profileCategory": 3, "specialisation": "Public Figure", "location": "", "username": "blacchyna", @@ -5076,7 +31483,7 @@ "followers_count": 2186376, "follows_count": 222, "website": "https://gum.co/tzmAy", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "aspynovard", @@ -5205,7 +31612,7 @@ "followers_count": 5804425, "follows_count": 1613, "website": "http://toochikash.fans/", - "interest": "", + "profileCategory": 3, "specialisation": "Public Figure", "location": "", "username": "toochi_kash", @@ -5279,7 +31686,7 @@ "followers_count": 2346117, "follows_count": 97, "website": "https://www.youtube.com/channel/UCFQ2Oe3k6tULLXO_iBhoqHA", - "interest": "", + "profileCategory": 3, "specialisation": "Blogger", "location": "", "username": "royalty_24kt", @@ -5353,7 +31760,7 @@ "followers_count": 7238971, "follows_count": 4, "website": "https://bit.ly/Dinner-Us-YOU", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "jonasbrothers", @@ -5427,7 +31834,7 @@ "followers_count": 2144715, "follows_count": 728, "website": "https://linktr.ee/chrishell.stause", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "chrishell.stause", @@ -5501,7 +31908,7 @@ "followers_count": 2337528, "follows_count": 2579, "website": "", - "interest": "", + "profileCategory": 3, "specialisation": "Actor", "location": "", "username": "imbadkidmaceii", @@ -5575,7 +31982,7 @@ "followers_count": 1783701, "follows_count": 393, "website": "", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "michaelraineyjr", @@ -5634,7 +32041,7 @@ "followers_count": 4848505, "follows_count": 204, "website": "https://payton.ffm.to/driveaway", - "interest": "", + "profileCategory": 3, "specialisation": "Artist", "location": "", "username": "paytonmoormeier", @@ -5703,7 +32110,7 @@ "followers_count": 2743585, "follows_count": 524, "website": "http://bombzquad.com/", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "Tuscaloosa, Alabama", "username": "bronzebomber", @@ -5777,7 +32184,7 @@ "followers_count": 1772196, "follows_count": 257, "website": "https://music.empi.re/tentoesdown", - "interest": "", + "profileCategory": 2, "specialisation": "Musician/Band", "location": "", "username": "1804jackboy", @@ -5851,7 +32258,7 @@ "followers_count": 2023206, "follows_count": 557, "website": "https://www.wildflowercases.com/collections/claudia-sulewski-x-wildflower-cases", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "claudiasulewski", @@ -5910,7 +32317,7 @@ "followers_count": 4563234, "follows_count": 1856, "website": "http://shopjordanfisher.com/", - "interest": "", + "profileCategory": 2, "specialisation": "Public Figure", "location": "", "username": "jordanfisher", @@ -5979,7 +32386,7 @@ "followers_count": 3695311, "follows_count": 5684, "website": "https://linktr.ee/JustinaValentine", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "justinavalentine", @@ -6053,7 +32460,7 @@ "followers_count": 323488390, "follows_count": 475, "website": "http://www.cristianoronaldo.com/", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "cristiano", @@ -6127,7 +32534,7 @@ "followers_count": 93757687, "follows_count": 354, "website": "", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "kingjames", @@ -6201,7 +32608,7 @@ "followers_count": 156732010, "follows_count": 1576, "website": "http://www.neymarjr.com/", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "neymarjr", @@ -6275,7 +32682,7 @@ "followers_count": 99674726, "follows_count": 77, "website": "http://barca.link/FcKf30rOtXd", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "Barcelona, Spain", "username": "fcbarcelona", @@ -6319,7 +32726,7 @@ "followers_count": 46980973, "follows_count": 774, "website": "http://facebook.com/10Jamesrodriguez/", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "jamesrodriguez10", @@ -6393,7 +32800,7 @@ "followers_count": 101928227, "follows_count": 43, "website": "http://shop.realmadrid.com/", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "Madrid, Spain", "username": "realmadrid", @@ -6522,7 +32929,7 @@ "followers_count": 26034838, "follows_count": 1359, "website": "https://hoh.world/zw6zfs", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "houseofhighlights", @@ -6596,7 +33003,7 @@ "followers_count": 46598071, "follows_count": 149, "website": "", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "paulpogba", @@ -6670,7 +33077,7 @@ "followers_count": 77936186, "follows_count": 397, "website": "https://linktr.ee/UEFAChampionsLeague", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "Nyon, Switzerland", "username": "championsleague", @@ -6859,7 +33266,7 @@ "followers_count": 7106340, "follows_count": 94, "website": "http://lameloball.io/", - "interest": "", + "profileCategory": 3, "specialisation": "Public Figure", "location": "", "username": "melo", @@ -6933,7 +33340,7 @@ "followers_count": 11603900, "follows_count": 412, "website": "https://www.adidas.com/us/james_harden", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "jharden13", @@ -6997,7 +33404,7 @@ "followers_count": 20050254, "follows_count": 478, "website": "https://es.pn/UFC265ESPN", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "Bristol, Connecticut", "username": "espn", @@ -7071,7 +33478,7 @@ "followers_count": 10011906, "follows_count": 461, "website": "http://autograph.io/", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "tombrady", @@ -7145,7 +33552,7 @@ "followers_count": 10518576, "follows_count": 8, "website": "http://sincerelymariah.com/", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "giannis_an34", @@ -7219,7 +33626,7 @@ "followers_count": 14927509, "follows_count": 662, "website": "http://kyrieirving.com/", - "interest": "", + "profileCategory": 1, "specialisation": "", "location": "", "username": "kyrieirving", @@ -7268,7 +33675,7 @@ "followers_count": 14393468, "follows_count": 1188, "website": "", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "obj", @@ -7342,7 +33749,7 @@ "followers_count": 7992490, "follows_count": 706, "website": "https://m.youtube.com/c/NoahBeck", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "noahbeck", @@ -7416,7 +33823,7 @@ "followers_count": 58485306, "follows_count": 1021, "website": "http://nbaevents.com/", - "interest": "", + "profileCategory": 2, "specialisation": "Sports League", "location": "", "username": "nba", @@ -7490,7 +33897,7 @@ "followers_count": 41009844, "follows_count": 163, "website": "", - "interest": "", + "profileCategory": 2, "specialisation": "Athlete", "location": "", "username": "karimbenzema", @@ -7564,7 +33971,7 @@ "followers_count": 13503615, "follows_count": 95, "website": "https://serenawilliamsjewelry.com/pages/unstoppable-brilliance", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "serenawilliams", @@ -7623,7 +34030,7 @@ "followers_count": 19237674, "follows_count": 206, "website": "https://twitch.tv/slakun10", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "kunaguero", @@ -7747,7 +34154,7 @@ "followers_count": 10569378, "follows_count": 954, "website": "http://hoo.be/cp3/", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "cp3", @@ -7821,7 +34228,7 @@ "followers_count": 21102114, "follows_count": 1872, "website": "http://nfl.com/", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "New York, New York", "username": "nfl", @@ -7895,7 +34302,7 @@ "followers_count": 6931289, "follows_count": 675, "website": "", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "antdavis23", @@ -7969,7 +34376,7 @@ "followers_count": 33990888, "follows_count": 76, "website": "http://www.by-and-for.com/", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "Barcelona, Spain", "username": "antogriezmann", @@ -8043,7 +34450,7 @@ "followers_count": 39929508, "follows_count": 2124, "website": "http://submit.by433.com/", - "interest": "", + "profileCategory": 2, "specialisation": "Community", "location": "", "username": "433", @@ -8056,7 +34463,7 @@ "followers_count": 6053531, "follows_count": 608, "website": "", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "lukadoncic", @@ -8130,7 +34537,7 @@ "followers_count": 16186444, "follows_count": 624, "website": "https://youtu.be/uf-cpw_LimU", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "San Francisco, California", "username": "bleacherreport", @@ -8204,7 +34611,7 @@ "followers_count": 29117156, "follows_count": 31, "website": "", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "zidane", @@ -8263,7 +34670,7 @@ "followers_count": 9239382, "follows_count": 2572, "website": "https://linktr.ee/DamianLillard", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "damianlillard", @@ -8337,7 +34744,7 @@ "followers_count": 44362833, "follows_count": 87, "website": "http://et.golf/cazooopentickets/", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "garethbale11", @@ -8411,7 +34818,7 @@ "followers_count": 10503891, "follows_count": 671, "website": "http://airbnb.com/Olympics", - "interest": "", + "profileCategory": 2, "specialisation": "Personal Blog", "location": "", "username": "zo", @@ -8485,7 +34892,7 @@ "followers_count": 3682395, "follows_count": 115, "website": "", - "interest": "", + "profileCategory": 2, "specialisation": "Athlete", "location": "", "username": "traeyoung", @@ -8554,7 +34961,7 @@ "followers_count": 9412841, "follows_count": 528, "website": "", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "Los Angeles, California", "username": "alexmorgan13", @@ -8628,7 +35035,7 @@ "followers_count": 3863279, "follows_count": 799, "website": "https://linktr.ee/jaytatum0", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "jaytatum0", @@ -8697,7 +35104,7 @@ "followers_count": 18786426, "follows_count": 336, "website": "", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "3gerardpique", @@ -8771,7 +35178,7 @@ "followers_count": 42074500, "follows_count": 121, "website": "http://manutd.co/EvertonFriendly", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "Manchester, United Kingdom", "username": "manchesterunited", @@ -8845,7 +35252,7 @@ "followers_count": 17857542, "follows_count": 1717, "website": "https://linktr.ee/dwyanewade", - "interest": "", + "profileCategory": 2, "specialisation": "Athlete", "location": "Los Angeles, California", "username": "dwyanewade", @@ -8919,7 +35326,7 @@ "followers_count": 17112289, "follows_count": 82, "website": "https://www.nba.com/lakers/in-the-paint", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "lakers", @@ -8993,7 +35400,7 @@ "followers_count": 19744934, "follows_count": 449, "website": "", - "interest": "", + "profileCategory": 1, "specialisation": "", "location": "", "username": "lukamodric10", @@ -9067,7 +35474,7 @@ "followers_count": 9052171, "follows_count": 1167, "website": "http://novakdjokovic.com/", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "djokernole", @@ -9136,7 +35543,7 @@ "followers_count": 11643660, "follows_count": 161, "website": "https://www.whsmith.co.uk/products/you-are-a-champion/marcus-rashford/paperback/9781529068177.html", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "marcusrashford", @@ -9210,7 +35617,7 @@ "followers_count": 7561170, "follows_count": 520, "website": "https://bit.ly/wheretomorrowsarentpromised", - "interest": "", + "profileCategory": 2, "specialisation": "Athlete", "location": "", "username": "carmeloanthony", @@ -9279,7 +35686,7 @@ "followers_count": 14676322, "follows_count": 382, "website": "", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "kevindebruyne", @@ -9353,7 +35760,7 @@ "followers_count": 8610179, "follows_count": 71, "website": "http://myswitzerland.com/roger", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "rogerfederer", @@ -9427,7 +35834,7 @@ "followers_count": 2229058, "follows_count": 727, "website": "", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "saquon", @@ -9496,7 +35903,7 @@ "followers_count": 28317313, "follows_count": 118, "website": "http://bit.ly/21AwayKit", - "interest": "", + "profileCategory": 2, "specialisation": "Sports Team", "location": "London, United Kingdom", "username": "chelseafc", @@ -9570,7 +35977,7 @@ "followers_count": 50508461, "follows_count": 64, "website": "http://juve.it/XUj650FAKpb", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "Turin, Italy", "username": "juventus", @@ -9694,7 +36101,7 @@ "followers_count": 31133166, "follows_count": 346, "website": "http://adidas.com/football/", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "Herzogenaurach", "username": "adidasfootball", @@ -9768,7 +36175,7 @@ "followers_count": 4285260, "follows_count": 400, "website": "", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "cmpulisic", @@ -9842,7 +36249,7 @@ "followers_count": 9025892, "follows_count": 702, "website": "", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "ygtrece", @@ -9916,7 +36323,7 @@ "followers_count": 5668592, "follows_count": 222, "website": "", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "bensimmons", @@ -9975,7 +36382,7 @@ "followers_count": 2586871, "follows_count": 136, "website": "http://www.cameo.com/geloball3", - "interest": "", + "profileCategory": 3, "specialisation": "Public Figure", "location": "", "username": "gelo", @@ -10049,7 +36456,7 @@ "followers_count": 38043251, "follows_count": 90, "website": "https://www.psg.fr/", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "Paris, France", "username": "psg", @@ -10123,7 +36530,7 @@ "followers_count": 7657614, "follows_count": 2436, "website": "https://linktr.ee/mlb", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "New York, New York", "username": "mlb", @@ -10197,7 +36604,7 @@ "followers_count": 4711755, "follows_count": 243, "website": "http://nba.2k.com/buy", - "interest": "", + "profileCategory": 2, "specialisation": "", "location": "", "username": "nba2k", @@ -10266,12 +36673,12 @@ ] }, { - "fullname": "12 \ud83e\udd77\ud83c\udffd\ud83d\udda4", + "fullname": "12", "biography": "#KaariJ #LLT #BNO #TTG #MBNO ", "followers_count": 4083958, "follows_count": 498, "website": "https://bit.ly/2VmN62c", - "interest": "", + "profileCategory": 3, "specialisation": "Athlete", "location": "", "username": "jamorant", @@ -10345,7 +36752,7 @@ "followers_count": 4101091, "follows_count": 456, "website": "http://reebok.com/jjwatt/", - "interest": "", + "profileCategory": 3, "specialisation": "", "location": "", "username": "jjwatt", @@ -10402,5 +36809,147 @@ "commentsCount": 206 } ] + }, + { + "fullname": "Roller Skate Yoga Teacher", + "biography": "Professional Roller Skate Yoga + Instructor", + "followers_count": 216956, + "follows_count": 373, + "website": "https://taplink.cc/coco_franklin_", + "interest": "", + "specialisation": "Digital Creator", + "location": "", + "username": "coco_franklin_", + "role": "influencer", + "latestMedia": [ + { + "caption": "Thank you to all who came out to our @pigeonsrollerskateshop x @discoasis event last night. Everyone I met last night were so sweet and such a vibe! I’m so lucky to have such amazing supporters like y’all. Your energy and constant love continues to fuel my inspiration.", + "likes": 1171, + "commentsCount": 37 + }, + { + "caption": "I get so many questions on how to get better on skates so here’s your chance to come and learn WITH ME! \n\nSpaces are SUPER limited so get your ticket for the workshop you want now before it’s too late 🥵\nLink in bio 🙆🏾‍♀️\n\nFor those who don’t wanna come to a workshop but would really LOVE to skate and just hang out around town grab a Skate + Hang option ticket and vibe Newport Beach Sept 17 18 19\nDenver September 24 25 26 Houston October 21 22 23 Miami November 5th 6th 7th \n\nHow to Skate: Fundamentals Workshop\nPerfect for beginners 😍\n\nBackwards Skating workshop\nPerfect for anyone learning how to skate backwards OR for those looking to just level up their backwards flow! \n\nCoco Style Artist Jam/Dance Foundation Workshop\nPerfect for that skater looking to find their grove dancing on skates!\n\nHow to Skate Outside\nPerfect for the skater trying to understand how to skate outside without falling and worrying about cracks ect.\n\nDM’s won’t be answered so please ask questions below or email questions AFTER reading the website 😉\n\nCan’t wait to see y’all ✌🏾-Coco xxxPs don’t have skates? Get some at @pigeonsrollerskateshop and use my code coco for a discount!", + "likes": 12502, + "commentsCount": 187 + }, + { + "caption": "What a vibe this was 🙆🏾‍♀️🙆🏾‍♀️🙆🏾‍♀️\nSpecial shout out to my dance partner who was so much fun to skate with ✨ (who out there knows his IG?!) update @jacob.sk8tr \n\nCome level up your skating skills with me at one of my workshops! \nI get so many questions on techniques and now is your chance to get tons of one on one time with me!!!! \n\nNewport Beach Sept 17 18 19\nDenver September 24 25 26 \nHouston October 21 22 23\nMiami November 5th 6th 7th \nAll ticket links In bio. \n\nDM’s won’t be answered so please ask questions below or email questions AFTER reading the website 😉\n\nI can’t wait to teach you all and help everyone level up their skating and confidence game. We always have a good time together so I’m excited to finished my last leg of my 2021 US tour! \n\nLet’s go!!! ✌🏾\n-Coco xxx\n\nPlace @discoasis", + "likes": 2568, + "commentsCount": 79 + }, + { + "caption": "Yes the roomers are true! A new California workshop date is added, NEWPORT Beach!!!! \n\nSpaces are SUPER limited so get your ticket for the workshop you want now before it’s too late 🥵\nLink in bio 🙆🏾‍♀️\n\nNewport Beach Sept 17 18 19\nDenver September 24 25 26 \nHouston October 21 22 23\nMiami November 5th 6th 7th \nAll ticket links In bio. \n\nDM’s won’t be answered so please ask questions below or email questions AFTER reading the website 😉 please do not ask for discounts this is how I feed myself and is my FULL time JOB. It takes COUNTLESS hours, days and weeks to create these workshops and I’d never ask someone (especially a self employed ARTIST) to work for a discount and you shouldn’t want to either. That’s how corporations win and small business lose 😢\n\nI can’t wait to teach you all and help everyone level up their skating and confidence game. We always have a good time together so I’m excited to finished my last leg of my 2021 US tour! \n\nLet’s go!!! ✌🏾\n-Coco xxx\n\nPlace @discoasis \n🎥 @kamrylorin \n🎵 @lizzobeeating", + "likes": 3153, + "commentsCount": 157 + }, + { + "caption": "@dojacat I’d love to skate for youuuuuu ahhhhhh. This whole album is a forever bop 🥵 \n\nI’m hosting another VIP skater night with @pigeonsrollerskateshop x @discoasis on Aug 17th and it will be a part #2 to the first amazing party we had! Use code Skater to get your tickets and see ya on the dance, ugh I mean skate floor 🙆🏾‍♀️\n-Coco xxx", + "likes": 1994, + "commentsCount": 47 + }, + { + "caption": "What a magical night with @kamrylorin at @discoasis x @silksonic night!\n\nCan’t wait to do it all over again on the 17th for @pigeonsrollerskateshop party! Use code Skater to buy your tickets before they sell out! 🥺🙆🏾‍♀️\n\nComing up Skate Workshops \nNewport Beach September 17 18 19\nDenver September 24 25 26 \nHouston October 21 22 23\nMiami November 5th 6th 7th \nAll ticket links In bio. \n\nDM’s won’t be answered so please ask questions below or email questions AFTER reading the website 😉 (please do not ask for discounts this is how I feed myself and is my full time job 🥺).\n\nI can’t wait to teach you all and help everyone level up their skating and confidence game. We always have a good time together so I’m excited to finished my last leg of my 2021 US tour! \n\nPs which pic is your fav? I’m loving # because it’s so candid 😃\nSee y’all soon!\n-Coco xx", + "likes": 1120, + "commentsCount": 25 + }, + { + "caption": "If you’re anything like me you have days filled with meeting every hour, running work errands and forever catching up on emails.\n\nSometimes I just don’t have enough energy to cover the day and that’s when I grab my @drinkkoia plant based protein shake that gives me that extra boost need without the body shakes I get from caffeine. \n\nI love just grabbing one out of the fridge and taking it with me on the go to have throughout the day! \n\nI had so much fun creating this video and felt this TikTok trend was perfect for when I’m feeling drained and wanna give up on the day hahaha. Like I really do have these types of talks with myself.\n\nWhat are some of the things you do to gain energy throughout your day? And have you tried replacing your coffee with an alternative? Let me know your thoughts below👇🏾 #krushitwithkoia #drinkkoia \n\nThanks @drinkkoia for keeping me going 🙆🏾‍♀️🙆🏾‍♀️🙆🏾‍♀️🙆🏾‍♀️\n-Coco xxx", + "likes": 580, + "commentsCount": 15 + } + ] + }, + { + "fullname": "O U M I J A N T A", + "biography": "100% BERLIN GIRL \n100% SENEGALESE CHOCO\n 🌎 @imgmodels \n let’s Jam Skate @jamskateclub \n Impressum @mein__impressum", + "followers_count": 946364, + "follows_count": 1755, + "website": "https://linktr.ee/Oumijanta", + "interest": "", + "specialisation": "Just For Fun", + "location": "", + "username": "oumi_janta", + "role": "influencer", + "latestMedia": [ + { + "caption": "Happy to share this💜🙋🏿‍♀️\nOfficially represented by @imgmodels for north america", + "likes": 19765, + "commentsCount": 569 + }, + { + "caption": "anzeige// BTS of the beloved @stellamccartney shine collection. I figured I am shining most when I skate in the morning or in the night🤩\n\n@adidaswomen #adidasbystellamccartney #createdwithadidas", + "likes": 12502, + "commentsCount": 187 + }, + { + "caption": "How should I call this? Help a sis out! Last post I did that I kinda called it „skate yoga“ but not really satisfied with that name. I truly love doing these controlled sessions, really helps to strengthen my balance 💪🏿\n***\nskates: vintage riedell red wing\n***\n#jamskate #tempelhoferfeld #berlin #rollerskate", + "likes": 17901, + "commentsCount": 255 + }, + { + "caption": "anzeige // A little glimpse of whats in my skate back - definitely no T tool, cause I will always forget it\n***\n#TeamGalaxy\n#withGalaxy\n#GalaxyS21Ultra\n@samsunggermany", + "likes": 3153, + "commentsCount": 157 + }, + { + "caption": "Todays Jam - Could you resist lip singing this part? skates: vintage riedell red wing #jamskate #tempelhoferfeld #berlin #rollerskate", + "likes": 35300, + "commentsCount": 348 + }, + { + "caption": "Diving in deep blue waters with some pastels from @tommyjeans #tommyjeans #tommyjeans #rollerskating #jamskate #berlin", + "likes": 21700, + "commentsCount": 129 + } + ] + }, + { + "fullname": "Fritzy’s Roller Skate Shop", + "biography": "Shipping your orders quickly! In store: Roller skates, outdoor rentals, skate classes, and more!", + "followers_count": 33766, + "follows_count": 237, + "website": "https://fritzysrollerskateshop.com", + "interest": "Personal Goods & General Merchandise Stores", + "specialisation": "Skate Shop", + "location": "", + "username": "fritzys_roller_skate_shop", + "role": "business", + "latestMedia": [ + { + "caption": "We got a warehouse! Fritzy and Mr. Fritzy debate back and forth and nothing and we talk restocks!", + "likes": 1171, + "commentsCount": 37 + }, + { + "caption": "Fritzy and Mr. Fritzy answer a bunch of questions and take a short field trip! Want to design a tshirt for Mr. Fritzy? Send us a DM, he’s feeling sad he doesn’t have a “skate and hate” or “run over skatemates” shirt ", + "likes": 152, + "commentsCount": 3 + }, + { + "caption": "Fritzy talks about all the new restocks, warehouse stuff, answers questions, and shows off the new crop hoodie!", + "likes": 167, + "commentsCount": 11 + }, + { + "caption": "We wheely want you to listen to us talk about random skating stuff.", + "likes": 40, + "commentsCount": 286 + }, + { + "caption": "Day one of moving into our new warehouse! #rolleskating #womenowned #warehouse", + "likes": 679, + "commentsCount": 23 + }, + { + "caption": "** GIVEAWAY TIME!!! ** \nMr. Fritzy and crew @lindsk8s dyed these size 7 Moxi Lolly’s to create a fun custom Burgundy Lolly Skate. They also added some sweet White Bont GLOW wheels, Moto deluxe bearings, Silver Spark laces … AND we are giving them away to one lucky winner. \n\nTo enter:\n1.) Follow @fritzys_roller_skate_shop\n2.) Like this photo\n3.) Tag a skate loving friend \n4.) Give some love to Lindsay - Follow her at @lindsk8s\n\nBONUS ENTRIES!!!\n5.) Tag additional friends in separate comments. Each additional friend you tag = an additional entry!!! \n\nDon’t forget to complete every action, along with the bonus to maximize your entries. Our lucky winner will be announced during shop talk on 8/19. ** BE AWARE OF SPAM ACCOUNTS COPYING OUR GIVEAWAY ** \n\nGiveaway Rules: 
Giveaway ends on August 18, 2021 at 11:59pm PST. The winner will be randomly chosen on Thursday, August 19th and announced during shop talk that day. Must be 18 years or older to enter. If you live in the contiguous US we will pay the shipping fees. Winners outside the contiguous US will be responsible for shipping & duty charges. This giveaway is not endorsed or sponsored by Instagram or Moxi Roller Skates. We just wanted to have some fun and show some love to our loyal customers. THIS IS THE OFFICIAL FRITZY’s ACCOUNT. If you receive a DM with a link or asking for personal information do not click or reply. Please report them as SPAM. It is so sad they feel the need to ruin something nice. \n\n** For additional information regarding the skate specs or giveaway rules please visit the link in bio. ", + "likes": 4113, + "commentsCount": 5635 + }, + { + "caption": "Restock Alert!!! They have finally arrived. Be sure to order now or you just might miss out on these popular light up wheels. #luminouswheels #lightupwheels #fritzysrollerskateshop", + "likes": 652, + "commentsCount": 44 + } + ] } ] \ No newline at end of file diff --git a/seed.js b/seed.js index 4d7ab35..04810d8 100644 --- a/seed.js +++ b/seed.js @@ -61,7 +61,7 @@ let addUsers = (arr) => { let mediaParams = { caption: m.caption, likes: m.likes, - commentCount: m.commentsCount + commentCount: m.commentsCount || typeof m.commentsCount !== 'undefined' ? m.commentsCount : (Math.floor(Math.random() + (300 - 20 + 1) + 20)) } //create Media new Media(mediaParams).save().then(media => { @@ -85,7 +85,7 @@ let addUsers = (arr) => { console.error(error.message) }); }) - console.log(data.length); + console.log("Length: ", data.length); return data; } diff --git a/views/matches/index.ejs b/views/matches/index.ejs index fdb553b..9f24726 100644 --- a/views/matches/index.ejs +++ b/views/matches/index.ejs @@ -2,20 +2,28 @@
+ <% users.forEach(user=> { %>
+
-
-
Profile
-
User-Profile-Image
-
Alessa Robert
-

@username

+
<%=user.fullname%>
+

@<%=user.username%>


- Score: 87%

+ Score: <%=user.score%>%

+ <% if(user.score > 80) { %> +
    +
  • +
  • +
  • +
  • +
  • +
+ <% } else if (user.score > 40 && user.score < 90) { %>
  • @@ -23,105 +31,23 @@
-
-
-
- -

1256

-
-
- -

8562

-
-
- - - - -

189

-
-
-
-

Lorem Ipsum is simply dummy text of the printing and typesetting industry.

-
- -
-
-
- -
-
-
-
Profile
-
-
-
- User-Profile-Image -
-
Alessa Robert
-

@username

-
-

Score: 87%

-
    -
  • + <% } else if (user.score > 10 && user.score < 40){ %> +
    • +
    -
    -
    -
    - -

    1256

    -
    -
    - -

    8562

    -
    -
    - - - -

    189

    -
    -
    -
    -

    Lorem Ipsum is simply dummy text of the printing and typesetting industry.

    -
    - -
-
-
- -
-
-
-
Profile
-
-
-
- User-Profile-Image -
-
Alessa Robert
-

@username

-
-

Score: 87%

-
    -
  • -
  • + <% } else { %> +
    • +
    • +
    + <% } %>
    @@ -130,25 +56,28 @@
    -

    8562

    +

    <%=user.followers_count%>

    +

    189

    -

    Lorem Ipsum is simply dummy text of the printing and typesetting industry.

    +

    <%=user.biography%>


+
+ <% })%>
\ No newline at end of file diff --git a/views/profile.ejs b/views/profile.ejs index 43eaf2a..9faf5e8 100644 --- a/views/profile.ejs +++ b/views/profile.ejs @@ -31,7 +31,7 @@