Join devRant
Do all the things like
++ or -- rants, post your own rants, comment on others' rants and build your customized dev avatar
Sign Up
Pipeless API
From the creators of devRant, Pipeless lets you power real-time personalized recommendations and activity feeds using a simple API
Learn More
Search - "had to get access the hard way"
-
Our website once had it’s config file (“old” .cgi app) open and available if you knew the file name. It was ‘obfuscated’ with the file name “Name of the cgi executable”.txt. So browsing, browsing.cgi, config file was browsing.txt.
After discovering the sql server admin password in plain text and reporting it to the VP, he called a meeting.
VP: “I have a report that you are storing the server admin password in plain text.”
WebMgr: “No, that is not correct.”
Me: “Um, yes it is, or we wouldn’t be here.”
WebMgr: “It’s not a network server administrator, it’s SQL Server’s SA account. Completely secure since that login has no access to the network.”
<VP looks over at me>
VP: “Oh..I was not told *that* detail.”
Me: “Um, that doesn’t matter, we shouldn’t have any login password in plain text, anywhere. Besides, the SA account has full access to the entire database. Someone could drop tables, get customer data, even access credit card data.”
WebMgr: “You are blowing all this out of proportion. There is no way anyone could do that.”
Me: “Uh, two weeks ago I discovered the catalog page was sending raw SQL from javascript. All anyone had to do was inject a semicolon and add whatever they wanted.”
WebMgr: “Who would do that? They would have to know a lot about our systems in order to do any real damage.”
VP: “Yes, it would have to be someone in our department looking to do some damage.”
<both the VP and WebMgr look at me>
Me: “Open your browser and search on SQL Injection.”
<VP searches on SQL Injection..few seconds pass>
VP: “Oh my, this is disturbing. I did not know SQL injection was such a problem. I want all SQL removed from javascript and passwords removed from the text files.”
WebMgr: “Our team is already removing the SQL, but our apps need to read the SQL server login and password from a config file. I don’t know why this is such a big deal. The file is read-only and protected by IIS. You can’t even read it from a browser.”
VP: “Well, if it’s secured, I suppose it is OK.”
Me: “Open your browser and navigate to … browse.txt”
VP: “Oh my, there it is.”
WebMgr: “You can only see it because your laptop had administrative privileges. Anyone outside our network cannot access the file.”
VP: “OK, that makes sense. As long as IIS is securing the file …”
Me: “No..no..no.. I can’t believe this. The screen shot I sent yesterday was from my home laptop showing the file is publicly available.”
WebMgr: “But you are probably an admin on the laptop.”
<couple of awkward seconds of silence…then the light comes on>
VP: “OK, I’m stopping this meeting. I want all admin users and passwords removed from the site by the end of the day.”
Took a little longer than a day, but after reviewing what the web team changed:
- They did remove the SQL Server SA account, but replaced it with another account with full admin privileges.
- Replaced the “App Name”.txt with centrally located config file at C:\Inetpub\wwwroot\config.txt (hard-coded in the app)
When I brought this up again with my manager..
Mgr: “Yea, I know, it sucks. WebMgr showed the VP the config file was not accessible by the web site and it wasn’t using the SA password. He was satisfied by that. Web site is looking to beat projections again by 15%, so WebMgr told the other VPs that another disruption from a developer could jeopardize the quarterly numbers. I’d keep my head down for a while.”8 -
Okay, story time.
Back during 2016, I decided to do a little experiment to test the viability of multithreading in a JavaScript server stack, and I'm not talking about the Node.js way of queuing I/O on background threads, or about WebWorkers that box and convert your arguments to JSON and back during a simple call across two JS contexts.
I'm talking about JavaScript code running concurrently on all cores. I'm talking about replacing the god-awful single-threaded event loop of ECMAScript – the biggest bottleneck in software history – with an honest-to-god, lock-free thread-pool scheduler that executes JS code in parallel, on all cores.
I'm talking about concurrent access to shared mutable state – a big, rightfully-hated mess when done badly – in JavaScript.
This rant is about the many mistakes I made at the time, specifically the biggest – but not the first – of which: publishing some preliminary results very early on.
Every time I showed my work to a JavaScript developer, I'd get negative feedback. Like, unjustified hatred and immediate denial, or outright rejection of the entire concept. Some were even adamantly trying to discourage me from this project.
So I posted a sarcastic question to the Software Engineering Stack Exchange, which was originally worded differently to reflect my frustration, but was later edited by mods to be more serious.
You can see the responses for yourself here: https://goo.gl/poHKpK
Most of the serious answers were along the lines of "multithreading is hard". The top voted response started with this statement: "1) Multithreading is extremely hard, and unfortunately the way you've presented this idea so far implies you're severely underestimating how hard it is."
While I'll admit that my presentation was initially lacking, I later made an entire page to explain the synchronisation mechanism in place, and you can read more about it here, if you're interested:
http://nexusjs.com/architecture/
But what really shocked me was that I had never understood the mindset that all the naysayers adopted until I read that response.
Because the bottom-line of that entire response is an argument: an argument against change.
The average JavaScript developer doesn't want a multithreaded server platform for JavaScript because it means a change of the status quo.
And this is exactly why I started this project. I wanted a highly performant JavaScript platform for servers that's more suitable for real-time applications like transcoding, video streaming, and machine learning.
Nexus does not and will not hold your hand. It will not repeat Node's mistakes and give you nice ways to shoot yourself in the foot later, like `process.on('uncaughtException', ...)` for a catch-all global error handling solution.
No, an uncaught exception will be dealt with like any other self-respecting language: by not ignoring the problem and pretending it doesn't exist. If you write bad code, your program will crash, and you can't rectify a bug in your code by ignoring its presence entirely and using duct tape to scrape something together.
Back on the topic of multithreading, though. Multithreading is known to be hard, that's true. But how do you deal with a difficult solution? You simplify it and break it down, not just disregard it completely; because multithreading has its great advantages, too.
Like, how about we talk performance?
How about distributed algorithms that don't waste 40% of their computing power on agent communication and pointless overhead (like the serialisation/deserialisation of messages across the execution boundary for every single call)?
How about vertical scaling without forking the entire address space (and thus multiplying your application's memory consumption by the number of cores you wish to use)?
How about utilising logical CPUs to the fullest extent, and allowing them to execute JavaScript? Something that isn't even possible with the current model implemented by Node?
Some will say that the performance gains aren't worth the risk. That the possibility of race conditions and deadlocks aren't worth it.
That's the point of cooperative multithreading. It is a way to smartly work around these issues.
If you use promises, they will execute in parallel, to the best of the scheduler's abilities, and if you chain them then they will run consecutively as planned according to their dependency graph.
If your code doesn't access global variables or shared closure variables, or your promises only deal with their provided inputs without side-effects, then no contention will *ever* occur.
If you only read and never modify globals, no contention will ever occur.
Are you seeing the same trend I'm seeing?
Good JavaScript programming practices miraculously coincide with the best practices of thread-safety.
When someone says we shouldn't use multithreading because it's hard, do you know what I like to say to that?
"To multithread, you need a pair."18 -
One of our newly-joined junior sysadmin left a pre-production server SSH session open. Being the responsible senior (pun intended) to teach them the value of security of production (or near production, for that matter) systems, I typed in sudo rm --recursive --no-preserve-root --force / on the terminal session (I didn't hit the Enter / Return key) and left it there. The person took longer to return and the screen went to sleep. I went back to my desk and took a backup image of the machine just in case the unexpected happened.
On returning from wherever they had gone, the person hits enter / return to wake the system (they didn't even have a password-on-wake policy set up on the machine). The SSH session was stil there, the machine accepted the command and started working. This person didn't even look at the session and just navigated away elsewhere (probably to get back to work on the script they were working on).
Five minutes passes by, I get the first monitoring alert saying the server is not responding. I hoped that this person would be responsible enough to check the monitoring alerts since they had a SSH session on the machine.
Seven minutes : other dependent services on the machine start complaining that the instance is unreachable.
I assign the monitoring alert to the person of the day. They come running to me saying that they can't reach the instance but the instance is listed on the inventory list. I ask them to show me the specific terminal that ran the rm -rf command. They get the beautiful realization of the day. They freak the hell out to the point that they ask me, "Am I fired?". I reply, "You should probably ask your manager".
Lesson learnt the hard-way. I gave them a good understanding on what happened and explained the implications on what would have happened had this exact same scenario happened outside the office giving access to an outsider. I explained about why people in _our_ domain should care about security above all else.
There was a good 30+ minute downtime of the instance before I admitted that I had a backup and restored it (after the whole lecture). It wasn't critical since the environment was not user-facing and didn't have any critical data.
Since then we've been at this together - warning engineers when they leave their machines open and taking security lecture / sessions / workshops for new recruits (anyone who joins engineering).26 -
Recently, my CS teacher proudly bragged about how, to this day, no pupil has ever had WiFi Access to the school network (only teachers have access).
What a naive teacher he is ( ͡° ͜ʖ ͡°)5 -
I wrote a node + vue web app that consumes bing api and lets you block specific hosts with a click, and I have some thoughts I need to post somewhere.
My main motivation for this it is that the search results I've been getting with the big search engines are lacking a lot of quality. The SEO situation right now is very complex but the bottom line is that there is a lot of white hat SEO abuse.
Commercial companies are fucking up the internet very hard. Search results have become way too profit oriented thus unneutral. Personal blogs are becoming very rare. Information is losing quality and sites are losing identity. The internet is consollidating.
So, I decided to write something to help me give this situation the middle finger.
I wrote this because I consider the ability to block specific sites a basic universal right. If you were ripped off by a website or you just don't like it, then you should be able to block said site from your search results. It's not rocket science.
Google used to have this feature integrated but they removed it in 2013. They also had an extension that did this client side, but they removed it in 2018 too. We're years past the time where Google forgot their "Don't be evil" motto.
AFAIK, the only search engine on earth that lets you block sites is millionshort.com, but if you block too many sites, the performance degrades. And the company that runs it is a for profit too.
There is a third party extension that blocks sites called uBlacklist. The problem is that it only works on google. I wrote my app so as to escape google's tracking clutches, ads and their annoying products showing up in between my results.
But aside uBlacklist does the same thing as my app, including the limitation that this isn't an actual search engine, it's just filtering search results after they are generated.
This is far from ideal because filter results before the results are generated would be much more preferred.
But developing a search engine is prohibitively expensive to both index and rank pages for a single person. Which is sad, but can't do much about it.
I'm also thinking of implementing the ability promote certain sites, the opposite to blocking, so these promoted sites would get more priority within the results.
I guess I would have to move the promoted sites between all pages I fetched to the first page/s, but client side.
But this is suboptimal compared to having actual access to the rank algorithm, where you could promote sites in a smarter way, but again, I can't build a search engine by myself.
I'm using mongo to cache the results, so with a click of a button I can retrieve the results of a previous query without hitting bing. So far a couple of queries don't seem to bring much performance or space issues.
On using bing: bing is basically the only realiable API option I could find that was hobby cost worthy. Most microsoft products are usually my last choice.
Bing is giving me a 7 day free trial of their search API until I register a CC. They offer a free tier, but I'm not sure if that's only for these 7 days. Otherwise, I'm gonna need to pay like 5$.
Paying or not, having to use a CC to use this software I wrote sucks balls.
So far the usage of this app has resulted in me becoming more critical of sites and finding sites of better quality. I think overall it helps me to become a better programmer, all the while having better protection of my privacy.
One not upside is that I'm the only one curating myself, whereas I could benefit from other people that I trust own block/promote lists.
I will git push it somewhere at some point, but it does require some more work:
I would want to add a docker-compose script to make it easy to start, and I didn't write any tests unfortunately (I did use eslint for both apps, though).
The performance is not excellent (the app has not experienced blocks so far, but it does make the coolers spin after a bit) because the algorithms I wrote were very POC.
But it took me some time to write it, and I need to catch some breath.
There are other more open efforts that seem to be more ethical, but they are usually hard to use or just incomplete.
commoncrawl.org is a free index of the web. one problem I found is that it doesn't seem to index everything (for example, it doesn't seem to index the blog of a friend I know that has been writing for years and is indexed by google).
it also requires knowledge on reading warc files, which will surely require some time investment to learn.
it also seems kinda slow for responses,
it is also generated only once a month, and I would still have little idea on how to implement a pagerank algorithm, let alone code it.
4 -
This is a story of me trying out maintaining a game server and eventually making a mistake, although I do not regret experiencing it.
A month ago I set up a small modded minecraft server because I wanted to experience a fun modpack together with some people from reddit. Besides this, I also wanted to see if I was capable of setting up a server with systemd and screen running in the background. This went great and I learned a lot.
The very next day I was playing with $annoyingKid on the server and everything was well. However the second day, $annoyingKid started pushing the idea to start up a normal minecraft server to build a playerbase.
I asked $annoyingKid 'What about financing, staff management and marketing?'
$annoyingKid: "I don't know much about that, but you can do that while I build a spawn!"
He also didn't want to reveal his age, which alerted me that he's young and inexperienced. He also considered Discord 'scary' because there were haxors and they would get his location and kidnap him, or something. So if he was supposed to become owner (which he desired), he had no way of communicating with a community outside of the game.
He also considered himself owner, while I was the one who paid for the server. 'Owners should be people who own the server', no matter how many times I told him that.
$annoyingKid also asked if he could install plugins on his own, I asked him if he knew anything about ssh, wget or bash because I used ssh to set up the server (I know rcon exists, but didn't want to deal with that at the time), he had no idea what any of those terms meant and he couldn't give proper arguments as to why he should get console access.
In the end, he did jack shit, he had no chance of becoming co-owner or even head-admin because he had no sense of responsibility or hard work. I kept him around as an admin because he was the one who came up with the idea. I banned him on day one after he started abusing his power when someone tipped him of. Even after me ordering him to ignore an annoying player he kept going, of course I could have prevented all this by kicking him earlier since all the red flags around him had already formed a beacon of light. He tried coming back, complaining that he should at least have his moderator rank back, but he never got in again.
A week later I got bored, I had had enough fun with ssh and the server processes to know that I didn't want to continue the small project, so I shut it down and went on to do stuff on GitHub.
Lesson learned: Don't let annoying kids with no sense of responsibility talk you into doing things you aren't sure you want to be doing. And only give people power after they've proved to you that they are capable of handling it.1 -
Look, I get that it's really tricky to assess whether someone is or isn't skilled going solely by their profile.
That's alright.
What isn't center of the cosmic rectum alright with the fucking buttsauce infested state of interviews is that you give me the most far fetched and convoluted nonsense to solve and then put me on a fucking timer.
And since there isn't a human being on the other side, I can't even ask for clarification nor walk them through my reasoning. No, eat shit you cunt juice swallowing mother fucker, anal annhilation on your whole family with a black cock stretching from Zimbabwe to Singapore, we don't care about this "reasoning" you speak of. Fuck that shit! We just hang out here, handing out tricks in the back alley and smoking opium with vietnamese prostitutes, up your fucking ass with reason.
Let me tell you something mister, I'm gonna shove a LITERAL TON of putrid gorilla SHIT down your whore mouth then cum all over your face and tits, let's see how you like THAT.
Cherry on top: by the time I began figuring out where my initial approach was wrong, it was too late. Get that? L'esprit d'escalier, bitch. I began to understand the problem AFTER the timer was up. I could solve it now, except it wouldn't do me any fucking good.
The problem? Locate the topmost 2x2 block inside a matrix whose values fall within a particular range. It's easy! But if you don't explain it properly, I have to sit down re-reading the description and think about what the actual fuck is this cancerous liquid queef that just got forcefully injected into my eyes.
But since I can't spend too much time trying to comperfukenhend this two dollar handjob of a task, which I'd rather swap for teabagging a hairy ass herpes testicle sack, there's rushing in to try and make sense of this shit as I type.
So I'm about 10 minutes down or so already, 35 to go. I finally decipher that I should get the XY coords of each element within the specified range, then we'll walk an array of those coordinates and check for adjacency. Easy! Done, and done.
Another 10 minutes down, all checks in place. TEST. Wait, wat? Where's the output? WHERE. THE FUCK. IS. THE OUTPUT?! BITCH GIMME AN ANSWER. I COUT'D THE RETURN AND CAN SEE THE TERMINAL BUT ITS NOT SHOWING ME ANYTHINGGG?! UUUGHHH FUCKKFKFKFKFKFKFKFUFUFUFFKFK (...)
Alright, we have about 20 minutes left to finish this motorsaw colonoscopy, and I can't see what my code is outputting so I'm walking through the code myself trying to figure out if this will work. Oh, look at that I have to MANUALLY click this fucking misaligned text that says "clear" in order for any new output to register. Lovely, 10/10 web design, I will violate your armpits with an octopus soaked in rabid bear piss.
Mmmh, looks like I got this wrong. Figures. I'm building the array of coordinates sequentially, as a one dimentional list, which is very inconvenient for finding adjacent elements. No problem, let's try and fix that aaaaaand... SHIT IM ALMOST OUT OF TIME.
QUICK LYEB, QUICK!! REMEMBER WHAT FISCELLA TAUGHT YOU, IN BETWEEN MOLESTING YOUR SOUL WITH 16-BIT I/O CONSOLE PROBLEMS, LIKE THAT BITCH SNOWFALL THING YOU HAD TO SOLVE FOR A FRIEND USING TURBO C ON A FUCKING TOASTER IN COMPUTER LAB! RUN MOTHERFUCKER RUN!!!
I'm SWEATING. HEAVILY. I'm STEAMING, NON-EROTICALLY. Less than 10 minutes left. I'm trying to correct the code I have, but I start making MORE dumbfuck mistakes because I'm in a hurry!
5 minutes left. As I hit this point of no return, I realize exactly where my initial reasoning went wrong, and how I could fix it, but I can't because I don't have enough time. Sadface.
So I hastily put together skeleton of the correct implementation, and as the clock is nearly up, I write a comment explaining the bits I can't get to write. Page up, top of file, type "the editor was shit LMAO" and comment it out. SUBMIT.
This violent tale of brain damaged badmouth schizoid baby versus badly worded code challenges was brought to you by ButtholeSuffers. Tired of taking low-quality viagra before engaging in unprotected anal sex? Then try ButtholeSuffers, the new way to strengthen your everday erections! You'll be as fucking HARD as a WALL!
Visit triple doble minus you dot triple doble YOU dot doble-u doble www dotbit lyshAdy wwwwww academy smashlikeachamp ai/professional/$$%$X$/0FD0EFF~ \*¨-`++ ifyouclickurstupid for for a FREE coupon to get MINUS NaN OFF on a close-encounter with an inter-continental dick, and use my promo code HOPONBITCH if you'd like it *RAMMED* --FAR-- and D E E P L Y.
(lel ad break should continue I'm cutting it shortt) [CENSORED] grants *physical* access to your pants! Big ups to Annihilate for sponsoring this mental breakdown.
Also hi ;>3 -
android studio is TERRIBLE. why cant they just make a fucking good linux installer? they're a fucking half trillion dollars company and can't get their shit together. its terribly unprofessional, and makes vim look like a god. maybe not all of us has have access to nasa's supercomputer and don't have a month for it to start.
here's a story about the installation of android studio on a (fairly high-end) chromebook running gallium:
I went to the website, which by the way could tell I was on linux but still automatically showed me the windows instructions, and downloaded android studio, 1.2 gb for fucks sake! I have a 16 gb hard drive! then it installed, and I closed it, because I was gonna use it later. I had a problem with it the first time, so I reinstalled, and halfway through the installation, IT DECIDED IT NEEDED SUPERUSER PRIVELEGES. fuck that. I restarted the installer, with sudo, and it took about switch as long this time. then, it made me redownload the sdk and all that other bloatware EVEN THOUGH THEY WERE INSTALLED IN SEPARATE FOLDERS AND ALREADY DOWNLOADED. jesus christ, google.3 -
So I am currently making an app for a retail franchise and that retail franchise is getting a website done by a company. Since the recipes that the guys want are going to be on the website, the web dev company made a mysql db that has all the recipes.
I thought since the people at the head of the retail franchise have spent time gathering these recipes, I'll just get the data for the app from the db.
I called the project manager for the website up (That's the only contact I got) and asked if they could given me access to the db to use for the app or if I could make a script that would get data from it.
Now this is the part where I tell you I'm only 14 years old and these guys know that because of the head of the retail company.
He puts it on speaker and asks me to say it again and I hear quite a bit of people laughing. I knew what was happening. He asks do you know anything about databases, I explained to him what a db was and how I was going to get the data from it and etc. Half way through me telling him that it would be beneficial for both me and the retail guys, he hung up the call and blocked me.
I asked the head of the retail company if he could ask them about it and he said that he didn't know much about tech so he couldn't ask and if I could find an alternative option.
You might be thinking that the company didn't want to give me permission to access the db which is respectable but they have done this previously as well.
I gave them advice on putting a rewards card feature on the site so the customers could track their points on the site as well as on the app and the PM said "We don't want advice from you."
It has now been 3 weeks on and off because of school where I had to code a ui for the lady at the company to enter all her recipes for the app and waste a lot of time communicating with different people to get all the data.
I hate being disrespected because of my inexperience when I can truly do some extraordinary things with software. 😡😤😣
Its also very hard to find a job being 14.5 -
It is the time for the proper long personal rant.
Im a fresh student, i started few months ago and the life is going as predicted: badly or even worse...
Before the university i had similar problems but i had them under control (i was able to cope with them and with some dose of "luck" i graduated from high school and managed to get into uni). I thought by leaving the town and starting over i would change myself and give myself a boost to keep going. But things turned out as expected. Currently i waste time everyday playing pc games or if im too stressed to play, i watch yt videos. Few years ago i thought i was addicted, im not. It might be a effect of something greater. I have plans, for countess inventions, projects, personal, for university and others and ALL of them are frozen, stopped, non existant. No motivation. I had few moments when i was motivated but it was short, hours or only minutes. Long term goals dont give me any motivation. They give as much short lived joy, happines as goals in games and other things... (no substance abuse problems, dont worry). I just dont see point of my projects anymore. Im sure that my projects are the only thing that will give me experience and teach me something but... i passed the magic barrier of univercity, all my projects are becoming less and less impressive... TV and other sources show people, briliant people, students, even children that were more succesful than me
if they are better than me why do i even bother? companies care more for them, especialy the prestigious ones, they have all the fame, money, funding, help, gear without question!
of course they hardworked for ther positions, they could had better beggining or worse but only hard work matters right?
As i said. None of my work matters, i worked hard for my whole life, studing, crafting, understanding: programming, multiple launguages, enviorements, proper and most effcient algorithms, electronic circuits, mechanical contraptions. I have knowlege about nearly every machine and i would be able to create nearly everything with just access to those tools and few days worth of practice. (im sort of omnibus, know everything) But because had lived in a small town i didnt have any chances of getting the right equpment. All of my electronical projects are crap. Mechanical projects are made out of scrap. Even when i was in high school, nobody was impressed or if they were they couldnt help me.
Now im at university. My projects are stagnant, mostly because of my mental problems. Even my lifestyle took a big hit. I neglect a lot of things i shouldnt. Of course greg, you should go out with friends! You cant dedicate 100% of your life to science!
I fucking tried. All of them are busy or there are other things that prevent that... So no friends for me. I even tried doing something togheter! Nope, same reasons or in most cases they dont even do anything...
Science clubs? Mostly formal, nobody has time, tools are limited unless you designed you thing before... (i want to learn!, i dont have time to design!), and in addition to that i have to make a recrutment project... => lack of motivation to do shit.
The biggest obstacle is money. Parts require money, you can make your parts but tools are money too. I have enough to live in decent apartment and cook decently as well but not enough to buy shit for projects. (some of them require a lot or knowlege... and nobody is willing to give me the second thing). Ok i found a decent job oppurtunity. C# corporation, very nice location, perfect for me because i have a lot of time, not only i can practice but i can earn for stuff. I have a CV or resume just waiting for my friend to give me the email (long story, we have been to that corp because they had open days and only he has the email to the guy, just a easier way)
But there are issiues with it as well so it is not that easy.
If nobody have noticed im dedicated to the science. Basicly 100% scientist that want to make a world a better place.
I messaged a uni specialist so i hope he will be able to help me.
For long time i have thought that i was normal, parent were neglecting my mental health and i had some situations that didnt have good infuence on me as well. I might have some issiues with my brain as well, 96% of aspargers symptoms match, with other links included. I dont want to say i have it but it is a exciuse for a test. In addition to that i cant CANT stop thinking, i even tried not thinking for few minutes, nope i had to think about something everytime. On top of that my biological timer is flipped. I go to sleep at 5 am and wake up at 5pm (when i dont have lectures).
I prefer working at night, at that time my brain at least works normaly but i dont want to disrupt roommates...
And at the day my brain starts the usual, depression, lack of motivation, other bullshit thing.
I might add something later, that is all for now. -
TL;DR; do your best all you like, strive to be the #1 if you want to, but do not expect to be appreciated for walking an extra mile of excellence. You can get burned for that.
They say verbalising it makes it less painful. So I guess I'll try to do just that. Because it still hurts, even though it happened many years ago.
I was about to finish college. As usual, the last year we have to prepare a project and demonstrate it at the end of the year. I worked. I worked hard. Many sleepless nights, many nerves burned. I was making an android app - StudentBuddy. It was supposed to alleviate students' organizational problems: finding the right building (city plans, maps, bus schedules and options/suggestions), the right auditorium (I used pictures of building evac plans with classes indexed on them; drawing the red line as the path to go to find the right room), having the schedule in-app, notifications, push-notifications (e.g. teacher posts "will be 15 minutes late" or "15:30 moved to aud. 326"), homework, etc. Looots of info, loooots of features. Definitely lots of time spent and heaps of new info learned along the way.
The architecture was simple. It was a server-side REST webapp and an Android app as a client. Plenty of entities, as the system had to cover a broad spectrum of features. Consequently, I had to spin up a large number of webmethods, implement them, write clients for them and keep them in-sync. Eventually, I decided to build an annotation processor that generates webmethods and clients automatically - I just had to write a template and define what I want generated. That worked PERFECTLY.
In the end, I spun up and implemented hundreds of webmethods. Most of them were used in the Android app (client) - to access and upsert entities, transition states, etc. Some of them I left as TBD for the future - for when the app gets the ADMIN module created. I still used those webmethods to populate the DB.
The day came when I had to demonstrate my creation. As always, there was a commission: some high-level folks from the college, some guests from businesses.
My turn to speak. Everything went great, as reversed. I present the problem, demonstrate the app, demonstrate the notifications, plans, etc. Then I describe at high level what the implementation is like and future development plans. They ask me questions - I answer them all.
I was sure I was going to get a 10 - the highest score. This was by far the most advanced project of all presented that day!
Other people do their demos. I wait to the end patiently to hear the results. Commission leaves the room. 10 minutes later someone comes in and calls my name. She walks me to the room where the judgement is made. Uh-oh, what could've possibly gone wrong...?
The leader is reading through my project's docs and I don't like the look on his face. He opens the last 7 pages where all the webmethods are listed, points them to me and asks:
LEAD: What is this??? Are all of these implemented? Are they all being used in the app?
ME: Yes, I have implemented all of them. Most of them are used in the app, others are there for future development - for when the ADMIN module is created
LEAD: But why are there so many of them? You can't possibly need them all!
ME: The scope of the application is huge. There are lots of entities, and more than half of the methods are but extended CRUD calls
LEAD: But there are so many of them! And you say you are not using them in your app
ME: Yes, I was using them manually to perform admin tasks, like creating all the entities with all the relations in order to populate the DB (FTR: it was perfectly OK to not have the app completed 100%. We were encouraged to build an MVP and have plans for future development)
LEAD: <shakes his head in disapproval>
LEAD: Okay, That will be all. you can return to the auditorium
In the end, I was not given the highest score, while some other, less advanced projects, were. I was so upset and confused I could not force myself to ask WHY.
I still carry this sore with me and it still hurts to remember. Also, I have learned a painful life lesson: do your best all you like, strive to be the #1 if you want to, but do not expect to be appreciated for walking an extra mile of excellence. You can get burned for that. -
My boss insists that we shouldn’t lock or password-protect a particular system because, in her words, remembering or write down a password is hard and email as a concept is confusing. I tried to explain if people who don't know what left versus right-clicking do have full admin access, it’s only a matter of time before something goes terriblely wrong. She listened but ultimately decided to keep everything open, confident that everyone would use it responsibly.
Unfortunately, that’s not what happened, it never has been and never will be. The problems started, just as I feared, and now I’m stuck cleaning up the chaos, one issue at a time. I do have a backup and automation snapshots, but things got so tangled up that it will still be a hassle.
I tried soft lock so everyone could only access the section relevant to them. The reaction was immediate—they were confused and stressed, saying they’d be unable to do anything if it stayed that way. They didn’t get the idea that keeping them from touching certain things (that they shouldn't be touching in the first place) wasn’t the same as blocking their whole work. But since they’re all my superiors, I had no choice but to remove the restrictions and leave the system wide open again.
Nothing serious came out, just really annoying because something like this happens all the time.4 -
Any Windows Sysadmins here? I have a question for you - How do you do it?
I only very rarely have to do something that would fall under "Windows System Administration", but when I do... I usually find something either completely baffling, or something that makes me want to tear our my hair.
This time, I had a simple issue - Sis brought me her tablet laptop (You know, the kind of tablets that come with a bluetooth keyboard and so can "technically" be called a laptop) and an SD card stating that it doesn't work.
Plugging it in, it did work, only issue was that the card contained file from a different machine, and so all the ACLs were wrong.
I... Dealt with Windows ACLs before, so I went right to the usual combination of takeown and icacls to give the new system's user rights to work with the files already present. Takeown worked fine... But icacls? It got stuck on the first error it encountered and didn't go any further - very annoying.
The issue was a found.000 folder (Something like lost+found folder from linux?) that was hidden by default, so I didn't spot it in the explorer.
Trying to take ownership of that folder... Worked for for files in there, safe for one - found.000\dir0000.chk$Txf; no idea what it is, and frankly neither do I care really.
Now... Me, coming from the Linux ecosystem, bang my head hard against the table whenever I get "Permission denied" as an administrator on the machine.
Most of the times... While doing something not very typical like... Rooting around (Hah... rooting... Get it?! I... Carry on) the Windows folder or system folders elsewhere. I can so-so understand why even administrators don't have access to those files.
But here, it was what I would consider a "common" situation, yet I was still told that my permissions were not high enough.
Seeing that it was my sister's PC, I didn't want to install anything that would let me gain system level permissions... So I got to writing a little forloop to skip the one hidden folder alltogether... That solved the problem.
My question is - Wtf? Why? How do you guys do this sort of stuff daily? I am so used to working as root and seeing no permission denied that situations like these make me loose my cool too fast too often...
Also - What would be the "optimal" way to go about this issue, aside for the forloop method?
The exact two commands I used and expected to work were:
takeown /F * /U user /S machine-name /R
icacls * /grant machine-name\user:F /T6 -
I've almost had enough of Atlassian. So, our customers want us to integrate Jira / Confluence support into our software.
I initially thought it would be a great addition to the other providers we support, so I explored it further.
After trying Confluence – and already knowing first-hand how horrendous Jira is from a previous role – I left in absolute disgust at not only how horrendously slow, buggy and overengineered Confluence is (just like Jira), but how horrendously FUCKING SHIT their developer / API documentation is. I suspended the project at this point. No fucking way was I allowing time to be sucked away because another company can't get their shit together.
Customers kept asking for integration support, so I authorized the team to revisit Jira integration support a few weeks ago. Nothing has changed. Documentation is as shit as before, software as slow as before and the platform as overengineered as before. No surprises.
Here's the problem:
1. You can't set multiple auth callback URLs so you can actually test your implementation.
2. You can't revoke access tokens programmatically. Yes, really.
3. You need to submit a ticket to get your integration approved for use by others, because automating this process is clearly fucking impossible. And then they ask questions you've already answered before. They don't review your app or your integration beyond the information you provided in the ticket.
4. Navigating the Atlassian developer documentation is like trying to navigate through a never-ending fucking minefield. Go on, try it: https://developer.atlassian.com/clo.... Don't get too lost.
I was so very FUCKING CLOSE to terminating this integration project permanently.
Atlassian, your software is an absolute fucking joke. I have no idea why our customers use your platform. It's clearly a sign of decades of lazy and incompetent engineering at work, trying to do too much and losing yourself in the process.
You can't even get the fundamental shit right. It's not hard to write clean, maintainable code and simple, clear and concise API documentation.1 -
A year ago I built my first todo, not from a tutorial, but using basic libraries and nw.js, and doing basic dom manipulations.
It had drag n drop, icons, and basic saving and loading. And I was satisfied.
Since then I've been working odd jobs.
And today I've decided to stretch out a bit, and build a basic airtable clone, because I think I can.
And also because I hate anything without an offline option.
First thing I realized was I wasn't about to duplicate all the features of a spreadsheet from scratch. I'd need a base to work from.
I spent about an hour looking.
Core features needed would be trivial serialization or saving/loading.
Proper event support for when a cell, row, or column changed, or was selected. Necessary for triggering validation and serialization/saving.
Custom column types.
Embedding html in cells.
Reorderable columns
Optional but nice to have:
Changeable column width and row height.
Drag and drop on rows and columns.
Right click menu support out of the box.
After that hour I had a few I wanted to test.
And started looking at frameworks to support the SPA aspects.
Both mithril and riot have minimal router support. But theres also a ton of other leightweight frameworks and libraries worthy of prototyping in, solid, marko, svelte, etc.
I didn't want to futz with lots of overhead, babeling/gulping/grunting/webpacking or any complex configuration-over-convention.
Didn't care for dom vs shadow dom. Its a prototype not a startup.
And I didn't care to do it the "right way". Learning curve here was antithesis to experimenting. I was trying to get away from plugin, configuration-over-convention, astronaut architecture, monolithic frameworks, the works.
Could I import the library without five dozen dependancies and learning four different tools before getting to hello world?
"But if you know IJK then its quick to get started!", except I don't, so it won't. I didn't want that.
Could I get cheap component-oriented designs?
Was I managing complex state embedded in a monolith that took over the entire layout and conventions of my code, like the world balanced on the back of a turtle?
Did it obscure the dom and state, and the standard way of doing things or *compliment* those?
As for validation, theres a number of vanilla libraries, one of which treats validation similar to unit testing, which seems kinda novel.
For presentation and backend I could do NW.JS, which would remove some of the complications, by putting everything in one script. Or if I wanted to make it a web backend, and avoid writing it in something that ran like a potato strapped to a nuclear rocket (visual studio), I could skip TS and go with python and quart, an async variation of flask.
This has the advantage that using something thats *not* JS, namely python, for interacting with a proper database, and would allow self-hosting or putting it online so people can share data and access in real time with others.
And because I'm horrible, and do things the wrong way for convenience, I could use tailwind.
Because it pisses people off.
How easy (or hard) would it be to recreate a basic functional clone of the core of airtable?
I don't know, but I have feeling I'm going to find out!1 -
LEARN HOW TO GET YOUR MONEY BACK FROM A FAKE INVESTMENT PLATFORM / VISIT TRUST GEEKS HACK EXPERT
TRUST GEEKS HACK EXPERT is a lifesaver! What started as a routine software update quickly turned into a nightmare that took me to the brink of financial ruin. A glitch in the updating process somehow locked me out of my Bitcoin wallet, which held $250,000. It was a significant investment I had worked hard to amass over several years, and it represented my savings, my future, and my peace of mind. The panic that followed was both instant and overwhelming. I desperately looked to recover my recovery phrase, only to realize it had been miss-printed when I originally wrote it down—a mistake I never thought would have any ramification until that exact moment. Each failed attempt at unlocking my wallet tightened the grip of anxiety on me. I was helpless, watching what appeared to be my entire financial security get further and further away. Despair drove me to search frantically for a lifeline. That's when I found TRUST GEEKS HACK EXPERT via web w w w: //
trust geeks hack expert. c o m /. I was wary at first—this was my life savings, after all, and I was well aware that the digital asset recovery business could be full of scams and false hope. But the glowing testimonials and success stories offered promise. I took the risk. I knew from the first conversation I had done the right thing. Their personnel were polite, sympathetic, and patient. They heard every aspect of my issue and assured me that I was not a lost cause. Its confidence was a lifeline. They explained the process of recovery in terms that I could understand, defining every technical step along the way and keeping me informed at each stage. I was most amazed at their accuracy and speed. They quickly diagnosed the issue and applied advanced recovery techniques to regain access to my wallet. Within days, my $250,000 was restored to me—intact and secure. The weight that was taken off my chest at that moment cannot be put into words. TRUST GEEKS HACK EXPERT not only restored my investment but also restored my faith in professional services. Their professionalism, honesty, and empathy made all the difference. I just can't thank them enough. If you are experiencing the same trauma, don't wait—contact TRUST GEEKS HACK EXPERT They are no less than saviors. Email: Trust geeks hack expert @ fast service . c o m
3 -
RECOVER YOUR LOST CRYPTOCURRENCY: BEST EXPERTS TO HELP YOU RECLAIM YOUR FUNDS WITH SPARTAN TECH GROUP RETRIEVAL
A few months ago, I ran into a major issue that nearly cost me everything. I had been using my computer to trade cryptocurrency for some time, relying on my digital wallet for every transaction. One day, after an unexpected system crash, I realized that something was terribly wrong. My computer, which had always been reliable, was infected with a virus that completely compromised my trading wallet. When I tried to access my account, I was logged out and couldn’t get back in. Panic set in as I realized I had no idea how to regain access, and I feared I might have lost everything I had worked so hard for. In my frantic search for a solution, I reached out to a close friend who was knowledgeable about technology and had experience with crypto trading. After explaining my situation, she immediately suggested I reach out to a team called SPARTAN TECH GROUP RETRIEVAL Then contact them on WhatsApp:+1 (971) 4 8 7 -3 5 3 8 OR Telegram:+1 (581) 2 8 6 - 8 0 9 2. She mentioned that she had read several accounts on Quora from people who had faced similar issues and had successfully recovered their funds with the help of SPARTAN TECH GROUP RETRIEVAL. I was skeptical at first, unsure whether this was just another online service that made grand promises but couldn’t deliver. But after learning more about SPARTAN TECH GROUP RETRIEVAL’s reputation and reading more testimonials from individuals who had been in my position, I decided to give them a try. I contacted them, explained my situation, and was quickly put in touch with one of their specialists. The team at SPARTAN TECH GROUP RETRIEVAL immediately set to work, analyzing the situation with a calm and professional approach. They explained that the virus had likely been a targeted attack, with the purpose of stealing access to my crypto wallet. However, they reassured me that they had the tools and expertise to track the source of the attack and restore my access. Their team used advanced forensic methods, combining blockchain analysis, data recovery techniques, and a deep understanding of cryptocurrency security protocols to retrieve my account. Within a short period, SPARTAN TECH GROUP RETRIEVAL successfully regained access to my wallet and helped secure it from future threats. Not only did they recover my account, but they also implemented enhanced security measures to prevent further breaches. I was absolutely amazed by their professionalism, technical expertise, and how quickly they acted. What impressed me most was their commitment to ensuring that I understood the process every step of the way. Thanks to SPARTAN TECH GROUP RETRIEVAL, I was able to recover not just my funds but my peace of mind. I am now more confident in my trading, knowing that if anything goes wrong, I have a trustworthy team to rely on.
CONTACT INFO ABOUT THE COMPANY:
Email: spartantech (@) c y b e r s e r v i c e s . c o m
1 -
CONNECT WITH RECOVERY EXPERT TO HELP YOU GET BACK ACCESS TO YOUR SCAMMED BITCOIN/INVESTMENT MONEY FROM ANY UNTRUTHFUL ONLINE PLATFORM..
It was supposed to be the investment of a lifetime. I had accumulated $182,000 over the years, a fortune that represented decades of hard work, strategic decisions, and a bit of luck. When I was approached by what appeared to be a cutting-edge cryptocurrency investment platform, I was intrigued. The platform promised revolutionary returns through advanced trading algorithms and exclusive market insights. Against my better judgment, I decided to take the risk. Within weeks of transferring my Bitcoin to their platform, the unthinkable happened. The website went offline, the support team vanished, and my funds were gone. I had fallen victim to a sophisticated scam, and the weight of my loss was crushing. I felt a mix of anger, regret, and despair. How could I have been so careless? Desperate for a solution, I began researching ways to recover stolen cryptocurrency. That’s when I discovered *this website RECOVERY EXPERT service*, a company renowned for its expertise in blockchain forensics and ethical recovery services. Their mission was clear: to help victims of crypto scams reclaim what was rightfully theirs. I reached out to RECOVERY EXPER, half-expecting another dead end. But from the very first conversation, their team was different. They listened to my story with empathy, asked detailed questions about the scam, and assured me they would do everything in their power to help. Their confidence gave me a glimmer of hope, but I braced myself for the possibility that my Bitcoin might be gone forever. The team at RECOVRY EXPERT sprang into action. They explained that while cryptocurrency transactions are often considered irreversible, their advanced blockchain forensic tools could trace the movement of stolen funds across the blockchain. They collaborated with legal experts, cybersecurity specialists, and international law enforcement agencies to track down the scammers. The process was grueling and required immense patience. There were moments when the trail seemed to go cold, but the team at Galaxy Ethical Tech never gave up. They kept me informed every step of the way, providing regular updates and answering all my questions with clarity and professionalism. After weeks of relentless effort, I received an email that made my heart stop. RECOVERY EXPERT had successfully traced and recovered my lost Bitcoin. I couldn’t believe it,my $182,000 in BTC was back in my wallet. Tears of relief streamed down my face as I read the confirmation. It felt like a miracle. The team didn’t just stop at recovering my funds; they also provided me with invaluable advice on how to secure my digital assets and avoid future scams. They emphasized the importance of using secure wallets, conducting thorough due diligence, and staying vigilant against “too good to be true” investment opportunities. Looking back, I can confidently say that RECOVER EXPERT saved me from financial ruin. Their expertise, persistence, and unwavering commitment to ethical practices turned what seemed like an impossible situation into a story of redemption. I will forever be grateful to them for giving me a second chance.
If you ever find yourself in a similar predicament, don’t lose hope. Reach out to the experts at RECOVERY EXPERT. They are the real deal, and they just might be able to reclaim what you thought was lost forever.
reach them
Telegram @RECOVERYEXPERT0
recoveryexpert789@gmail . com
What’s app: +1 (908) 991-7132
Email: recoveryexpert01@consultant . com2 -
HIRE A RELIABLE AND PROFESSIONAL HACKER FOR RECOVERY CONTACT SPARTAN TECH GROUP RETRIEVAL
I was desperate to make my money work for me. When I came across an advertisement on TikTok promoting a crypto investment opportunity, it seemed like exactly what I had been searching for. The ad promised high returns, and the way it was presented made it hard to resist. I was directed to a sleek website for a platform called Crypto Zone that laid out all the details. The platform seemed professional, and they had a Telegram channel full of testimonials from investors who claimed they had earned significant profits. It felt reassuring, like I had found the perfect way to grow my wealth.I didn’t take long to make my decision. I invested a substantial amount 71,000 euros. I thought I was making a smart choice, but in hindsight, I see how quickly I was swept up in the excitement and promises of quick returns. The platform seemed to be everything I wanted. But soon after, things started to unravel. Crypto Zone, once so reliable, became harder to access. The smooth interface I had initially found so appealing now had error messages, and the communication from the supposed support team grew less frequent and less professional. At first, I dismissed it, thinking it was just a temporary glitch, but the more I tried to contact them, the more I realized something was off. Red flags began to appear, but by then, I had already invested too much. My hopes of seeing large returns started to feel more like a distant dream.I spent countless hours trying to get my money back. The more I searched for answers, the more confused I became. The more I dug, the more I realized that I had likely fallen victim to a scam. I was devastated. It wasn’t just the financial loss that hit hard; it was the feeling of betrayal. I had trusted this platform with my savings, and now I was left with nothing. I felt completely powerless, and it seemed like there was no way out. I had lost everything, and I couldn’t see a path to recovery.Then, just when I thought things couldn’t get worse, I came across SPARTAN TECH GROUP RETRIEVAL. At first, I was skeptical. How could anyone possibly help me recover such a large amount of money? But after reading several success stories on their website, I decided to give them a chance. I reached out, and within moments, I felt a glimmer of hope. They took immediate action, and within weeks, I had my 71,000 euros back. I was in disbelief. It felt too good to be true, but it wasn’t. It was real, and I couldn’t have been more grateful.
THEIR CONTACT INFO:
Email: spartan tech (@) cyber services . c o m OR support(@) spartan tech group retrieval. o r g
Website: h t t p s : / / spartan tech group retrieval . o r g
WhatsApp: + 1 ( 9 7 1 ) 4 8 7 - 3 5 3 8
Telegram: + 1 ( 5 8 1 ) 2 8 6 - 8 0 9 2
1 -
GET BACK ALL YOUR SCAMMED CRYPTO INVESTMENT FROM A FAKE PLATFORM—> CONTACT DIGITAL HACK RECOVERY
I began my investment journey on the Telegram platform with a deposit of €85,000. I was optimistic about my decision and, in what felt like no time, I saw my account balance grow to €1,200,000. I was thrilled with my progress and felt confident in my ability to navigate the platform successfully. But that confidence quickly turned into frustration when I tried to withdraw my funds.What should have been a simple process quickly became a nightmare. Despite following all the necessary procedures and reaching out to customer service multiple times, I encountered nothing but delays and obstacles. Each attempt to contact them either went unanswered or resulted in vague responses. As the days passed, it became clear that the company had no intention of letting me access my money. I felt completely powerless and, worse, I started to worry that I might lose everything I had worked so hard to accumulate.It was at this low point that a friend of mine, who had faced a similar situation, recommended Digital Hack Recovery. He had successfully worked with them in the past to recover his own funds and spoke highly of their services. Desperate and exhausted from the lack of progress, I decided to reach out to Digital Hack Recovery.From the moment I contacted them, I knew I was dealing with professionals who genuinely cared about my situation. Their team was highly knowledgeable, and they explained everything to me in a way that made sense. They crafted a customized recovery plan tailored to my specific circumstances and kept me updated every step of the way. What truly set them apart was their transparency and dedication. They didn’t just tell me what they were doing, they involved me in the process, ensuring I felt supported throughout.Thanks to Digital Hack Recovery's persistence and expertise, I was able to recover every single euro I had invested. The relief I felt when my funds were finally restored was indescribable. It felt like a huge weight had been lifted off my shoulders, and I couldn’t have been more grateful for their help.If you’re in a similar situation, struggling to withdraw funds or facing barriers with an investment, I strongly recommend reaching out to Digital Hack Recovery. Their team has the experience, skill, and determination to recover what’s rightfully yours. I truly believe that without their help, I would have never seen my money again. Trust me, you won’t regret working with them.
Their contact info⁚ WhatsApp⁚ +19152151930
Email⁚ digital
hack recovery @techie . com
Website; https : // digital hack recovery . com
1 -
EXPERIENCED CRYPTOCURRENCY RECOVERY COMPANY ⁚ CONTACT DIGITAL HACK RECOVERY FOR BEST SERVICES
Imagine waking up, groggily reaching for your phone to check your crypto balance, only to find out you’re locked out of your Bitcoin wallet, holding a cool $550,000. No explanation, no warning—just an impenetrable wall between you and your hard-earned fortune. Yep, that’s how my day started, and let me tell you, it wasn’t the morning coffee that got my heart racing. It felt like I had been shoved into a financial horror movie, except instead of a masked villain, it was my Bitcoin wallet holding me hostage.
After the initial panic—and after realizing that yelling at my laptop wasn’t going to magically unlock my wallet—I did what any reasonable person would do: I turned to Google. After several hours of frantic research, which mostly led to dead ends and sketchy forums, I finally stumbled across something that didn’t look like a scam: Digital Hack Recovery. It sounded almost too good to be true, but at this point, I was willing to try anything short of selling my soul to get that $550,000 back.
So, I took the plunge and contacted Digital Hack Recovery. From the get-go, their team was an absolute breath of fresh air. Instead of the vague promises and technical jargon I’d come to expect from other services, they laid everything out in simple, clear terms. No sugarcoating, no "We'll get back to you in 5 business days" nonsense—they got right to work. And let me tell you, their forensic approach to wallet recovery was nothing short of magic (or at least, the kind of magic that involves a lot of advanced technology I’ll never understand).
The best part? They kept me updated throughout the entire process. I wasn’t left sitting around, anxiously biting my nails, wondering if I’d ever see my Bitcoin again. Every step of the way, they communicated what they were doing and why, which put me at ease—something that’s no small feat when you’re staring at a locked wallet with $550,000 inside. And just when I thought it couldn’t get any better, there were no hidden fees. None. Nada. Everything was upfront and transparent, which is something you don’t often find in the world of cryptocurrency.
Before I knew it, Digital Hack Recovery had done the impossible. They restored full access to my wallet, and I didn’t lose a single satoshi. It was as if the whole nightmare had never happened, except I now had a newfound appreciation for wallet security (and a checklist of things not to do in the future). So, if you’re ever locked out of your wallet—whether through a hacker’s handiwork or your own accidental blunder—don’t panic. Just call Digital Hack Recovery. They’re the real deal, and trust me, they’ll bring your funds back where they belong: in your wallet, not lost in some digital black hole. For quick assistance contact Digital Hack Recovery through⁚
WhatsApp +19152151930
Email; digital hack recovery @ techie . com
Website; https : // digital hack recovery . com
-
Fast and Reliable Cryptocurrency Recovery Solutions For all Types of Crypto—>Digital Hack Recovery
Finally, I can now heave a sigh of relief. After months of sleepless nights and constant worry, my financial nightmare has come to an end, and I owe it all to Digital Hack Recovery. It all started when I got involved in what seemed like a promising online investment opportunity. The promise of high returns was too tempting to resist, and I ended up investing a significant amount of money, including $86,000 worth of Ethereum. At first, everything seemed legitimate. The returns were coming in, and the platform appeared professional. But as time went on, the platform’s communication grew more sporadic, and eventually, my access to my account was completely blocked. I tried to reach out, but I was met with silence.The realization hit hard: I had been scammed. I had lost a massive sum of money, and there seemed to be no way to recover it. Despair set in, and I thought all was lost. But just when I had almost given up hope, I was referred to Digital Hack Recovery by a friend who had been through a similar ordeal. Skeptical at first, I decided to give it a shot. I contacted their team, and from that moment, everything began to change.Digital Hack Recovery and their team of experts were quick to respond and made me feel heard and understood. They carefully listened to my situation, examined all the details of my case, and assured me that they had the tools and experience to help recover my lost funds. The transparency they offered in the process and their dedication to keeping me updated on every step of the recovery process gave me a sense of security and trust.The recovery process wasn’t immediate, but their team worked tirelessly, and after weeks of meticulous investigation and negotiation, they managed to successfully recover the full $86,000 worth of Ethereum I had lost. The relief I felt when I saw that money returned to my wallet was indescribable. I had lost faith in the online financial world, but Digital Hack Recovery restored that faith by showing me that there are still good, trustworthy professionals out there.I am forever grateful to Digital Hack Recovery and their incredible team. They not only helped me recover my funds but also gave me a renewed sense of hope. If you ever find yourself in a similar situation, I wholeheartedly recommend reaching out to Digital Hack Recovery. They are the real deal, and they genuinely care about helping people like me get their hard earned money back. For assistance contact them via⁚
Email; digital hack recovery @ techie . com
WhatsApp +19152151930
Website; https : // digital hack recovery . com1 -
The Possibility Of Recovering Scammed Bitcoin Is Real With Help Of Lee Ultimate Hacker
As an electrician, I’ve always prided myself on my hard work and dedication. Unfortunately, I learned the hard way that not all investments are what they seem. I lost over $1,000,000 to fraudulent brokers and so-called account managers who deceived me into trusting them with my money. What began as an opportunity to grow my savings quickly turned into a devastating experience. It all started with a seemingly legitimate investment offer. The brokers made convincing claims, and the initial returns were encouraging, so I decided to invest more. They assured me that the more I invested, the higher my returns would be. I felt confident about the decision and followed their advice, thinking I was making smart financial moves. However, when I tried to withdraw my earnings, things quickly took a turn for the worse. The brokers began requesting additional funds before they would process any withdrawal. At first, I hesitated, but their constant push made me feel like it was a necessary step to access my money. Each time I complied, they would come up with new excuses and demand even more funds. Eventually, when I tried to withdraw everything, they disappeared. All my attempts to contact their customer support went unanswered, and it became clear I had been scammed. The loss was overwhelming, especially as an electrician with a family to support and bills to pay. But I wasn’t ready to give up. I began researching ways to recover my funds and stumbled upon a YouTube video that explained how victims of online scams could get their money back. That video led me to Lee Ultimate Hacker, a service that specializes in helping people who have been scammed. I reached out to them and received a response within hours. They requested all the details of my investment and the communication I had with the fraudulent brokers. I followed their instructions and provided the necessary documentation. To my surprise and relief, Lee Ultimate Hacker was able to successfully recover my entire investment, including the profits I had earned during the time I was involved. Thanks to their expertise, I was able to get my financial security back. This experience has been eye-opening, and I am sharing it now to help others avoid falling into the same trap. If you’re facing withdrawal issues or suspect you’ve been scammed on a trading platform, I highly recommend reaching out to Lee Ultimate Hacker on telegram: L E E U L T I M A T E, or w h @ t s a p p + 1 ( 7 1 5 ) 3 1 4 - 9 2 4 8 & Support @ l e e u l t i m a t e h a c k e r . c o m)
They helped me when I thought all hope was lost, and I’m confident they can do the same for others. Please recovery is possible if fall victim.4 -
BITCOIN & CRYPTO RECOVERY AGENCY ⁚ DIGITAL HACK RECOVERY
The day I realized my Bitcoin had been stolen is a day I’ll never forget. What started as a secure and promising investment turned into an overwhelming nightmare. As a cryptocurrency investor, I had trusted my digital wallet, using all the recommended security practices. But despite my best efforts, I fell victim to a sophisticated scam, and the Bitcoin I had worked hard for was gone—vanishing into the ether. The feeling of being violated and helpless was profound. The sense of betrayal wasn’t just financial; it was emotional. The more I researched, the more I felt like there was no hope for recovering what I had lost. Trust in the cryptocurrency space began to wane, and I was left feeling uncertain about where to turn next. The theft happened through a phishing scam that tricked me into revealing my private keys. I had been contacted by someone posing as a support agent from a well-known wallet provider. Their convincing message made me believe that I needed to verify my account, and in doing so, I unwittingly provided access to my wallet. Once I realized what had happened, I immediately checked my wallet, only to find that all my Bitcoin had been transferred out. Panic set in. I frantically searched for a way to reverse the transaction, but it was too late. The stolen Bitcoin was long gone, leaving me helpless. In the midst of my despair, I began to research ways to recover stolen cryptocurrency. I found countless horror stories of people who had lost their investments, with little to no chance of ever reclaiming them. At that point, I began to lose hope. The idea of recovery seemed like an impossibility in the world of decentralized currencies, where transactions are irreversible. However, I refused to give up entirely. After several weeks of searching for potential solutions, I came across a service called Digital Hack Recovery. Their website claimed to specialize in recovering stolen cryptocurrency, offering real-world success stories of clients who had managed to get their Bitcoin back. It was a long shot, but it was the first real glimmer of hope I had in a while. Suspicious but desperate, I contacted Digital Hack Recovery. I sensed professionalism and trust from the first time I spoke with their personnel. After hearing my account, they described the procedures they will follow in an effort to retrieve my stolen Bitcoin. The recovery procedure wasn't immediate, and I was informed that because of the blockchain's structure and the thieves' advanced techniques, it might take some time. Digital Hack Recovery did, however, reassure me that they have the know-how and resources required to look into the theft and find the money. They reduced a lot of my concern by keeping me informed about their progress. The breakthrough finally came when I received an email from Digital Hack Recovery: they had successfully traced and recovered my stolen Bitcoin! I was elated. What had seemed impossible just weeks earlier was now a reality. The funds were returned to my wallet, and I felt an immense sense of relief. I couldn’t believe that something that had felt so out of my control was now under my control again. The recovery wasn’t just about the financial value; it was about regaining my trust in cryptocurrency and restoring my sense of security. Send a message via: WhatsApp⁚ +19152151930
Email; digital hack recovery @ techie . com Or visit their Website⁚ https
: // digital hack recovery . com3 -
RECOVER STUCK OR MISSING CRYPTO FUNDS - REQUESTING ASSISTANCE TRUST GEEKS HACK EXPERT
Losing access to my crypto wallet account was one of the most stressful experiences I've ever faced. After spending countless hours building up my portfolio, I suddenly found myself locked out of my account with no way to access it. To make matters worse, the email address I had linked to my wallet was no longer active. When I tried reaching out, I received an error message stating that the domain was no longer in use, leaving me in a state of complete confusion and panic. It was as though everything I had worked so hard for was gone, and I had no idea how to get it back. The hardest part wasn’t just the loss of access it was the feeling of helplessness. Crypto transactions are often irreversible, and since my wallet held significant investments, the thought that my hard-earned money could be lost forever was incredibly disheartening. I spent hours scouring forums and searching for ways to recover my funds, but most of the advice seemed either too vague or too complicated to be of any real help. With no support from the wallet provider and my email account out of reach, I was left feeling like I had no way to fix the situation. That's when I found out about Trust Geeks Hack Expert . I was hesitant at first, but after reading about their expertise in recovering lost crypto wallets, I decided to give them a try. I reached out to their team, and from the very beginning, they were professional, understanding, and empathetic to my situation. They quickly assured me that there was a way to recover my wallet, and they got to work immediately. Thanks to Trust Geeks Hack Expert , my wallet and funds were recovered, and I couldn’t be more grateful. The process wasn’t easy, but their team guided me through each step with precision and care. The sense of relief I felt when I regained access to my crypto wallet and saw my funds safely back in place was indescribable. If you find yourself in a similar situation, I highly recommend reaching out to Trust Geeks Hack Expert. You can contact Them through E MA IL: TRUST GEEKS HACK EXPERT @ FAST SERVICE .C O M + WEBSITE. H TT PS :// TRUST GEEKS HACK EXPERT. COM + TE LE GR AM: TRUST GEEKS HACK EXPERT2 -
GET YOUR MONEY BACK AFTER A CRYPTO SCAM// TRUSTED RECOVERY SERVICES TRUST GEEKS HACK EXPERT
( WEB SITE. HT TP S: // TRUST GEEKS HACKE XPERT . COM )
(
E MA I L.TRUST GEEKS HACK EXPERT @ FAST SERVICE . COM)
I advise first-time Bitcoin investors to do their research before entrusting any of the Bitcoin investment websites with their hard-earned funds. I learned this the hard way. These platforms can appear very legitimate, often showcasing fake huge profits to convince users to invest more money. They built my trust by promising high returns and painting a picture of success that seemed too good to pass up. Initially, my investments seemed to yield impressive returns, and I felt encouraged to invest a larger sum. However, the situation quickly turned sour when I deposited a significant amount. After I made the larger investment, my account was intentionally frozen, and the platform demanded additional payments for "verification fees" and other bogus charges before I could access my funds or withdraw any of my supposed profits. They used manipulation tactics to keep me trapped in the scam. I was left frustrated and helpless as I realized I had been duped, losing a substantial sum of 54,000 CAD.It was a very unsettling experience, as I couldn’t figure out where to turn for help. I had no idea how to recover my lost funds or even how to identify the scam. That’s when I came across TRUST GEEKS HACK EXPERT. They specialize in helping victims of online scams recover their lost funds, and they proved to be a lifeline. TRUST GEEKS HACK EXPERT swift action and assisted me through the entire process with professionalism and dedication. They were relentless in their efforts and provided me with regular updates, ensuring that I was always informed about the status of my case. In the end, I was able to successfully recover the money that I thought I had lost forever. If you ever find yourself in a similar scenario where your Bitcoin investments have gone awry, or your account has been frozen by a fraudulent platform, I highly recommend reaching out to TRUST GEEKS HACK EXPERT. Their support can make all the difference in recovering your funds and protecting yourself from further scams. Always be cautious, do thorough research before making any investments, and never hesitate to seek help if something doesn’t feel right...
( WHAT'S APP +1.7.1.9.4.9.2.2.6.9.3 )
(TELEGRAM. TRUST GEEKS HACK EXPERT)1 -
LEADING BTC RECOVERY COMPANY-CODER CYBER SERVICES
As a real estate investor, I am always cautious about where I put my money. I’ve learned the hard way that not every opportunity is what it seems, so I usually take my time to do thorough research before committing. When I came across an online platform offering exclusive property deals with high returns, I was intrigued but skeptical. The website, realatorsCA com, looked professional, and the salesperson was incredibly persuasive. He explained that the investment would be used to buy land, develop it by building properties, and then sell them for a profit. This seemed like a solid business model, and the idea of earning profits from such ventures was appealing. After weeks of research, checking reviews, and asking questions, I decided to invest CAD 42,700 in what seemed like a promising opportunity.At first, everything seemed fine. I received regular updates about the projects, and my online account showed “profits” from my investment. Everything appeared legitimate, and I was optimistic about my decision. The website offered easy access to my account, and the platform seemed to be functioning just as advertised. However, when I tried to withdraw some of my funds to see how the process worked, the website suddenly went offline. My attempts to reach the customer service number went unanswered, and eventually, the phone number was disconnected. At that point, I realized that I had been scammed.I felt devastated and helpless. It was hard to believe that I had been tricked, especially after doing so much research. But I didn’t give up. I reached out to Coder Cyber Services, a company operating in Banff, Alberta. I provided them with all the details I had: the website, transaction records, and emails from the scammer. Their team was incredibly supportive and assured me that they would use their expertise to help recover my funds.Coder Cyber Services used advanced digital forensics to trace the scammer’s digital footprint. They identified the offshore account where my money had been transferred and worked tirelessly with international authorities to freeze the account. Within a few weeks, they successfully recovered the full CAD 42,700.The relief was indescribable. Thanks to Coder Cyber Services, not only did I get my money back, but I also learned valuable lessons on how to avoid future scams. Their expertise and support were a lifeline in a time of need, and I’ll always be grateful for their help in recovering my investment.Their website is available for more information concerning the company or rather send them a text +1 (672) 648-1781
Thank you.
1 -
For the past four months, I’ve been trapped in a nightmare with traderup com. I’ve been unable to access my funds due to a PIN issue that I couldn’t recover. Every time I contacted customer support, they promised to email me a solution within 24 hours, but never followed through. I checked my inbox, including spam folders, and found nothing. It felt like I was being ignored. The frustration only increased as I couldn’t withdraw my money, despite numerous attempts. When I reached out for help, one agent directed me to their Telegram channel. Unfortunately, I couldn’t get in touch with anyone through it, and that route proved to be just another dead end. It became clear that traderup com was doing everything in its power to keep my funds from being released. The company’s application didn’t even offer a way to recover my PIN. With no clear solution from their support team and no recovery option, I was left feeling completely helpless. It was as if my money had been locked away in a trap, and I couldn’t get it out. I felt desperate and didn’t know what to do next. My attempts to get help were falling short, and every day that passed without access to my funds added to the stress and anxiety I was experiencing. Then, after some online research, I found Blockchain Cyber Retrieve, and everything changed. When I reached out to Blockchain Cyber Retrieve, I was initially skeptical, given the situation with traderup com. However, their team reassured me and explained how they could help. They were professional, attentive, and knowledgeable about the recovery process. They acted swiftly and efficiently, keeping me informed every step of the way. Within a week, I had all my funds back, and the process was smooth, professional, and stress-free. I honestly can’t thank them enough for their help. They truly are the queens of chargebacks, offering real solutions when all other options failed. It’s clear that traderup com was never going to release my money without external intervention. Their lack of communication and transparency made it impossible for me to resolve the issue on my own. However, Blockchain Cyber Retrieve dedication and expertise were exactly what I needed to get my funds back. If you’re in a similar situation and feel like you’re being ignored or trapped, I highly recommend Blockchain Cyber Retrieve. They were the only ones who got the job done when no one else could. They restored my faith in getting things right and helped me recover my hard-earned money.
Reach out to them on:
WhatsApp:+ 1520 564 8300
Email: blockchaincyberretrieve (@) post. c o m6 -
GET BACK YOUR STOEN CRYPTO: REACH OUT TO FUNDS RECLAIMER COMPANY
Recovering Bitcoin from an old blockchain wallet can feel like a daunting task, especially if you’ve forgotten the password or lost access for several years. I experienced this firsthand with a wallet I thought was lost forever. For years, I tried everything I could think of to regain access, but nothing seemed to work. At that point, I had all but given up on ever recovering the funds, but then I found FUNDS RECLIAMER COMPANY, and they turned everything around. When I first reached out to their team, I was honestly skeptical. After all, I had already tried numerous other methods, and none of them had yielded any results. But FUNDS RECLIAMER COMPANY took the time to understand my situation. They explained the recovery process thoroughly, showing me how their expertise in blockchain wallets and password recovery could potentially restore my access. They reassured me that it wasn’t a lost cause, and from that moment, I knew I was in good hands. The process itself was meticulous, involving some complex decryption techniques and cracking of passwords that I thought would be impossible. They didn’t rush or pressure me to make any decisions they simply worked with precision and dedication. One of the most reassuring things was that they kept me updated every step of the way. Even when it looked like we were hitting a wall, they remained confident and kept searching for solutions. Eventually, after a lot of hard work and persistence, they cracked the password and regained access to my old blockchain wallet. It was such an incredible feeling to finally see my Bitcoin balance again after years of being locked out. I had honestly written it off as lost money, but FUNDS RECLIAMER COMPANY proved me wrong. They were able to retrieve my funds and transfer them back to a secure wallet that I now control. What impressed me most about FUNDS RECLIAMER COMPANY was not just their technical ability, but their integrity and transparency. I was concerned about the safety of my funds during the recovery process, but they assured me that they had security measures in place to protect my assets. I was able to watch the recovery unfold with confidence, knowing that my Bitcoin was in safe hands. If you're struggling with an old blockchain wallet and think your Bitcoin is gone for good, I can’t recommend FUNDS RECLIAMER COMPANY enough. They specialize in this kind of recovery, and their team is both trustworthy and highly skilled. There’s truly nothing to lose by reaching out, and you might just find that your lost Bitcoin is still recoverable. I’m so grateful to them for their persistence and professionalism in getting my funds back it was an experience I won’t forget.
Email: fundsreclaimer(@) c o n s u l t a n t . c o m OR fundsreclaimercompany@ z o h o m a i l . c o m
WhatsApp:+1 (361) 2 5 0- 4 1 1 0
1 -
DIGITAL HACK RECOVERY — TRUSTED BITCOIN RECOVERY COMPANY
I will never forget the sinking feeling of dread that overcame me when I realized my precious Bitcoin had vanished into the digital ether. After years of diligently building up my cryptocurrency portfolio, a simple error had cost me a small fortune. I had accidentally sent my BTC to the wrong wallet address, and no matter how hard I tried, I couldn't seem to retrieve it. Before I eventually came into the Digital Hack Recovery service, I frantically searched the internet for any ray of hope. I was dubious at first since I had tried every other solution and there was no way these self-described "Digital Hack Recovery" could get my lost Bitcoin back. I was left with no choice than to call out, and to my complete surprise, they started working right away. Using their unmatched knowledge of blockchain technology and sophisticated cryptography, the Digital Hack Recovery team jumped right in to track down my misplaced Bitcoin. Their superior recovery procedures and thorough detective work allowed them to find my cash and patiently walk me through the process of restoring access. It was as if a weight had been lifted from my shoulders. For weeks, I had felt a constant sense of despair and hopelessness after losing my 120,000 BTC. I couldn’t shake the feeling of regret and frustration, thinking I might never see it again. But then, I received the incredible news from Digital Hack Recovery. The moment they confirmed that they had successfully recovered my lost BTC, everything changed. The relief I felt was overwhelming, and the joy I experienced was indescribable. All the anxiety, all the sleepless nights, vanished in an instant. I couldn’t be more grateful for Digital Hack Recovery and the professional team that made the impossible happen. They truly turned my nightmare into a dream come true. If you’re in a similar situation, I can’t recommend their services enough. In the end, not only did the Digital Hack Recovery service restore my lost Bitcoin, but they also provided me with invaluable education and peace of mind, equipping me with the knowledge to prevent such a devastating loss from ever happening again. This experience was a true testament to the power of perseverance, the brilliance of innovative technology, and the life-changing impact of expert guidance when navigating the complex world of cryptocurrency. Why wait more time, put an email through to Digital Hack Recovery via: digital hack recovery
@ techie . com
WhatsApp +19152151930
Website; https : // digital hack recovery . com
3
