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 - "public service"
		- 
				    					
					
					Hey everyone,
 
 We have a few pieces of news we're very excited to share with everyone today. Apologies for the long post, but there's a lot to cover!
 
 First, as some of you might have already seen, we just launched the "subscribed" tab in the devRant app on iOS and Android. This feature shows you a feed of the most recent rant posts, likes, and comments from all of the people you subscribe to. This activity feed is updated in real-time (although you have to manually refresh it right now), so you can quickly see the latest activity. Additionally, the feed also shows recommended users (based on your tastes) that you might want to subscribe to. We think both of these aspects of the feed will greatly improve the devRant content discovery experience.
 
 This new feature leads directly into this next announcement. Tim (@trogus) and I just launched a public SaaS API service that powers the features above (and can power many more use-cases across recommendations and activity feeds, with more to come). The service is called Pipeless (https://pipeless.io) and it is currently live (beta), and we encourage everyone to check it out. All feedback is greatly appreciated. It is called Pipeless because it removes the need to create complicated pipelines to power features/algorithms, by instead utilizing the flexibility of graph databases.
 
 Pipeless was born out of the years of experience Tim and I have had working on devRant and from the desire we've seen from the community to have more insight into our technology. One of my favorite (and earliest) devRant memories is from around when we launched, and we instantly had many questions from the community about what tech stack we were using. That interest is what encouraged us to create the "about" page in the app that gives an overview of what technologies we use for devRant.
 
 Since launch, the biggest technology powering devRant has always been our graph database. It's been fun discussing that technology with many of you. Now, we're excited to bring this technology to everyone in the form of a very simple REST API that you can use to quickly build projects that include real-time recommendations and activity feeds. Tim and I are really looking forward to hopefully seeing members of the community make really cool and unique things with the API.
 
 Pipeless has a free plan where you get 75,000 API calls/month and 75,000 items stored. We think this is a solid amount of calls/storage to test out and even build cool projects/features with the API. Additionally, as a thanks for continued support, for devRant++ subscribers who were subscribed before this announcement was posted, we will give some bonus calls/data storage. If you'd like that special bonus, you can just let me know in the comments (as long as your devRant email is the same as Pipeless account email) or feel free to email me (david@hexicallabs.com).
 
 Lastly, and also related, we think Pipeless is going to help us fulfill one of the biggest pieces of feedback we’ve heard from the community. Now, it is going to be our goal to open source the various components of devRant. Although there’s been a few reasons stated in the past for why we haven’t done that, one of the biggest reasons was always the highly proprietary and complicated nature of our backend storage systems. But now, with Pipeless, it will allow us to start moving data there, and then everyone has access to the same system/technology that is powering the devRant backend. The first step for this transition was building the new “subscribed” feed completely on top of Pipeless. We will be following up with more details about this open sourcing effort soon, and we’re very excited for it and we think the community will be too.
 
 Anyway, thank you for reading this and we are really looking forward to everyone’s feedback and seeing what members of the community create with the service. If you’re looking for a very simple way to get started, we have a full sample dataset (1 click to import!) with a tutorial that Tim put together (https://docs.pipeless.io/docs/...) and a full dev portal/documentation (https://docs.pipeless.io).
 
 Let us know if you have any questions and thanks everyone!
 - David & Tim (@dfox & @trogus) 53 53
- 
				    					
					
					This link shortener service. It's nearly good enough for public testing.
 
 Finding a good domain name, though.... 😅45
- 
				    					
					
					Public service announcement: Do not get married to your language, tools, or way of doing things. If there's an easier solution to something, try it before dismissing it. No language is perfect, and dumping everything on the responsibility of an API or framework can cause more headache then solve it.
 
 Case in point: I love Java for backend programming, but node.js is a better solution to frontend programming then depending on JSP's and HTML within the same Java project. Less things go wrong and it's easier to debug issues.
 
 There is no best programming language. Only best practices and using the right tool for the right job.
 
 #exceptC++fuckthatlanguage
 
 :^) 15 15
- 
				    					
					
					Working on a funny/new api/service (will be a public one) and I'm only now realizing how important good security is but especially:
 
 The amount of time that goes into securing an api/application is too goddamn high, I'm spending about 90 percent of my time on writing security checks 😅
 
 Very much fun but the damn.31
- 
				    					
					
					National Health Service (nhs) in the UK got hacked today... Workers at the hospitals could not access patient and appointment related data... How big a cheapskate you gotta be to hack a free public health service that is almost dying for fund shortages anyway...16
- 
				    					
					
					Most satisfying bug I've fixed?
 
 Fixed a n+1 issue with a web service retrieving price information. I initially wrote the service, but it was taken over by a couple of 'world class' monday-morning-quarterbacks.
 The "Worst code I've ever seen" ... "I can't believe this crap compiles" types that never met anyone else's code that was any good.
 
 After a few months (yes months) and heavy refactoring, the service still returned price information for a product. Pass the service a list of product numbers, service returns the price, availability, etc, that was it.
 
 After a very proud and boisterous deployment, over the next couple of days the service seemed to get slower and slower. DBAs started to complain that the service was causing unusually high wait times, locks, and CPU spikes causing problems for other applications. The usual finger pointing began which ended up with "If PaperTrail had written the service 'correctly' the first time, we wouldn't be in this mess."
 
 Only mattered that I initially wrote the service and no one seemed to care about the two geniuses that took months changing the code.
 
 The dev manager was able to justify a complete re-write of the service using 'proper development methodologies' including budgeting devs, DBAs, server resources, etc..etc. with a projected year+ completion date.
 
 My 'BS Meter' goes off, so I open up the code, maybe 5 minutes...tada...found it. The corresponding stored procedure accepts a list of product numbers and a price type (1=Retail, 2=Dealer, and so on). If you pass 0, the stored procedure returns all the prices.
 Code basically looked like this..
 
 public List<Prices> GetPrices(List<Product> products, int priceTypeId)
 {
 foreach (var item in products)
 {
 List<int> productIdsParameter = new List<int>();
 productIdsParameter.Add(item.ProductID);
 List<Price> prices = dataProvider.GetPrices(productIdsParameter, 0);
 foreach (var price in prices)
 {
 if (price.PriceTypeID == priceTypeId)
 {
 prices = dataProvider.GetPrices(productIdsParameter, price.PriceTypeID);
 return prices;
 }
 * Omitting the other 'WTF?' code to handle the zero price type
 }
 }
 }
 
 I removed the double stored procedure call, updated the method signature to only accept the list of product numbers (which it was before the 'major refactor'), deployed the service to dev (the issue was reproducible in our dev environment) and had the DBA monitor.
 
 The two devs and the manager are grumbling and mocking the changes (they never looked, they assumed I wrote some threading monstrosity) then the DBA walks up..
 
 DBA: "We're good. You hit the database pretty hard and the CPU never moved. Execution plans, locks, all good to go."
 <dba starts to walk away>
 DevMgr: "No fucking way! Putting that code in a thread wouldn't have fix it"
 Me: "Um, I didn't use threads"
 Dev1: "You had to. There was no way you made that code run faster without threads"
 Dev2: "It runs fine in dev, but there is no way that level of threading will work in production with thousands of requests. I've got unit tests that prove our design is perfect."
 Me: "I looked at what the code was doing and removed what it shouldn't be doing. That's it."
 DBA: "If the database is happy with the changes, I'm happy. Good job. Get that service deployed tomorrow and lets move on"
 Me: "You'll remove the recommendation for a complete re-write of the service?"
 DevMgr: "Hell no! The re-write moves forward. This, whatever you did, changes nothing."
 DBA: "Hell yes it does!! I've got too much on my plate already to play babysitter with you assholes. I'm done and no one on my team will waste any more time on this. Am I clear?"
 
 Seeing the dev manager face turn red and the other two devs look completely dumbfounded was the most satisfying bug I've fixed.5
- 
				    					
					
					*tries to SSH into my laptop to see how that third kernel compilation attempt went*
 … From my Windows box.
 
 Windows: aah nope.
 
 "Oh God maybe the bloody HP thing overheated again"
 *takes laptop from beneath the desk indent*
 … Logs in perfectly. What the hell... Maybe it's SSH service went down?
 
 $ systemctl status sshd
 > active (running)
 
 Well.. okay. Can I log in from my phone?
 
 *fires up Termux*
 *logs in just fine*
 
 What the fuck... Literally just now I added the laptop's ECDSA key into the WSL known_hosts by trying to log into it, so it can't be blocked by that shitty firewall (come to think of it, did I disable that featureful piece of junk yet? A NAT router * takes care of that shit just fine Redmond certified mofos).. so what is it again.. yet another one of those fucking WanBLowS features?!!
 
 condor@desktop $ nc -vz 192.168.10.30 22
 Connection to 192.168.10.30 22 port [tcp/ssh] succeeded!
 
 ARE YOU FUCKING FOR REAL?!
 
 Fucking Heisen-feature-infested piece of garbage!!! Good for gaming and that's fucking it!
 
 Edit: (*) this assumes that your internal network doesn't have any untrusted hosts. Public networks or home networks from regular users that don't audit their hosts all the time might very well need a firewall to be present on the host itself as well.16
- 
				    					
					
					Sorry for being late, stuffs came inbetween!
 
 I have done a few privacy rants/posts before but why not another one. @tahnik did one a few days ago so I thought I'd do a new one myself based on his rant.
 
 So, online privacy. Some people say it's entirely dead, that's bullshit. It's up to an individual, though, how far they want to go as for protecting it.
 
 I personally want to retain as much control over my data as possible (this seems to be a weird thing these days for unknown reasons...). That's why I spend quite some time/effort to take precautions, read myself into how to protect my data more and so on.
 
 'Everyone should have the choice of what services they use' - fully agreed, no doubt about that.
 
 I just find one thing problematic. Some services/companies handle data in a way or have certain business models which takes the control which some people want/have over their data away when you communicate with someone using that service.
 
 Some people (like me) don't want anything to do with google but even when I want to email my best fucking friend, I lose the control over that email data since he uses gmail.
 
 So, when someone chooses to use gmail and I *HAVE* to email them, my choice is gone.
 
 TO BE VERY CLEAR: I'm not blaming that on the users, I'm blaming that on the company/service.
 
 Then for example, google analytics. It's a very good/powerful when you're solely looking at its functions.
 I just don't want to be part of their data collection as I don't want to get any data into the google engine.
 
 There's a solution for that: installing an addon in order to opt out.
 
 I'm sorry, WHAT?! --> I <-- have to install an addon in order to opt out of something that is happening on my own motherfucking computer?! What the actual fuck, I don't call that a fucking solution. I'll use Privacy Badger + hosts files to block that instead.
 
 Google vs 'privacy' friendly search engines - I don't trust DDG completely because their backend is closed/not available to the public but I'd rather use them then a search engine which is known to be integrated into PRISM/other surveillance engines by default.
 
 I don't mind the existence of certain services, as long as they don't integrated you with data hungry companies/mass surveillance without you even using their services.
 
 Now lets see how fast the comment section explodes!26
- 
				    					
					
					$work is migrating to a new HR performance review service (15five). Instead of a private (ish) review once a quarter, it'll be public (and uneditable) reviews due every friday. Better make sure that review is perfect.
 
 also, praising a coworker is required.
 
 <sarcastic thumbs-up>13
- 
				    					
					
					I’ve started the process of setting up the new network at work. We got a 1Gbit fibre connection.
 
 Plan was simple, move all cables from old switch to new switch. I wish it was that easy.
 
 The imbecile of an IT Guy at work has setup everything so complex and unnecessary stupid that I’m baffled.
 We got 5 older MacPros, all running MacOS Server, but they only have one service running on them.
 
 Then we got 2x xserve raid where there’s mounted some external NAS enclosures and another mac. Both xserve raid has to be running and connected to the main macpro who’s combining all this to a few different volumes.
 
 Everything got a static public IP (we got a /24 block), even the workstations. Only thing that doesn’t get one ip pr machine is the guest network.
 The firewall is basically set to have all ports open, allowing for easy sniffing of what services we’re running.
 
 The “dmz” is just a /29 of our ip range, no firewall rules so the servers in the dmz can access everything in our network.
 
 Back to the xserve, it’s accessible from the outside so employees can work from home, even though no one does it. I asked our IT guy why he hadn’t setup a VPN, his explanation was first that he didn’t manage to set it up, then he said vpn is something hackers use to hide who they are.
 
 I’m baffled by this imbecile of an IT guy, one problem is he only works there 25% of the time because of some health issues. So when one of the NAS enclosures didn’t mount after a power outage, he wasn’t at work, and took the whole day to reply to my messages about logins to the xserve.
 
 I can’t wait till I get my order from fs.com with new patching equipment and tonnes of cables, and once I can merge all storage devices into one large SAN. It’ll be such a good work experience. 7 7
- 
				    					
					
					So what's preventing me from launching my startup/service/platform to the public? Not ready to deal with users like Nancy. 2 2
- 
				    					
					
					I just launched a small web service/app. I know this looks like a promo thing, but it's completely non-profit, open source and I'm only in it for the experience. So...
 
 Introducing: https://gol.li
 
 All this little app offers is a personal micro site that lists all your social network profiles. Basically share one link for all your different profiles. And yes, it includes DevRant of course. :)
 
 There's also an iframe template for easy integration into other web apps and for the devs there's a super simple REST GET endpoint for inclusion of the data in your own apps.
 
 The whole thing is on GitHub and I'd be more than happy for any kind of contribution. I'm looking forward to adding features like more personalization, optimizing stuff and fixing things. Also any suggestions on services you'd like see. Pretty much anything that involves a public profile goes.
 
 I know this isn't exactly world changing, but it's just a thing I wanted to do for some time now, getting my own little app out there.9
