/tech/ - Technology

Technology & Computing


New Thread
Name
×
Sage
Subject
Message*
Files* Max 5 files32MB total
Tegaki
Password
Captcha*Select the solid/filled icons
[New Thread]


682f25fae198a1357ac3f95cc9e552fb60295708016dae336dc3b58a49a80104.jpg
[Hide] (79.6KB, 800x800)
The modern internet is absolute cancer, so here's some old-school alternatives to some of the major aspects of the modern web. If you have any others you'd like to mention and discuss, feel free.

Instead of social media and forums, try using Usenet and BBSes. There exists many a BBS to choose from, and you can even create your own. Usenet newsgroups exist for many, many topics, and if you wanna create one (ideally based on a topic with some decent amount of appeal), you can even present your idea to the folks at alt.config and they *may* create a newsgroup for you.

Instead of blogging on sites like Tumblr, Myspace, and all those sites with period blood smeared all over them, try running a Gopherspace. It's text-only and uncluttered, and there's no JavaShit to bog down the experience.

Instead of GitHub, host all your code on an FTP site. And instead of posting videos to JewTube, you can make the videos downloadable on that same FTP site, along with anything else you wanna offer up.

Finally, instead of insecure messaging applications, use encrypted email.
33 replies and 9 files omitted. View the full thread
Replies: >>16040 + 4 earlier
>yes because we are totally going to do that and it won't be a ghost town like at all 
>>15629
>knowing about the new normalnigger "services"
Ok normalfag. 
>>16012
>mods
That and spambots when there are no mods at all is why I gave up on it myself years ago.
>>16019
I used IRC a whole lot in the 90's (EFnet and Undernet) and it was very active. Later on in mid 2000's I hopped on another IRC network (Freenode) to get some technical help. That one too was very active. But I haven't bothered with IRC since then. And I basically never used other chat software, other than the old Unix talk program.
Replies: >>16040
>>15628 (OP) 
The latest browsers decided to be niggers and drop support for FTP on account of it being insecure. The idea that they should support FTPS was also quickly discarded because they're fags.

FTP is still worth using though, yeah.

>>16033
IRC is a chat protocol, not chat software. The most popular IRC client is mIRC followed by stuff like HexChat. You can also just use irssi for a command-line client or if you're bored like I have been you can just straight up telnet or netcat into an IRC session.
Replies: >>16096
Instead of using e-mail, couldn't you exchange GPG encrypted messages over usenet? You set up a server that exchanges news with a bunch of well-established ones, your online fren does the same, but you also forward them to each other, and on top of that you could make your own newsgroup where you can exchange these messages, or even larger files. Or you could even try to hijack some random newsgroup on alt that haven't received anything for the better part of a decade, and then your private messages would bounce around for quite a while. In either case, you'd just need dynamic DNS for the server, and it would have a relatively high amount of traffic to mask those few messages you want to exchange.
>>16040
Sure I did the telnet thing for fun, but it's hardly usable, and you'll get ping timeout if you don't manually do it. For clients I used ircII and then BitchX. In the early days I modified someone's Tcl bot script, as a learning exercise. Anyway whatever, I don't bother with this chat crap anymore.

ms_paint_2.png
[Hide] (90.3KB, 1490x1174)
pixelated.mp4
[Hide] (700.8KB, 680x330, 00:10)
color_replacement.mp4
[Hide] (56.5KB, 150x110, 00:05)
This is a project I've been planning on doing for a long time: a cross-platform and open source image editor that completely supersedes MS Paint and all it's cheap imitators (for digital images, so no printing features). I want to hear thoughts and ideas.

The objective is to take MS Paint and polish an even better version out of it: minimalistic, extremely light weight and fast, and very easy to use. Everything should take as few clicks as possible and to just work, the feature set is intentionally limited and designed to work well even without transparency or layers. For example the brushes should all be pixelated (reasons in the attached webms), I think it was a mistake on Microsoft's part to switch to the soft brush as a default. Maybe advanced brushes can be added as a side feature, but I feel like they just don't belong into MS Paint and nobody uses them for any real purpose.

