thread_id
stringlengths
6
6
question
stringlengths
1
16.3k
comment
stringlengths
1
6.76k
upvote_ratio
float64
30
396k
sub
stringclasses
19 values
uo5y00
I’m tired and I need answers about this. So I’ve googled it and I haven’t gotten a trusted, satisfactory answer. Is bar soap just a breeding ground for bacteria? My tattoo artist recommended I use a bar soap for my tattoo aftercare and I’ve been using it with no problem but every second person tells me how it’s terrible because it’s a breeding ground for bacteria. I usually suds up the soap and rinse it before use. I also don’t use the bar soap directly on my tattoo. Edit: Hey, guys l, if I’m not replying to your comment I probably can’t see it. My reddit is being weird and not showing all the comments after I get a notification for them.
[removed]
3,630
AskScience
uo5znp
Me and my mates have been thinking of doing route 66 for a while now and I think we're gonna pull the trigger next summer. Any good ideas or recommendations on what we should do? Don't mind going a bit of course if it means we have a good time. Also, should we rent a big car for the journey? Can we pick up a car in Chigaco and drop it of in L.A?
Make sure you do your research. Route 66 was decommissioned in 1985. It is no longer considered a US highway and does not appear on modern maps. Large portions of the road simply do not exist anymore. There are maps you can get that outline how to follow the route as close as possible. Some are paved and some are dirt roads.
430
AskAnAmerican
uo5znp
Me and my mates have been thinking of doing route 66 for a while now and I think we're gonna pull the trigger next summer. Any good ideas or recommendations on what we should do? Don't mind going a bit of course if it means we have a good time. Also, should we rent a big car for the journey? Can we pick up a car in Chigaco and drop it of in L.A?
Generally you should stay on Route 66. Just sayin’. Seriously though. In New Mexico, El Morro and El Malpais are just off the route. Santa Fe is a great side trip. Chaco and Bandelier are amazing. Flagstaff and Sedona are there. Grand Canton isn’t too far off it. Sedona if you go south off the road. Petrified Forest is awesome and right there. Death Valley is there. If you can make it happen and it’s definitely off the beaten path the Eureka Dunes. But you better have four wheel drive and plenty of water and probably spare gas.
210
AskAnAmerican
uo5znp
Me and my mates have been thinking of doing route 66 for a while now and I think we're gonna pull the trigger next summer. Any good ideas or recommendations on what we should do? Don't mind going a bit of course if it means we have a good time. Also, should we rent a big car for the journey? Can we pick up a car in Chigaco and drop it of in L.A?
Having done this: * Our route was Chicago-Sioux Falls-Mt Rushmore-Denver-Salt Lake City-Las Vegas-Las Angeles. Old 66 sent you through a *lot* of the Great Plains (cause it's easier to build highways there) instead of through the more rugged parts of the country, but the rugged parts are much more interesting than corn forever. Our attitude was basically "what's left of Route 66 is the road trip as an experience, not the route itself." * The only part of "Route 66" that has the vibes you probably think of when you think "Route 66" is in Arizona, where it parallels I-40 between Kingman and Seligman. * On the other hand, I-90 across South Dakota has very much the hokey vibes you'd expect from Route 66: there's a weird tourist trap every 15 minutes. Highly recommend Wall Drug, Original 1880 Pioneer Town (nothing original about it), Porter Sculpture Park, and the Corn Palace. Plus Mt Rushmore, of course. * I highly recommend crossing the Rockies in Colorado. It's gorgeous.
150
AskAnAmerican
uo667e
Edit: Something having to do with installing clang-format in vs code messed up my copy paste and turned `=` into `==` in a couple places so I just re-edited them back correctly. Original post: Ok, still trying to make my `iterator` for my `red black tree` which is roughly a `map`. I feel I know how to assign `begin()` but not `end()` so much, so I decided to do as I often do which is observe behaviours and try to imitate them so I make a simple piece of code to do that with `std::map`. Now, I don't know if I am doing something wrong or not but my results are tripping me out here. I am unable to cause any `segfault`s by supposedly going out of range. Is this an `associative container` thing I am supposed to be aware of? Am I doing something wrong or is this behaviour really desirable? This is the output of my code: Entered the following code: std::map<int, char> tree; tree[0] = 'a'; tree[10] = 'b'; tree[5] = 'c'; auto itEnd = tree.end(); auto itBegin = tree.begin(); --itBegin; Derenferencing after using the pre-decrement operator on an iterator set to begin() and just creating another iterator set to end(): itBegin->first = 3, itBegin->second = itEnd->first = 3, itEnd->second = Derenferencing after taking those same iterators and , pre-decrementing again the one initially set to begin() and pre-incrementing the one set to end(): itBegin->first = 10, itBegin->second = b itEnd->first = 10, itEnd->second = b This is my code: #include <iostream> #include <map> int main() { std::map<int, char> tree; tree[0] = 'a'; tree[10] = 'b'; tree[5] = 'c'; auto itEnd = tree.end(); auto itBegin = tree.begin(); --itBegin; std::cout << "\nEntered the following code:" << "\nstd::map<int, char> tree;\ntree[0] = 'a';" << "\ntree[10] = 'b';\ntree[5] = 'c';" << "\nauto itEnd = tree.end();" << "\nauto itBegin = tree.begin();\n--itBegin;" << std::endl; std::cout << "\nDerenferencing after using the pre-decrement operator on an " "iterator set to " "begin()\n and just creating another iterator set to end():\n" << std::endl; std::cout << "itBegin->first = " << itBegin->first << ", itBegin->second = " << itBegin->second << std::endl; std::cout << "itEnd->first = " << itEnd->first << ", itEnd->second = " << itEnd->second << std::endl; --itBegin; ++itEnd; std::cout << "\nDerenferencing after taking those same iterators and , " "pre-decrementing again " "the one\n initially set to begin() and pre-incrementing the one " "set to end():\n" << std::endl; std::cout << "itBegin->first = " << (*itBegin).first << ", itBegin->second =" << itBegin->second << std::endl; std::cout << "itEnd->first = " << itEnd->first << ", itEnd->second = " << itEnd->second << std::endl; puts(""); return 0; }
I am fairly sure that auto itBegin = tree.begin(); --itBegin; is undefined behaviour as you are moving an iterator out of the valid range. The libstdc++ debug mode says its illegal: https://godbolt.org/z/8E33EKzs4 . Certainly dereferencing `itBegin` after moving it out of range is UB. Similarly, incrementing `itEnd` and dereferencing an end iterator are UB as well. By the nature of UB, *anything* can happen. By definition you cannot reason about it or have any expectations.
50
cpp_questions
uo667e
Edit: Something having to do with installing clang-format in vs code messed up my copy paste and turned `=` into `==` in a couple places so I just re-edited them back correctly. Original post: Ok, still trying to make my `iterator` for my `red black tree` which is roughly a `map`. I feel I know how to assign `begin()` but not `end()` so much, so I decided to do as I often do which is observe behaviours and try to imitate them so I make a simple piece of code to do that with `std::map`. Now, I don't know if I am doing something wrong or not but my results are tripping me out here. I am unable to cause any `segfault`s by supposedly going out of range. Is this an `associative container` thing I am supposed to be aware of? Am I doing something wrong or is this behaviour really desirable? This is the output of my code: Entered the following code: std::map<int, char> tree; tree[0] = 'a'; tree[10] = 'b'; tree[5] = 'c'; auto itEnd = tree.end(); auto itBegin = tree.begin(); --itBegin; Derenferencing after using the pre-decrement operator on an iterator set to begin() and just creating another iterator set to end(): itBegin->first = 3, itBegin->second = itEnd->first = 3, itEnd->second = Derenferencing after taking those same iterators and , pre-decrementing again the one initially set to begin() and pre-incrementing the one set to end(): itBegin->first = 10, itBegin->second = b itEnd->first = 10, itEnd->second = b This is my code: #include <iostream> #include <map> int main() { std::map<int, char> tree; tree[0] = 'a'; tree[10] = 'b'; tree[5] = 'c'; auto itEnd = tree.end(); auto itBegin = tree.begin(); --itBegin; std::cout << "\nEntered the following code:" << "\nstd::map<int, char> tree;\ntree[0] = 'a';" << "\ntree[10] = 'b';\ntree[5] = 'c';" << "\nauto itEnd = tree.end();" << "\nauto itBegin = tree.begin();\n--itBegin;" << std::endl; std::cout << "\nDerenferencing after using the pre-decrement operator on an " "iterator set to " "begin()\n and just creating another iterator set to end():\n" << std::endl; std::cout << "itBegin->first = " << itBegin->first << ", itBegin->second = " << itBegin->second << std::endl; std::cout << "itEnd->first = " << itEnd->first << ", itEnd->second = " << itEnd->second << std::endl; --itBegin; ++itEnd; std::cout << "\nDerenferencing after taking those same iterators and , " "pre-decrementing again " "the one\n initially set to begin() and pre-incrementing the one " "set to end():\n" << std::endl; std::cout << "itBegin->first = " << (*itBegin).first << ", itBegin->second =" << itBegin->second << std::endl; std::cout << "itEnd->first = " << itEnd->first << ", itEnd->second = " << itEnd->second << std::endl; puts(""); return 0; }
What are you think you are doing with --itBegin? That's not a valid operation. itEnd doesn't refer to an item in the map. Standard container end() returns "one past the end" so while you can compare some iterator to it, you can't "derference" it like you are doing.
40
cpp_questions
uo66oj
>Hello, > >I cannot get my code to compile and cannot figure out why the code is not working either. The purpose of the code is to have a fictional store with allowing the user to enter: > >case 1: add new item containing upc number, item name, cost, and quantity in inventory > >case 2: print entire hashtable > >case 3: find/search for an item by the id (or upc) > >case 4: find/search for an item by its name > >case 5: sort all items in hashtable by alphabetical order > >case 6: quit > >Any assistance is greatly appreciated! I have included the replit link here to access the code [https://replit.com/@kylemark608/KylesKode#main.cpp](https://replit.com/@kylemark608/KylesKode#main.cpp) > > > >Files needed: > >main.cpp > >kyleskode.cpp > >kyleskode.hpp
I suggest you simply start by addressing each compiler error one by one. Each one is pretty obvious: just read the error message and do something about it. If there is an error where you do not understand what it says, then ask for clarification here - but first read it at least three times trying to decipher it, then try to read it aloud as if explaining it to an imaginary friend (or use a rubber duck) - don't just glimpse over it. Read it, study it, google it, read some more, make an effort - that is how you learn!
50
cpp_questions
uo6f3l
Hi friends. I'm trying to figure out which way to take my career and could use some advice. I feel kind of split between cloud engineer and architect. I've been in technical roles for 15+ years, most recently a member of a cloud engineering team managing a multi-region, multi-account AWS footprint (\~$3m/yr) for about a year. SysAdmin/Cloud Ops for Windows/Linux for about five years with some blending between that role and the current one. I obtained my AWS Cloud Practitioner cert earlier this year and found it easy. I'll be taking the Solutions Architect - Associate exam next week and expect to pass. The AWS environment I manage now is 90% IaC/CI/CD managed (though I am more a consumer of those pipelines than a maintainer). I really enjoy building solutions and putting the AWS lego blocks together utilizing IaC as much as possible. More recently diving into Lambda and APIGW. Intimately familiar with most of the core services, EC2/S3/EFS/VPC/TGW/IAM etc etc. My mentor recently left for a role at AWS (you're probably reading this, you bastard) and now I find myself in a position with a high degree of responsibility but without any in-house technical mentorship. I've greatly benefited from such relationships over my career and I fear I'll stagnate without it. Combine this with a company that is beginning to depend on individual contributors not knowing their worth, I think it's time to move on. I'm interested in Cloud Engineer and Cloud Architect roles, potentially at AWS, but I'm not sure which would best align with my skill set or which direction I should develop. DevOps is interesting to me and is probably a good fit mid-term but I would need to find a way to get more hands on experience beyond personal projects. I've nearly finished the Cloud Resume Challenge, probably a little below my skill set but added some CI/CD spice and other flare to explore more services. Thanks for reading. Any advice is appreciated.
across industry- these roles are basically the same. There's a ton of overlap. At AWS- it highly depends on which business unit you sit in. Cloud Engineer should feed to architect. DevOps should align with SWE, in most cases, SWEs at AWS ARE devops but it's culturally built into the SWE teams. There ARE DevOps engineer titles but by in large most are just SWEs. If you're customer facing- it more tends to be cloud engineer->TAM->SA or AM
30
ITCareerQuestions
uo6lmi
What is the best sandwich?
Reuben!
340
AskOldPeople
uo6lmi
What is the best sandwich?
Good French dip with proper au jus.
280
AskOldPeople
uo6lmi
What is the best sandwich?
A nice MLT – mutton, lettuce and tomato sandwich, where the mutton is nice and lean and the tomato is ripe. They’re so perky, I love that.
120
AskOldPeople
uo6mp3
I'm sure throughout our nation's history, there has been some association between the president and the economy, but it seems like it's at an absolute fever pitch lately. The notion of the free market is supposed to be such that the government can only have certain (quite limited) impacts on the economy. That's mostly true in America, but it seems like the public discourse has made it seem like the economy is the individual president's only responsibility. When did that dynamic begin to emerge? I have my own thoughts but would like to hear others. Edit: I believe this will inevitably lead to nationalization of some industries. What do you think will be nationalized first? In the name of "protecting the economy"
Voters only care about two things when they go to vote...who is in charge...and how is my life going. That's it.
630
AskAnAmerican
uo6mp3
I'm sure throughout our nation's history, there has been some association between the president and the economy, but it seems like it's at an absolute fever pitch lately. The notion of the free market is supposed to be such that the government can only have certain (quite limited) impacts on the economy. That's mostly true in America, but it seems like the public discourse has made it seem like the economy is the individual president's only responsibility. When did that dynamic begin to emerge? I have my own thoughts but would like to hear others. Edit: I believe this will inevitably lead to nationalization of some industries. What do you think will be nationalized first? In the name of "protecting the economy"
I think the federal reserve act and Glass Steagall created the expectation that the economy was ultimately under the control of politicians rather than bankers.
550
AskAnAmerican
uo6mp3
I'm sure throughout our nation's history, there has been some association between the president and the economy, but it seems like it's at an absolute fever pitch lately. The notion of the free market is supposed to be such that the government can only have certain (quite limited) impacts on the economy. That's mostly true in America, but it seems like the public discourse has made it seem like the economy is the individual president's only responsibility. When did that dynamic begin to emerge? I have my own thoughts but would like to hear others. Edit: I believe this will inevitably lead to nationalization of some industries. What do you think will be nationalized first? In the name of "protecting the economy"
WAY too many people think that the president is directly in control of EVERYTHING now. Blame instant mass-media and everyone's expectation of a quick instant answer to all ills.
490
AskAnAmerican
uo6tzp
Do we have any estimate for how much a person can actually know? And what happens when they reach that limit? Does learning new things become impossible? Do older memories simply get overwritten? Or do things just start to get jumbled like a double-exposed piece of film?
You seem to think that biological memory storage is in any way similar to computer memory. The two cannot be more different. You have to come up with a completely different way to measure “memory capacity” for your question to make sense. In biology minor details are unimportant and easily replaceable. Generalization and reconstruction from those generalizations are the norm. Selectively forgetting is in fact one of the most important function of our brain. It’s how generalization becomes possible. If you know something about polynomial approximations, the brain is like a very high order polynomial approximating that data that you think it’s storing. It would gladly replace one similar situation by another and interpolate your memories to fit. Save for a few highly-trained or neuro-diverse individuals, memory is very unreliable when it comes to specific details from long ago. Only the contours remain.
960
AskScience
uo6tzp
Do we have any estimate for how much a person can actually know? And what happens when they reach that limit? Does learning new things become impossible? Do older memories simply get overwritten? Or do things just start to get jumbled like a double-exposed piece of film?
Approx 2.5 petabytes or a million gigabytes, all things being equal. This is about the same as almost 4,000 avg 256 gig laptops. You might think "then why can I not compute like a computer?" but you have to remember all the "background process and apps (breathing, blood pressure regulation, hormonal regulation, etc)" your body has going on at any one point. Also, it didn't evolve to make you a successful human by computing mathematics at a high level like a computer can do. It's also having to construct reality at all conscious moments using your senses. We never experience actual reality, only what our brain represents as reality. This takes a lot of computing power. The graphics and refresh rate are intense...
860
AskScience
uo6tzp
Do we have any estimate for how much a person can actually know? And what happens when they reach that limit? Does learning new things become impossible? Do older memories simply get overwritten? Or do things just start to get jumbled like a double-exposed piece of film?
One thing is you're comparing digital data to analog data. I'll give a quick overview of how I think the biggest differences are between neuroscience and computer science. Most real objects in real life are **analog, or scalar**, meaning they have a theoretical range, and usually a theoretical minimum, and maximum. I use theoretical because it's not a mathematical definition, just, in theory here... Minimum knowledge and intelligence could be assumed to be just during birth, at about 0 seconds old, or even near death, where all knowledge of existence for you would fade away, as it when the brain "starts up" or "ceases to function", so that would be the "minimum capacity". That's not really a scientific thing to say, but that's what I'm going with. Maximum capacity is extremely harder to define, and very subjective. The brain ages as someone gets older, obviously. But while brain ages, and synapses become engaged, some even disengage or regress as we get even older. I already know IQ isn't a good study of how smart or wise someone is, since IQ is assigning digital data (a digital, numerical score rating) to the human brain's knowledge, intelligence and wisdom (analog). But remember the brain performs a lot of functions in the body, not just for thinking. Some of these functions "work best" at a very certain age, during very certain situations, or are even environmentally dependent, or even based on genetics. In a terrorist or life-threatening situation, your brain would work differently than is it was relaxed or on drugs/medication. The thing is, you ever wonder why scientists like Einstein, Hawking, Carl Sagan, Curie, and so many others *are* like geniuses? It isn't "brain capacity", it's not "how smart you are". It's your ability to innovate, to think outside the box, the prove your theory is correct after hours and hours of hard work and intense thoughts. It takes a special person to be like that, or even dedicate their whole life to science as a passion. Even though a lot of us like to believe we are not special deep down inside, I still consider every person as unique, because every person is an individual physical, separate body, and spiritualists think differently, but I'm trying to talk science here, what we already know is true. Therefore we are all special, we have individual and unique thoughts that are thought up of our own, and some of these thoughts originate from not very special or not very unique things in life, but the person who is "I" only has these special thoughts, if we're talking psychology here. **Digital data**, on the other hand, is defined more with math and logic, as having sets of numbers, usually a number base definition like data can be stored as binary, which is the most usual type of digital storage, or octal, decimal, etc... It usually has fixed or variable capacity, **not scalar**, and we know the minimum is always zero, and the maximum is the storage capacity. You can't say that the brain's minimum capacity is zero. that just makes no sense. if the brain has zero knowledge, you might as well say exactly that **there is no brain at all**. The brain has to be holding some knowledge in order for it to function and make you become alive, like how to breathe, eat, or take a shit. So comparing a human brain to a CPU in a computer is just a really bad idea for the sake of science. Don't do it. They're really not the same thing. Same thing when people argue that your cameras are like eyes, and "how many FPS can we see?" or "what is the maximum resolution that we can see?" or that the ears are microphones, and "what are exactly the maximum frequencies we can hear?" Not only are those all going to result in different answers for most individuals, they are just not really well defined. We haven't advanced enough in neuro-technology and the sciences in general to make comparisons like that, and answer questions like that. It's pretty pointless to ask right now until we get to a stage where we're already building personal consumer androids for our homes with the latest AI, and then we want to make them be "as human-like as possible". So ask it in the next 3000 years, and I'm sure people will answer differently.
40
AskScience
uo6x77
Basically, I was reached out to by a recruiter from a contracting company who wants me to be a contractor for American Red Cross. It's a Level 1 helpdesk position. The recruiter told me that I was the best candidate they had seen so far. I live in a low cost of living southeast town, and both curious if a 6 month contractor position is a bad idea, and if the company is legit.
1. I don't know if Yoh is legit. 2. Contractor positions can be OK. As you already stated, its short term and there most likely won't be benefits. 3. $18/hr seems to be about the going rate these days, depending on location. Things to keep in mind: 1. Its entry level work 2. Your cost of living may be high 3. Your lifestyle may not be supported 4. It could be a good jumping off spot for you to get some experience.
30
ITCareerQuestions
uo76gp
Obligatory, sorry for formating (on mobile). So, I have an internship lined up with one of the silicon valley boys this summer, and, until now, the whole on boarding process has seemed fairly sporadic and disorganized. Nothing insane, just kind of a lack of information disclosure and not meeting set timelines for getting information to interns. However, I just received an email from my team manager specifying that our team will be working entirely remotely. Now, I would be fine with this if I was told a month ago, but I am a few weeks from my start date. I have already signed a lease for the summer and now find myself spending thousands on an apartment that I do not need. I guess I'm just reaching out to see if anyone else has had a similar experience/if anyone has advice on what I could do in this situation. Edit: Thanks for all the great advice! After mulling it over myself and talking with my manager, I'm going to take many of you guy's advice and move out there anyway. While it is expensive I think it will be a great time and an amazing opportunity.(Also it does give me a chance to test drive west coast living before committing to a full time job out there, which is really nice)
lol this guy is gonna get his lease transfered and one week before the internship find out its no longer remote
5,190
CSCareerQuestions
uo76gp
Obligatory, sorry for formating (on mobile). So, I have an internship lined up with one of the silicon valley boys this summer, and, until now, the whole on boarding process has seemed fairly sporadic and disorganized. Nothing insane, just kind of a lack of information disclosure and not meeting set timelines for getting information to interns. However, I just received an email from my team manager specifying that our team will be working entirely remotely. Now, I would be fine with this if I was told a month ago, but I am a few weeks from my start date. I have already signed a lease for the summer and now find myself spending thousands on an apartment that I do not need. I guess I'm just reaching out to see if anyone else has had a similar experience/if anyone has advice on what I could do in this situation. Edit: Thanks for all the great advice! After mulling it over myself and talking with my manager, I'm going to take many of you guy's advice and move out there anyway. While it is expensive I think it will be a great time and an amazing opportunity.(Also it does give me a chance to test drive west coast living before committing to a full time job out there, which is really nice)
Leverage the fact you are in the bay area. Attend meetups, mingle, connect with people from other tech companies, join internship programs / events on campus, visit stanford, visit the parks. It can be much more than just an internship.
2,950
CSCareerQuestions
uo76gp
Obligatory, sorry for formating (on mobile). So, I have an internship lined up with one of the silicon valley boys this summer, and, until now, the whole on boarding process has seemed fairly sporadic and disorganized. Nothing insane, just kind of a lack of information disclosure and not meeting set timelines for getting information to interns. However, I just received an email from my team manager specifying that our team will be working entirely remotely. Now, I would be fine with this if I was told a month ago, but I am a few weeks from my start date. I have already signed a lease for the summer and now find myself spending thousands on an apartment that I do not need. I guess I'm just reaching out to see if anyone else has had a similar experience/if anyone has advice on what I could do in this situation. Edit: Thanks for all the great advice! After mulling it over myself and talking with my manager, I'm going to take many of you guy's advice and move out there anyway. While it is expensive I think it will be a great time and an amazing opportunity.(Also it does give me a chance to test drive west coast living before committing to a full time job out there, which is really nice)
That’s sucks man. See if you buy out the lease for a 50% of the total. Or maybe the landlord will let you out if he can find another tenant and you only pay for the days between your lease start and when he gets a new lease signed. I’d ask. People are sometimes reasonable.
2,820
CSCareerQuestions
uo7fmh
If bleach is used to sanitize, say, a bathroom, is there any practical risk to using other cleaners on the same surfaces shortly after? e.g. bleach is used to clean a bathroom counter, and Windex is used to spray the mirror above in the same cleaning session where some spray is likely to hit the counter; or a shower is cleaned with a bleach solution, and next day a citric acid-based daily shower spray is used on the same surfaces. I'm assuming there's going to be some residual bleach, for some period of time after using it to clean. But I have no idea what amount would produce enough fumes to be dangerous.
*Concentration* and *quantity* are both important. * *Quantity* of two sprays accidentally mixing together is going to be an absolutely tiny. * *Concentration* when mixing on a hard flat surface open to a big room with (probably) okay air flow - also tiny. Stories you read of people mixing two incompatible chemicals together tend to be dumping a whole bottle of each into a closed vessel like a toilet. They get a sudden blast of fumes, almost like standing over a chimney. But even then, fairly quickly the fumes dissipate into the room. Both of those chemicals you mention a very soluble in water, and realstically, very reactive. That means it's intense but they also go away quickly. Your bleach has a half-life on a surface measured in minutes, or realistically only seconds if you're following the instructions on the label. Added effect of a wet room with high humidity, steam, active fan/window extraction and water flowing. Yeah, you're going to be completely fine.
90
AskScience
uo7fmh
If bleach is used to sanitize, say, a bathroom, is there any practical risk to using other cleaners on the same surfaces shortly after? e.g. bleach is used to clean a bathroom counter, and Windex is used to spray the mirror above in the same cleaning session where some spray is likely to hit the counter; or a shower is cleaned with a bleach solution, and next day a citric acid-based daily shower spray is used on the same surfaces. I'm assuming there's going to be some residual bleach, for some period of time after using it to clean. But I have no idea what amount would produce enough fumes to be dangerous.
But why though? The mirror example makes sense, and no that’s not enough to have a reaction big enough to worry about. The other example, why would you need to clean a thing that you just bleached? Is it not clean enough? If so then why even use the bleach? Anyway to answer, it’s probably not enough to worry about, but probably best I just throw some water over the area that might have residual bleach before spraying the citric acid solution. Water. That’s all
40
AskScience
uo7s3a
Common optimization flags for compilers like gcc or clang have the O2 or O3 flag. I am willing to increase compile time to optimize the program more, such as better code generation, more precise ILP solution. Is there a way to specify this in gcc or clang?
Besides `-O3`, also be sure you allow the compiler to use all the possible extra CPU instructions the architecture you aim support, see: https://gcc.gnu.org/onlinedocs/gcc/x86-Options.html Note however, that this means that the binary won't necessarily be portable across different CPUs. You can also look into Profile Guided Optimizations, see e.g.: https://rigtorp.se/notes/pgo/ Besides that there isn't much more you can do: run your code through a profiler (like [Intel VTune](https://www.intel.com/content/www/us/en/developer/tools/oneapi/vtune-profiler.html)) and do manual optimizations. EDIT: I know you specify ILP, but if you by any chance also do floating point math, then be sure to also enable `-ffast-math`.
90
cpp_questions
uo7s3a
Common optimization flags for compilers like gcc or clang have the O2 or O3 flag. I am willing to increase compile time to optimize the program more, such as better code generation, more precise ILP solution. Is there a way to specify this in gcc or clang?
Is there anything you can pre compute? Maybe constexpr can be your friend.
30
cpp_questions
uo7ufj
I read upto lists and dictionaries in Automate the Boring stuff, and watched the videos on youtube for those chapters. The excercises seemed to ask for stuff that i had not learnt or were far ahead of my learning so far. Dived into 'Python Crash Course' and haven't looked back. This book is fun, engaging, and all the excersises are relevant to what you have just learnt. I will go back to 'Automate' but was overwhelmed and skipped most of the chapter excercises, as they seemed too difficult
They are aimed at different audiences I like the content in PCC, but ATBS is still the best thing to hand a frustrated desk jockey with limited time who wants to make their lives easier It pays immediate practical dividends, which is the most important thing for keeping those sorts of people motivated and learning
1,910
LearnPython
uo7ufj
I read upto lists and dictionaries in Automate the Boring stuff, and watched the videos on youtube for those chapters. The excercises seemed to ask for stuff that i had not learnt or were far ahead of my learning so far. Dived into 'Python Crash Course' and haven't looked back. This book is fun, engaging, and all the excersises are relevant to what you have just learnt. I will go back to 'Automate' but was overwhelmed and skipped most of the chapter excercises, as they seemed too difficult
PCC is for programming/software engineering ATBS is for automating things Each has their own audience
730
LearnPython
uo7ufj
I read upto lists and dictionaries in Automate the Boring stuff, and watched the videos on youtube for those chapters. The excercises seemed to ask for stuff that i had not learnt or were far ahead of my learning so far. Dived into 'Python Crash Course' and haven't looked back. This book is fun, engaging, and all the excersises are relevant to what you have just learnt. I will go back to 'Automate' but was overwhelmed and skipped most of the chapter excercises, as they seemed too difficult
+1 PCC is also more interesting. But the first part of atbs (the one covering basics) is slightly more detailed than pcc. The second part of atbs is just too much for beginners, imo and also not interesting at all, but YMMV.
260
LearnPython
uo7ulk
I'm currently working as an SRE in Europe and would like to move to another country. Whats the best way to look for jobs that are willing to hire people from other countries?
The best way is to get a local job with a company that has offices in the country you're interested in, and then work on an international transfer within that company.
30
ITCareerQuestions
uo82u5
Currently I troubleshoot and repair laptops. I’ve been looking to get the Trifecta but I wondered if that’s necessary. Anything else I should look into?
A+ is the way to go here.
80
ITCareerQuestions
uo8410
I am in college and getting a degree and was wondering, is a computer science degree the best degree to get for landing various types of IT jobs and having that strong foundation to enter various/most types of IT/tech/cs related jobs? I know for specific areas I will upskill by adding relevant certifications, and outside self learning, projects, homelabs etc, But to get that strong foundation for career in IT, would it be one of the best degrees to get? I feel it be better than a information systems, management information systems, or information technology degree. Would you agree?
If you are willing to put in the work, you should absolutely get a CS degree instead of an IT degree. It will open more doors. However, there is no free lunch. A CS degree is difficult, and a good program will have a lot of math. CS programs have an incredibly high number of dropouts into other majors as a result. The level to which you'll learn hands-on vs. learning applied mathematics and theory depends on the university and the program. Some schools, for example, offer two separate degrees in Computer Science and Software Engineering.
70
ITCareerQuestions
uo8410
I am in college and getting a degree and was wondering, is a computer science degree the best degree to get for landing various types of IT jobs and having that strong foundation to enter various/most types of IT/tech/cs related jobs? I know for specific areas I will upskill by adding relevant certifications, and outside self learning, projects, homelabs etc, But to get that strong foundation for career in IT, would it be one of the best degrees to get? I feel it be better than a information systems, management information systems, or information technology degree. Would you agree?
I would say Computer Science is one of the best degrees because it would let you transition into Software Engineering if you wanted. That is a much, much more lucrative career path in today's world. Management Information Systems would probably be better if you were dead set on just IT itself as it's also a business degree and will help you out in the future going for high-level management positions. Or you don't have to get any degree and can just work your way up the ladder at potentially a slightly slower pace but still will end up in a good place if you continue to keep up on your own education and switching jobs when you hit a point at an employer where you can't really grow any further.
70
ITCareerQuestions
uo8410
I am in college and getting a degree and was wondering, is a computer science degree the best degree to get for landing various types of IT jobs and having that strong foundation to enter various/most types of IT/tech/cs related jobs? I know for specific areas I will upskill by adding relevant certifications, and outside self learning, projects, homelabs etc, But to get that strong foundation for career in IT, would it be one of the best degrees to get? I feel it be better than a information systems, management information systems, or information technology degree. Would you agree?
CS is the best degree for tech, and opens many more doors than IT/MIS/IS, and I myself have an IT degree. If you can manage the extra math and theory courses, you'll have a much easier time finding an internship, jobs, and at better places. An IT degree can open doors for sys admin, helpdesk, or other related roles, but CS does the same in addition to SWE/DevOps/SRE. Starting salaries are higher for CS because of these other jobs you can get and at better companies which pay much more.
60
ITCareerQuestions
uo8bbk
If a person dont know about python programming, how he able to know how long it will take for a developer to implement that idea? I have an idea, where i need to hire someone to creat web app. Would you please able to give some suggestion / idea how can i estimate my project time and cost. Am i need to hire freelance software engineer to plan that project sprint by sprint or full stack develoer who able to give whole project plan then i will hire any junior developer? If i ask on upwork different developer give different price. Some of them are quoting 300 - 500$ some are quoting 4k to 7k. This price change totally confuse me. I need your help what step i should take to minimize cost and successfully launch my project. What i need to ask? Line of code he wrote? Feature he include? Scaleablity?
Anybody quoting less than $1000 for a non-trivial software project is either completely unaware of the value of their labor (suggesting inexperience), or isn't particularly motivated by cash, and by extension, not very motivated by you. That's like 2 days at a junior dev salary, or less than a day of a consultant's time. The 4-7k quotes, if based on actually hearing your project pitch, sound reasonable for a basic website or app and the corresponding simple backend tied to a database, being done by someone who basically understands what they're doing but doesn't have great job prospects, maybe because they're a student or something. Given those circumstances, I would probably pitch a timeframe 2-6 weeks, depending on whether the dev is working on the project full time or not.
30
AskProgramming
uo8qqj
enable_if stopped working for constructors. Can someone check please. thanks! EDIT: The issue is with the copy constructor with enable_if being deleted when the move constructor is defined without enable_if. Same issue on GCC.
https://godbolt.org/z/ec9q7qesr
30
cpp_questions
uo8qqj
enable_if stopped working for constructors. Can someone check please. thanks! EDIT: The issue is with the copy constructor with enable_if being deleted when the move constructor is defined without enable_if. Same issue on GCC.
If it did stop working, we'd have to call it SFIAE.
30
cpp_questions
uo95nq
Or is it only me? I just like the way it sounds. It's also a good replacement for cussing.
There’s a large enough Jewish population that some Yiddish words have slipped into the English language
6,640
AskAnAmerican
uo95nq
Or is it only me? I just like the way it sounds. It's also a good replacement for cussing.
Sure do. I use a handful of other Yiddish phrases in daily life too. Schvitzing, schmuck, schlep, a few more. I think it's because of a combination of my parents being from the NYC area and watching a lot of Seinfeld as a kid. Edit: also putz, keister, schmendrick, mazel tov, and I use shekels as slang for money pretty often haha
2,840
AskAnAmerican
uo95nq
Or is it only me? I just like the way it sounds. It's also a good replacement for cussing.
Username does not check out
840
AskAnAmerican
uo9dtq
I have a branch I created last Friday and updated 1 line. Other programmers have pushed a bunch of code in master since. I want to do a PR to merge mine into master. Will this make any unintentional changes ?
Pull master into your own branch and find out!
30
AskProgramming
uo9g03
Heyo, if you have used Unity the game engine in the past, you know that you can build the same application for multiple platforms with the push of a button. Does anyone know about any other IDE or app that will help me perform similar feats? Preferably I would like the app to build an application for Mac, Windows, Android and iOs
Thats not dependent on the IDE. It depends on the Language/Framework you are using and how you compile/interpret it. Java for example, with the JVM it is possible to run it on macOs, Windows, Linux, ... C# can be used multiplatform with .NET Core. And then there are other languages like Python, Kotlin, Go, ... which can also be used crossplatform, but only if you compile it properly for your target. The IDE ist just a Tool, which supports you, taking care of alot of things you'd have to do manually else (for example compiling and running it).
60
AskProgramming
uo9ifx
I am still new to C++ (just started this sem). I am supposed to create an airline reservation system for my final project. Although creating the project is not a problem for me where the outputnisbin cmd, I don't know ANYTHING about GUIs. We are being pushed to imolement GUI for our codes. Can anyone please help me?
Qt is industry standard and it's the base of KDE on Linux.
170
cpp_questions
uo9ifx
I am still new to C++ (just started this sem). I am supposed to create an airline reservation system for my final project. Although creating the project is not a problem for me where the outputnisbin cmd, I don't know ANYTHING about GUIs. We are being pushed to imolement GUI for our codes. Can anyone please help me?
Check out Dear ImGui.
170
cpp_questions
uo9ifx
I am still new to C++ (just started this sem). I am supposed to create an airline reservation system for my final project. Although creating the project is not a problem for me where the outputnisbin cmd, I don't know ANYTHING about GUIs. We are being pushed to imolement GUI for our codes. Can anyone please help me?
If you want a traditional desktop UI you could use wxwidgets, qt, or gtk. They all have their own quirks.
140
cpp_questions
uo9iuw
I landed a great entry level job, and everything seems perfect, the only problem is that I have been waiting 3 weeks for my offer letter. I have contacted my hiring manager about it and they said that there’s some internal issues and that they are very sorry about the delay. It has been another week since then. What should I do? Is there anyway I can speed up the process or should I just be patient.
Be patient and keep applying for other positions in the mean time. Don’t put all your eggs in a basket. They don’t owe you a position and you shouldn’t feel like you owe them either. I would follow up once per week, after the 6th week or so, follow up every two weeks or just stop.
50
ITCareerQuestions
uo9iuw
I landed a great entry level job, and everything seems perfect, the only problem is that I have been waiting 3 weeks for my offer letter. I have contacted my hiring manager about it and they said that there’s some internal issues and that they are very sorry about the delay. It has been another week since then. What should I do? Is there anyway I can speed up the process or should I just be patient.
Keep looking and interviewing, you're the backup hire and they have you on hold in case their #1 falls through.
40
ITCareerQuestions
uoalnf
I've been applying to a lot of IT related jobs. Wasn't getting any interviews so I found a reddit post where this guy started using a cover letter. Right after I used a cover letter, I got an interview for a state Drupal Web Developer position. I did the interview on Monday. It was my first virtual interview and they asked what was my fav project, what feature of a project you worked on was your hardest, etc. I felt like it went well, and I was a bit nervous tbh. Anyways, I thought it went well and they said they'll send me a coding challenge on TestDome. It was 1.3 hours long and 4 questions. The first question was a simple "replaceAtag" where you replaced a href's link using JS's replace. The 2nd was simply adding a table with the DOM with the same amount of rows and cells of the last. The 3rd was a CSS one where you had to change the first element of a LI tag to the color red, and some other things. 4th one was to extract a "privacy number" like "231-24-5712" in PHP, and replace it with "231/24/5712" (hyphens could be used anywhere in a text). I completed the TestDome exam and today got a not selected email. I'm not sure what they want? Is there something I'm doing wrong, I felt so good throughout the process. Maybe too nervous during the interview? Any advice is appreciated, ty
You can do everything right and not get hired because they just had a better "feeling" about someone else. Job hunting sucks. Rejection is the norm.
3,580
CSCareerQuestions
uoalnf
I've been applying to a lot of IT related jobs. Wasn't getting any interviews so I found a reddit post where this guy started using a cover letter. Right after I used a cover letter, I got an interview for a state Drupal Web Developer position. I did the interview on Monday. It was my first virtual interview and they asked what was my fav project, what feature of a project you worked on was your hardest, etc. I felt like it went well, and I was a bit nervous tbh. Anyways, I thought it went well and they said they'll send me a coding challenge on TestDome. It was 1.3 hours long and 4 questions. The first question was a simple "replaceAtag" where you replaced a href's link using JS's replace. The 2nd was simply adding a table with the DOM with the same amount of rows and cells of the last. The 3rd was a CSS one where you had to change the first element of a LI tag to the color red, and some other things. 4th one was to extract a "privacy number" like "231-24-5712" in PHP, and replace it with "231/24/5712" (hyphens could be used anywhere in a text). I completed the TestDome exam and today got a not selected email. I'm not sure what they want? Is there something I'm doing wrong, I felt so good throughout the process. Maybe too nervous during the interview? Any advice is appreciated, ty
Don’t feel down. When I was searching for my first job I nailed multiple technical interviews and coding assignments and felt great! Then the rejection came and I was always super bummed out. Just keep sticking with it, it will come soon!
470
CSCareerQuestions
uoalnf
I've been applying to a lot of IT related jobs. Wasn't getting any interviews so I found a reddit post where this guy started using a cover letter. Right after I used a cover letter, I got an interview for a state Drupal Web Developer position. I did the interview on Monday. It was my first virtual interview and they asked what was my fav project, what feature of a project you worked on was your hardest, etc. I felt like it went well, and I was a bit nervous tbh. Anyways, I thought it went well and they said they'll send me a coding challenge on TestDome. It was 1.3 hours long and 4 questions. The first question was a simple "replaceAtag" where you replaced a href's link using JS's replace. The 2nd was simply adding a table with the DOM with the same amount of rows and cells of the last. The 3rd was a CSS one where you had to change the first element of a LI tag to the color red, and some other things. 4th one was to extract a "privacy number" like "231-24-5712" in PHP, and replace it with "231/24/5712" (hyphens could be used anywhere in a text). I completed the TestDome exam and today got a not selected email. I'm not sure what they want? Is there something I'm doing wrong, I felt so good throughout the process. Maybe too nervous during the interview? Any advice is appreciated, ty
Had a similar experience where I did really well on the coding exam (Medium difficulty python questions) and answered everything correctly in the technical interview (Python questions) and didn't get the job. The worst part was the interviewer exchanged numbers with me which I thought was a good sign. After getting rejected I reached out to him for some advice on how I can improve myself but he ghosted me.
230
CSCareerQuestions
uoaspm
Why do so many old people seem to LOVE and embrace today's trashy state of News Media? Why aren't they nostalgic for the classier good old days of Walter Cronkite?
I speak for all old people and don't agree with your premise at all.
1,080
AskOldPeople
uoaspm
Why do so many old people seem to LOVE and embrace today's trashy state of News Media? Why aren't they nostalgic for the classier good old days of Walter Cronkite?
Not sure I'd classify myself as "old" at 54, but I was just saying the same thing to someone the other day. Remember when the news actually, you know, reported the news? None of this virtue signalling, who-can-stir-the-pot the most crap. What's frightening is watching clips of the TV "media" in Russia about the war in Ukraine. You know what they look and sound like? US media outlets. It's downright scary how similar their type of delivery is - report only on what the "message" is. Not reality. They're not reporting to *educate* people. It's delivering a message to *manipulate* people. I miss American media from 30 years ago. Small town newspapers, fewer conglomerates, actual beat reporters, no screaming talk-radio hosts, no Right or Left wing owned and controlled media and agendas. I know I'm looking through rose-colored glasses as there was always some partisanship, but now the "media" is in a full-on divisive war with American minds and hearts. Who is controlling the stories, the headlines? I fear it's more than just for $$$. It's for power. It's heading toward fascism here and it feels like a million ton train - you can't stop it.
1,030
AskOldPeople
uoaspm
Why do so many old people seem to LOVE and embrace today's trashy state of News Media? Why aren't they nostalgic for the classier good old days of Walter Cronkite?
The excitement that comes with all the drama of 24 hour a day breaking news. My 84 year old mother has the tv on all day, news and baseball. It makes her happy to see shitty things happen to other people, and she can gloat right along with the current batch of anchors.
1,030
AskOldPeople
uoazxh
My Planet Fitness app has a QR code page within the app. The problem is, the app is extremely slow, so I'd rather just have the QR code saved somewhere where I can easily access it. I'm not sure how to do this. Some ideas on approaches. 1. Add a shortcut to either the Google Photo or the file in Drive. I haven't found a way to do this yet. 2. I added the Planet Fitness card to Google wallet. However, non-payment cards take a lot of steps to access. Unlock phone, swipe down, swipe down again, tap GPay, tap Show all, tap Planet Fitness. 3. Use a third party photo widget that shows only 1 photo. There doesn't seem to be a lot of highly rated third party photo widgets out there. Any other ideas, or ideas that build upon the approaches I listed? I can save image as my wallpaper, but I'd prefer not to do that. I have Pixel 5a running Android 12.
After screenshot, share it to Google Keep, pin it to the top of keep, and use the keep widget. So unlock phone swipe to keep widget tap screenshot to make it full screen.
30
AndroidQuestions
uoazxh
My Planet Fitness app has a QR code page within the app. The problem is, the app is extremely slow, so I'd rather just have the QR code saved somewhere where I can easily access it. I'm not sure how to do this. Some ideas on approaches. 1. Add a shortcut to either the Google Photo or the file in Drive. I haven't found a way to do this yet. 2. I added the Planet Fitness card to Google wallet. However, non-payment cards take a lot of steps to access. Unlock phone, swipe down, swipe down again, tap GPay, tap Show all, tap Planet Fitness. 3. Use a third party photo widget that shows only 1 photo. There doesn't seem to be a lot of highly rated third party photo widgets out there. Any other ideas, or ideas that build upon the approaches I listed? I can save image as my wallpaper, but I'd prefer not to do that. I have Pixel 5a running Android 12.
Screenshot. That's how I pay for my Dunkin coffee. Don't even bother using the app at all.
30
AndroidQuestions
uoazxh
My Planet Fitness app has a QR code page within the app. The problem is, the app is extremely slow, so I'd rather just have the QR code saved somewhere where I can easily access it. I'm not sure how to do this. Some ideas on approaches. 1. Add a shortcut to either the Google Photo or the file in Drive. I haven't found a way to do this yet. 2. I added the Planet Fitness card to Google wallet. However, non-payment cards take a lot of steps to access. Unlock phone, swipe down, swipe down again, tap GPay, tap Show all, tap Planet Fitness. 3. Use a third party photo widget that shows only 1 photo. There doesn't seem to be a lot of highly rated third party photo widgets out there. Any other ideas, or ideas that build upon the approaches I listed? I can save image as my wallpaper, but I'd prefer not to do that. I have Pixel 5a running Android 12.
Just take a screenshot of it
30
AndroidQuestions
uob0wr
These are NOT recommended, might I add? But my parents always fell back on: ​ Hot toddy (with whiskey) for a cold -- at any age, I remember having them when I was 8. Whisky on gums for teething Beer is the thing to settle an upset stomach (for my parents, anyway--they didn't try this on me til I was an adult). Any spirit dabbed onto a cut/scrape when rubbing alcohol wasn't available. ​ Did you or your parents have any others? and are there any you still use? ​ Yes, here, for hot toddys. They work! (adults only)
My grandmother used Anisette on mine and my brother's gums when we were teething. When mom found out, she hit the roof. But apparently, we liked it better than Orajel so eventually dad convinced mom to give it a try. I guess mom was terrified we'd grow up to be alcoholics. Every year on my grandmother's birthday, I drink a little shot of Anisette in her memory.
50
AskOldPeople
uob0wr
These are NOT recommended, might I add? But my parents always fell back on: ​ Hot toddy (with whiskey) for a cold -- at any age, I remember having them when I was 8. Whisky on gums for teething Beer is the thing to settle an upset stomach (for my parents, anyway--they didn't try this on me til I was an adult). Any spirit dabbed onto a cut/scrape when rubbing alcohol wasn't available. ​ Did you or your parents have any others? and are there any you still use? ​ Yes, here, for hot toddys. They work! (adults only)
Everclear will cure what ails you. It's also great for sterilizing wounds.
30
AskOldPeople
uobdav
I’m just really curious, and I didn’t know where to ask it. What are the ads like?
Depends on what you're watching and if the ads you're getting are targeted ads (usually only seen on streaming services or the Internet). The most basic ads are for clothing / clothing stores, fast food, movies / TV show trailers, travel (usually domestic travel for other states), cars, etc.
110
AskAnAmerican
uobdav
I’m just really curious, and I didn’t know where to ask it. What are the ads like?
[Here's my favorite pharmaceutical commercial that aired constantly on TV a few years ago...pay attention to the side effects! You don't want to miss any!](https://www.youtube.com/watch?v=7VEZBVT_a3M) ​ [But this is probably one of the most iconic TV commercials](https://www.youtube.com/watch?v=FbQt8pYUY6Q) for anyone who used to watch a lot of basic cable back in the 00s and early 2010s
60
AskAnAmerican
uobdav
I’m just really curious, and I didn’t know where to ask it. What are the ads like?
I think my phone knows I’m Latino bc out of nowhere every now and then I’ll get ads in Spanish
40
AskAnAmerican
uoboel
Like the title suggests, I want to play a mp3 file through my audio input so the other side can hear the audio, not my microphone. Does that make sense? ​ This is going to be used in a twilio application where a caller can press a button and it switches their audio source from microphone to a audio file so they can leave automated voice mails. ​ Is this possible?
I only needed this once and used a software called "virtual audio cable" for it.
30
AskProgramming
uobqh0
I keep reading on Reddit that guys prefer ZERO makeup and they know what natural makeup is and still don't prefer it. If that's true, why do I get so much more male attention when I wear makeup?
Men don't have a lot of experience with makeup. We see it or we don't. There's no grey area. It's kinda like fake boobs, or lip injections. We don't like them because they look bad when we notice them. If any of the above is done well, then we assume it's not been done
106,940
NoStupidQuestions
uobqh0
I keep reading on Reddit that guys prefer ZERO makeup and they know what natural makeup is and still don't prefer it. If that's true, why do I get so much more male attention when I wear makeup?
In high school, I had a guy tell me that he liked how I was naturally beautiful and also that he liked that I didn’t need makeup. While I was wearing a full face done in makeup. Black eye liner, heavy mascara, foundation, bronzer. I can only think that maybe because my lips were more of a nude colour, he thought that makeup means red lipstick or something.
73,580
NoStupidQuestions
uobqh0
I keep reading on Reddit that guys prefer ZERO makeup and they know what natural makeup is and still don't prefer it. If that's true, why do I get so much more male attention when I wear makeup?
Men on Reddit are not a good sample. Even if that was the case and the survey says most men prefer no makeup, there's still the issue that your locality differs in opinion.
69,540
NoStupidQuestions
uoc14v
Hi programmers of reddit. I was wondering how common on-call duty is across companies. I have been speaking to a number of engineers across different companies and sizes. It seems like a reasonable setup but not everyone does it. The people who have to be on-call also hate it. Why? What is your on-call process if you have one? How do you feel about it?Very curious to hear about your on-call experiences! Also curious if you use any software to help with on-call? Seems standard practices exist but it's still such a pain for engineers.
I think it's common in some areas (like developers of a web API or online service). > The people who have to be on-call also hate it. Why? Completely kills your ability to relax, limits plans you can make, etc.
270
AskProgramming
uoc14v
Hi programmers of reddit. I was wondering how common on-call duty is across companies. I have been speaking to a number of engineers across different companies and sizes. It seems like a reasonable setup but not everyone does it. The people who have to be on-call also hate it. Why? What is your on-call process if you have one? How do you feel about it?Very curious to hear about your on-call experiences! Also curious if you use any software to help with on-call? Seems standard practices exist but it's still such a pain for engineers.
There's a time and a place. It's something that in my 35 year career has been VERY often abused. They've got to give you some kind of concession for the availability.
120
AskProgramming
uoc14v
Hi programmers of reddit. I was wondering how common on-call duty is across companies. I have been speaking to a number of engineers across different companies and sizes. It seems like a reasonable setup but not everyone does it. The people who have to be on-call also hate it. Why? What is your on-call process if you have one? How do you feel about it?Very curious to hear about your on-call experiences! Also curious if you use any software to help with on-call? Seems standard practices exist but it's still such a pain for engineers.
I've worked as a consultant on a few projects where I was "on call"... Basically it was a worst case scenario when s*** hit the fan, just in case... For example when a big hit prod that directly impacted users upon deployment. I was always payed for time on call (hourly) and literally only did anything after hours once. While on salary gigs, it's basically been a, "so you were in call 8 hours this week, so take Friday off" kind of thing. This is strictly anecdotal, but every place I've been has been respectful of the give and take, if that makes sense.
60
AskProgramming
uoc2t3
To my understanding the if-let is only useful when you want to match only one thing and do something with it while ignoring everything else. The pattern is much harder to read first of all and the main argument for it is that it is less boilerplate but from what I can see we are just adding one extra line if we go with the normal match expressions. So I feel like for saving one line we are going with this bit of a weird syntax. I am sure with more experience the syntax will not feel weird but again the benefits seem very less here. The normal approach works just fine and is much more readable. Example - fn main() { let dice = 3; match dice { 3 => println!("Hello"), _ => (), } if let 3 = dice { println!("hello") } }
You are correct that if-let is for matching a single pattern but there is more to it. Firstly, I will admit that the syntax is weird in your example. The `if let 3 = dice` doesn't read very well but this is not what if-let was designed for. Your example should use `if dice == 3` so there is no reason for the if-let. Instead you would typically have something like `if let Some(foo) = bar` or `if let Ok(foo) = bar` which reads much better. Secondly, it may be one extra line in your example but if we try to do more things when a pattern is matched then we end up with three extra lines and code that is indented another level. Additionally the `_ => ()` is just visual noise. For example, compare this: match bar { Some(foo) => { println!("one {}", foo); println!("two {}", foo); }, _ => (), } To this: if let Some(foo) = bar { println!("one {}", foo); println!("two {}", foo); } So really what you choose depends on what you are doing but in this scenario the second option is much cleaner.
360
LearnRust
uoc2t3
To my understanding the if-let is only useful when you want to match only one thing and do something with it while ignoring everything else. The pattern is much harder to read first of all and the main argument for it is that it is less boilerplate but from what I can see we are just adding one extra line if we go with the normal match expressions. So I feel like for saving one line we are going with this bit of a weird syntax. I am sure with more experience the syntax will not feel weird but again the benefits seem very less here. The normal approach works just fine and is much more readable. Example - fn main() { let dice = 3; match dice { 3 => println!("Hello"), _ => (), } if let 3 = dice { println!("hello") } }
Let if may be very nice with RAII object like a lock; instead of 3 you have the lock acquire, and if successful it will be automatically released at the end of the if.
50
LearnRust
uoc2t3
To my understanding the if-let is only useful when you want to match only one thing and do something with it while ignoring everything else. The pattern is much harder to read first of all and the main argument for it is that it is less boilerplate but from what I can see we are just adding one extra line if we go with the normal match expressions. So I feel like for saving one line we are going with this bit of a weird syntax. I am sure with more experience the syntax will not feel weird but again the benefits seem very less here. The normal approach works just fine and is much more readable. Example - fn main() { let dice = 3; match dice { 3 => println!("Hello"), _ => (), } if let 3 = dice { println!("hello") } }
As you said, it's less boilerplate, and most of the time I think it reads nicer, especially when destructuring something. `if let Some(n) = m {}` reads to me as "if this thing contains something, do that".
40
LearnRust
uocb0v
Original post: https://www.reddit.com/r/cscareerquestions/comments/u9hl3q/plan_for_an_older_software_engineer_with_a_long/ I just accepted a position as a mid level software engineer! Thank you Reddit for all your advice. I thought the whole process would have taken at least 6 months, but it only took a little over a month. I applied to maybe 100+ positions, got around 10-15 interviews, received 3 offers and accepted an offer I could not refuse. The pay is high, position is fully remote, and the engineering culture, on paper, seemed to fit me. For those interested, here are some things I did during this month. I coded everyday in Java. I was rusty and had to get used to new features like streams, lambda functions, annotations and diamond operators. The last time I worked, we were using java 4 or 5. I did leetcode enough so I could do most of the beginner problems. I still cannot solve an intermediate problem. I was able to pass the coding interviews given and all were beginner level. Built a todo list webapp and microservice using plain servlets, jdbc, and jsp. I initially tried using spring boot, but there was too much magic going on. After I built my barebones app, I ported it over to spring boot with thymeleaf and hibernate. I finished the mooc.fi java 1 and 2 course. Highly recommended. I worked on the gilded rose and tennis refactoring problems on Emily Bache’s github. This helped me really understand and articulate the 4 pillars of OO, the SOLID principles, and some design patterns. I applied to all the full stack/backend entry level and mid level jobs on indeed. I didn’t have time to optimize my LinkedIn, so I had no one contacting me on there. Practiced interviewed questions and took notes on where I needed to improve during real life interviews. Things I wanted to do but didn’t have time for: Optimize my resume Optimize my linkedin Relearn react to build a responsive todo list front end I hope this helps someone!
Clearly muscle memory kicked in...
160
CSCareerQuestions
uocb0v
Original post: https://www.reddit.com/r/cscareerquestions/comments/u9hl3q/plan_for_an_older_software_engineer_with_a_long/ I just accepted a position as a mid level software engineer! Thank you Reddit for all your advice. I thought the whole process would have taken at least 6 months, but it only took a little over a month. I applied to maybe 100+ positions, got around 10-15 interviews, received 3 offers and accepted an offer I could not refuse. The pay is high, position is fully remote, and the engineering culture, on paper, seemed to fit me. For those interested, here are some things I did during this month. I coded everyday in Java. I was rusty and had to get used to new features like streams, lambda functions, annotations and diamond operators. The last time I worked, we were using java 4 or 5. I did leetcode enough so I could do most of the beginner problems. I still cannot solve an intermediate problem. I was able to pass the coding interviews given and all were beginner level. Built a todo list webapp and microservice using plain servlets, jdbc, and jsp. I initially tried using spring boot, but there was too much magic going on. After I built my barebones app, I ported it over to spring boot with thymeleaf and hibernate. I finished the mooc.fi java 1 and 2 course. Highly recommended. I worked on the gilded rose and tennis refactoring problems on Emily Bache’s github. This helped me really understand and articulate the 4 pillars of OO, the SOLID principles, and some design patterns. I applied to all the full stack/backend entry level and mid level jobs on indeed. I didn’t have time to optimize my LinkedIn, so I had no one contacting me on there. Practiced interviewed questions and took notes on where I needed to improve during real life interviews. Things I wanted to do but didn’t have time for: Optimize my resume Optimize my linkedin Relearn react to build a responsive todo list front end I hope this helps someone!
How long did it take you to do all of this?
110
CSCareerQuestions
uocb0v
Original post: https://www.reddit.com/r/cscareerquestions/comments/u9hl3q/plan_for_an_older_software_engineer_with_a_long/ I just accepted a position as a mid level software engineer! Thank you Reddit for all your advice. I thought the whole process would have taken at least 6 months, but it only took a little over a month. I applied to maybe 100+ positions, got around 10-15 interviews, received 3 offers and accepted an offer I could not refuse. The pay is high, position is fully remote, and the engineering culture, on paper, seemed to fit me. For those interested, here are some things I did during this month. I coded everyday in Java. I was rusty and had to get used to new features like streams, lambda functions, annotations and diamond operators. The last time I worked, we were using java 4 or 5. I did leetcode enough so I could do most of the beginner problems. I still cannot solve an intermediate problem. I was able to pass the coding interviews given and all were beginner level. Built a todo list webapp and microservice using plain servlets, jdbc, and jsp. I initially tried using spring boot, but there was too much magic going on. After I built my barebones app, I ported it over to spring boot with thymeleaf and hibernate. I finished the mooc.fi java 1 and 2 course. Highly recommended. I worked on the gilded rose and tennis refactoring problems on Emily Bache’s github. This helped me really understand and articulate the 4 pillars of OO, the SOLID principles, and some design patterns. I applied to all the full stack/backend entry level and mid level jobs on indeed. I didn’t have time to optimize my LinkedIn, so I had no one contacting me on there. Practiced interviewed questions and took notes on where I needed to improve during real life interviews. Things I wanted to do but didn’t have time for: Optimize my resume Optimize my linkedin Relearn react to build a responsive todo list front end I hope this helps someone!
> I worked on the gilded rose and tennis refactoring problems on Emily Bache’s github. This helped me really understand and articulate the 4 pillars of OO, the SOLID principles, and some design patterns. First I’m hearing about this GitHub - this looks really neat.
100
CSCareerQuestions
uocb5c
Should I be entirely upfront from the beginning in interviews and say I was fired, even if they don't ask, or should I lie by omission? Even if I get through the interviews without revealing it, eventually if they were to offer a job, they would ask for references, at which point I would have to say I don't have one. It's a dilemma because if I say at the beginning, they won't even give me a chance. If I say it at the end, they will get the impression that I am a liar. I was fired just due to not being able to keep up with tasks and deadlines. Can someone guide me on what to do?
Just say they ran out of funding for my position and had to restructure
1,690
CSCareerQuestions
uocb5c
Should I be entirely upfront from the beginning in interviews and say I was fired, even if they don't ask, or should I lie by omission? Even if I get through the interviews without revealing it, eventually if they were to offer a job, they would ask for references, at which point I would have to say I don't have one. It's a dilemma because if I say at the beginning, they won't even give me a chance. If I say it at the end, they will get the impression that I am a liar. I was fired just due to not being able to keep up with tasks and deadlines. Can someone guide me on what to do?
Be honest but vague and hope for the best.
830
CSCareerQuestions
uocb5c
Should I be entirely upfront from the beginning in interviews and say I was fired, even if they don't ask, or should I lie by omission? Even if I get through the interviews without revealing it, eventually if they were to offer a job, they would ask for references, at which point I would have to say I don't have one. It's a dilemma because if I say at the beginning, they won't even give me a chance. If I say it at the end, they will get the impression that I am a liar. I was fired just due to not being able to keep up with tasks and deadlines. Can someone guide me on what to do?
Companies almost never ask for references. Background checks almost never reveal why employment status changed. Just say it wasn’t a good fit or other vague bullshit.
610
CSCareerQuestions
uocctn
The phone just arrived, it won't boot up. I tried charging it, nothing shows on the screen. After 20 mintues, holding the power button doesn't do anything. Holding power and volume down causes it to vibrate once, nothing on the screen. Did I get a dud? Any possible fixes?
Try letting it charge overnight. If it still won't come up, you've been had.
80
AndroidQuestions
uocdej
How is it possible radio waves can potentially reach other planets years from now but I lose signal to my local radio station after driving 50 or so miles away from it?
Signal power and a difference in decoding objectives. All point-to-point communications are governed by the [signal-to-noise ratio](https://en.wikipedia.org/wiki/Signal-to-noise_ratio) at the decoder. EM waves follow the [inverse-square law](https://en.wikipedia.org/wiki/Inverse-square_law) in terms of signal power. For an intuitive understanding, consider omnidirectional transmission. The further the wave travels, the larger the radius of the sphere, and consequently the larger the area the signal power is divided over. The initial signal power is determined by a number of factors as well, such as number of antenna, size of antenna, power fed to the antenna and so on. For a single antenna, the most common approximation used for the relationship between input and output power is [Frii's transmission equation](https://en.wikipedia.org/wiki/Friis_transmission_equation). This brings us to [noise](https://en.wikipedia.org/wiki/Noise_(signal_processing\)). This is what replaces the signal as you drive away. Noise is just a random signal that is ever-present in communications. One textbook, *Communication Systems* by Carlson, Crilly, and Rutledge, describes this noise as being due to the necessary random motion of particles at temperatures above absolute zero. This statement could be a post hoc rationalization though; it is not generally taught how to quantitatively predict the noise power for a given environment, only how to empirically calculate it. Regardless, the noise power will eventually eclipse the signal power as the signal power weakens. In AM/FM radio stations this presents as an increase in static. This takes us to the (slight) mismatch in operational criteria. With the AM/FM radio station, you consider the system operational when you can discern the signal. This does not mean the signal can not be *detected* though or that the signal is not reaching you. Simply that its fidelity has fallen to the point where it should be treated with contempt and disgust. On the other hand, with signals reaching different planets, the general concern is more about detecting the signals than perfectly reconstructing them. This may sound like a small difference but consider the following results for the transmission of secret information over a wiretap channel. When the security of the information is measured by the wiretapper's inability to *decode* the information, [the maximum amount of information that can be transmitted reliably is a linear function of the symbols sent (theorem 1, PDF)](https://ee.stanford.edu/~hellman/publications/29.pdf). On the other hand, when measured by the wiretapper's inability to *detect* the signal, [the maximum amount of information that can be transmitted reliably is sublinear function (square root) of the symbols sent (theorem 1.2, PDF)](https://arxiv.org/pdf/1202.6423.pdf).
260
AskScience
uocdej
How is it possible radio waves can potentially reach other planets years from now but I lose signal to my local radio station after driving 50 or so miles away from it?
There are a number of differences: You: 1. Obstructions, including the earth, in the way of distant signals 2. Tiny antenna, possibly embedded in the frame of your car or windshield 3. You care about the audio derived from the signal, which means receiving both the carrier wave and its more subtle modulations with sufficiently high fidelity Aliens: 1. Essentially direct line of sight to half of the planet at a given time 2. Potentially a huge antenna or an antenna array listening 3. The presence of a carrier wave is probably sufficient to make a claim of some extraterrestrial discovery, and that's easier to pick out of the noise than a more complex information encoding scheme layered on top of that
80
AskScience
uocdej
How is it possible radio waves can potentially reach other planets years from now but I lose signal to my local radio station after driving 50 or so miles away from it?
You lost the signal because your antenna is too small, the radio waves are still there.
30
AskScience
uockmn
I see so many posts here about FAANG and TC, salary, stock options, where you should be at what point in your career, what program will get you there, how much leetcode to grind for interviews etc., but I don't see a lot about purpose and motivation beyond compensation. Is anyone here working on something they really believe in, that is making the world better: non-profit, medicine, education maybe? And not just the general tech-optimist TED-style speech about how all of this is making the world more connected, how crypto will end tyranny, blah blah blah. I see so many folks trying so hard to get in at the FAANG companies and personally, I wouldn't work for three of them, simply on ethical grounds. Nothing against you if you do, but that isn't for me. Anyway, I'd love to hear anyone's advice or story about a more purpose-driven career path. What jobs have you had, or are you striving for, where you can make a difference where you feel it is needed?
You have to understand that the vast majority of people on this sub are young kids who are still in college, and have yet to actually join the work-force. That's why there is so much FAANG worship. You get over that real quick once you enter the work-force and realize there's a lot more to having a good career than aiming for FAANG. Better yet, you see that the most when you actually DO join a FAANG and realize it's nothing special.
490
CSCareerQuestions
uockmn
I see so many posts here about FAANG and TC, salary, stock options, where you should be at what point in your career, what program will get you there, how much leetcode to grind for interviews etc., but I don't see a lot about purpose and motivation beyond compensation. Is anyone here working on something they really believe in, that is making the world better: non-profit, medicine, education maybe? And not just the general tech-optimist TED-style speech about how all of this is making the world more connected, how crypto will end tyranny, blah blah blah. I see so many folks trying so hard to get in at the FAANG companies and personally, I wouldn't work for three of them, simply on ethical grounds. Nothing against you if you do, but that isn't for me. Anyway, I'd love to hear anyone's advice or story about a more purpose-driven career path. What jobs have you had, or are you striving for, where you can make a difference where you feel it is needed?
The worst job I had was one that I joined "for the greater good", a biotech startup doing DNA sequencing to help physicians find early indicators of serious diseases. I took a pay cut to join and left after 4 months. Disorganized mess and toxic work environment. Obviously not all companies trying to do good things are like that, just don't get tunnel vision like I did. After all it's still just a job.
360
CSCareerQuestions
uockmn
I see so many posts here about FAANG and TC, salary, stock options, where you should be at what point in your career, what program will get you there, how much leetcode to grind for interviews etc., but I don't see a lot about purpose and motivation beyond compensation. Is anyone here working on something they really believe in, that is making the world better: non-profit, medicine, education maybe? And not just the general tech-optimist TED-style speech about how all of this is making the world more connected, how crypto will end tyranny, blah blah blah. I see so many folks trying so hard to get in at the FAANG companies and personally, I wouldn't work for three of them, simply on ethical grounds. Nothing against you if you do, but that isn't for me. Anyway, I'd love to hear anyone's advice or story about a more purpose-driven career path. What jobs have you had, or are you striving for, where you can make a difference where you feel it is needed?
I thought I was part of the "work to live" crowd, but after only 1.5 years at my current company working on shit nobody on our team cares about, and that'll obviously crash and burn some years down the line, I realized I really wasn't. I respect the people who can grind it out for the comp. But to me work consumes over half of your day, and if you don't enjoy what you make or the people you're working with then that is fucking misery.
180
CSCareerQuestions
uocoi1
I’ve never been there, so as I’m watching this show I’m curious how accurate the setting is.
I think you'll find that most lakes, anywhere, are like this. The houses *on* the lake are nice, those people are rich, but the houses across the street? Not so much. After all, they aren't lake front, they don't have a dock. Even more so for touristy areas.
420
AskAnAmerican
uocoi1
I’ve never been there, so as I’m watching this show I’m curious how accurate the setting is.
Other parts of the Ozarks might be, but the Lake of the Ozarks is pretty touristy and has a lot of rich people vacation homes and boats.
270
AskAnAmerican
uocoi1
I’ve never been there, so as I’m watching this show I’m curious how accurate the setting is.
I’m from a couple hours north of the Ozarks (still in the same state) and honestly the whole state is trashy AF overall. Lake of the Ozarks is like the poor man’s Florida or Cabo. Not a spring break destination for the rich and famous, but is good fun for the not-rich and unfamous. I have family in the Ozarks and they are the white-trashiest part of our family tree. Of course there are still nice parts and places, but overall Missouri is great at being trashy Stay out of Missouri. (But I’ll still get sad when other people talk shit about it because it’s home). Edited for errors
100
AskAnAmerican
uod3bq
Do you guys warn drivers about cops by blinking brights?
no, but I mark them down on Google maps :)
6,300
AskAnAmerican
uod3bq
Do you guys warn drivers about cops by blinking brights?
Cops or anything that would make driving conditions unsafe like seeing wildlife on the side of the road or a breakdown.
3,540
AskAnAmerican
uod3bq
Do you guys warn drivers about cops by blinking brights?
Usually I blink brights at someone who has their brights on when they shouldn’t. There are so few speed traps near me that I don’t think I’ve ever warned people about them. Even then they are usually marked it in Waze before I even get to them.
2,530
AskAnAmerican
uod4o0
Hi everyone! First up, I want to say thank you to all the amazing people in this forum: without some of the guides and advice on here, I wouldn't have been able to transition into a Help Desk position as I have. Now that I'm at this company, I have an incredible $3000 PD budget available to me. My goal is to become a system administrator and eventually explore a career in Cloud Engineering or DevOps. I couldn't seem to find anything like a reputable Bootcamp that you might see for careers in software engineering. I'd love to take something like a class or a bootcamp because i've found it's much tougher to self-study for certs than it is to learn in a class environment. Does anyone have any advice or experience with similar bootcamps or opportunities for study? Would love any insight! Thanks very much.
**Microsoft Learn.** Use a few hundred for two or three good certs. **AWS**, two or three hundred there too. Bootcamps are bad idea in general. [https://www.cybrary.it/](https://www.cybrary.it/) Try for $50, if like then up to $300 for a year subscription. Thoughts?
30
ITCareerQuestions
uod4p0
I have been in the military for 7 years working as a welder/machinist. I have always been interested in starting something in the IT field but had a few bumps in the road of life. I'm now in a position in my life and career where my family and I are financially stable and I will be moving back to the mid west soon. I have been into contact with a cyber security friend of mine for years and he just got out and got a very nice well payed job (110k) and explained to me these were the things he would do if he had to start over. 1.Enroll for a IT degree plan with WGU 2. CompTIA A+ and CompTIA Network+ and CompTIA Sec + 3. Now I'm able to focus on a specific area like Cybersecurity, Software engineering, Data Analytics, server admin., etc. I still have about 6-7 months before I get out so starting before I get out is ideal. I'm curious to see if anybody has any suggestions on what path I should take or any addition information that would help. Also, I know I will not be able to get that type of money for a long time. I just want to feel confident on how I approach this career change. Thanks!
Start school before you get out. Use as much TA before you use the gi bill. Know that you can file for unemployment while going to school on the gi bill. Talk to your schools counselor about that. Have a good resume. Military eval style writing ain't it. If you have to, pay someone to write you one. Know that the rent checks you get from the gi bill is based on the zip code of your school. It may be more financially wise to pay out of pocket for wgu and save the gi bill for traditional school. I advise to go to a traditional school first if the school has a good IT program. One in my area did. Don't expect to learn alot from wgu, it's mostly there to quickly get a degree and certs. There's no real hands on. I transitioned after 10 years, if my dumbass can do it, you can too. I had one 3 month IT job getting 21 an hour then jumped to 70k after I got my ccna. You got this.
50
ITCareerQuestions
uod4p0
I have been in the military for 7 years working as a welder/machinist. I have always been interested in starting something in the IT field but had a few bumps in the road of life. I'm now in a position in my life and career where my family and I are financially stable and I will be moving back to the mid west soon. I have been into contact with a cyber security friend of mine for years and he just got out and got a very nice well payed job (110k) and explained to me these were the things he would do if he had to start over. 1.Enroll for a IT degree plan with WGU 2. CompTIA A+ and CompTIA Network+ and CompTIA Sec + 3. Now I'm able to focus on a specific area like Cybersecurity, Software engineering, Data Analytics, server admin., etc. I still have about 6-7 months before I get out so starting before I get out is ideal. I'm curious to see if anybody has any suggestions on what path I should take or any addition information that would help. Also, I know I will not be able to get that type of money for a long time. I just want to feel confident on how I approach this career change. Thanks!
I cannot stress this enough: Take TAPS IMMEDIATELY. Along with that, look so see if you are still eligible for DoD Skill bridge. Do this ASAP.
30
ITCareerQuestions
uod4p0
I have been in the military for 7 years working as a welder/machinist. I have always been interested in starting something in the IT field but had a few bumps in the road of life. I'm now in a position in my life and career where my family and I are financially stable and I will be moving back to the mid west soon. I have been into contact with a cyber security friend of mine for years and he just got out and got a very nice well payed job (110k) and explained to me these were the things he would do if he had to start over. 1.Enroll for a IT degree plan with WGU 2. CompTIA A+ and CompTIA Network+ and CompTIA Sec + 3. Now I'm able to focus on a specific area like Cybersecurity, Software engineering, Data Analytics, server admin., etc. I still have about 6-7 months before I get out so starting before I get out is ideal. I'm curious to see if anybody has any suggestions on what path I should take or any addition information that would help. Also, I know I will not be able to get that type of money for a long time. I just want to feel confident on how I approach this career change. Thanks!
If you want to gain as much knowledge as possible through a bootcamp, look into the VA's Vet Tech program. It's similar to the GI Bill, with monthly BAH pay outs. There's also universities that offer IT internships while you are a student. Start studying some of the modules in https://fedvte.usalearning.gov/. This can give you a solid start on InfoSec topics and knowledge. I would recommend to start studying Security+. If you ever want a government IT job, you'll need it. If you don't want to take classes before you get out,, buy a training module from https://www.udemy.com/. They always have a sale on their training videos. Get one for Sec+ and learn it. Try and get your CompTIA A+ and Sec+ before getting out. This will definitely help you get an entry level IT job you can work while doing WGU.
30
ITCareerQuestions
uodeot
I'm in my second year of Helpdesk/Support in my career. Just curious, how long do employees stay at a company before moving on in IT?
In IT i have found i can move my IT Career as fast as i can learn/grow. If you sit in your chair like a mushroom, you're not going anywhere. If you apply yourself to learn in your off-time (or even better, take a night shift when nothing is going on and learn while getting paid.) you can start moving pretty quick. I became a sys admin at 4 years, my boss is an IT Director at 6
150
ITCareerQuestions
uodeot
I'm in my second year of Helpdesk/Support in my career. Just curious, how long do employees stay at a company before moving on in IT?
At my first company, I stayed for almost 6 years, but I was still getting promotions every 6 months to 1.5 years. Since leaving, I've been job hopping about once a year, lots of good opportunities out there right now.
110
ITCareerQuestions
uodeot
I'm in my second year of Helpdesk/Support in my career. Just curious, how long do employees stay at a company before moving on in IT?
I stay 3-4 years and then evaluate whether I'm still enjoying the work and if the pay is up to where I want it to be.
60
ITCareerQuestions
uodjfh
Sorry if the title is poorly worded. Earth is absolutely massive in comparison to say, the asteroid that killed the dinosaurs. But that same asteroid still caused a worldwide extinction event. Why are some asteroids world ending despite being so small in comparison to Earth?
That one wasn't that small, it's guessed to have been about 12 km wide. That's the size of some small cities. It's not about the damage it does directly, rather, the soot and debris thrown up into the upper atmosphere that pretty much blocks out the sun. Look what one little volcano can do, now imagine the whole mountain slamming I to the ground at 30k miles epr hour.
100
AskScience
uodjfh
Sorry if the title is poorly worded. Earth is absolutely massive in comparison to say, the asteroid that killed the dinosaurs. But that same asteroid still caused a worldwide extinction event. Why are some asteroids world ending despite being so small in comparison to Earth?
Destroying the planet Earth and destroying the ecosystem of life on Earth are two radically different things. The former is a gigantic lump of rock and iron bound into a sphere by the force of its own gravity, requiring nothing from the outside universe to continue its own existence. The latter is a complex set of natural processes more-or-less at equilibrium with each other, which require a constant energy input and stable conditions to maintain stable operation. The biosphere is incredibly tiny and fragile compared to the planet at large, and exists at the thin, vulnerable boundary between thousands of miles of molten rock and the empty, endless vacuum of space. The planet itself was basically unharmed by the Chicxulub asteroid impact. It wasn't thrown out of its orbit, or knocked on its side, and it didn't gain or lose any significant fraction of its mass. The worst damage was a (relatively) small hole in the crust which has since filled in, with the debris being kicked up into the high atmosphere and raining down as meteors across the planet. To the Earth, the asteroid impact was a minor dent that has mostly buffed out.
80
AskScience
uodjfh
Sorry if the title is poorly worded. Earth is absolutely massive in comparison to say, the asteroid that killed the dinosaurs. But that same asteroid still caused a worldwide extinction event. Why are some asteroids world ending despite being so small in comparison to Earth?
Yes, the earth is massive. But most life relies upon the thin atmosphere that clings around the earth. Even a small asteroid hitting the earth at high speed can put so much dust into the atmosphere that even the plants struggle to see the sun, and die.
50
AskScience
uodlcd
[Assembly] Can someone explain why the instruction AL := AL * 5 stores the hexadecimal of 750 in the AH register instead of 1250?
It looks like a typo. It says *5 on the first line but *3 on the second. I bet the professor was in the middle of making a small change from last year and got interrupted. But even then it’s screwed up (for x86) because AL is only 8 bits. Max value is FF
90
AskComputerScience