- 
				    					
					
					Earlier I signed up on this forum called NulledBB. Basically some hacker skiddie forum that had a dump of an archive I wanted, unfortunately behind a paywall which I didn't want to bother with.
 
 On signup I noticed that I couldn't use my domain as an email address, as I usually do (the domain is a catch-all which means that mail addresses can be made up for each service I sign up to on the fly, super useful). They did expose the regex that they accepted email as however, which included something along the lines of "@live.*".
 
 So I figured, why not register a subdomain live.nixmagic.com real quick and put that into the mail servers? Didn't take too long and that's what I eventually went with, and registered as somepissedoffsysop@live.nixmagic.com (which I have no trouble putting on a public forum as you'll see in a minute).
 
 Still didn't manage to get that archive I wanted but I figured, fuck it. It's a throwaway account anyway. But eventually that email address started to receive spam. Stupid motherfucker of a forum operator with his Kali skidmachine probably leaked it.
 
 Usually I just blacklist the email address in SpamAssassin by adding an additional spam score of 100 to email sent to such addresses. But in that case it didn't even sit on the main domain, thanks to that stupid regex block from earlier... 😏
 
 *Logs into my domain admin panel*
 *Le rm on the live.nixmagic.com record*
 
 Null routed entirely.. nulled, if you will! 🙃3
- 
				    					
					
					"I'm almost done, I'll just need to add tests!"
 
 Booom! You did it, that was a nuke going off in my head.
 
 No, you shouldn't just need to add tests. The tests should have been written from the get go! You most likely won't cover all the cases. You won't know if adding the tests will break your feature, as you had none, as you refactor your untested mess in order to make your code testable.
 
 When reading your mess of a test case and the painful mocking process you went through, I silently cry out into the void: "Why oh why!? All of this suffering could have been avoided!"
 
 Since most of the time, your mocking pain boils down to not understanding what your "unit" in your "unit test" should be.
 
 So let it be said:
 
 - If you want to build a parser for an XML file, then just write a function / class whose *only* purpose is: parse the XML file, return a value object. That's it. Nothing more, nothing less.
 - If you want to build a parser for an XML file, it MUST NOT: download a zip, extract that zip, merge all those files to one big file, parse that big file, talk to some other random APIs as a side-effect, and then return a value object.
 
 Because then you suddenly have to mock away a http service and deal with zip files in your test cases.
 
 The http util of your programming language will most likely work. Your unzip library will most likely work. So just assume it working. There are valid use cases where you want to make sure you acutally send a request and get a response, yet I am talking unit test here only.
 
 In the scope of a class, keep the public methods to a reasonable minimum. As for each public method you shall at least create one test case. If you ever have the feeling "I want to test that private method" replace that statement in your head with: "I should extract that functionality to a new class where that method public. I then can create a unit test case a for that." That new service then becomes a dependency in your current service. Problem solved.
 
 Also, mocking away dependencies should a simple process. If your mocking process fills half the screen, your test setup is overly complicated and your class is doing too much.
 
 That's why I currently dig functional programming so much. When you build pure functions without side effects, unit tests are easy to write. Yet you can apply pure functions to OOP as well (to a degree). Embrace immutability.
 
 Sidenote:
 
 It's really not helpful that a lot of developers don't understand the difference between unit, functional acceptance, integration testing. Then they wonder why they can't test something easily, write overly complex test cases, until someone points out to them: No, in the scope of unit tests, we don't need to test our persistance layer. We just assume that it works. We should only test our businsess logic. You know: "Assuming that I get that response from the database, I expect that to happen." You don't need a test db, make a real query against that, in order to test that. (That still is a valid thing to do. Yet not in the scope of unit tests.)rant developer unit test test testing fp oop writing tests get your shit together unit testing unit tests8
- 
				    					
					
					Recently started at a new job. Things were going fine, getting along with everyone, everything seems good and running smoothly, a few odd things here and there but for the most part fine.
 
 Then I decided to take a look at our (public facing) website... What's this? Outdated plugins from 2013? Okay, that's an easy fix I guess? All of these are free and the way we're using them wouldn't require a lot of refactoring...
 
 Apparently not. Apparently, we can't even update them ourselves, we have to request that an external company does it (which we pay, by the way, SHITELOADS of money to). A week goes past, and we finally get a response.
 
 No, we won't update it, you'll have to pay for it. Doesn't matter that there's a CVE list a bloody mile long and straight up no input validation in several areas, doesn't matter that tens of thousands of users are at risk, pay us or it stays broken. Boggles the fuckin' mind.
 
 I dug into it a bit more than I probably should have (didn't break no laws though I'm not a complete dumbass, I just work for em) and it turns out it's not just us getting fucked over, it's literally EVERYONE using their service which is the vast majority of people within the industry in my country. It also turns out that the entirety of our region is running off a single bloody IP which if you do a quick search on shodan for, you guessed it, also has a CVE list pop up a fuckin' mile long. Don't get me started on password security (there is none). I hate this, there's fucking nothing I can do and everyone else is just fine sitting on their hands because "nobody would target us because we're not a bank!!", as if it bloody matters and as if peoples names, addresses, phone numbers and assuming someone got into our actual database, which wouldn't be a fuckin' stretch of the imagination let me tell you, far more personal details, that these aren't enticing to anyone.
 
 What would you do in my situation?
 What can I even do?
 I don't want to piss anyone senior off but honestly, I'm thinkin' they might deserve it. I mean yeah there's nothing we can do but at least make a fuss 'cause they ain't gunna listen to my green ass.10
- 
				    					
					
					PORTFOLIO INFLATION
 
 when every junior is writing algorithms, the next step up, the only way to keep up is writing apps. When every junior is writing apps, the next leg up is writing an entire SN.
 
 Eventually junior full stack devs are writing microservice streaming cloud backend content delivery optimized social networks wrapped in virtualization with load balancing, proper CI, public accessible analytics apis, written in custom webaseembly compiled scripting backend utilizing both the latest graphql and every single feature of postgres, while also being a web site builder, an in browser app, mobile optimized, designed to transmogrify your asset pipelines linearflow functional-oriented modular rust cratified turbencabulator while cooking your turducken with CPU cycles, diffusing your gpt, and finetunning your llama 69 trillion parameter AI model to jerk you off all at the same time.
 
 And then the title "wizard" becomes a reality as the void of meaning in our lives occupied by the anxiety of trying to reduce the fear of rejection in job hunting, is subsumed by the brief accidental glance into the cthulian madness-inducing yawning abyss of the future which is all the rest of our lives we have to endure existing for until at last sweet sweet death consumes us and we go to annihilation never having to configure one more framework or devops deploy of another virtual environment.
 
 And it dawns on us that we no longer develop or write code at all. No, everything has become a "service" in this new hellscape future. We slowly come to the realization that every job is really just Costco greeter, or eventually going to be reduced to something equivalent, all human creativity, free will and emotions now taken care of by the automation while we manage the human aspects, like sardines pushing against one another not realizing their doom has been sealed along with the airless can they have been packed into, to be suffocated by circumstance and a system designed to reduce everything to a competition of metrics designed by the devil, if the metrics were misery", and "torture", while we ourselves are driven by this ratfuck wheel to turn endlessly toward social cannibalism, like rats eating their babies, but for the amusement of wallstreet corporate welfare whores who couldnt turn a dime if it wasnt already stolen.
 
 And on our gravestones, those immortal words are carved, by the last person who gave up the ghost, the last whose soul wasnt yey shovelled onto the coal fires driving the content machine consuming the world:
 
 Welcome to costco. I love you.10
- 
				    					
					
					Got pretty peeved with EU and my own bank today.
 
 My bank was loudly advertising how "progressive" they were by having an Open API!
 
 Well, it just so happened I got an inkling to write me a small app that would make statistics of the payments going in and out of my account, without relying on anything third-party. It should be possible, right? Right?
 
 Wrong...
 
 The bank's "Open API" can be used to fetch the locations of all the physical locations of the bank branches and ATMs, so, completely useless for me.
 
 The API I was after was one apparently made obligatory (don't quote me on that) by EU called the PSD2 - Payment Services Directive 2.
 
 It defines three independent APIs - AISP, CISP and PISP, each for a different set of actions one could perform.
 
 I was only after AISP, or the Account Information Service Provider. It provides all the account and transactions information.
 
 There was only one issue. I needed a client SSL certificate signed by a specific local CA to prove my identity to the API.
 
 Okay, I could get that, it would cost like.. $15 - $50, but whatever. Cheap.
 
 First issue - These certificates for the PSD2 are only issued to legal entities.
 
 That was my first source of hate for politicians.
 
 Then... As a cherry on top, I found out I'd also need a certification from the local capital bank which, you guessed it, is also only given to legal entities, while also being incredibly hard to get in and of itself, and so far, only one company in my country got it.
 
 So here I am, reading through the documentation of something, that would completely satisfy all my needs, yet that is locked behind a stupid legal wall because politicians and laws gotta keep the technology back. And I can't help but seethe in anger towards both, the EU that made this regulation, and the fact that the bank even mentions this API anywhere.
 
 Seriously, if 99.9% of programmers would never ever get access to that API, why bother mentioning it on your public main API page?!
 
 It... It made me sad more than anything...6
- 
				    					
					
					My ISP can suck the biggest, sweatiest pile of dicks.
 First of all, our normal service is garbage (1mb down, 0.1 up).
 On top of that, for some reason, the Internet access goes down for a few minutes every time the public IP changes (2-3 times a day) which is fucking annoying.
 And THEY FUCKING BROUGHT FIBRE TO MY NEIGHBOUR (20 METRES DOWN THE STREET) WHO IS AN OLD COUPLE WHO HAVE 0 INTEREST IN THE INTERNET, BUT THEY REFUSE TO BRING IT TO ME.
 Fucking Vodafone, get your shit together.9
- 
				    					
					
					Public Service Announcement from the files of "Should have thought about that first":
 
 Print your BitLocker recovery key before installing Hyper-V Services on a machine with encrypted drives.4
- 
				    					
					
					opened up my laptop at the car dealership where I am chilling at rn while I wait on my car's service to be done.
 
 I open my laptop and start working on some small fix that I had forgotten about for work.
 
 OMG guess what? no one is looking at me doing shit in the computer because in reality no one gives a flying fuck like most of you attention whores wanna make it sound like.
 
 No one thinks you are hacking because you opened up a terminal in public.
 
 Bola de jotos ridiculos.15
- 
				    					
					
					Please, oh please, tell me there's an exception for murdering people using their phone in speaker mode right in the middle of an open space.
 
 Please ... I feel like it should count as public service and be rewarded ..
 
 I'm trying to work here, it don't give the slightest flying fuck about the latest crap you dare to call code and how it fucked up your whole application.5
- 
				    					
					
					!rant
 
 PUBLIC SERVICE ANNOUNCEMENT:
 
 For AI, in particular Deep Learning developers, practitioners, hobbyists and otherwise people interested in the field.
 
 If you go into the Pytorch website, click on resources and scroll down you will see a link to "Deep Learning with Pytorch" by Manning publications. This will give you access to the book, a book that if memory serves me well costs about 40+ in printing and the online book format is about 29 (again, if memory serves well)
 
 The book is currently FREE and it does not ask you for an email address, you can just tell them why you want it for and they will give you the free pdf download.
 
 I don't know how good the book is, but have found Manning to publish really good resources.
 
 Do with this information what you want.
 
 And yes, I am leaving the rant tag, so that more people can see this and take advantage of the opportunity in case of being interested and not having the money to purchase the book after the promotion is done and over with. Fuck you about tags and shit.9
- 
				    					
					
					Public service announcement: Wearing club de nuit perfume will have random people get close to you and smell the perfume thus complimenting it but making it really uncomfortable.
 
 My brother in law gifted me this awesome perfume and it has brough upon some very serious awkward encounters.
 
 I know it smells good, and I know I am pretty, but please ma'am I am married and this is weird, get away and ask me. Seriously no one every talks about how dudes get put into weird positions sometimes and I don't like females getting close to me.
 
 I wear the perfume because I like the smell, and I get it, but please leave me alone.6
- 
				    					
					
					I don't want to put anyone to shame here, but this has been the most hilarious password reset in my life.
 
 P.S.
 It's an early service with no sensitive data, so I'm not concerned so much, but still, a system for automatic password reset, with the ability to change the temporary one, should be one of the first things in place before you go public. lol 4 4
- 
				    					
					
					Wtf google, why and how do you push public transport departuretimes to my phone when Ive disabled GPS and never requested for such a service.15
- 
				    					
					
					Today’s DevOps public service announcement... don’t test your server provisioning scripts locally. Especially when this gem is in there:
 
 rm -f ~/.ssh/id_rsa
 echo ‘vault secret/ssh_key’ > ~/.ssh/id_rsa
 
 Well, I no longer have my key, but the script works! I’m sitting with a very locked down server key6
- 
				    					
					
					when you only have 5 hours of public internet access and you spend 2 of them fighting with the network because the router's dhcp rules somehow manage to crash the dhcp service 100% of the time3
- 
				    					
					
					Public Service announcement:
 
 If one of your co-workers asks: "Hey, do you have a sec?"
 
 DO NOT reply: "Yeah, I have tons of secs"
 
 Sincerely,
 Someone who doesn't think before they speak7
- 
				    					
					
					This is a public service announcement with a threat at the end of it:
 
 "Do not, I repeat, do NOT attempt to write web applications, or any particular sort of application that works with a relational database (damn near more than half of applications) without a PROPER grasp and knowledge of SQL.
 I do not want to see you reaching out for an ORM either, no, you need to learn to properly design a database or to properly interact with them AT most before you even attempt using an ORM OR designing an application from the beginning, shit will only hurt you in the long term I promise, learning SQL can go a looooong fucking way and most DBA's I know make way tf more than people think they make, it might even be an interesting career choice"
 
 If you do not follow the above advise, and I see your ass reaching for building a web application without the above knowledge I will be under your bed at night, putting oil in my hairy body before I jump into bed to you and leave you confused for the rest of your life.
 
 Build to learn, YES, but for the love of Chamberlain and Boyce PLEASE do not neglect SQL. I have seen such neglect REACH production and I am currently wishing I had these mfkers close to me.9
- 
				    					
					
					!dev
 
 STUPID PIECE OF SHIT. PUBLIC TRANSPORTATION MY ASS! random() IS MORE RELIABLE THAN YOU!
 
 I rarely go outside, but whenever i do so from my grandparents you must disappoint me. Literally the least crowded streets in this city and you nail it to arrive 20min. to late. I could have walked to street with the lightly dressed women and get some real service in the meantime.
 
 FUCK YOU
 
 Sincerely, the guy who will be to late to celebrate his own birthday with his friends3
- 
				    					
					
					NODE 18 MOVES INTO MAINTENENCE TOMORROW
 
 ...do you know where your legacy software is?
 
 This was a free public service announcement brought to you by your favorite 🎪🤡🤹♂️6
- 
				    					
					
					I've just noticed something when reading the EU copyright reform. It actually all sounds pretty reasonable. Now, hear me out, I swear that this will make sense in the end.
 
 Article 17p4 states the following:
 
 If no authorisation [by rightholders] is granted, online content-sharing service providers shall be liable for unauthorised acts of communication to the public, including making available to the public, of copyright-protected works and other subject matter, unless the service providers demonstrate that they have:
 (a) made best efforts to obtain an authorisation, and
 (b) made, in accordance with high industry standards of professional diligence, best efforts to ensure the unavailability of specific works and other subject matter for which the rightholders have provided the service providers with the relevant and necessary information; and in any event
 (c) acted expeditiously, upon receiving a sufficiently substantiated notice from the rightholders, to disable access to, or to remove from, their websites the
 notified works or other subject matter, and made best efforts to prevent their future uploads in accordance with point (b).
 
 Article 17p5 states the following:
 
 In determining whether the service provider has complied with its obligations under paragraph 4, and in light of the principle of proportionality, the following elements, among others, shall be taken into account:
 (a) the type, the audience and the size of the service and the type of works or other subject matter uploaded by the users of the service; and
 (b) the availability of suitable and effective means and their cost for service providers.
 
 That actually does leave a lot of room for interpretation, and not on the lawmakers' part.. rather, on the implementer's part. Say for example devRant, there's no way in hell that dfox and trogus are going to want to be tasked with upload filters. But they don't have to.
 
 See, the law takes into account due diligence (i.e. they must give a damn), industry standards (so.. don't half-ass it), and cost considerations (so no need to spend a fortune on it). Additionally, asking for permission doesn't need to be much more than coming to an agreement with the rightsholder when they make a claim to their content. It's pretty common on YouTube mixes already, often in the description there's a disclaimer stating something like "I don't own this content. If you want part of it to be removed, get in touch at $email." Which actually seems to work really well.
 
 So say for example, I've had this issue with someone here on devRant who copypasted a work of mine into the cancer pit called joke/meme. I mentioned it to dfox, didn't get removed. So what this law essentially states is that when I made a notice of "this here is my content, I'd like you to remove this", they're obligated to remove it. And due diligence to keep it unavailable.. maybe make a hash of it or whatever to compare against.
 
 It also mentions that there needs to be a source to compare against, which invalidates e.g. GitHub's iBoot argument (there's no source to compare against!). If there's no source to compare against, there's no issue. That includes my work as freebooted by that devRant user. I can't prove my ownership due to me removing the original I posted on Facebook as part of a yearly cleanup.
 
 But yeah.. content providers are responsible as they should be, it's been a huge issue on the likes of Facebook, and really needs to be fixed. Is this a doomsday scenario? After reading the law paper, honestly I don't think it is.
 
 Have a read, I highly recommend it.
 http://europarl.europa.eu/doceo/...13
- 
				    					
					
					New twist on an old favorite.
 
 Background:
 - TeamA provides a service internal to the company.
 - That service is made accessible to a cloud environment, also has a requirement to be made available to machines on the local network so you can develop against it.
 - Company is too cheap/stupid to get a s2s vpn to their cloud provider.
 - Company also only hosts production in the cloud, so all other dev is done locally, or on production non-similar infra, local dev is podman.
 - They accomplish service connectivity by use of an inordinately complicated edge gateway/router/firewall/message translator/ouija board/julienne fry maker, also controlled by said service team.
 
 Scenario:
 Me: "Hey, we're cool with signing requests using an x509 cert. That said, doing so requires different code than connecting to an unsecured endpoint. Please make this service accessible to developer machines and lower environments on the internal network so we can, you know, develop."
 TeamA: "The service should be accessible to [cloud ip range]"
 Me: "Yes, that's a production range. We need to be able to test the signing code without testing in production"
 TeamA: "Can you mock the data?"
 Me: "The code we are testing is relating to auth, not business logic"
 TeamA: "What are you trying to do?"
 Me: "We are trying to test the code that uses the x509 you provide to connect to the service"
 TeamA: "Can you deploy to the cloud"
 Me: "Again, no, the cloud is only production per policy, all lower environments are in the local data center"
 TeamA: "can you try connecting to the gateway?"
 Me: "Yes, we have, it's not accessible, it only has public DNS, and only allows [cloud ip range]"
 TeamA: "it work when we try it"
 Me: "Can you please supply repro steps so we can adjust our process"
 TeamA: "Yes, log into the gateway and try issuing the call from there"
 Me: (╯°□°)╯︵ ┻━┻
 
 tl;dr: Works on my server
- 
				    					
					
					you know what im tires of?
 
 Finding a good domain name for a potential business, unregistered, and then using algorithms, the registrar itself snipes it and cybersquats it as "premium".
 
 In otherwords, if you do find a good name, theres no point becauss it'll just be immediately labelled "premium" by an algorithm and lock you out with 5,000 dollar pay wall.
 
 people in 2003 didnt have to deal with this shit. Registrars should be allowed to do this.
 
 Five domain names now, out of a couple dozen I tried, the five good ones I came up with, all five, "premium".
 
 It wasnt like they were even .coms or common words either. Hell one of them had a number in it.
 
 Nope "we have determined spontaneously, through algorithm, you haves selected what may be a valuable domain name, thank you for the service of identifying it for us, we will now reserve it, even though no one else wants it, at a prohibitively high cost."
 
 Like a homeless women finding a winning lottery ticket in a parking lot, and the rich fucking owner running out demanding that she give him it because it was lost in HIS public parking lot.
 
 Like you motherfuckers dont already have enough? You know what a good domain is? Its a basis for credbility. Its the difference between whether people use your service or not. Its the foundation for excitement or interest.
 
 And here we have this "algorithmically marked as premium" bullshit, fucking the poors out of any chance of even a good start.
 
 "Haahahaha cocksuckers, you're not internet startups in the early two thousands! If you dont habe five grand go drop on a dpmain name that isnt even fucking owned, enjoy staying part of the fucking lowerclass!"
 
 These fuckers. Cant believe this bullshit.
 
 Just another day in motherfucking america, where you have to start rich to even get ahead. just one more way gen x, gen y, and gen z got fuckity fucked right in the ass.
 
 fuck this country so much. fuck it all.
 
 never even gonna have a chance to own a home or anything else.
 
 nobody ever offered me a real fucking chance, not once in my god damned life. not even my fucking parents.
 
 might as well drink myself into a coma.9
- 
				    					
					
					Public Service Request to Users from Tokyo and those with good knowledge in buying keyboards.
 
 Which retail shop sell tenkeyless mechanical keyboard such as HyperX Alloy FPS Pro? With English words not Japanese 😬
 
 I can't find it at my country and my gf is currently at Tokyo for a training, so.
 
 On further note, I'm looking for a keyboard with following requirements. Would appreciate your recommendation.
 - without numpad
 - standard qwerty layout (US/UK)
 - backlit (any color, as long as keys are visible in dark)
 - USB wired
 - easy to clean and maintain
 - must last for more than 3 years9
- 
				    					
					
					This is not about devRant… but it might as well be.
 
 Imagine public forum. Everyone can read and post, everyone can comment. And there's no way to send a private message.
 
 You use said forum for years. Whether you like it or not, you form alliances, friendships, frenemieships and engage all kinds of social contracts. There's no ro(ot)ster either, so you keep all that in your head, until one day you need a social contract formalized — exchange contact info. With Steven.
 
 You can't just “@Steven text me, here's my phone”, that's borderline suicidal. You yearn a safe haven. A proxy that'd allow privacy. So you quickly spin up a service, let's say Discord (it wasn't Discord, but close enough), post a link, and within seconds Steven joins… He and seven other Stevens.
 
 So you send each a unique sentence, a 2fa token so to speak, and ask them to post it on said devRant-like forum — they can delete it later after all. And a few minutes later there's eleven Stevens posting garbage faster than mods can delete, because whitespace power. But you bravely sift through that shit until the correct Steven rants “I'm blue, da-ba-dee da-ba-da”, and finally you know which Discord Steven is blue, so you can privately chat about colours.
 
 And then Steven's 75 years old, well-reputed account gets banned on devRant for posting along other spamming Stevens. And you can't even PM administration, because devRant is a public forum without PM-ing indeed.28
- 
				    					
					
					Back in https://devrant.com/rants/5492690 @Nihil75 referred to SlickVPN with a link, where you can buy a lifetime licence for $20. I thought - what the hell.. I don't need a public VPN rn, but for $20 for a lifetime lic - I'll take it, in case I'll ever need one.
 
 I had some trouble signing up - the confirmation email never reached my inbox. So I got in touch with support. And they.... generated and send me a password in plain-text.
 
 And there even isn't any nagging requirement to change the pass after I sign in for the first time!
 
 IDK... As for a service claiming to be security-oriented, the first interaction already screams "INSECURE".
 
 Well.. should still be OK for IP switching, to unlock Netflix content I guess. Don't need anything secure for that 🤷 15 15
- 
				    					
					
					Public Service Announcement;
 Test your shit!
 
 That will be all!
 
 Source: https://dev.to/stealthmusic/... 1 1
- 
				    					
					
					Imagine an online, public service, that allows you to communicate with others (for example a simple chat, game, whatever ).
 The users connect to each others via p2p. Based on this, you can easily get the ip address of any user directly connected to you. P2p is used to reduce server load, but information is still verified (for example using RACS), so let's assume the data is always safe.
 
 (please remember, this is just a imagined Szenario)
 
 Now the question: AFAIK, the IP address is a sensitive information. Would p2p in this scenario still be 'legal' in the EU given the latest changes in the laws?7
- 
				    					
					
					Yesterday, the Project Manager forwarded an email from a staff member who worked on a donations campaign. Staff member was confused about a Cloudflare challenge that appeared before the user was sent to the donation page. It’s a less than 5 second JavaScript check. He thought it looked fishy.
 
 I had to explain that it’s a security measure that’s been up for almost a month. PM knows this but left it to me to explain because ownership of the site is on me. The donations page and api gets hit by a lot of bots because it’s a public api and there are no security measures like captchas to deter the bots. I’m inheriting this website and I didn’t build it.
 
 Staff member says other staff want to know if the Cloudflare page can be customized so it looks more legit. Um, Cloudflare is a widely known legit service. Google it.
 
 A few thoughts pop into my head:
 
 1. Engineering communicated to stakeholders about the Cloudflare messaging a month ago.
 
 2. Wow, stakeholders don’t share relevant info with their staff who aren’t on these emails.
 
 3. Woooow, stakeholders and staff don’t look at the website that often.2
- 
				    					
					
					Being victim of an arbitrary worplace's culture on dev experience and documentation makes me a very frustrated dev.
 
 Often I do want to document, and by that, I don't mean laying an inline comment that is exactly the function's name, I mean going full technical writer on steroids. I can and WILL get very verbose, yes, explaining every single way you can use a service - no matter how self explanatory the code might look.
 I know developers (and me included) can, and sometimes will, write the best variable and function names at the time, wondering if they reached the peak of clean, DRY code that would make Robert Martin have a seizure and piss himself, only to find weeks later after working on something else that their work is unreadable. Of course.
 I know the doc's public, it's me, and I've done this.
 
 But then again explain for the people in the back how the FUUUUCK are we meant to suggest improvements, when we are not the ones who are prioritising features and shit WITH the business?
 
 Just email me when the fucking team recycles, and no new team member knows how to even setup the IDEs because this huge piece of monumental shit called CompanyTM is also run by VPN. Fuck, no one wants to access that garbage, you have no docs.
 
 I once tried setting up a culture for documentation. I did an herculean amount of work studying what solutions were internally homologated, how steep the learning curve would be from what we had at the moment (NOTHING, WE HAD FUCKING NOTHING, jesus christ, I even interviewed SEVENTEEN other squads to PROVE they FUCKING NEED
 DOCS
 TO WORK
 
 You know what happened to that effort?
 It had a few "clap" reactions on a Teams meeting and it never reached the kanban.
 It didn't even made it to backlog.
 
 I honestly hope that, someday, an alien fenomenon affects the whole company, making their memories completely reset, only to have the first one - after the whole public ordeal on why our brains became milkshake -, to say: "oh, boy, I wish we had documented this".
 Then I will bring them to the back and shoot them.
- 
				    					
					
					German public service digitization. Websites celebrating the new "digital functionality" of the federal ID card, but if you need to prolong the actual card, you have to visit a public administration center in person, no way to prove your existing valid ID in a zoom meeting although that's de-facto standard accepted even when opening a bank account, plus they have all of my data so they should know I have a valid ID and they could just send the new one to my postal address.
 So I have to appear in person at their offices, so I need an appointment, but in times of covid pandemic, appointments are rare and only offered on a day-to-day basis in my hometown, that's why I have to visit their online appointment web app at 7 a.m. in the morning to grab one of the few appointments when they are released.
 Don't tempt me to write a script that squats all the other appointment slots to resell at the highest prices...
 
 Situation reminds of the times when it was even harder to get a vaccination against covid, and the media kept reporting about the minority that refused to get vaxxed, so they didn't have to admit there wasn't enough vaccine anyway.
 
 This rant is not about politics, it's about the failure of bureaucracy, but if it was about politics, I would just quote Rezo that it shows who had governed this state for sixteen years.
 
 When I rant about German internet connectivity, people usually reply that the web is much better in Taipeh, Bangalore or Guadalajara, so I can still have some hope that it's not all of the world that's totally lost.
 
 So give me some hope, folks.6
- 
				    					
					
					All of them lol
 
 I'm working on my own streaming service. Yes, I know plex a thing but I've had issues with it and I'm honestly doing this more for the fun of it.
 
 When it's ready, I'll run two versions. One that'll use to access my stuff outside my network, Plex style and one that hosts old movies that are now in the public domain. I'll use that one for demonstrative purposes4
- 
				    					
					
					Hmm... My first experience with computers was in 1991 or so, when my then best friend had C64. And I was 7. My first PC arrived in 1993. Prince of Persia is the first game I remember from that time. I started programming in 1995 or '96, writing useless things in Pascal. Using PHP since 2000. Still that’s my main programming language. And sadly, my kids have different hobbies than me, so they aren’t even trying to program.
 
 I remember the sound of modem connecting thru phone line to some BBS systems and later to the first public and free internet service in Poland. I remember simple, really „computer-like” voice of my dad’s speech synthesizer (he’s blind person). I remember, when our time to „play on PC” was limited to max 1hr a day... What will our kids remember?
- 
				    					
					
					I love Mikrotik. Just fucking love them. I also love my residential fiber service. Small company. Synchronous 125M service. No caps. Bandwidth is always there.
 
 BUT... They use PPPOE (seriously guys?), and the IP changes on *every single re-connect*. Also: no IPv6 support. I know. I don't need it. But I want it.
 
 Enter DNSMadeEasy's DDNS, Hurricane Electric's 6to4 tunnel service, and my Routerboard AH100x4. I wrote a script that runs on the router whenever my IP changes. It updates my DDNS record, updates my 6to4 tunnel IP using HE's API, and updates my local 6to4 interface's IP.
 
 It just works. My public IPv4 may change, but the /48 IPv6 networks on my LAN side stay fully routeable.4
- 
				    					
					
					my plan for perfect state:
 - powered by nuclear energy
 - metric system, 24-hour clock
 - state-owned and built midrisers for public housing with regulated prices, privately owned and built luxury housing
 - free healthcare, free generic drugs, option to pay for name-brand drugs. option to choose the gender of your urologist/gynecologist
 - free public education, free kindergartens
 - free centralized heating, Russia-style
 - same-sex marriages are legal. legal documents for polyamorous partners, though not the same one as what you get when you get married. they grant some rights and don't grant other rights
 - gender-neutral bathrooms in all state-owned buildings. privately owned places have the choice to make non-gender-neutral, separate bathrooms. bathrooms for wheelchair users are mandatory
 - weed is legal, psychedelics are legal. you can grow, but there are limits
 - possessing any drug in small (relative to the drug) quantities is not a criminal offense
 - free HRT & voice coaching for trans people. But puberty blockers are illegal. gender-affirming surgery for children is criminal offense. let kids wait till they're able to consent
 - Swiss-style gun laws
 - no official religion, but the capital city has state-owned churches of all major religions. religious leaders are elected
 - pragmatism, statistics, no ideological & demagogic bullshit
 - extensive tram, metro & rail network
 - bike and pedestrian-first roads
 - multiple "city centers", all walkable
 - scientology and other cults are banned
 - no free parking on publicly owned land, option to pay for a parking lot for your car. All paid lots are equipped with fast charging for EVs
 - no petrol cars in cities. no car restrictions in the countryside
 - Barcelona-style superblocks
 - all office workers have the right to work remotely and visit offices only if they want to
 - free abortions
 - mandatory vaccines for children, free vaccines for everyone
 - free, state-owned bike "rental" network
 - airbnb and other short-term rentals can't occupy more than 10% of the city center, companies that own airbnb places can't be incorporated overseas, they should be present locally
 - Japenese-style "obsessed with fairness"-style local elections
 - free shelters for the homeless, dedicated shelter network for domestic violence survivors of all genders
 - refined sugar content in all food products (except for 100% refined sugar) is regulated and limited
 - all vegan food items that are designed to replace meat-based items can't cost more than their meat counterparts
 - four day, six hours per day work week. for people working in shifts, eight hours per shift max (you'll need three shifts to fill 24 hours)
 - mandatory vacations, paid for by the company
 - six months worth of salary if you're laid off, two months worth of salary if you quit on your own with two weeks notice
 - autobahns with no speed limit
 - no noise after 21:00
 - ban underground and overhead crossings. people shouldn't climb to just cross the road
 - Swiss privacy laws
 - well-funded, well-equipped police force. all bodycam footage is public. turning bodycam off is grounds for termination. small task-force within police to fight corruption
 - every citizen gets a free domain name of their choosing
 - bike theft = car theft
 - graffiti is not a criminal offense, but city cleanliness laws are Singapore-style (though not as harsh)
 - all phones have user-replaceable batteries
 - PRISM-type shit is illegal. all electronic devices sold here should be stripped of backdoors & surveillance
 - completely ban hostile architecture
 - government secret service should exist, but the number of people there should be limited
 - ban exotic pets
 - real, long sentences for pedos (pedos in the us are basically free, they barely get any time)
 
 overall, I think there should be more separation between city and countryside laws. no one needs a Ford F-150 in my imaginary city, but some farmers do need it in my countryside!10
- 
				    					
					
					Tldr: no router, almost not work.
 
 Ok I recently moved into a new house, and I signed a contract for an Internet line.
 
 Problem is that the router has been sent at the ISP shop, where I was supposed to get it personally. But guess what? Covid emergency happened two days after, and the shop closed.
 
 So, after spending two days calling customer service of both ISP and Postal office without being able to speak to anybody, I received a Sms saying that the pack was not delivered because the receiver was closed.
 
 After some more unsuccessful calls to the same two entities I managed to find the actual shop's phone number, that was actually thw owner's house (he's working from home). I spoke to him, told the problem, and he changed the router destination to my house.
 
 Today I checked the package status on the postal website and I saw that it seems that they tried every day, at 7:02 am, to deliver the bloody package again at the shop! I truly hope this was a bug on their tracking system. It's weird that the hours were always 7:02am, because the package delivery office opens at 8:30 am, so again I'm praying any existent and non-existent god that that's just a bug. I'm kinda tired of being stuck with my phone hotspot with limited GB and with ISP public routers with about 5Mbps.
 
 I wish I had @netikras skills with router building.4
- 
				    					
					
					Oh the joys of working with an Enterprise customer.
 
 Background:
 Discussion about service architecture with me, development architect (ArchDev) and integration architect (ArchInt). The topic arises of needing to access int. segment systems for a public facing cloud application.
 
 Me: so we'll just need a s2s vpn and then we can just create a route and call the services normally.
 ArchDev: sounds good to me, it will take a few months to get that set up
 ArchInt: we done need that, we can just use the gateway and then route all the requests through the ESB.
 Me: 😕 do you mean the service gateway?
 ArchInt: (drops bomb) no, we decide that all API should be implement in ESB, so ESB will handle traffic
 Me: *pauses, steps up to the whiteboard, does latency math* setting aside the fact that isn't how ESB's work, that will add at least 700ms latency to each request.
 ArchInt: well that is fine for enterprise, things not usually as fast in enterprise you must expect slowdown to be safe
 ArchDev: *starts updating resume on the ladders
 Me: 💀🔫
- 
				    					
					
					!programming
 
 damn berlin sucks, the public transport is not very comfortable, people are gloomy and sometimes even snobby, the service is not the best and shopping sucks because there are not much choices and prices are not justified. prague was much better.2
- 
				    					
					
					!rant
 Yesterday at 1:20 am, my first docker image build worked.
 
 - I develop my software (a service in a micro-service architecture) in symfony
 - I push it to bitbucket, CircleCI pull the code
 - builds a new docker image
 - Runs phpunit test using docker exec (lxc-exec, their docker exec doesn't work)
 - If the test are successful, CircleCI push the image to hub.docker.com.
 
 Took me hours to fix all the bugs and issues with this process. I feel so proud, yet soooooooooo tired fuck sakes.
 
 I'll publish the template for everything,
 
 - the Dockerfile for the perfect symfony2 image IMO (and I'll create a public symfony2 image)
 - The circle.yml I used etc.
 
 Give back to the community.
 
 I love my job.5
- 
				    					
					
					Progress on my blog (incocast) goes smoothly, even implemented a basic rss feed. Currently the blog is Service Layer only (because I still have to create a front-end)
 
 It might even be interesting to open some api calls to the public... I don't know yet.. Maybe..
 
 Either way the next thing to implement is a commenting system! :)
- 
				    					
					
					I would like to config a service on Windows to make it rerun a .exe and I ended deleting and adding keys to the Windows registry...
 
 Now everything is broken ans I'm here looking at my computer burning down.
 
 If anyone ever wanted to create a session with a unique application available on it (since this session would be used in a public area) please let me know you've been at this point too, when you wanted to break a wall !
- 
				    					
					
					Recently, Apple rolled out Push Notifications for PWA websites as a beta feature on iOS 16.4 devices. And let me tell you, it's a game-changer! But, when a client asked me to implement push notifications for their iOS users via web and service worker, I knew it wouldn't be a walk in the park.
 
 Why, you ask? Well, their backend code base was written in Plain F*cking Vanilla PHP, which felt like I had time-traveled back to the 1980s! Plus, since the ios web push feature is still in its early stages, there were hardly any resources to guide me through the process of sending push notifications to Apple WebPush API using plain php.
 
 Despite the obstacles, I managed to successfully send notifications to Mozilla and Google Chrome users. But Safari? Not so much. The client needed the task done within 24 hours, but due to delays, it ended up taking me three days to figure out the kinks. In the end, I had to refund the client, but I'm not one to give up easily.
 
 In fact, I've created a public GitHub repo for a Quotes App in Flutter (https://github.com/GiddyNaya/...) that can send PN to iOS users via web. I'm diving down the rabbit hole to figure out how to make it work seamlessly, and I won't stop until I've cracked the code. Wish me luck!15
- 
				    					
					
					Opinions please. When end user is not paying for service, who is my customer? For example public facing government project2
- 
				    					
					
					So this week should be interesting. I am working on a (potentially) very large project for my current client and need to build a service that somewhat replicates the functionality of heroku (in that it needs to be able to load an app built in one of several languages, and spin it up in a docker container).
 
 Unlike Heroku, however, each application also needs to be able to have a list of public and private (internal only) API routes listed and be able to dynamically route requests to the correct routes on in those containers. (Sorry if this is confusing)
 
 Does this sound challenging and amazing? Absolutely! Do I think I may be in over my head? Yes, yes I do.
 
 Has anyone ever built or worked with something similar?1
- 
				    					
					
					Unpopular opinion: you should not go to jail for murder if the person you murdered was a billionaire. That’s not murder, that’s public service.12
- 
				    					
					
					Public reset API for every online food service?
 
 That would be a great idea, if you consider running a cronjob every day witch randomly selects items form your FavoriteFoodArray.1
- 
				    					
					
					I keep getting phone calls from what I assume are people in foreign countries using a VoIP service and my public info to get me to apply for jobs that probably don't exist.
 
 I just wanna design/develop cool stuff for the rest of my life but this is aggravating 😑5
- 
				    					
					
					i am feeling angry and frustrated. not sure if it's a person ,or codebase or this bloody job. i have been into the company for 8 months and i feel like someone taking a lot of load while not getting enough team support to do it or any appreciation if i do it right.
 
 i am not a senior by designation, but i do think my manager and my seniors have got their work easy when they see my work . like for eg, if on first release, they told me that i have to update unit tests and documentation, then on every subsequent release i did them by default and mentioning that with a small tick .
 
 but they sure as hell don't make my work easy for me. their codebase is shitty and they don't give me KT, rather expect me to read everything on my own, understand on my own and then do everything on my own, then raise a pr , then merge that pr (once reviewed) , then create a release, then update the docs and finally publish the release and send the notification to the team
 well fine, as a beginner dev, i think that's a good exercise, but if not in the coding step, their intervention would be needed in other steps like reviewing merging and releasing. but for those steps they again cause unnecessary delay. my senior is so shitty guy, he will just reply to any of my message after 2-3 hours
 
 and his pr review process is also frustrating. he will keep me on call while reviewing each and every file of my pr and then suggest changes. that's good i guess, but why tf do you need to suggest something every fucking time? if i am doing such a shitty coding that you want me to redo some approach that i thought was correct , why don't you intervene beforehand? when i was messaging you for advice and when you ignored me for 3 hours? another eg : check my comment on root's rant https://devrant.com/rants/5845126/ (am talking about my tl there but he's also similar)
 
 the tasks they give are also very frustrating. i am an android dev by profession, my previous company was a b2c edtech app that used kotlin, java11, a proper hierarchy and other latest Android advancements.
 
 this company's main Android product is a java sdk that other android apps uses. the java code is verbose , repetitive and with a messed up architecture. for one api, the client is able to attach a listener to some service that is 4 layers down the hierarchy , while got other api, the client provides a listener which is kept as a weak reference while internal listeners come back with the values and update this weak reference . neither my team lead nor my seniors have been able to answer about logic for seperation among various files/classes/internal classes and unnecessary division of code makes me puke.
 
 so by now you might have an idea of my situation: ugly codebase, unavailable/ignorant codeowners (my sr and TL) and tight deadlines.
 but i haven't told you about the tasks, coz they get even more shittier
 
 - in addition to adding features/ maintaining this horrible codebase , i would sometimes get task to fix queries by client . note that we have tons of customer representatives that would easily get those stupid queries resolced if they did their job correctly
 
 - we also have hybrid and 3rd party sdks like react, flutter etc in total 7 hybrid sdks which uses this Android library as a dependency and have a wrapper written on its public facing apis in an equally horrible code style. that i have to maintain. i did not got much time/kt to learn these techs, but once my sr. half heartedly explained the code and now every thing about those awful sdls is my responsibility. thank god they don't give me the ios and web SDK too
 
 - the worst is the shitty user side docs. I don't know what shit is going there, but we got like 4 people in the docs team and they are supposed to maintain the documentation of sdk, client side. however they have rasied 20 tickets about 20 pages for me to add more stuff there. like what are you guys supposed to do? we create the changelog, release notes , comments in pr , comments in codebase , test cases, test scenarios, fucking working sample apps and their code bases... then why tf are we supposed to do the documentation on an html based website too?? can't you just have a basic knowledge of running the sample, reading the docs and understand what is going around? do i need to be a master of english too in addition to being a frustrated coder?
 
 just.... fml
- 
				    					
					
					So I'm new to NestJS, Node, etc. and I just noticed that the guy working on the API made every request call a different service class, instead of using a single service class. For example.
 
 get() {
 return await this.getObj.run()
 }
 
 post(myDto){
 return await this.storeObj.run()
 }
 
 update(myDtoUpdate){
 return await this.updateObj.run()
 }
 
 And I'm not sure why. He's also injecting the request into those classes, instead of passing the DTO to the method call. I mean, it's still injecting the data into it I guess, but it seems so roundabout. Something like this:
 
 public constructor(
 @Inject(REQUEST) private request: Request,
 ){}
 
 I'm scared, but I'm not sure if it's just my own ignorance or a sixth sense telling me that this is gonna be a mess.
 
 Have you seen APIs implemented this way? I can see the benefit of dividing the code into smaller classes, but it just seems overkill to me, specially when there's a big chance that code will be repeated (getting an entity by ID when updating it, for example).
 
 I'm still in time to kill this with fire before a new monster is born though, so that's something.1
- 
				    					
					
					Sticking to the man... or facebook sorta.
 
 Using Selenium so I can get all the group feeds in Chronological order rather than Recent Activity... Why the fuck is there still no way to set the default.
 
 Now that I think about the better way is to create a Service app that checks for updates and loads them into a DB and the Client app that just reads from DB. So Updates come from Selenium/Chrome in the backgeround thread while UI doesnt need to lag/wait...
 
 fck... all those Async code for nothing.... (yea i m thinking while i mwriting this... an epihpany moment...)
 
 One thing and the original question is, is there an existing Facebook scraper. OpenGraph doesnt work for Group posts or public events which is what i want the feeds for....
 
 The problem though the AJAX calls for more posts when you scroll down. I am not sure in Selenium how to make the Driver wait for new content in the DOM... rather than just sleeping the Thread for X seconds and checking after.4
- 
				    					
					
					My last post entails how my company moved me to a freelancing role upon completion of my task (VoIP micro service: incoming and outgoing calls, voice mail drop, voice mail greeting, call forwarding, sms, and a couple more features) — app is now live and used by company’s agents to contact leads on our other products (designing), so boss tells HR to tell me (I realized this from HR’s slack screen when on huddle with me) to add WhatsApp integration. I responded that since I’m a freelancer I would charge $30/hour for it. HR said he’d get back to me and it’s been 3 working days now.
 
 They are also trying to have the app on Apps*mo so they cash out for other companies to use the app.
 
 It’s been 2 weeks and a day since the end of my probation (I’ve been with them for 3 months) and no one has acknowledged this — I also wrote to my boss asking why management won’t acknowledge this but three days after probation they changed my role. Same company that held off my offer later to two months later in the job to offer a Senior Python Developer role as “HR has Covid and could not send it until now”.
 
 He has not responded to my message. Pretty much no salary for me these past few days.
 
 I’m now looking for other jobs. Meanwhile, I’m building from scratch AGAIN a VoIP micro service and I plan on making it public and free upon completion.
 
 BUT I feel the company might take action against me. Do note that I did not sign the offer letter as the link had 3 days expiration and HR said he would send a new one but never did, even after I reminded him at least 2 days in a week.
 
 ____
 While typing this, I got the urge to proceed regardless any circumstance.4
- 
				    					
					
					Flare Seal Notary Group: Your Trusted Notary Service Provider in Deerfield Beach, FL, and Miami
 
 At Flare Seal Notary Group, we provide professional Notarial Services in Miami and surrounding areas, ensuring your documents are properly notarized with accuracy and efficiency. Whether you need a Mobile Notary Public in Miami, require Notarization Services in Miami Beach, or need assistance with Notary Public Services in Coral Gables, we’re here to offer convenient, reliable solutions for your notarial needs. With our extensive experience, we are committed to making the notarization process simple, fast, and secure, no matter where you are located in the Miami area.
 
 Notarial Services in Miami: Expert Notary Solutions for Every Need
 When it comes to Notarial Services in Miami, Flare Seal Notary Group is your go-to source for dependable, high-quality notarization. We handle a wide range of legal, business, and personal documents, ensuring that each one is notarized according to state and legal requirements. Whether you're dealing with contracts, powers of attorney, or affidavits, we provide comprehensive services to meet your needs.
 
 Our team is committed to providing fast and efficient Notarial Services in Miami, making sure that your important documents are processed with care and professionalism. With a focus on accuracy, confidentiality, and customer satisfaction, we are here to support you every step of the way.
 
 Mobile Notary Public in Miami: Convenience at Your Doorstep
 One of the most convenient features we offer is our Mobile Notary Public in Miami service. We understand that sometimes visiting a notary in an office is not always feasible, which is why we bring the notary service directly to you. Whether you are at home, at work, or anywhere in between, we’ll come to your location at a time that works for you.
 
 Our Mobile Notary Public in Miami service is perfect for busy professionals, senior citizens, and anyone who may have mobility issues or time constraints. We are here to make the notarization process as easy and convenient as possible, wherever you are in Miami.
 
 Notarization Services in Miami Beach: Reliable and Efficient
 For those located in Miami Beach, Flare Seal Notary Group offers Notarization Services in Miami Beach with the same commitment to accuracy and professionalism. Whether you're in need of notarizing legal documents, contracts, or real estate paperwork, our team provides trusted services designed to simplify the process for you.
 
 Our notaries are highly trained to handle all types of documents, ensuring they are properly notarized and legally valid. With our efficient and reliable services, you can count on us for your Notarization Services in Miami Beach, regardless of your specific notary needs.
 
 Notary Public Services in Coral Gables: Fast and Convenient Solutions
 If you’re in Coral Gables, Flare Seal Notary Group is proud to offer comprehensive Notary Public Services in Coral Gables. Whether you’re preparing for a business transaction, dealing with personal matters, or need assistance with legal documents, we provide notary services that are accurate, fast, and professional.
 
 We understand the legal and administrative requirements of notarizing documents in Coral Gables, and our team is fully equipped to handle your specific needs. From wills and trusts to real estate documents, we offer convenient solutions to ensure your documents are notarized correctly and efficiently.2
- 
				    					
					
					Obviously the top item on the table is NN, the "end users" from both sides of the connection on the net are for the saving it, and the middlemen that only own the "cables" want it to be repealed.
 
 We have the solution to end this issue forever. It wont be easy, nor will it be fast.. unless certain "entities" team with us in secrecy. (There's a reason why certain "entities" have stayed silent regarding NN, due to agreements to not get involved due to the risk of backlash. AND if NN is repealed Those Entities cannot fix the problem as their hands are tied to continue to provide content to the end users.) Read between the lines you will understand it will all make sense later.
 
 I will make The Official Public Statement within 24 hours of the FCC Vote. That statement will be how to get involved, help, get us jump started in your area, funding, the ENTIRE details of the plan, goals, and timeline. AS WELL as how to contact us. This will take time and we are not a magic solution that will fix the problem overnight.
 
 We are however THE solution to the underlying problem with ISPs of today. We have been researching for quite a while and digging deep into the entities that have caused us to get where we are now. The further you go digging into 'THEM' the more pissed off you become as you truly realize whats going on and has been on among the ISPs its MUCH deeper than you are being told.
 
 OUR solution will remove all of "them" from the equation completely as well as being faster, and cheaper than the Tier 1 as you wont be paying for the connection or speed, you would be paying for the hardware/overhead cost. AND we will be bringing you closer to the content providers than EVER before.
 
 AND we will be the only solution capable for competing in the current Tier1 Monopoly zones, I promise you they cannot match our plan's price, IF they did it would be only as a loss leader and NOT a sustainable long term solution for those competing with us at are for-profit....
 
 In order for our solution to work, and to keep the internet service non-bias, well non-bias from OUR members :) this will need to be a collective effort, focused one clearly defined vision. WE WILL AND WE MUST ALL set "profits" aside on this as profits in selling nothing other "connection" to the internet has gotten us in the mess we are in now. AND YES we realize profits help maintain and upgrade the infrastructure, BUT that isn't true in this case...Overhead from our view includes those anticipated costs.
 
 Smaller ISPs will need to make a decision, give up profits, become one with us, and be apart of the mission OR they will be left to suffer at the mercy of the ISPs above them setting the cost of bandwidth eventually leading to their demise.
 
 This will happen because we wont be bound by the T1s .... WE would be the "Tier 0" that doesn't exist ;)
 
 This sounds crazy, impossible, BUT its not, it will work WILL happen, regardless of the FCC's vote. as if the FCC choices to keep NN, its only a matter of time till the big lawyers of the ISPs find some loophole, or lobby enough to bring us back to this.
 
 Legistlation is NOT the solution its just a band-aid fix as the cancer continues to grow within.
 
 PLEASE understand that
 
 Until the vote is made, and we release what we are doing, stay put, hang in, it will all be explained later, we are the only true solution.
 
 BIG-ISPs WILL REGRET WHAT THEY HAVE DONE!
 
 What needs to be understood by all is with net neutrality inplace the ability to compete aginst the Tier 1s directly over customers and reinvent the internet to lower or remove costs completely, increase speeds AND expand to underserved/unserved communities ITS NOT POSSIBLE WITH NN
 
 NN REPEAL is the only way to the fixing the problem for good... yes the For profit BIG ISPs will benefit but not forever.. as repealing it opens the doors for outside the box big picture innovators to come in and offer something different, the big ISPs have clearly over looked this small detail being the possibility of a “NonProfit CoOp TIER 1 ISP” entering into the game thru end users and businesses working together as one entity to defeat them... THE FOR PROFIT ISPs over looked this because they are blinded by the profit potential of NN Repeal, never did they consider our option as a possible outcome because no one has attempted it....
 
 We will unite as one
 
 Be the first to know! -stay updated
 
 SnapChat: theqsolution
- 
				    					
					
					My purpose in writing is to educate the general public about PROFESSIONAL WIZARD HACKERS RECOVERY . If you ever need hacking services, look no further. I found myself in a difficult situation after losing almost $415,000 USD in bitcoin. I was distraught, divasted and thought I had hit my lowest point, I had no chance of recovering my investment. When I came across PROFESSIONAL WIZARD HACKERS, everything changed completely. The PROFESSIONAL WIZARD HACKERS stepped in and quickly assisted me in recovering my entire refund. They guarantee their clients the highest level of happiness and their services are highly recommended and very low cost with fast respond. Contact customer service via whatsapp: +44 7442 684 963
 fast reply: professionalwizardrecovery at gmail dot com
 
 Email address: ( professionalwizardrecovery at programmer dot net )1
- 
				    					
					
					So my hosting service recently informed me of a personal information leak due to a data feed that “accidently“ went public. I'm lost for words.1
- 
				    					
					
					Here I am sitting again to explain to some nice people that it is not my service causing the havoc but the infrastructure.
 
 Always getting cached content when using the public route (private is fine). When I firstly hit something it should cache then I get that content for every url I hit on that service (e.g. Getting the favicon when fetching the html)
 Even when I stop the service the public route does still return content. Let's see if they accept that there may be a caching issue 😥😥😥 ah and the service is running in 2 other environments - must be an application problem
- 
				    					
					
					Leonardo Radomile Palm Beach
 
 Leonardo Radomile of Palm Beach is a political consultant and former lecturer at Harvard’s Center for Public Leadership. Mr. Leonardo Radomile has taught on effective civil engagement and is the co-author of the Harvard Guide on effective social engagement, which has earned Radomile various awards at for teaching and public service.
 
 #Leonardo Radomile Palm Beach
- 
				    					
					
					law courses in bangalore:The ABBS School of Law has started from the academic year 2018 – 19 under the aegis of Samagra Sikshana Samithi Trust. The Trust started the institution with a cherished ambition to impart legal education which is a very important step towards spreading legal awareness and empowering the helpless in the society. The College is affiliated to Karnataka State Law University, Hubballi and recognized by Bar Council of India, New Delhi. The college has a Governing Council duly constituted by Samagra Sikshana Samithi Trust. All the members of the Governing Council are accomplished academicians, legal luminaries, management experts and persons of eminence in public service. Governing Council meets regularly two times a year to review academic and administrative work.visit:http://abbslaw.edu.in/
- 
				    					
					
					VISIT FUNDS RECLAIMER COMPANY FOR CRYPTO RECOVERY
 
 Losing cryptocurrency to theft or fraud can be a devastating experience, but recent advancements in blockchain technology and the growing expertise of recovery professionals have made it possible to reclaim stolen funds. Cryptocurrency transactions are recorded on the blockchain, which is public and transparent, allowing for tracing stolen assets. However, while the blockchain records every transaction, it only stores public keys and addresses, which makes it difficult to identify the thief without the aid of experts. The first line of defense is prevention. Using secure wallets, such as hardware wallets or reputable software wallets with strong encryption and two-factor authentication, is crucial for safeguarding your assets. Hardware wallets, which store your private keys offline, offer the highest level of protection by keeping your funds safe from online hacks. Cold storage wallets, which are completely disconnected from the internet, provide an added layer of security. If you fall victim to theft, however, it’s essential to act swiftly to recover your cryptocurrency. The faster you take action, the better your chances of reclaiming your assets. Start by reporting the theft to law enforcement. While law enforcement might not be able to intervene directly due to the decentralized nature of cryptocurrencies, they can help in gathering evidence for further investigation. The next step is to enlist the help of a cryptocurrency recovery expert. These professionals specialize in tracking stolen funds and working with blockchain forensic tools to identify the thief’s address and trace the movement of your stolen funds. Cryptocurrency recovery services, like FUNDS RECLIAMER COMPANY, are among the best in the field. They have the knowledge and tools to track stolen cryptocurrency, work with virtual asset service providers, and help freeze or recover your funds. In many cases, these experts can collaborate with exchanges and wallets that may have received the stolen cryptocurrency and help you retrieve your assets. Once you have recovered your stolen funds, it’s essential to take steps to prevent future thefts. Always stay informed about common scams and phishing attacks in the crypto space. Double-check wallet addresses before sending funds and consider using multi-signature wallets for additional security. In conclusion, while cryptocurrency theft is still a risk, securing your assets, acting quickly when theft occurs, and working with expert recovery services can greatly increase your chances of getting your funds back and minimizing future risks.
 
 FOR MORE INFO:
 Email: fundsreclaimer(@) c o n s u l t a n t . c o m
 Email: fundsreclaimercompany@ z o h o m a i l . c o m
 WhatsApp:+1 (361) 2 5 0- 4 1 1 0
 Website: h t t p s ://fundsreclaimercompany . c o m1
- 
				    					
					
					VISIT FUNDS RECLAIMER COMPANY FOR CRYPTO RECOVERY
 
 Losing cryptocurrency to theft or fraud can be a devastating experience, but recent advancements in blockchain technology and the growing expertise of recovery professionals have made it possible to reclaim stolen funds. Cryptocurrency transactions are recorded on the blockchain, which is public and transparent, allowing for tracing stolen assets. However, while the blockchain records every transaction, it only stores public keys and addresses, which makes it difficult to identify the thief without the aid of experts. The first line of defense is prevention. Using secure wallets, such as hardware wallets or reputable software wallets with strong encryption and two-factor authentication, is crucial for safeguarding your assets. Hardware wallets, which store your private keys offline, offer the highest level of protection by keeping your funds safe from online hacks. Cold storage wallets, which are completely disconnected from the internet, provide an added layer of security. If you fall victim to theft, however, it’s essential to act swiftly to recover your cryptocurrency. The faster you take action, the better your chances of reclaiming your assets. Start by reporting the theft to law enforcement. While law enforcement might not be able to intervene directly due to the decentralized nature of cryptocurrencies, they can help in gathering evidence for further investigation. The next step is to enlist the help of a cryptocurrency recovery expert. These professionals specialize in tracking stolen funds and working with blockchain forensic tools to identify the thief’s address and trace the movement of your stolen funds. Cryptocurrency recovery services, like FUNDS RECLIAMER COMPANY, are among the best in the field. They have the knowledge and tools to track stolen cryptocurrency, work with virtual asset service providers, and help freeze or recover your funds. In many cases, these experts can collaborate with exchanges and wallets that may have received the stolen cryptocurrency and help you retrieve your assets. Once you have recovered your stolen funds, it’s essential to take steps to prevent future thefts. Always stay informed about common scams and phishing attacks in the crypto space. Double-check wallet addresses before sending funds and consider using multi-signature wallets for additional security. In conclusion, while cryptocurrency theft is still a risk, securing your assets, acting quickly when theft occurs, and working with expert recovery services can greatly increase your chances of getting your funds back and minimizing future risks.
 
 FOR MORE INFO:
 Email: fundsreclaimer(@) c o n s u l t a n t . c o m
 Email: fundsreclaimercompany@ z o h o m a i l . c o m
 WhatsApp:+1 (361) 2 5 0- 4 1 1 0
 Website: h t t p s ://fundsreclaimercompany . c o m1
- 
				    					
					
					Three Oaks Contracting LLC: Your Reliable Source for Portable Toilets in Gillsville, GA
 
 At Three Oaks Contracting LLC, we understand that cleanliness and convenience are crucial when it comes to outdoor events, construction sites, and other temporary locations. Whether you’re organizing a large festival, managing a construction project, or hosting an outdoor gathering, our portable toilets provide a convenient and hygienic solution. Serving Gillsville, GA, and surrounding areas, we offer a variety of portable toilets for any occasion or project, ensuring that your guests, employees, or visitors have access to clean and comfortable restrooms.
 
 Why Choose Three Oaks Contracting LLC for Your Portable Toilet Needs?
 When it comes to portable toilets, quality, reliability, and sanitation are the top priorities. Here’s why Three Oaks Contracting LLC is the preferred choice for businesses and individuals seeking portable restroom solutions:
 
 Wide Range of Portable Toilets: We offer an extensive selection of portable toilets to accommodate all types of events and projects. Whether you need basic units for construction sites or luxury restroom trailers for upscale events, we’ve got the perfect solution to meet your needs.
 
 Reliable and Timely Service: At Three Oaks Contracting LLC, we pride ourselves on punctuality and reliability. We guarantee on-time delivery and prompt pickup, ensuring that your portable toilets are available when you need them and removed as soon as your event or project concludes.
 
 Affordable and Transparent Pricing: We believe in offering competitive prices without compromising on service quality. Our portable toilets come with clear, upfront pricing—no hidden fees or surprise charges. We provide high-quality restrooms at affordable rates.
 
 Local Expertise and Customer Care: As a locally owned business in Gillsville, GA, we understand the unique needs of our community. Our team is here to provide personalized service, assisting you in choosing the best portable toilets for your specific needs.
 
 Cleanliness and Hygiene: Cleanliness is a top priority. Each portable toilet we provide is carefully cleaned and maintained before every rental. We ensure that every unit is equipped with fresh supplies and is thoroughly inspected to meet our high standards of sanitation.
 
 Our Portable Toilet Solutions
 At Three Oaks Contracting LLC, we offer a range of portable toilets designed to fit any occasion or project:
 
 Standard Portable Toilets: Ideal for construction sites, outdoor festivals, and large public events. These units are durable, functional, and designed for everyday use.
 
 Deluxe Restroom Trailers: Perfect for upscale events such as weddings, corporate gatherings, or VIP areas, our deluxe trailers offer a more luxurious experience with amenities like sinks, mirrors, and air conditioning.
 
 Handwashing Stations: Convenient handwashing stations to complement your portable toilets, providing guests and workers with easy access to sanitation facilities.
 
 ADA-Compliant Units: We provide ADA-compliant portable toilets to ensure accessibility for individuals with disabilities, making sure everyone has a comfortable and dignified experience.
 
 How to Book Your Portable Toilet Rental
 Booking your portable toilet rental with Three Oaks Contracting LLC is quick and easy. Simply give us a call at +1-770-524-1282 or reach out to us at PO Box 190, Gillsville, GA 30543 to discuss your needs. Our team will help you choose the right units based on your event or project size, and we’ll take care of delivery, setup, and pickup.
 
 Contact Us Today for Your Portable Toilet Rental Needs
 For clean, reliable, and affordable portable toilets in Gillsville, GA, and surrounding areas, trust Three Oaks Contracting LLC to deliver top-quality service. Whether you’re hosting an event, managing a construction project, or planning an outdoor gathering, we have the right restroom solution for you.
 
 Call us today at +1-770-524-1282 or visit us at PO Box 190, Gillsville, GA 30543 to get started on your portable toilet rental. Let us help ensure that your guests, workers, or attendees have access to the best in cleanliness and comfort9
- 
				    					
					
					My purpose in writing is to educate the public about Recovery Nerd Agency. If you ever need hacking services, look no further. I found myself in a difficult situation after losing almost $310,000 USD in bitcoin. I was distraught and thought I had hit my lowest point, I had no chance of recovering my investment. When I came across Recovery Nerd Agency, everything changed completely. The business stepped in and quickly assisted me in receiving my entire refund. They guarantee their clients the highest level of happiness and their services are highly recommended. Contact customer service via whatsapp: (+ 61 488 893 280)1
- 
				    					
					
					Taxi from Venice to Airport – Book Your Ride with Intui Travel
 
 Are you planning your journey from Venice to Marco Polo Airport? Look no further! Intui Travel offers reliable, convenient, and affordable taxi services tailored to your travel needs. Say goodbye to the stress of navigating public transportation or searching for last-minute rides—our professional transfer service ensures a seamless experience.
 
 Why Choose Intui Travel for Your Airport Taxi?
 Punctuality Guaranteed
 Time matters, especially when catching a flight. Our taxis ensure timely pick-ups and drop-offs, so you never have to worry about delays.
 
 Fixed Pricing
 No hidden fees or unexpected costs. The price you see is the price you pay, making your journey from Venice to Marco Polo Airport budget-friendly and transparent.
 
 Comfort and Safety
 Travel in style and comfort with modern vehicles and professional drivers who prioritize your safety. Whether you're alone or with family, we have options to suit everyone.
 
 Easy Online Booking
 With just a few clicks on our website, you can secure your taxi transfer in advance.
 
 Who Can Benefit?
 Tourists exploring Venice looking for hassle-free airport transfers.
 Business travelers who value punctuality and professionalism.
 Families and groups needing spacious and convenient transportation options.
 How to Book?
 Visit Intui Travel's website.
 Enter your pick-up and drop-off locations.
 Select your preferred vehicle and confirm your booking.
 Don’t leave your transfer plans to chance. Book your taxi from Venice to Marco Polo Airport today and experience the convenience of Intui Travel’s trusted service.
 
 Make your airport transfer smooth, affordable, and stress-free!
 👉 Book Now
 
 Intui Travel – Your partner in seamless airport transfers!3
- 
				    					
					
					South Bay Car Service: Premier Luxury Car Service and Private Transfers in Southern California
 
 Located at 22645 Gaycrest Ave, Torrance, CA, South Bay Car Service is your trusted provider for luxury car service and private transfers throughout the Los Angeles area and beyond. Whether you’re searching for reliable LAX car service, convenient car service near me, or a comfortable ride from Los Angeles to San Diego, we offer unmatched quality, comfort, and professionalism.
 
 Luxury Car Service Tailored to You
 At South Bay Car Service, we specialize in luxury car service designed to meet the highest standards of comfort and style. Our fleet features premium vehicles driven by professional chauffeurs dedicated to providing a seamless and elegant travel experience for business trips, special occasions, or everyday transportation.
 
 Private Transfers with Personalized Attention
 Our private transfers service ensures a personalized, door-to-door experience. Whether you need airport transfers, corporate travel, or special event transportation, South Bay Car Service provides punctual, discreet, and comfortable rides tailored to your schedule.
 
 Dependable LAX Car Service
 Traveling through Los Angeles International Airport? Our LAX car service offers reliable pickups and drop-offs with professional drivers who monitor your flight status to adjust for delays or early arrivals. Enjoy a stress-free experience with timely service and assistance handling your luggage.
 
 Convenient Car Service Near Me
 Searching for “car service near me”? South Bay Car Service is proud to serve Torrance and the greater Los Angeles area with dependable, luxury transportation options. Our easy booking process and customer-focused approach make us the preferred choice for local residents and visitors alike.
 
 Car Service Los Angeles to San Diego: Comfortable and Efficient
 Planning a trip between Los Angeles and San Diego? Our car service Los Angeles to San Diego provides a comfortable, convenient alternative to driving yourself or taking public transport. Relax in a luxury vehicle while our professional chauffeurs handle the route, ensuring a smooth journey.
 
 Book Your Next Ride with South Bay Car Service
 For luxury car service, private transfers, or LAX car service, contact South Bay Car Service at +1 310-344-6494 or visit us at 22645 Gaycrest Ave, Torrance, CA 90505. Experience Southern California transportation redefined with South Bay Car Service.2
- 
				    					
					
					GET THE BEST HACKING SERVICE‼️ contact -: hackrontech gmail com, They are group of talented hackers who have been Hacking in secret for almost a decade now. Here Are List Of Hacking Services We Offer-: ▪️Phone Hacking & Cloning ▪️ m ail Hakcing ▪️Soc -; ial Me (dia) recovery (Facebook, Instagram e.t.c) ▪️Computer Hacking ▪️Deleted Files & Documents Recovery ▪️Breach Detection ▪️Website Hacking ▪️Tracking using GPS and Spyware ▪️Deleted Mails and Text messages Recovery OTHER SPECIAL HACKING SERVICES ▪️Binary Option Recovery ▪️Scam Money Recovery ▪️Bitcoin Multiplication ▪️Change Of Grades In Universities/Colleges ▪️Phone Calls Monitoring ▪️And lots more... For more enquiry, reachout via: hackrontech gmail com All Right Reserved.
 I recommend professional expert Email: hackrontech @gmail com for Recovery Funds/ Cryptocurrency/ Recovery of Stolen Bitcoin / Bitcoin Mining/ Increase of Credit score/ MOBILE SPY REMOTE CONTROL ACCESS AUTHORIZATION. Removing Bad Records from Both Public and Private database.  
- 
				    					
					
					Elite Bartending School and Event Staffing South Florida: Hire A Bartender for Your Next Event
 
 When it comes to hosting an unforgettable event, the quality of service is just as important as the atmosphere and entertainment. Whether you're planning a wedding, corporate event, private party, or any other gathering, one thing is certain: you'll need skilled bartenders to keep the drinks flowing smoothly. At Elite Bartending School and Event Staffing South Florida, we provide professional bartender hiring services in West Palm Beach and the greater South Florida area.
 
 If you want your event to stand out and your guests to be impressed with exceptional service, hiring a bartender from Elite Bartending School ensures a seamless and enjoyable experience. Here's why our team of trained bartenders is the best choice for your next event.
 
 Why Hire A Bartender from Elite Bartending School?
 When you hire a bartender through Elite Bartending School and Event Staffing, you're not just hiring someone to pour drinks—you’re bringing in a professional who has been trained in all aspects of bartending. Our bartenders are equipped with the following skills and qualities to make your event successful:
 
 1. Professionalism and Experience
 Our bartenders are more than just friendly faces behind the bar. They are highly trained professionals who have completed our comprehensive bartending programs at Elite Bartending School. From mixing cocktails and managing the bar to providing excellent customer service, our staff is well-versed in all aspects of bartending. You can trust that they will uphold a high standard of professionalism throughout your event.
 
 2. Knowledge of Mixology
 When you hire a bartender from Elite Bartending School, you’re getting someone who knows the ins and outs of mixology. Our bartenders are well-versed in crafting a variety of cocktails—from classic martinis to trendy signature drinks. Whether you're hosting an upscale wedding or a casual backyard party, our bartenders will create the perfect drink menu for your event and serve it with style.
 
 3. Customer Service Excellence
 Bartenders are often the center of attention at any event. Our trained bartenders not only know how to mix drinks but also understand the importance of engaging with guests, ensuring they feel welcomed and comfortable. Good customer service is at the heart of everything we do, and you can count on our bartenders to handle even the busiest bar with a smile and professionalism.
 
 4. Licensed and Responsible Service
 In Florida, bartenders must adhere to strict state laws regarding alcohol service. When you hire a bartender through Elite Bartending School, you're hiring someone who is not only highly trained but also licensed and educated on the responsible service of alcohol. Our bartenders know how to verify the legal drinking age, handle intoxicated guests, and ensure that everyone has a safe and enjoyable time.
 
 5. Efficient and Organized
 At any event, bartenders play a critical role in keeping the flow of beverages organized and timely. Whether you're hosting a small gathering or a large-scale event, our bartenders are skilled at managing busy bars, ensuring that drinks are served quickly and guests are satisfied. We pride ourselves on our ability to set up and break down the bar quickly and efficiently, allowing you to focus on other aspects of your event.
 
 Types of Events We Staff
 No matter what type of event you’re planning, Elite Bartending School and Event Staffing South Florida can provide the perfect bartender to match your needs. We have experience staffing a wide range of events, including:
 
 Weddings: Celebrate your special day with expertly crafted cocktails and top-notch service.
 Corporate Events: Impress your clients and colleagues with professional bartenders who know how to create a memorable experience.
 Private Parties: From intimate gatherings to large celebrations, we’ll provide bartenders who ensure your guests are well taken care of.
 Fundraisers: Serve drinks while creating a welcoming and festive atmosphere for your cause.
 Public Events and Festivals: Our experienced bartenders can manage high-volume bars with ease and efficiency.
 Holiday Parties: Let us handle the bartending so you can enjoy the festivities with your guests.
 How to Hire A Bartender for Your Event
 Hiring a bartender from Elite Bartending School and Event Staffing South Florida is simple and straightforward. Here's how the process works:
 
 Contact Us: Give us a call at +1 (305) 713-7988 or visit us at our location at 329 Clematis St, West Palm Beach, FL 33401 to discuss your event needs.
 
 Tell Us About Your Event: We’ll ask about the type of event you're hosting, the number of guests, the location, and any specific requests you have for the bar. This helps us match you with the right bartender(s) for your event. 5 5
- 
				    					
					
					CRYPTO RECOVERY SERVICE - MUYERN TRUST HACKER
 
 ( Email: muyerntrusted(@)mail-me(.)com )
 The term "crypto theft" describes how fraudsters get and misuse cryptocurrency assets without authorization. The fact that the theft may cause monetary loss, interfere with corporate operations, and erode public confidence in virtual currency makes it a serious worry. Recovering stolen cryptocurrency requires specialized knowledge and techniques that professionals in the field possess. They have experience dealing with crypto theft cases, understand the tactics employed by cybercriminals, and can develop tailored recovery strategies to maximize the chances of successful retrieval. Muyern Trust Hacker demonstrates the highest level of professionalism in the realm of cryptocurrency theft when it comes to reclaiming stolen cryptocurrency. Their team of professionals offers a dependable and relatable recovery service by fusing technical proficiency, and personality. Having dependable expert assistance is essential for the safety of your cryptocurrency holdings. Along the way, Muyern Trust Hacker adds a dash of humor and personality to your team of experts who are committed to retrieving your pilfered cryptocurrency. Protect your investments and put your faith in Muyern Trust Hacker's expertise. Allow them to work with you to protect what is truly yours. Seeking expert assistance becomes crucial for people and organizations trying to recover stolen cryptocurrency as long as the threat of crypto theft persists. Muyern Trust Hacker differentiates by providing specialized techniques and the highest level of professionalism as a group of professionals committed to the recovery process. They have a reputation for being successful in recovering cryptocurrency monies that have been stolen thanks to their demonstrated track record and client endorsements. Individuals and companies can safeguard their priceless cryptocurrency assets and confidently negotiate the murky world of cryptocurrency theft by putting their trust in the knowledge of experts such as Muyern Trust Hacker. Do sure to contact Muyern Trust Hacker for a prompt and effective Bitcoin retrieval on Whats App +1-8-6-3-(606)-8-3-4-7
 Regards. 15 15
- 
				    					
					
					Wav Maxi Cabs specialize in serving Sydney Cruise Transfer, The Overseas Passenger Terminal & White Bay Terminals. We provide Door to Door Shuttles & Exclusive transfers to suit your needs. Our shuttles & exclusive transfers are competitively priced, to suit all budgets. Our professional drivers make traveling to and from the cruise ship stressful & hassle-free. We service all the popular cruise lines and run shuttles to and from the cruise terminals daily. Call us and book a transfer to & from your ship and let our professional drivers get you there, directly from your door. Start and just as importantly end your holiday hassle-free. With the new White Bay Cruise terminals having no direct public transport, book us to take you there. No need to struggle with your luggage up and down stairs while changing platforms then boarding route buses & walking the last leg.



















































