#hackerrank
Explore tagged Tumblr posts
Text
I want my brain back ¯\_༼ ಥ ‿ ಥ ༽_/¯
#studyblr#studying#hackerrank#programming#Programming Community#girls in programming#coding blog#coding#coding challenge#coding projects#coding community#send help#studied all day long#I am tired#somebody save me#study blog#study motivation
19 notes
·
View notes
Text
HackerRank Java No response on stdout
I kept getting "No response on stdout" as I was writing my code, so I copy pasted all of my code into IntelliJ (where it worked more or less), I reset the HackerRank code, and attempted to just print "hello" to stdout. Still no response on stdout. The code below runs fine in IntelliJ as well, so it has to be a HackerRank issue right? Or am I missing something?
to be honest i tried to go to reddit with this, but the sites down and not loading right now. Plus with all the crap that's going on I know a lot of reddit users are moving here to tumblr. So maybe I will start posting more questions here?
13 notes
·
View notes
Text
Persistent Systems' Sr Python Developer Hiring Challenge (2025)
Fitness Challenge (100 Marks) Samantha and Jessica are two sisters who are preparing for their annual fitness challenge. They both have been assigned a personal trainer who has given them a workout plan for the next few weeks. The plan includes a set of N exercises, and for each exercise, there is a recommended number of sets and repetitions. Samantha and Jessica have been keeping track of the…
0 notes
Text
Scope Computers
💻 Unlock the basics of computers with this beginner-friendly course! 🌐 Master essential skills like operating systems, file management, internet browsing, 📧 email usage, and popular tools like Microsoft Office. 🖱️ Perfect for students, professionals, and seniors ready to boost their digital literacy quickly and easily! 🚀

#scopecomputers#jodhpur#rajasthan#ratanda#tally#rscit#advanceexcel#scopeplacement#placement#tech#rscitjodhpur#hackerrank#basiccomputer#jodhpursearch#jodhpureducation#jodhpurdiaries#noida#jaipur#jodhpurinstitute#computerclass#jodhpurtechhub#jodhpurdigital
0 notes
Text



28.09.24
I had a hard time waking up today. Yesterdays chores finished at 2am. Incredible. On the good side I have everything ready for the next 2 weeks. I just need a sharp 8 hour focus study routine. Im basically starting from scratch and going step by step since Im very afraid of missing out simple questions. Again if I think about it I have nothing to lose. This is my first serious recruitment process. Whether I get accepted for interview or not I will definitely see the benefits of my work.
While I prepare for the assessment Im trying to not to miss out on classes. Just enough to keep up with the lectures and rest of the time will be fully reserved for solving questions.
Unrelated thought: sometimes I stop and think how come I have no romantic interest/relationships. I feel kind of empty when I think about it. Not like it disrupts my general peace or anything but like how? Maybe this is the "normal". I have people that I admire or I find attractive but the premonition of never finding anyone that I connect with sexually or romantically depresses me. I examine people that are in relationships and compare myself to them to find out what am I missing. I have no motivation to improve whatever I am missing tho, just curiosity.
0 notes
Text
The Thrill of Competitive Programming: A Deep Dive into Codeforces, AtCoder, and More
In the realm of software development, competitive programming stands out as a thrilling and intellectually stimulating activity. It challenges programmers to solve complex problems under tight time constraints, fostering skills that are invaluable in both academic and professional settings. This blog delves into the world of competitive programming, exploring its significance, benefits, and the…
#AI#amazon#apple#atcoder#chatgpt#codechef#codeforces#coding#competitive-programming#computer science#computer-science#cp#cpp#cs#css#DSA#google#hackerrank#java#javascript#leetcode#new#programming#python#tech
0 notes
Text

Learn C & C++ Course With BBSMIT - 📌Gurukripa Enclave, Beside Hotel Raas Mahal, Near Old Ramgadhmod Busstand Jaipur, Rajasthan, 302002 - Mail us:- [email protected] Call or WhatsApp:- +91 98287 49889
#bbsmit#a2g#programmingmemes#codingmemes#cprogramming#pythonprogramming#code#operatingsystem#bugbounty#codinglife#hackerrank#linuxuser#c#clanguage#programming#coding#python#computerscience#java#programmer#javascript#coder#instagram#developer#clanguageprogramming#html
0 notes
Text
Staircase - HackerRank Problem Solving
Staircase is a Hackerrank problem from the Algorithms subdomain that requires an understanding of loops and string manipulation. In this post, you will learn how to solve Hackerrank’s Staircase problem and its solution in Python and C++.