Do you see any problems from the mockup? Have other ideas or things that should be added/changed? How would (You) improve MS Paint? Does some other image editor have a feature that you like?
76 replies and 32 files omitted. View the full thread
As an aside, a while ago I found out one major source of the performance cost that I've lamented about in this thread. Here's essentially what the canvas rendering looks like:
if (zoom < 1.0) {
	i64 divisor = round(1.0 / zoom);
	// ...
}
else if (zoom > 1.0) {
	i64 multiplier = math_round(zoom);
	for (i64 y=crop.y; y<crop.y+crop.h; y++) {
		for (i64 x=crop.x; x<crop.x+crop.w; x++) {
			Rgba8* src = get_pixel(&canvas->image, (x-canvas->screenbounds.x)/multiplier, (y-canvas->screenbounds.y)/multiplier);
			Rgba8* dst = get_pixel(&window->image, x, y);
			if (src->a != 255) *dst = TRANSPARENCY_GRID_PIXEL(canvas_transparency_grid_size, x, y);
			rgba8_overlay_alpha_blend(dst, src);
		}
	}
Message too long. View the full text
Oh, actually, another caveat is that the above code is "essentially" what the rendering looks like. I omitted an optimizated path for images that have no transparency, transparent images render slowly at 1:1 zoom level too.
For some reason I only now realized that TRANSPARENCY_GRID_PIXEL uses 2 divisions and a modulo:
#define TRANSPARENCY_GRID_PIXEL(gridsize, x, y) (  (((y)/gridsize+(x)/gridsize) % 2) ? transparency_grid_color_1 : transparency_grid_color_2  )
So I can probably speed up the transparent canvas rendering a lot by changing this to a different method too.
Replies: >>16087
>>16084
Yep, transparent canvas now has very comparable performance to a non-transparent one. Previously it had almost unacceptably shitty performance which demoralized me a lot, so I'm pretty happy about this.

This is what the rendering looks like now, it pre-calculates the transparency grid's progress based on the top-left position, and then only has to do an increment and an if check on the loop:
i64 tr_xstart = crop.x % canvas_transparency_grid_size;
i64 tr_ystart = crop.y % canvas_transparency_grid_size;
int tr_xaltstart = (crop.x / canvas_transparency_grid_size) % 2;
int tr_yaltstart = (crop.y / canvas_transparency_grid_size) % 2;
i64 tr_x = tr_xstart;
i64 tr_y = tr_ystart;
int tr_xalt = tr_xaltstart;
int tr_yalt = tr_yaltstart;
Rgba8 tr_color = (tr_xalt+tr_yalt == 1) ? transparency_grid_color_2 : transparency_grid_color_1;

inline void tr_add_x (void) {
Message too long. View the full text
It worked. I basically just copypasted the same thing for the zoomed-in rendering, so now it looks like this:
else if (zoom > 1.0) {
	i64 multiplier = round(zoom);
	
	i64 px_progxstart = (crop.x-canvas->screenbounds.x) % multiplier;
	i64 px_progystart = (crop.y-canvas->screenbounds.y) % multiplier;
	i64 px_progx = px_progxstart;
	i64 px_progy = px_progystart;
	i64 px_xstart = (crop.x-canvas->screenbounds.x) / multiplier;
	i64 px_ystart = (crop.y-canvas->screenbounds.y) / multiplier;
	i64 px_x = px_xstart;
	i64 px_y = px_ystart;
	Rgba8 src = *get_pixel(&canvas->image, px_x, px_y);
	
	inline void px_add_x (void) {
Message too long. View the full text

8bb49823e6037db863f717df6d58d94e22b71e3db8d759ea15a134759765826f.jpg
[Hide] (19.1KB, 581x392)
Can we discuss main stream social  media and Google using drivers license to verify accounts? Is this being the norm now? You cannot get a Gmail using a burner phone anymore.
Replies: >>16047 >>16065
I don't wanna and I want to pretend it does not exist.
<try to watch gameplay of a specific game
<you need an googler acc because muh violence and smoking
For what reasoning other than people refusing to do the very basic job of parenting that you need to baby everyone?
Replies: >>16046
1624849262257.gif
[Hide] (344.3KB, 256x192)
>>16045
What's even funnier is that even like this children still have essentially unrestricted access to the internet unless their parents are on them 24/7, the solution would be to simply not give your kid an iPad before he's mature enough to know what to do and what not to do, but most people prefer to let technology do the parenting.
xXO1T4C5nDpkbtE.jpg
[Hide] (9.4KB, 250x250)
>>16044 (OP) 
>Google using drivers license to verify accounts?
is this in general or only when the account is used for something like viewing "adult content" on YouTube?
>>16044 (OP) 
Sites are becoming increasingly fucking invasive into your privacy and feel entitled to gobbling up all the information they can get about you, yeah.

millioniare_gentiles.jpeg
[Hide] (58.5KB, 1200x720)
How do I become a multi multi millionaire in tech?
8 replies and 4 files omitted. View the full thread
Replies: >>16062 + 1 earlier
computer_freins.jpg
[Hide] (153.4KB, 642x1062)
It's a mystery!
gaddafi.jpg
[Hide] (107.6KB, 1120x790)
Well, well. Bill Gates is hobnobing again.
https://www.zerohedge.com/news/2025-01-18/bioterror-roundup-anti-vaxxer-rfk-advisors-reportedly-sacked-trump-transition-team
Replies: >>15242
>>15241
>Body autonomy is a losing stance
At this point, I'd be fine with everyone being killed.
Replies: >>15243
>>15242
It's Trump. Everything he does is through the filter of
<Will my jewish masters like this?
>>14041 (OP) 
Sell software. Can even be games. But you have to be a one-man outfit. If you sell a program for $20 and you keep 70% (a lot of online processors take 30%) and the tax man takes a bunch so let's say you keep $10 (which the tax-man will income tax you on). If you sell 25,000 copies, you will be at $250k income. If you manage to sell 2 products like this in a year and the second does 30k sales, you can make $550k in one year. In a few years, you will be multimillionaire.

This assumes you are a one-man outfit that can create software in 6 months that people will seriously want.

If you want to try to get rich while being lazy, make your own Yasuke Simulator - a lazy game that is an absolute meme that exists to dunk on a videogame that is already getting shat on. Do it right and you will sell buckets just by tapping into the zeitgeist and discontent.

You can also try making a website that'll be super-popular but the cost'll balloon as it rises in usage (fuck this up and your usercount will fall off) and web users are notoriously averse to spending money on shit. Some ads will not make you a wealthy man, so you'd have to sell subscriptions. Right now there's some money in webnovels since if you can get 10k idiots to pay a $10/month subscription for early access to chapters you make $120 off of a single user per year, so 1.2 million, minus taxes and payment processor (again), so yo
Message too long. View the full text

1592229039701.png
[Hide] (454.3KB, 663x511)
What is even a good email provider to use anymore?
>inb4 selfhost your email
most info taken from: https://digdeeper.neocities.org/ghost/email.html
probably incomplete quick list, but you could read the dippity dopper article for more information

<gmail, yahoo, etc.
>big corpo trash
>sells data to 3rd party advertisers
<ProtonMail
>Shady metadata policy (retained for an indefinite amount of time)
>URLs in onion hidden service site point to the clearnet (information is from 2019, cannot reconfirm as the hidden service never loads as of the time writing this)
>Account creation verification blocks some email domains from being used to verify the account (Riseup and possibly cock.li domains for example)
>Doesn't allow usage of your own PGP keys and forces their private keys generated on their servers instead through a JS web interface, many backdoors
>Requires to use their stupid bridge thing for mail clients, possible backdoor
<Tutanota
Message too long. View the full text
157 replies and 22 files omitted. View the full thread
Replies: >>16051 + 13 earlier
>>15889
Some games have been removed from DLsite I am pretty sure  I wouldn't know otherwise if I didn't  swab the poopdeck.
Replies: >>15894
>>15891
Some themes have been shadow banned for western IPs recently. They are still on the site though through a jap vpn, but you can't buy it with western payment methods.
I think schoolgirl stuff was one. I primarily know this from voice works, not sure about games.

>>15890
This too. When I was a retarded kid I browsed everything with a logged in chrome. This was at the time where chrome was brand new and noticeably faster than firefox. If someone REALLY wanted to they could use that against me probably, but nobody aside from glowies would have access.
>but I don't do anything spicy online
Same, I'm a boring 30yo. Aside from the r34 habits nothing problematic.

>It's probably still better to encrypt
I agree. The police/feds whatever will still force you to unlock it or got a backdoor anyways if need be. But it's better to avoid getting blackmailed in case a PC gets stolen.
kvetch.png
[Hide] (77.8KB, 213x300)
I unironically used to use mail.ru before they locked me out of my account for not giving them my phone
7e0a344dd6111bf9196b99ab821b09c722ebd1f22b825efd5e1d7635e593c124.jpg
[Hide] (34.9KB, 626x351)
>>95 (OP) 
>tfw only use Gmail and Outlook nowadays
I'm afraid of having issues if I use something else, as I've never tried anything else before.
Do websites experience any sort of compatibility issue if you try to create an account with an alternative e-mail provider?

I'm thinking of finally switching.
Replies: >>16058
>>16051
Some mailproviders are blacklisted, which is cancer, but shit like proton and tutanota works fine. It's honestly rare to run into the issue that websites flip their shit if you try to use a different e-mail. But you do sometimes see websites that want you to log into them with your google account and that's not something other mail providers can give you.

There was a time when OpenID was the rage but it fell off later on.

16color.jpg
[Hide] (65.5KB, 1022x1023)
 Discuss alternative OSes that are not Linux, Windows or Mac OSX. 
Also post your criticism of UNIX, Windows and Fag OSX design ITT.
If you want to discuss GNU/Linux distros, there is already a thread for it: >>>/tech/530
The package manager thread can be also useful: >>>/tech/4739


Some hastily written notes...
* everyone thinks UNIX (https://www.youtube.com/watch?v=tc4ROCJYbm0) is still the state-of-art. Ignorants praise Windows, not knowing it's originally a dumbed down clone of VMS that has some patches ported from OS/2 (https://www.itprotoday.com/compute-engines/windows-nt-and-vms-rest-story). Some say that Windows is also still mainly a single-user system that emulates a multi-user system. I think we are living Higurashi tier time loop when it comes to operating systems...
 (and CPUs: X86 is relic from the times of Vaxen. ARM, PowerPC/Power ISA, MIPS, RISC-V are more modern and better. Even modern X86 CPUs converts CISC to RISC in the microcode!)
* Plan9 (9front? Also, see plan9port and 9base), BeOS (Haiku) and TempleOS were the last innovative operating systems that I know of. Even the OSDev people imitate UNIX.
* It's awful that a misbehaving device driver can take down the whole system. Microkernels (e.g. MINIX, GNU Hurd, seL4) or muh """hybrid kernels""" (e.g. DragonFly BSD, Haiku, ReactOS I don't know if modern Windows has a hybrid kernel.) should be the norm. MINIX is incidentally perhaps the most used OS because ((( Intel ME ))) uses it as a basis for the CIAware that runs on our fucken CPUs!
* Nearly all criticism of UNIX is historic stuff: The UNIX-HATERS Handbook (https://web.mit.edu/~simsong/www/ugh.pdf a joke), Multicians (https://www.multicians.org/) and LispM (http://fare.tunes.org/LispM.html) users...
* Worse is better or do the right thing? https://www.dreamsongs.com/RiseOfWorseIsBetter.html & https://www.dreamsongs.com/WorseIsBetter.html
* Some modern UNIX-related innovations: 9p, DTrace, Solaris Zones & FreeBSD Jails, Nix & Guix...

Message too long. View the full text
109 replies and 21 files omitted. View the full thread
templeos.jpg
[Hide] (27.7KB, 400x400)
>>15964
> could you say it's a Linux distro
I don't know, I try to avoid using my Android phone as much as possible. ;^)
But either way, it's not an alternative OS in the sense that he's talking about in OP.
Replies: >>16050
>>15964
An actual icon pack as in like the ones you would find on Pling.
Replies: >>16050
>>15965
Fair point.

>>15969
I see, have you managed to decide, anon?
Replies: >>16054
eada4a6b0d4a452c152add2bc0dbeb2d244d73fe9aea1c2d7306001bbe95e51e.gif
[Hide] (2.7MB, 498x278)
>>16050
I have actually surprisingly. Vortex-Light-Icons
Replies: >>16057
>>16054
Nice! I'm happy for you, anon. Want to share any screenshots of how your screen's looking with them? (No need if you don't want to, anon. No pressure).

laura-ockel-RoZWxeFL27k-unsplash.jpg
[Hide] (153.3KB, 640x966)
Title gives my conclusion from empirical events I witnessed and inside info. PSP runs on the same circuit, but isn't the backdoor per se, which has been around for much longer.

The same way AMD was able to change the crypto algorithms for the Zen chip they licensed to China, they can change how the CPU behaves at any system, even those already deployed. This can also be used to sabotage any program or computation, making BadBIOS vastly nastier than Stuxnet.

American military made a grave mistake to partner with the morons of the Brazilian military, who are letting knowledge of this spread like a fire (and misusing it for petty profit and inside jobs to justify a police state). Israel, UK and France also have access, but are much more professional.
8 replies and 4 files omitted. View the full thread
>>8945
Isn't ARM has something similar like PSP or ME? They called it the TrustZone and I quite skeptical about what it does. Also, just few years ago ARM processor has some major outbreak of CVE related to side channel attack.
Replies: >>8953
trustzone-explained-cic2016.pdf
(232.8KB)
>>8952
It's not equivalent to ME/PSP, which is why I bought an ARM system. :-)
Some ARM processors are vulnerable to Spectre class attacks, and others that exploit the speculative execution nature of the affected processors. Most newer ARM Cortex-A series are speculative, in fact, which is why I avoid them.  But Cortex-A7 and Cortex-A53 simply do linear fetch/decode/execute, without any kind of speculation.
That's not to say there can't be other CPU bugs, but I'm not aware of any major processor exploits for those two (A7 and A53) or older ones like ARM7 & ARM9 (but those ones are much less powerful).
And of course, other components can be attacked, like for example as Rowhammer does the DDR3/DDR4 memory. I thought about buying an old board Olimex sells that has non-vulnerable DDR2 memory, but it's a pretty big drop in performance from my 1 GHz dual core Cortex-A7 to that board's ARM926J clocked at 454 MHz, and since it only has 64 MB RAM the board can only run very old kernels specifically built for embedded Linux (and forget about OpenBSD, they just don't support it at all!)
Dunno if OP is correct about his leak but it's pretty much a known fact you cannot trust modern AMD or Intel chipsets (would not be surprised if the same goes for those Mac M-series CPUs). On the upside of things you can use ARMs or ancient processors just fine and so long as you can run a modern graphics card you shouldn't really experience much bottlenecks. The issue with be running modern RAM alongside old CPUs. You'd practically have to make your own motherboard if you want that best-of-both-worlds situation. You can use ARMs of course, but then you're limited to shit that runs natively on ARM... unless you just make it into an x86-64 virtual machine with GPU passthrough. Your CPU speed will be shit in the virtual machine, but still fast enough for ordinary purposes and the GPU should work great while you use DDR5 RAM so all told it's a working option.
Replies: >>16049
>>16043
>limited to shit that runs natively on ARM
Install gentoo, unironically.
>Your CPU speed will be shit in the virtual machine
About using old ARM socs.
The CPU is a massive bottleneck. But not as big as memory. Virtually all ARM boards you can buy are socs, that means there is no replaceable memory. The gpu on those machines don't have much acceleration capabilities. It drops frames playing 1080p vp8.
It struggles so much even when running natively, and you suggest running a vm?
Get any arm board and see for yourself. They are pretty cheap.
Replies: >>16056
>>16049
The point is using new ARM for at least DDR4. If you want oldschool just use the AMD FX 9590 which has no PSP and use DDR3 RAM.

45e99aef2cca795fa3531a8af49e97644cdbee928bc7bf7743c4234657945881.png
[Hide] (25KB, 256x256)
Lately I've been interested in looking for a final solution to the imageboard problem, deplatforming and relying on centralized authorities for hosting. P2P through TOR seems like the most logical path forward. But the software would also need to be accessible, easily installed and understood by just about anyone, and easily secure/private by default.

Retroshare seemed like a decent choice, but unfortunately its forum function is significantly lacking in features. I haven't investigate too much into zeronet either but from what I recall that was a very bloated piece of software and I'm looking for something that's light and simple. Then there's BitChan (>>507) which fits most of the bill but contrasted with Retroshare is not simple to setup.

I know there is essentially nothing else out there so this thread isn't necessarily asking to be spoonfed some unknown piece of software that went under the radar of anons. But I think the concept of P2P imageboards should be further explored even though the failure of zeronet soured a lot of peoples perspective on the concept. Imageboards are so simple by nature I feel this shouldn't be as difficult as it is. Retroshare comes close but as I understand it you can't really moderate the forums that you create. Plus the media integration is basically non-existent, though media is a lesser concern. But having everything routed through tor and being able to mail, message, and ha
Message too long. View the full text
181 replies and 13 files omitted. View the full thread
Replies: >>14849 + 10 earlier
>>14603
>Problem: you had to connect over clearnet to generate an ID.
Uh, no?
The ID generator was hosted via Zeronet as well, though it didn't werk half the time.
What killed 08 in my opinion wasn't so much the need for nigger IDs which you could generate and swap to as needed provided the ID generator wasn't overloaded again but the fact that the IDs/usernames of other users were visible by default with only a clientside option to hide them rather than IDs being represented by per-thread hashes during normal use and only really applying in the case of clientside bans, with no way to make them visible outside of perhaps BO admin tools.
Replies: >>14739
>>14710
Zeronet is worse than clearnet.
>>845 (OP) 
Current i2p checksums are mixed up!

from their official website:
>ea3872af06f7a147c1ca84f8e8218541963da6ad97e30e1d8f7a71504e4b0cee

calculated from downloads folder:
<d70ee549b05e58ded4b75540bbc264a65bdfaea848ba72631f7d8abce3e3d67a  Downloads/i2pinstall_2.7.0.jar
<ea3872af06f7a147c1ca84f8e8218541963da6ad97e30e1d8f7a71504e4b0cee  Downloads/i2pinstall_2.7.0_windows.exe
Replies: >>14938
>>14849
they fixed it.
Screenshot_20250227_175001.jpg
[Hide] (605.5KB, 1920x1200)
>>14496
If you're on Android, on your smartphone or tablet, you can use applications that essentially let you have all of your imageboards in one place, sure most of them are made with 4chan in mind and don't cover every imageboard out there, as there are planty, it's still decent and gets the job done though, I'm on Chance, though most people seem to prefer Kuroba and Blue Clover, anyways it works, so if you have a tablet laying around and a Bluetooth keyboard to go along with it, it can be your imageboard station too.

gamer1.jpg
[Hide] (995.9KB, 2048x1536)
ClipboardImage.png
[Hide] (83.2KB, 1552x873)
I thought we should have one of these. Someone from the QTDDTOT suggested these questions for the thread.

>best private mail host?
>best private browser?
>how do you stay private online?
>how do you airgap your phone?
 Also
>Best VPN

I imagine some people have made guides on privacy, so if you have any you can post them in this thread too.
132 replies and 27 files omitted. View the full thread
Replies: >>16048 + 7 earlier
>>15537
But what if you don't need niche software?
cucked.png
[Hide] (30KB, 640x480)
Can't even browse the 4flan anymore.
Replies: >>15596
w.png
[Hide] (6.2KB, 640x480)
>>15541
Somehow the archive at warosu.org works, even though it's also behind cuckflare (of course that means they can shut it down at any time).
And now this niggas are looking for alt chans, how quaint! I posted about trashchan /finance/ there before. Doubt they'll find it though.
>>15479
Not everything needs constant updates you fucking nigger. There is software written 30+ years ago still in use because it works great.
1739773846650.jpg
[Hide] (232.1KB, 2048x1422)
>>9161 (OP) 
When it comes to privacy, is Linux the only reliable OS of choice for both desktop and mobile?

dc01c489e663d2eeed520512f1379b72bc4147a32e8736c462960f9da80abb05.gif
[Hide] (1.6MB, 320x240)
Are you employed in a technical capacity? What job is it? How did you get it? What does your daily wokload look like? Are you looking for a different line of work?
369 replies and 76 files omitted. View the full thread
Replies: >>16041 + 5 earlier
>>15525
Api test, which i suck at. E2e, which is replicating typical flow of an user. Typically just testing websites, but lately i work on android as well. Moving higher up you have to manage your repo, cicd, performance test. Auto test is different from unit test, which is usually the job of the developers.
I worked as a software developer for years. It was traumatizing as hell and made me extremely averse to white collar jobs. I started suffering from anxiety and despair from interacting with coworkers and became a lot healthier after switching to being a delivery driver. As a driver, I could be alone almost all the time. I remember being screamed at by a manager because I started panicking when a coworker noticed I was wearing headphones and started continuously coming up to me for bullshit reasons to aggravate me. This same coworker was editing my code to introduce bugs and reporting it to the manager. The manager said I couldn't wear headphones anymore so the other coworkers harassed me by playing music loudly, rapping out loud, whispering loudly about me, tapping on my desk when they walked by, and screaming when they were near me. As a driver, nobody ever fucked with me for listening to music. The pay was poorer as a driver but not by much and I ended up making more because I could hold the job long term instead of getting fired every few months.

Becoming a truck driver requires a 1 month course. It's the easiest job in the world, just don't fall asleep. There's probably 20 trucking jobs for every software developer job. You make about as much as an entry level programmer with a bachelor's degree starting and you can make $100k+ after 2 years if you do long hauls. It helps to be over 25 for insurance. You're alone most of the time, especially if you do no touch freight. It lets you see the continent instead of being in a fucking office.

Here's a few pieces of advice for people working in programming/IT/sysadmin type jobs
- Don't.
- Have a high leveled degree. No matter what your portfolio is, people will use any excuse they can to question your competence. People that have never written a hello world will say you don't know anything just because you don't have a degree. These are often the types that can be replaced by a software update and are afraid of you.
- If you believe in producerism and like programming because you like producing things, working as a programmer will likely ruin it for you. You're a gorillion times more likely to work on malware or DRM than a programming language or operating system. This is a white collar administrator type job. You'll be in an office or call center interacting with bureaucrats. That means you'll be with business managers, accountants, human resources, brokers, lawyers, marketers, salespeople, and other pencil pushers. The type that don't generate wealth, only move it. If you want to be successful in this type of job, don't just learn tech, learn how businesses operate. Thank about if you really fit in with that clique. Most "programmers" don't program, they just pretend. You won't be able to talk with them about programming, just sportsball.
- If you actually do your job, you're going to get replaced quickly. The work ethic of this kind of job is "pretend to be busy". You will be pressured into making code hard to understand and bloated so that you're more difficult to replace, having feature creep in order to "stay busy", having technological debt to keep yourself occupied, and so on. It's the digital equivalent of digging holes and then filling them again over and over. Your coworkers will harass you for fixing bugs they depend on. I've experienced a coworker having a meltdown because I replayed code he wrote that had(in PHP) "for(...) {$a[] = $b;}" with "array_fill(...)". Apparently the program slowing down made it look more professional and official, like it was doing more. You see, only little kids write code that executes instantly. That means it's not doing anything, right?
- These types of jobs attract liberal ideologues. No matter how much you appease them, it'll never be enough. To them, trannies and illegals are sacred. They'll be suspicious if you don't use Redditspeak. At best they'll think of you as being an old fashioned weirdo and at worst a right wing terrorist. If you're ethnic, exaggerate it as much as possible. Talk with a heavy accent even if your family has been present for generations. It'll make it easier to excuse your oddness to them. Be careful using ideal grammar. To them, that screams "white nationalist". They like talking in rap slang. Be prepared to practice doublethink in any topic related related to race or immigration.
- You do not need a 9-5 schedule. It's just there to make it more difficult for you to work and to exhaust you. Sleep deprivation causes severe and irreparable brain damage. Remember that there are jobs out there where you don't get screamed at for being 5 minutes late, you just get paid for 5 minutes less.
- Beware of white collar crime. If you're getting paid a lot of money without doing much work or working remotely and your coworkers take you out to expensive restaurants and give you expensive gifts, when you get positive reviews despite not doing much, when you get raises in response to asking for more work, it's a sign that they're trying to frame you or manipulate you or make you take a fall for a crime.
- No gun signs aren't for guns, they're for you. The sign doesn't apply to the manager.
- Smoke weed and get your coworkers high. It's a way to unfuck your coworkers. There's no way anyone can work this kind of job and not go crazy without drugs.

Message too long. View the full text
Replies: >>15594
201a2b12684fcf7fc77cdcba2c239914ab3b3769b2ff9254625d6da8fb3f29ef.png
[Hide] (674.6KB, 833x667)
>>15593
I was considering on going for a sysadmin kind of career for years, especially having used to be a loonix privacy schizo for so many years. But I never did well in college for so many years and there's just so much bleak and obnoxious shit about the tech industry overall. I don't want to be forced to become a libshit normalnigger or any kind of normalnigger for that matter. I don't want to suck jewniggercock. I just want to work and go home with a decent paycheck at least, as opposed to retail wagecucking I tried for almost a year and quit. I'm perfectly okay now with going to trade school or finding a helper job in a trade, or possibly changing my major to whatever is in higher demand and won't leave me cucked. I'm just not ready physically for trades yet and I never drove, so I'm not sure if trucking is right for me. Maybe delivery/courier jobs more locally instead of interstate would be a choice, don't know yet though. I do have some trades in mind to go for, but I'd rather not talk more about that.
Replies: >>15668
>>15594
>especially having used to be a loonix privacy schizo for so many years
How'd you stop?
>>5873 (OP) 
Working in IT is how you end up on alt.sysadmin.recovery. I'm just going to quote the alt.sysadmin.recovery FAQ to explain this:

>1.6) If you find sysadminning to be such stress, why not find a job other than being a sysadmin?
>
>	"Why not?  Sure, why not?  Why not just kick the heroin habit?
>	 Why not just stop breathing if the air gets polluted?"
>
>Sysadmins are driven by a desire to _make_it_work_.  We loathe non-functioning pieces of crap.  Similarly, we hate seeing equipment working at substantially below its potential due to moronic admin decisions.
>
>Doesn't this mean we should shun sysadminning, then?  Well, as you will see from discussion in ASR, we have this tendency to drift into the job.  It starts when you're given a machine on your desk which crashes every five minutes, and you know how to make it crash only once every five days. You get given the root/administrator password.  You end up fixing someone else's machine too.  As word gets out, you have more and more people calling on you for basic computer administration assistance every week.  Eventually you get told that your sysadmin work is more imp
Message too long. View the full text

Show Post Actions

Actions:

Captcha:

Select the solid/filled icons
- news - rules - faq -
jschan 1.4.1