The Harris campaign just released an ad mocking Trump for being a senior citizen.
The levels of tone-deafness of posting this when their previous candidate ("current President") is older and had obvious severe mental decline is crazy!
Meanwhile, here's the polls and the betting odds. Correlation? 🤣
You can't keep blatantly lying to people's faces forever.
“Meteor showers occur when Earth passes through trails of debris left by comets or asteroids. As the Earth orbits the Sun, it intersects these streams of meteoroids, which are often sand-sized particles.
When these meteoroids enter the atmosphere at high speeds, they burn up, creating bright streaks of light known as meteors.
Meteor showers typically happen at specific times each year, corresponding to the Earth’s orbit through denser parts of these debris streams.”
You just got DOOKed! @pepetoken thinks your content is the shit. They have 7/300DOOK left to drop today.Learn all about this shit in the toilet paper! 💩
You just got DOOKed! @pepetoken thinks your content is the shit. They have 14/300DOOK left to drop today.Learn all about this shit in the toilet paper! 💩
@savvytester just sent you a DIY token as a little appreciation for your comment dear @pepetoken!
Feel free to multiply it by sending someone else !DIY in a comment :) You can do that x times a day depending on your balance so:
@savvytester just sent you a DIY token as a little appreciation for your comment dear @pepetoken!
Feel free to multiply it by sending someone else !DIY in a comment :) You can do that x times a day depending on your balance so:
Back to 2020 / 2021 I don't remember, when I made this whole mosaic with CDs while listening to Tales of Black Badge podcast and suddenly unlocked English
You just got DOOKed! @beststart thinks your content is the shit. They have 9/20DOOK left to drop today.Learn all about this shit in the toilet paper! 💩
Good Morning John! Chilly start to the day here. Supposed to be nicer later on. No plans other than getting some work done and maybe getting out for some fresh air. Enjoy your Sunday 😀
You just got DOOKed! @beststart thinks your content is the shit. They have 4/20DOOK left to drop today.Learn all about this shit in the toilet paper! 💩
You just got DOOKed! @beststart thinks your content is the shit. They have 6/20DOOK left to drop today.Learn all about this shit in the toilet paper! 💩
You just got DOOKed! @pepetoken thinks your content is the shit. They have 13/400DOOK left to drop today.Learn all about this shit in the toilet paper! 💩
You just got DOOKed! @beststart thinks your content is the shit. They have 1/20DOOK left to drop today.Learn all about this shit in the toilet paper! 💩
@pepetoken just sent you a DIY token as a little appreciation for your comment dear @beststart!
Feel free to multiply it by sending someone else !DIY in a comment :) You can do that x times a day depending on your balance so:
You just got DOOKed! @bradleyarrow thinks your content is the shit. They have 23/60DOOK left to drop today.Learn all about this shit in the toilet paper! 💩
Reacher star Alan Ritchson could make a Clint Eastwood-style remake of A Fistful of Dollars work, 🤠 his upcoming movie Rebel Ridge seems to follow similar themes of a lone warrior fighting corruption, 🎬 Ritchson’s physical presence and quiet intensity matches Eastwood’s style from the original western, 🔫 showing how classic western themes can be updated for modern audiences without losing their core appeal
Y bien amigos asi terminamos la transmisión de hoy! Todo un éxito la temática tabernera! Nos vemos la semana próxima, con más y mejor! #spanish #hivenftgamelatino
I love the options PeakD Polls system provide... You can limit the number of days the poll stay open, and the votes are shown as graph that you can interpert by the number of votes, or by voters HP.
noone „likes“ twitter for it’s ui, people are just used to it, because they don‘t know better … we could do better, but the prevailing mindset here seems to be to just copy shit and for heaven's sake don't lure users out of their comfort zone 😱
‘The Mandalorian & Grogu’ has finish filming, this is the series that got me into watching Star Wars content, hope when the movie release on 2026 turns into a great addition to the franchise
Did you know that the human body contains a unique protein called "resilin," found in ligaments and insect wings, which allows it to store and release energy, functioning like a natural rubber band?
That's quite interesting and I've never heard before about Resilin. I wonder if it also can be assimilated from pills or other pharmaceutical products...
Beautiful port, perfect for a day of relaxation and enjoying the wonders of nature.Beautiful port, perfect for a day of relaxation and enjoying the wonders of nature.
Weekend is a good timing to make #splinterlands posts. It's good opportunity for small account to grow their HP by setting author rewards to 100% HP. Don't forget to use #BBH tribe tag to get some extra rewards. #cent #freecompliments
I've just got this comment from the @commentrewarder where I've set it as one of the Beneficiaries. That's a pretty nice piece of information dropped by.
Here I'll be putting some of my conversations with #ChatGPT. I'll put them in both screenshots-form and text form. Mainly to give more data for LeoAI to eat from.
Write a python program that makes a database of the video files in the current folder, and prints in a text file the following data:
The combined time duration of all video files.
The average duration of all the video files time duration.
The median of the video files time duration in the folder.
Write the code in an easy to understand way, and make it easy to modify and add to. You can use third-party libraries as long as they're lighweight and require less of 1MB of download with pip. Explain each part of your codes, and provide alternative ways for doing some of the things you've done. Prioritize efficiency.
We discussed a Python program to gather video files in the current folder, calculate their combined, average, and median durations, and output these results to a text file. You wanted the output to show time in the format hours:minutes:seconds.fractions. I provided a solution using the moviepy library, with detailed explanations and comments to make the code easy to understand, extend, and modify.
The conversation includes:
The main Python code with detailed comments.
An explanation of the format_duration function that formats the time.
Alternative approaches for efficiency and median calculation.
Below are the individual code and explanation chunks.
Here’s the main Python code that lists video files in the current folder, calculates durations, and outputs the combined, average, and median durations in hours:minutes:seconds.fractions format:
# Import necessary modulesimport os
import moviepy.editor as mp
import statistics
# Set up list to hold video durations in seconds
video_durations = []
# Define a list of video file extensions for filtering
video_extensions = ['.mp4', '.mov', '.avi', '.mkv']
# Function to convert seconds to "hours:minutes:seconds.fractions" formatdefformat_duration(seconds):
hours = int(seconds // 3600)
minutes = int((seconds % 3600) // 60)
secs = seconds % 60# remaining seconds with fractionreturnf"{hours}:{minutes:02}:{secs:06.3f}"# format with leading zeros for minutes, seconds, and fraction
# Get all video files in the current directoryfor file in os.listdir('.'):
# Check if the file is a video file based on its extensionifany(file.endswith(ext) for ext in video_extensions):
try:
# Load the video file and get its duration
video = mp.VideoFileClip(file)
duration = video.duration # Duration in seconds
video_durations.append(duration)
video.close() # Close the file to free up resourcesexcept Exception as e:
print(f"Error processing {file}: {e}")
# Calculate total duration, average, and median if there are video filesif video_durations:
total_duration = sum(video_durations)
average_duration = total_duration / len(video_durations)
median_duration = statistics.median(video_durations)
# Write results to a text filewithopen("video_duration_stats.txt", "w") as f:
f.write(f"Combined duration of all video files: {format_duration(total_duration)}\n")
f.write(f"Average duration of video files: {format_duration(average_duration)}\n")
f.write(f"Median duration of video files: {format_duration(median_duration)}\n")
print("Video duration stats have been saved to 'video_duration_stats.txt'")
else:
print("No video files found in the current directory.")
for file in os.listdir('.'):
ifany(file.endswith(ext) for ext in video_extensions):
try:
video = mp.VideoFileClip(file)
duration = video.duration
video_durations.append(duration)
video.close()
except Exception as e:
print(f"Error processing {file}: {e}")
Checks if a file is a video, loads it, gets its duration, and closes it to free resources.
The try-except block helps handle errors for files that can’t be processed.
if video_durations:
total_duration = sum(video_durations)
average_duration = total_duration / len(video_durations)
median_duration = statistics.median(video_durations)
withopen("video_duration_stats.txt", "w") as f:
f.write(f"Combined duration of all video files: {format_duration(total_duration)}\n")
f.write(f"Average duration of video files: {format_duration(average_duration)}\n")
f.write(f"Median duration of video files: {format_duration(median_duration)}\n")
print("Video duration stats have been saved to 'video_duration_stats.txt'")
else:
print("No video files found in the current directory.")
Details:
Calculates total_duration, average_duration, and median_duration.
open("video_duration_stats.txt", "w") writes the results to a text file.
Prompt: I just submitted my first job campaign to Picoworkers. It's now pending. How long should I wait for it to be approved and people start working on it?
Summarized Response:
After submitting a job campaign on Picoworkers, expect a review process that typically takes 24 to 48 hours. Once approved, how quickly workers start depends on factors like task simplicity, pay rate, and worker availability.
Simpler, well-compensated tasks usually attract workers faster, especially if many are online. If a job remains pending over 48 hours or isn’t getting engagement, contacting support or adjusting the task’s details, such as increasing pay or clarifying instructions, may help draw more interest.
After submitting your first job campaign on Picoworkers, it typically undergoes a review process by the platform's administrators. While the exact duration of this process isn't publicly specified, similar platforms usually complete reviews within 24 to 48 hours.
Once your job is approved, the time it takes for workers to start engaging with your task can vary. Factors influencing this include:
Task Complexity: Simpler tasks may attract workers more quickly.
Payment Rate: Competitive compensation can increase the likelihood of prompt engagement.
Worker Availability: The number of active workers on the platform at any given time can affect how soon tasks are picked up.
If you notice that your job remains pending beyond 48 hours or isn't attracting workers after approval, consider reaching out to Picoworkers' support team for assistance. Additionally, reviewing and possibly revising your job details—such as offering clearer instructions or adjusting the payment rate—might enhance its appeal to potential workers.
Prompt: How often do workers visit picoworkers for new jobs?
Response:
Workers on Picoworkers tend to check for new jobs frequently throughout the day. Many workers visit multiple times daily to find tasks with better pay rates or simpler requirements, as they compete to pick up available jobs quickly. During peak hours, jobs, especially those with competitive pay, may be picked up within minutes of being posted.
To improve the likelihood of attracting workers to your tasks quickly:
Schedule during peak times when many workers might be online (weekday mornings and early afternoons tend to be popular).
Offer competitive compensation and clear instructions to draw more attention.
Yes, there are several books that explore fandom psychology, focusing on why people become fans, how they engage with fan communities, and the psychological aspects of fan behavior. Here are a few notable titles:
"Fandom: Identities and Communities in a Mediated World" – Edited by Jonathan Gray, Cornel Sandvoss, and C. Lee Harrington
This book offers a comprehensive look at fandom from various perspectives, including psychology, sociology, and media studies. It examines how fans create identities, form communities, and engage with the media.
"The Psychology of Harry Potter: An Unauthorized Examination of the Boy Who Lived" – Edited by Neil Mulholland
Though specific to the Harry Potter fandom, this book delves into psychological themes that resonate with fans. It explores why people are drawn to the series and the impact of its themes on personal development.
"Fan Cultures" – by Matt Hills
Hills blends media and cultural studies with psychology to explore how fans relate to their favorite texts and the emotional investments they make. He also looks at how fandom intersects with identity and community.
"The Fan Fiction Studies Reader" – Edited by Karen Hellekson and Kristina Busse
While focused on fan fiction, this book provides insights into the psychological motivations behind fan creativity, community participation, and how fans reinterpret texts.
"The Adoring Audience: Fan Culture and Popular Media" – Edited by Lisa A. Lewis
This book includes essays from various scholars examining fandom psychology, particularly focusing on how fans interpret and transform media, engage with celebrities, and form emotional bonds with fictional characters.
These books explore different aspects of fandom, from identity formation and community engagement to creativity and emotional investment.
You just got DOOKed! @pepetoken thinks your content is the shit. They have 6/300DOOK left to drop today.Learn all about this shit in the toilet paper! 💩
cool. To be honest, I have a seperate stand up freeze that my late wife always kept full. I had enough food for the zombie appocolypse. Trying to get the freeze food cooked. Then I can sell it.
You just got DOOKed! @bradleyarrow thinks your content is the shit. They have 21/60DOOK left to drop today.Learn all about this shit in the toilet paper! 💩
Final Fantasy Crystal Chronicles returned to the Nintendo GameCube 20 years after Final Fantasy VI on Snes. I hold this game dearly #gaming #hivenftgamelatino
That's a good question. I've been thinking about the same.
For example, if I reply to a thread on Ecency and exceed the letter count, surely it won't be visible on threads but not sure about the shorter ones...
Hi, this is a comment to your thread posted from the peakd snaps ui to heck if it‘s visible on the inleo ui … yip, it‘s not just visible, it‘s editable too 👍🏽
Conclave shows the complex process of choosing a new Pope, 🕊️ the movie reveals the political and spiritual aspects of the selection, ⛪ Ralph Fiennes plays Cardinal Lawrence trying to navigate through church politics and personal conflicts, 👔 showing how modern issues clash with ancient traditions in the Vatican, the film presents the selection process as both a spiritual journey and a political game
After days of suspense, the mystery has been revealed: Tesla’s movement of 11,500 BTC isn’t a sale, but an internal transfer to restructure their custody. 💼🔐
Fads in crypto have come and gone, projects have pumped and dumped, but the advocates of freedom money have kept on building.
Through Bitrefill, Sergej has done more for freedom money than almost anyone.
Go buy something on Bitrefill right now, make the man some more money!
Bitrefill link of course
https://www.bitrefill.com/?ref=paywithdash
The Harris campaign just released an ad mocking Trump for being a senior citizen.
The levels of tone-deafness of posting this when their previous candidate ("current President") is older and had obvious severe mental decline is crazy!
Meanwhile, here's the polls and the betting odds. Correlation? 🤣
You can't keep blatantly lying to people's faces forever.
Own goal, I thought that is the one group that actually votes, so go and alienate them 🤣
Exactly haha
Hey Perplexity!
What causes a meteor shower?
“Meteor showers occur when Earth passes through trails of debris left by comets or asteroids. As the Earth orbits the Sun, it intersects these streams of meteoroids, which are often sand-sized particles.
When these meteoroids enter the atmosphere at high speeds, they burn up, creating bright streaks of light known as meteors.
Meteor showers typically happen at specific times each year, corresponding to the Earth’s orbit through denser parts of these debris streams.”
#astronomy #meteorshower
What you share with us is very interesting. The meteor shower is a very amazing phenomenon.
🙏🏼
🔗What causes a meteor shower?
Que te parece escuchar este tema mi querido amigo @morenow
Suena bastante bien. #hivenftgamelatino #spanish #music
Hermosa voz
These were my reward chests, We accumulated quite a few merits and that dragon card is key #splinterlands #threadstorm #hivenftgamelatino
What a week for Barcelona. Scoring 13 goals in one of the most difficult weeks of the season.
#sports
Barcelona plays a lot and has to remain undefeated
That's gonna be tough.. But, they are playing really well since the beginning of the season.
Now there are games left.
Well, those 7 days have ruined the remaining matches. It was great to watch, but, I couldn't watch Sunday's Premier League games.
They set a high standard..
All very good.
The whimsical semeruco :D
#plantpower
cerecita de mi vida, acidito de mi cielo y de mi tierra dulzura
Hi, @tsunsica,
This post has been voted on by @darkcloaks because you are an active member of the Darkcloaks gaming community.
Get started with Darkcloaks today, and follow us on Inleo for the latest updates.
This fruit is sooo cute!
Are you going to dress up for Halloween?
If so, what is the costume?
Ha! Not if I can help it. Circumstances may dictate otherwise however. 🙄
Hope luck is in your side then
Hy , my name is shereen. My hobby is making paintings , sketches and art crafts. I am 24 years old.
Awesome! Welcome! Be sure to show off some of your skills here on InLeo!
Welcome. Be sure to show you works on here.
Hi, my hobby is art too. Though I do that digitally these days.
Welcome to INLEO! I hope you have a good time here. You should definitely your paintings here.
I love this platform, and I think you'll love it too: https://inleo.io/@ahmadmanga/5-reasons-youll-love-inleo-haj?referral=ahmadmanga
Fall Fishing
Those aren't fish. #lolz Great view, Have fun. :) !BBH !WEIRD !DOOK
You just got DOOKed!
@pepetoken thinks your content is the shit.
They have 7/300 DOOK left to drop today.
Learn all about this shit in the toilet paper! 💩
I don't think that the kids in the picture were about to catch the ducks using a fishing net. 🤔🤯😅 !LOLZ !DIY
lolztoken.com
Wherever he wants.
Credit: reddit
@pepetoken, I sent you an $LOLZ on behalf of savvytester
(5/10)
NEW: Join LOLZ's Daily Earn and Burn Contest and win $LOLZ
No the ducks and humans are being peaceful. I don't think so either. #lolz :)
Maybe the frogs and humans are not only being peaceful, but also helping each other. 🧘♂️🐸🤓😅 !INDEED !DIY
We do both eat bugs! !LOLZ !BBH !DOOK
You just got DOOKed!
@pepetoken thinks your content is the shit.
They have 14/300 DOOK left to drop today.
Learn all about this shit in the toilet paper! 💩
lolztoken.com
In his sleevies.
Credit: reddit
@savvytester, I sent you an $LOLZ on behalf of pepetoken
(1/6)
Farm LOLZ tokens when you Delegate Hive or Hive Tokens.
Click to delegate: 10 - 20 - 50 - 100 HP
I thought you would say "we do both play games". 🤔🤯😅 !PIZZA !HOPE DIY
(4/5)
@pepetoken! @savvytester Wants to spread Hope! so I just sent 1 HOP to your account on behalf of @savvytester.
Since we think the world can use more Hope, you can now already start spreading Hope yourself!
@savvytester! @pepetoken likes your content! so I just sent 1 BBH to your account on behalf of @pepetoken. (15/100)
(html comment removed: )
(5/25)
@pepetoken! @savvytester Totally agrees with your content! so I just sent 1 IDD to your account on behalf of @savvytester.
You can query your personal balance by
!DIYSTATS
You can query your personal balance by
!DIYSTATS
amazing environment
@dkid14! @pepetoken likes your content! so I just sent 1 BBH to your account on behalf of @pepetoken. (10/50)
(html comment removed: )
Hi, @dkid14,
This post has been voted on by @darkcloaks because you are an active member of the Darkcloaks gaming community.
Get started with Darkcloaks today, and follow us on Inleo for the latest updates.
Reading the FAQ for Monezon right now, I may test it out in the near future. Anyone used it before here? #freecompliments #cent #bbh
Tagging: @thedessertlinux
this is pretty sick. Reminds me of Purse.io
I used Purse.io a lot in the past, it was sad they had to go, but I'm happy there gerare alternatives!
Hi, @l337m45732,
This post has been voted on by @darkcloaks because you are an active member of the Darkcloaks gaming community.
Get started with Darkcloaks today, and follow us on Inleo for the latest updates.
Pretty cool.
The #jobs field today changed to another dimension and I wonder if we should be surprised by anything anymore... 😆 😆 😆
#funny #it #work
#hivenftgamelatino #spanish #bbh #ladiesofhive #humanitas Demasiado jóvenes para recordarlo
Privacy is one of the least understood aspects of crypto!
Most people have no idea how it works or what data they're leaking.
Those who do tend to either be highly technical and not great communicators, or dishonest in order to promote their favorite project.
This is why highly-educated, good educators like Naomi Brockwell are so important for the space.
I should look her up
She does long-form on YouTube, but her short-form TikTok/Reels/etc. skits are really good too.
#gmfrens
It's Sunday, 27th October 2024
Today's #lbi asset backed value per token is:
1 LBI = $0.107 USD = 0.583 HIVE = 3.761 LEO
So true
My name is shahojalal sarkar shamim from Bangladesh. I am a freelancer. I am a data entry specialist and expert in excel, word, PowerPoint etc.
Hello, thanks for joining INLEO! I see you already uploaded your profile picture. Nice~
I hope you have a good time here. You can read my post on why you'd love INLEO here:
https://inleo.io/@ahmadmanga/5-reasons-youll-love-inleo-haj?referral=ahmadmanga
Just upvoted your thread with my other account!
Hello I am aj007.My hobbies is travel. #introduceyourself @ahmadmanga
Welcome! Look around. Stay a while. 😀
Welcome! I hope you have a good time on INLEO and HIVE Blockchain in general.
You can read my post on why you'd love INLEO here:
https://inleo.io/@ahmadmanga/5-reasons-youll-love-inleo-haj?referral=ahmadmanga
There are a bunch of people using #travel hashtag already, click on it and check them out!
Kat wanted to get up today :)
#caterday
Back to 2020 / 2021 I don't remember, when I made this whole mosaic with CDs while listening to Tales of Black Badge podcast and suddenly unlocked English
Fox reported that Dodgers-Yankees Game 1 drew a massive 15.2 million viewers, the highest for a World Series opener since 2017.
Dodgers clinched it 6-3 with Freddie Freeman’s historic walk-off grand slam in the 10th inning, thrilling fans across the country.
Los Angeles led with 58% of TV sets tuned in, while New York trailed at 37%.
Source: FOX Sports
#mlb #worldseries2024 #sports
I have absolutely no skin in this one.
I don’t either but from a historical perspective I’m in and out on it. Not watching every inning but when it was tied I had to go all in.
yeah, me either. But that's the same for any sports for me
Used the wrong account to post this 😀
Go show it some love here
https://inleo.io/threads/view/dashpay/re-leothreads-z8a9ohjz
Sign up for Spritz here:
https://www.spritz.finance/dash
Is it limit to certain regions?
Spritz is US-only for bill pay. You in another region?
🇩🇪
Nice. Use Swapin instead
https://app.swapin.com/join/6cfHXVAVYnaRf
Thanks. I will check it out.
You can find the best vegan recipes of the week in our curation report.
#plantpowervegan #plantpower #veganlove
https://inleo.io/@plantpoweronhive/weekly-vegan-curation-108-vegan-love-to-us-2cd
Good day, InLeo gang.
Cool and rainy day here, so I am "stuck" inside.
More time to Thread and curate, lol.
How is your day going?
#gmfrens, #bbh #silverbloggers #freecompliments, #cent, #ctp #dailydook
Greetings @beststart. Happy weekend.
My day went well, it was a sunny day and it was perfect for a Catholic family ministry celebration I attended today.
#freecompliments
That sounds like an excellent day, @winanda
!BBH !ALIVE !DOOK !INDEED
You just got DOOKed!
@beststart thinks your content is the shit.
They have 9/20 DOOK left to drop today.
Learn all about this shit in the toilet paper! 💩
@winanda! @beststart likes your content! so I just sent 1 BBH to your account on behalf of @beststart. (9/100)
(html comment removed: )
(11/50)
@winanda! @beststart Totally agrees with your content! so I just sent 1 IDD to your account on behalf of @beststart.
Good Morning John! Chilly start to the day here. Supposed to be nicer later on. No plans other than getting some work done and maybe getting out for some fresh air. Enjoy your Sunday 😀
Thanks Lisa.
You as well.
!BBH !ALIVE !DOOK !INDEED
You just got DOOKed!
@beststart thinks your content is the shit.
They have 4/20 DOOK left to drop today.
Learn all about this shit in the toilet paper! 💩
(6/50)
@my1440! @beststart Totally agrees with your content! so I just sent 1 IDD to your account on behalf of @beststart.
@my1440! @beststart likes your content! so I just sent 1 BBH to your account on behalf of @beststart. (5/100)
(html comment removed: )
Going good. Someday we have MOAR tiem fer threads' than others. :) !BBH !INDEED !LUV
@beststart, @pepetoken(2/5) sent you LUV. | tools | discord | community | HiveWiki | <>< daily
Yes it is not real consistant, at least not yet.
!BBH !ALIVE !DOOK !INDEED
You just got DOOKed!
@beststart thinks your content is the shit.
They have 6/20 DOOK left to drop today.
Learn all about this shit in the toilet paper! 💩
@pepetoken! @beststart likes your content! so I just sent 1 BBH to your account on behalf of @beststart. (7/100)
(html comment removed: )
(10/50)
@pepetoken! @beststart Totally agrees with your content! so I just sent 1 IDD to your account on behalf of @beststart.
Little bit of drizzle here too.
Have a great Sunday Sir.
#freecompliments
Good day fren, Going good man. Spending some time online, here , and enjoying the weekend. !BBH !DIY !DOOK
You just got DOOKed!
@pepetoken thinks your content is the shit.
They have 13/400 DOOK left to drop today.
Learn all about this shit in the toilet paper! 💩
Good to hear, @pepetoken
!BBH !ALIVE !DOOK !INDEED
You just got DOOKed!
@beststart thinks your content is the shit.
They have 1/20 DOOK left to drop today.
Learn all about this shit in the toilet paper! 💩
@pepetoken! @beststart likes your content! so I just sent 1 BBH to your account on behalf of @beststart. (1/100)
(html comment removed: )
(1/50)
@pepetoken! @beststart Totally agrees with your content! so I just sent 1 IDD to your account on behalf of @beststart.
Pretty good. Thread the day away!
!INDEED
(10/50)
@monkmasters! @beststart Totally agrees with your content! so I just sent 1 IDD to your account on behalf of @beststart.
@beststart! @pepetoken likes your content! so I just sent 1 BBH to your account on behalf of @pepetoken. (17/100)
(html comment removed: )
You can query your personal balance by
!DIYSTATS
@beststart! @pepetoken likes your content! so I just sent 1 BBH to your account on behalf of @pepetoken. (8/50)
(html comment removed: )
(1/10)
@beststart! @pepetoken Totally agrees with your content! so I just sent 1 IDD to your account on behalf of @pepetoken.
Today is Saturday...So that means it is BBH Drip Day.
Isn't it time to get YOUR share of the drip?
Thanks, @bradleyarrow
#bbh #dripday #silverbloggers #ctp
!INDEED
(12/50)
@bitcoinflood! @beststart Totally agrees with your content! so I just sent 1 IDD to your account on behalf of @beststart.
Thanks so much my friend :) !BBH !DOOK
You just got DOOKed!
@bradleyarrow thinks your content is the shit.
They have 23/60 DOOK left to drop today.
Learn all about this shit in the toilet paper! 💩
!INDEED
(13/50)
@bradleyarrow! @beststart Totally agrees with your content! so I just sent 1 IDD to your account on behalf of @beststart.
@beststart! @bradleyarrow likes your content! so I just sent 1 BBH to your account on behalf of @bradleyarrow. (24/100)
(html comment removed: )
Happy 10 anniversary to Bitrefill, one of the single most important companies for #crypto adoption! 🎉🎂
They've been great partners over the years, and Dash's utility as digital cash is much higher because of them. They're almost as old as us! 👀
Here's to 10 more years! 🍾
#Dash
Try Bitrefill out! You can buy anything with Dash instantly and privately (no account needed even).
https://www.bitrefill.com/?ref=paywithdash
Reacher star Alan Ritchson could make a Clint Eastwood-style remake of A Fistful of Dollars work, 🤠 his upcoming movie Rebel Ridge seems to follow similar themes of a lone warrior fighting corruption, 🎬 Ritchson’s physical presence and quiet intensity matches Eastwood’s style from the original western, 🔫 showing how classic western themes can be updated for modern audiences without losing their core appeal
#reacher, #western, #alanritchson, #moviesonleo, #linkincomments, #skiptvads
Read More: https://screenrant.com/reacher-rebel-ridge-clint-eastwood-fistful-dollars-remake-work/
La cita es a las 8 pm amigos! Lleva tu birra y comparte tu foto en comentarios! #threadcast #spanish #hivenftgamelatino
Aca esta mi Birra! #spanish #threadstorm
#hivenftgamelatino
¡Salud!
Activos para esta noche!!!!
Ok, como me invitaron, vine con todo #hivenftgamelatino #spanish hace un rato las pase de la caja al frio
Acompañando en la Taberna con una buena taza de café #hivenftgamelatino #spanish
La nueva edición será Conclave Arcana, están hablando de sacar tres ofertas de packs o eso leí en la propuesta. #hivenftgamelatino
Mientras hablan de #splinterlands y cosas en el intersticio yo voy preparando mi set up.
#hivenftgamelatino #spanish #beer
Listo el submarino amigos! @ninaeatshere esto se va a descontrolaaaarr!!! 😅 #threadcast #threadstorm #spanish #hivenftgamelatino
¡Qué extremooooooo!!! Pffffff Salud, pero ¡por tu alma!
3er lugar por pura suerte #hivenftgamelatino
Así está la cosa, me traje al chigüirito a la taberna porque acaba de entrar @manclar
#hivenftgamelatino #spanish #beer
con té para recuperarme pero en la taberna haha 🤭 #hivenftgamelatino
¡Brindamos por tí mientras te recuperas! tú dános ánimos xD #hivenftgamelatino #spanish #beer
Recargando el submarino porque el viaje es largo! #splinterlands #beer #spanish #threadstorm #play2earn #hivenftgamelatino
¡Esa es la actitud! #hivenftgamelatino #spanish #beer
Casi las 3:00 am en España.... seguimos sirviendo rondas, porque las batallas de #splinterlands están intensas #hivenftgamelatino #spanish #beer
ok, después hay que ir abriendo de dos en dos, porque son mini botellas de 250ml y @bulkathos exige jarras de PINTA #hivenftgamelatino #spanish #beer
Y bien amigos asi terminamos la transmisión de hoy! Todo un éxito la temática tabernera! Nos vemos la semana próxima, con más y mejor! #spanish #hivenftgamelatino
Me gusto esta nueva actualización al ranking en #demonicore, una recompensa extra para los usuarias activos.
Nota: No entiendo porque #inleo modifica el tag de demonicore, en otros aparece bien, pero por acá aparece recortado.
Note: I don't understand why inleo modifies the demonicore tag, in others it appears fine, but here it appears cropped.
#hivenftgamelatino #spanish #gf #hueso #cent
I love the options PeakD Polls system provide... You can limit the number of days the poll stay open, and the votes are shown as graph that you can interpert by the number of votes, or by voters HP.
Leo Polls should do better! #feedback
Reading whole threads with comments on their ui is working pretty nice and easy also compared to the inleo ui! The basics … 😏
Oh, well... People who like Twitter might like INLEO's UI better, though.
noone „likes“ twitter for it’s ui, people are just used to it, because they don‘t know better … we could do better, but the prevailing mindset here seems to be to just copy shit and for heaven's sake don't lure users out of their comfort zone 😱
Ouch! Can't argue with that...
just added another 4k $LEO to the $LEO/$CACAO pool.
Staked leo 56.8k
Leo in pool 56.2k.
Getting closer to my goal of having equal in eachl
Hi, @dkid14,
This post has been voted on by @darkcloaks because you are an active member of the Darkcloaks gaming community.
Get started with Darkcloaks today, and follow us on Inleo for the latest updates.
#9QxaSzsGJ4SGJiybCSyZFDPEXgwH3CMRo5QESv3fNoSUmGCjvYux2Abn88auEVBYSaLN19HExqz4YkZ5vGBAHGfLrK41jseL42mJaCniYPvrUgKAow7hyi9JPKyL14sRdZ116X9GCdfbTQfxcAWvQWhTM4XpJv9deB9C1nxjpDNn5zJSD7SSq56nFYfZgJsdKMG6yd5kbfnAVcSY1o1ug8xDh4nba4f1z43VRfXYd53UcDFAG6h9maDJQCSTeMwTSnCoHhZENeiU8m2wvpkAtqhZjkmdLJC1UQTxGBrrTVokoM7tuJVP3BrQawyZANb6dNqjAoXN3VV6mcu17KGGZ5GkxTdVq
good evening everyone. How was your day? I hope it wwent Well? #cent #freecompliment #threadcast
Pretty good, but I am working to get more accomplished by the end of the day. 😉
Well done
‘The Mandalorian & Grogu’ has finish filming, this is the series that got me into watching Star Wars content, hope when the movie release on 2026 turns into a great addition to the franchise
#moviesonloe, #grogu, #skiptvads, #mandalorian
Did you know that the human body contains a unique protein called "resilin," found in ligaments and insect wings, which allows it to store and release energy, functioning like a natural rubber band?
That's quite interesting and I've never heard before about Resilin. I wonder if it also can be assimilated from pills or other pharmaceutical products...
Down by the harbor again
too handsome
Beautiful port, perfect for a day of relaxation and enjoying the wonders of nature.Beautiful port, perfect for a day of relaxation and enjoying the wonders of nature.
#StateOfCrypto
The crypto market still looks undecisive. I believe that after the US elections we will have a clear trend one way or the other.
Weekend is a good timing to make #splinterlands posts. It's good opportunity for small account to grow their HP by setting author rewards to 100% HP. Don't forget to use #BBH tribe tag to get some extra rewards. #cent #freecompliments
and this is one of my #splinterlands post https://inleo.io/@dewabrata/cutter-brieze-mostly-useless-but-when-the-mana-cap-is-right-he-is-lethal-8fw
Does #bbh tag work in long form post too?
#freecompliments
Yes it does, but for staked $BBHO not the $BBH
Okay, thanks.
#freecompliments
I've just got this comment from the @commentrewarder where I've set it as one of the Beneficiaries. That's a pretty nice piece of information dropped by.
#engagement #hive #comments #community
Conversations with AI #threadcast (Day 33)
Here I'll be putting some of my conversations with #ChatGPT. I'll put them in both screenshots-form and text form. Mainly to give more data for LeoAI to eat from.
Feel free to use the threadcast to do the same! #freecompliments #cent #ai #bbh
Conversation with ChatGPT-4o:
Prompt:
Write a python program that makes a database of the video files in the current folder, and prints in a text file the following data:
Write the code in an easy to understand way, and make it easy to modify and add to. You can use third-party libraries as long as they're lighweight and require less of 1MB of download with pip. Explain each part of your codes, and provide alternative ways for doing some of the things you've done. Prioritize efficiency.
Use the comment style of lines starting with #
Edited Response in Chunks in Comments!
1: Conversation Summary
We discussed a Python program to gather video files in the current folder, calculate their combined, average, and median durations, and output these results to a text file. You wanted the output to show time in the format
hours:minutes:seconds.fractions
. I provided a solution using themoviepy
library, with detailed explanations and comments to make the code easy to understand, extend, and modify.The conversation includes:
format_duration
function that formats the time.Below are the individual code and explanation chunks.
2: Main Python Code with Explanation
Here’s the main Python code that lists video files in the current folder, calculates durations, and outputs the combined, average, and median durations in
hours:minutes:seconds.fractions
format:# Import necessary modules import os import moviepy.editor as mp import statistics # Set up list to hold video durations in seconds video_durations = [] # Define a list of video file extensions for filtering video_extensions = ['.mp4', '.mov', '.avi', '.mkv'] # Function to convert seconds to "hours:minutes:seconds.fractions" format def format_duration(seconds): hours = int(seconds // 3600) minutes = int((seconds % 3600) // 60) secs = seconds % 60 # remaining seconds with fraction return f"{hours}:{minutes:02}:{secs:06.3f}" # format with leading zeros for minutes, seconds, and fraction
# Get all video files in the current directory for file in os.listdir('.'): # Check if the file is a video file based on its extension if any(file.endswith(ext) for ext in video_extensions): try: # Load the video file and get its duration video = mp.VideoFileClip(file) duration = video.duration # Duration in seconds video_durations.append(duration) video.close() # Close the file to free up resources except Exception as e: print(f"Error processing {file}: {e}")
# Calculate total duration, average, and median if there are video files if video_durations: total_duration = sum(video_durations) average_duration = total_duration / len(video_durations) median_duration = statistics.median(video_durations) # Write results to a text file with open("video_duration_stats.txt", "w") as f: f.write(f"Combined duration of all video files: {format_duration(total_duration)}\n") f.write(f"Average duration of video files: {format_duration(average_duration)}\n") f.write(f"Median duration of video files: {format_duration(median_duration)}\n") print("Video duration stats have been saved to 'video_duration_stats.txt'") else: print("No video files found in the current directory.")
3: Explanation of
format_duration
FunctionThe
format_duration
function converts a duration in seconds intohours:minutes:seconds.fractions
format for readability.def format_duration(seconds): hours = int(seconds // 3600) minutes = int((seconds % 3600) // 60) secs = seconds % 60 # remaining seconds with fraction return f"{hours}:{minutes:02}:{secs:06.3f}" # format with leading zeros for minutes, seconds, and fraction
Details:
hours = int(seconds // 3600)
extracts the full hours from the total seconds.minutes = int((seconds % 3600) // 60)
calculates the remaining minutes after hours are subtracted.secs = seconds % 60
captures the remaining seconds, including fractions.f"{hours}:{minutes:02}:{secs:06.3f}"
formats minutes and seconds with leading zeros and displays up to three decimal places forsecs
.4: Explanation of Code Segments
Importing Modules:
import os import moviepy.editor as mp import statistics
os
: Lists files in the directory.moviepy.editor
: AccessesVideoFileClip
for video duration.statistics
: Calculates the median of the list.Filtering Video Files by Extension:
video_extensions = ['.mp4', '.mov', '.avi', '.mkv']
4b. Explanation of Code Segments
for file in os.listdir('.'): if any(file.endswith(ext) for ext in video_extensions): try: video = mp.VideoFileClip(file) duration = video.duration video_durations.append(duration) video.close() except Exception as e: print(f"Error processing {file}: {e}")
try-except
block helps handle errors for files that can’t be processed.5: Calculating and Saving Statistics
if video_durations: total_duration = sum(video_durations) average_duration = total_duration / len(video_durations) median_duration = statistics.median(video_durations) with open("video_duration_stats.txt", "w") as f: f.write(f"Combined duration of all video files: {format_duration(total_duration)}\n") f.write(f"Average duration of video files: {format_duration(average_duration)}\n") f.write(f"Median duration of video files: {format_duration(median_duration)}\n") print("Video duration stats have been saved to 'video_duration_stats.txt'") else: print("No video files found in the current directory.")
Details:
total_duration
,average_duration
, andmedian_duration
.open("video_duration_stats.txt", "w")
writes the results to a text file.Chunk 6: Alternative Approaches
Alternative to
moviepy
:ffmpeg-python
for video duration extraction if you need higher efficiency, especially with large files.Manual Median Calculation (Alternative to
statistics
):video_durations.sort() n = len(video_durations) median_duration = (video_durations[n//2] if n % 2 != 0 else (video_durations[n//2 - 1] + video_durations[n//2]) / 2)
Prompt: I just submitted my first job campaign to Picoworkers. It's now pending. How long should I wait for it to be approved and people start working on it?
Summarized Response:
After submitting a job campaign on Picoworkers, expect a review process that typically takes 24 to 48 hours. Once approved, how quickly workers start depends on factors like task simplicity, pay rate, and worker availability.
Simpler, well-compensated tasks usually attract workers faster, especially if many are online. If a job remains pending over 48 hours or isn’t getting engagement, contacting support or adjusting the task’s details, such as increasing pay or clarifying instructions, may help draw more interest.
After submitting your first job campaign on Picoworkers, it typically undergoes a review process by the platform's administrators. While the exact duration of this process isn't publicly specified, similar platforms usually complete reviews within 24 to 48 hours.
Once your job is approved, the time it takes for workers to start engaging with your task can vary. Factors influencing this include:
If you notice that your job remains pending beyond 48 hours or isn't attracting workers after approval, consider reaching out to Picoworkers' support team for assistance. Additionally, reviewing and possibly revising your job details—such as offering clearer instructions or adjusting the payment rate—might enhance its appeal to potential workers.
Prompt: How often do workers visit picoworkers for new jobs?
Response:
Workers on Picoworkers tend to check for new jobs frequently throughout the day. Many workers visit multiple times daily to find tasks with better pay rates or simpler requirements, as they compete to pick up available jobs quickly. During peak hours, jobs, especially those with competitive pay, may be picked up within minutes of being posted.
To improve the likelihood of attracting workers to your tasks quickly:
Prompt: Are there any books about Fandom Psychology?
Response:
Here are some suggestions:
Each book explores different aspects of fandom psychology, from identity to creativity.
Yes, there are several books that explore fandom psychology, focusing on why people become fans, how they engage with fan communities, and the psychological aspects of fan behavior. Here are a few notable titles:
This book offers a comprehensive look at fandom from various perspectives, including psychology, sociology, and media studies. It examines how fans create identities, form communities, and engage with the media.
"The Psychology of Harry Potter: An Unauthorized Examination of the Boy Who Lived" – Edited by Neil Mulholland
Though specific to the Harry Potter fandom, this book delves into psychological themes that resonate with fans. It explores why people are drawn to the series and the impact of its themes on personal development.
"Fan Cultures" – by Matt Hills
Hills blends media and cultural studies with psychology to explore how fans relate to their favorite texts and the emotional investments they make. He also looks at how fandom intersects with identity and community.
"The Fan Fiction Studies Reader" – Edited by Karen Hellekson and Kristina Busse
While focused on fan fiction, this book provides insights into the psychological motivations behind fan creativity, community participation, and how fans reinterpret texts.
"The Adoring Audience: Fan Culture and Popular Media" – Edited by Lisa A. Lewis
This book includes essays from various scholars examining fandom psychology, particularly focusing on how fans interpret and transform media, engage with celebrities, and form emotional bonds with fictional characters.
These books explore different aspects of fandom, from identity formation and community engagement to creativity and emotional investment.
Enjoying the lovely autumn sunshine days! #photography #photographers #photocast #nature
That's a a romantic weather.
#freecompliments
Looks like beautiful place and view. !BBH !LUV !DOOK
@pele23, @pepetoken(1/5) sent you LUV. | tools | discord | community | HiveWiki | <>< daily
You just got DOOKed!
@pepetoken thinks your content is the shit.
They have 6/300 DOOK left to drop today.
Learn all about this shit in the toilet paper! 💩
@pele23! @pepetoken likes your content! so I just sent 1 BBH to your account on behalf of @pepetoken. (7/50)
(html comment removed: )
I think I am going to try and cook a port roast in the oven today. That will be a first for me.
I usually drink port and cook with sherry!
Haha yes being an arse ... enjoy your pork roast, it will be delicious I am sure. Funnily enough that is our dinner for tomorrow.
cool. To be honest, I have a seperate stand up freeze that my late wife always kept full. I had enough food for the zombie appocolypse. Trying to get the freeze food cooked. Then I can sell it.
Teach Kat and Moo to call 911 just in case. LOL
#freecompliment
hahahahahahha !INDEED. That was funny :)
!BBH !DOOK
You just got DOOKed!
@bradleyarrow thinks your content is the shit.
They have 21/60 DOOK left to drop today.
Learn all about this shit in the toilet paper! 💩
@mamaemigrante! @bradleyarrow likes your content! so I just sent 1 BBH to your account on behalf of @bradleyarrow. (22/100)
(html comment removed: )
(6/100)
@mamaemigrante! @bradleyarrow Totally agrees with your content! so I just sent 1 IDD to your account on behalf of @bradleyarrow.
That takes some initiative, good for you!
That was yesterday, and it turned out good :)
Final Fantasy Crystal Chronicles returned to the Nintendo GameCube 20 years after Final Fantasy VI on Snes. I hold this game dearly #gaming #hivenftgamelatino
Smallest, biggest, pest ever. lol
#caterday
Seen that kitten several times now. It is hella cute. To look at that is. Me and cats clash because they always have to be the boss.
They try to be the boss ;)
Are your morning walks foggy or froggy anon?
#pepe #lolz #gmfrens #freecompliments #cent
https://inleo.io/threads/view/moretea/re-leothreads-ivinzfjh
On this day in history:
In 1949, US President Harry Truman increases minimum wage from 40 cents to 75 cents
#onthisday #history #historicalnews #freecompliments
I have a question for all lions.
Comments made to posts on the Hive blockchain through other UI interfaces (like #PeakD or #Ecency) are visible on #InLeo?
It is something I've wondered about and wanted to clarify if somebody knows...
post or comments can be created and viewed from any dapp
as the data is stored in the hive blockchain, visble and accessible to all UI / dapps
That's a good question. I've been thinking about the same.
For example, if I reply to a thread on Ecency and exceed the letter count, surely it won't be visible on threads but not sure about the shorter ones...
i think post comments will be shown.
leo created threads, comments done via other dapps will also get shown but may get truncated.
#askleo, please correct me if i am wrong
Thanks, good to know. I need to go through it next time I reply with a longer post
Hi, this is a comment to your thread posted from the peakd snaps ui to heck if it‘s visible on the inleo ui … yip, it‘s not just visible, it‘s editable too 👍🏽
I cannot see this on the thread that I have initially created on InLeo - https://inleo.io/threads/view/behiver/re-leothreads-37iuved8x
🤷🏽
Conclave shows the complex process of choosing a new Pope, 🕊️ the movie reveals the political and spiritual aspects of the selection, ⛪ Ralph Fiennes plays Cardinal Lawrence trying to navigate through church politics and personal conflicts, 👔 showing how modern issues clash with ancient traditions in the Vatican, the film presents the selection process as both a spiritual journey and a political game
#conclave, #vatican, #ralphfiennes, #moviesonleo, #linkincomments, #skiptvads
@skiptvads You on Discord?
from time to time, not really into Discord
I will ask here then ;) Do you have a spare Witness vote kicking around?
Read More: https://screenrant.com/conclave-new-pope-chosen-how-explained/
Great news for Bitcoin from Tesla's wallets! 🔥
After days of suspense, the mystery has been revealed: Tesla’s movement of 11,500 BTC isn’t a sale, but an internal transfer to restructure their custody. 💼🔐
#btc #bbh #crypto #tesla #meme