Problem Statement and Explanation
Basically, we have to print a staircase of size n. The staircase should be right-aligned, composed of # symbols and spaces, and has a height and width of n.
Input Format
A single integer, n, denoting the size of the staircase.
Output Format
Print a staircase of size n using # symbols and spaces.
0 notes
Text
Connected Sum Solution for Hackerrank
Problem Statement Given a graph with n nodes and m edges, we need to find the sum of the sizes of connected components in the graph. Each connected component is a subgraph in which every pair of nodes is connected by a path. For example, consider the following graph: 1 - 2 | 3 - 4 | 5 - 6 In this graph, there are 3 connected components: {1, 2}, {3, 4}, and {5, 6}. The sizes of these connected…
View On WordPress
0 notes
Text
Project Euler #2
Welcome back to my series on Project Euler problems. HackerRank Lets get into it.
Links:
Project Euler: https://projecteuler.net/problem=2 HackerRank: https://www.hackerrank.com/contests/projecteuler/challenges/euler002
Each new term in the Fibonacci sequence is generated by adding the previous two terms. By starting with 1 and 2, the first 10 terms will be: 1,2,3,5,8,13,21,34,55,89,… By considering the terms in the Fibonacci sequence whose values do not exceed N, find the sum of the even-valued terms.
So first thing to note is just how odds and evens work. This starts with 1 and 2 so Odd + Even = Odd, then the next term would just be Even + Odd = Odd. It isn't until the 3rd addition that we get Odd + Odd = Even. After that this cycle will repeat.
So really what this is asking for is, starting at index 2, what is the sum of every 3rd term less than N.
F(2) + F(5) + ... + F(3k + 2)
(Where F(N) is the Nth Fibonacci number)
Now, computing Fibonacci numbers notoriously sucks to do, with the naive way of doing it causing you to compute from just F(20) would require computing F(3) like hundreds if not thousands of times over. So the best way to do it is to create either a hash or a cache to store it. I'm going to be utilizing something built into Python, "lru_cache" from the "functools" module. It'll just store the answers for me so I don't have to recompute what F(10) is thousands of times.
Here's my HackerRank code:
import sys from functools import lru_cache @lru_cache def fibonacci(N: int) -> int: if N < 0: return 0 if N <= 1: return 1 return fibonacci(N-1) + fibonacci(N-2) t = int(input().strip()) for a0 in range(t): n = int(input().strip()) x = 2 f = fibonacci(x) total = 0 while f <= n: total += f x += 3 f = fibonacci(x) print(total)
So as you can see, I just start at 2 and keep incrementing by fibonacci number by 3 each time. Then the loop will stop when my fibonacci number exceeds N.
And that's all tests passed! Onto the next one!
2 notes
·
View notes
Text
"Breaking News: Mysterious Team Bangladesh's Data Breach Hits India Hard!"
A hacktivist bunch known as Puzzling Group Bangladesh has been connected to more than 750 circulated READ MORE

#hacker#hacking#hackers#hackerman#ethicalhacking#hackerspace#hackerrank#ethicalhacker#anonymoushackers#hackerstayaway#bugbounty#termux#termuxhacking#hackerindonesia#secutiy#cybersecurity#hackingtools#informationsecurity#hacked#ZeekMonk
0 notes
Text
Exception Handling: Making Your Code Error-Proof!
Imagine you’re playing a video game and suddenly hit a wall because you made the wrong move. The game doesn’t crash—it shows a message like, “Oops, wrong way!” and lets you try again. That’s what exception handling does in Python! It helps your program deal with unexpected situations without crashing. Let’s dive in and learn how to handle these “oops moments” in Python! 🛑 What are…
0 notes
Text
Scope Computers
🚀 Master the Basics of Computers Today! 🖥️
Unlock the power of technology with our Basic Computer Course! Whether you're a beginner or looking to brush up on essential skills, this course covers everything you need to get started in the digital world. Learn:
✅ Computer Fundamentals ✅ Microsoft Office Suite (Word, Excel, PowerPoint) ✅ Internet Browsing & Emailing ✅ Typing Skills ✅ File Management and more!
Perfect for students, job seekers, and anyone aiming to enhance their productivity. 🌐 Boost your confidence and stay ahead in the digital age. Join now and step into the future with ease! 💻✨

#scopecomputers#jodhpur#rajasthan#ratanda#tally#rscit#advanceexcel#scopeplacement#placement#tech#rscitjodhpur#hackerrank#basiccomputer#jodhpursearch#jodhpureducation#jodhpurdiaries#noida#jaipur#jodhpurinstitute#computerclass#jodhpurtechhub#jodhpurdigital
0 notes
Photo
This is your god

@hacker_b0t follow for more similarpost . . 🌐www.techyrick.tech . . . . #hackerofkrypton #hackerindonesia #hackermemes #hackerearth #hackercraft #hackerculture #hackers #hackerpschorr #hackerfreefire #hackernews #hackerrank #hackerspace #hackeradventures #hackerfestzelt #hackerbytroutpro #hackerlife #hacker #hackerfishing #hackerboy #hackerstayaway #hackeranonymous #hacker707 #hackerman #hackersstayaway #hacker_max #hackerinstagram #hackerbrücke #hackerbolt https://www.instagram.com/p/CQ7vqbVBXde/?utm_medium=tumblr
#hackerofkrypton#hackerindonesia#hackermemes#hackerearth#hackercraft#hackerculture#hackers#hackerpschorr#hackerfreefire#hackernews#hackerrank#hackerspace#hackeradventures#hackerfestzelt#hackerbytroutpro#hackerlife#hacker#hackerfishing#hackerboy#hackerstayaway#hackeranonymous#hacker707#hackerman#hackersstayaway#hacker_max#hackerinstagram#hackerbrücke#hackerbolt
1 note
·
View note
Text
Recursion
#i had this thought when i was working on some hackerrank yesterday#does this make sense to anyone else or just me lol#codeblr#progblr#recursion#mypost
7 notes
·
View notes
Text
But hey if I get a job lined up for the start of next year maybe I /will/ just go fuck around in november and come back for a couple of family things later. Since apparently everything cool is happening then
#not even thinking abt sleep token bc iirc that’s all sold out anyways#that gal having a new job lined up and ready to hand in her resignation at her current spot has me so motivated tbh#maybe even motivated enough to get over my hatred of hackerrank and programming in general to actually do serious interview prep
1 note
·
View note