qid
int64
1
74.7M
question
stringlengths
12
33.8k
date
stringlengths
10
10
metadata
list
response_j
stringlengths
0
115k
response_k
stringlengths
2
98.3k
2,877,916
I've always followed the logic: if assert fails, then there is a bug. Root cause could either be: * Assert itself is invalid (bug) * There is a programming error (bug) * (no other options) I.E. Are there any other conclusions one could come to? Are there cases where an assert would fail and there is no bug?
2010/05/20
[ "https://Stackoverflow.com/questions/2877916", "https://Stackoverflow.com", "https://Stackoverflow.com/users/126494/" ]
That's a good question. My feeling is, if the assert fails due to your code, then it is a bug. The assertion is an expected behaviour/result of your code, so an assertion failure will be a failure of your code.
If you are trying to be logically inclusive about all the possibilities, remember that electronic circuitry is known to be affected by radiation from space. If the right photon/particle hits in just the right place at just the right time, it can cause an otherwise logically impossible state transition. The probability is vanishingly small but still non-zero.
2,877,916
I've always followed the logic: if assert fails, then there is a bug. Root cause could either be: * Assert itself is invalid (bug) * There is a programming error (bug) * (no other options) I.E. Are there any other conclusions one could come to? Are there cases where an assert would fail and there is no bug?
2010/05/20
[ "https://Stackoverflow.com/questions/2877916", "https://Stackoverflow.com", "https://Stackoverflow.com/users/126494/" ]
If you are using assertions you're following [Bertrand Meyer's Design by Contract](http://en.wikipedia.org/wiki/Design_by_contract) philosophy. It's a programming error - the contract (assertion) you have specified is not being followed by the client (caller).
No. An assertion failure means something happened that the original programmer did not intend or expect to occur. This can indicate: * A bug in your code (you are simply calling the method incorrectly) * A bug in the Assertion (the original programmer has been too zealous and is complaining about you doing something that is quite reasonable and the method will actually handle perfectly well. * A bug in the called code (a design flaw). That is, the called code provides a contract that does not allow you to do what you need to do. The assertion warns you that you can't do things that way, but the solution is to extend the called method to handle your input. * A known but unimplemented feature. Imagine I implement a method that could process positive and negative integers, but I only need it (for now) to handle positive ones. I know that the "perfect" implementation would handle both, but until I actually *need* it to handle negatives, it is a waste of effort to implement support (and it would add code bloat and possibly slow down my application). So I have considered the case but I decide not to implement it until the need is proven. I therefore add an assert to mark this unimplemented code. When I later trigger the assert by passing a negative value in, I know that the additional functionality is now needed, so I must augment the implementation. Deferring writing the code until it is actually required thus saves me a lot of time (in most cases I never imeplement the additiona feature), but the assert makes sure that I don't get any bugs when I try to use the unimplemented feature.
2,877,916
I've always followed the logic: if assert fails, then there is a bug. Root cause could either be: * Assert itself is invalid (bug) * There is a programming error (bug) * (no other options) I.E. Are there any other conclusions one could come to? Are there cases where an assert would fail and there is no bug?
2010/05/20
[ "https://Stackoverflow.com/questions/2877916", "https://Stackoverflow.com", "https://Stackoverflow.com/users/126494/" ]
That's a good question. My feeling is, if the assert fails due to your code, then it is a bug. The assertion is an expected behaviour/result of your code, so an assertion failure will be a failure of your code.
If you are using assertions you're following [Bertrand Meyer's Design by Contract](http://en.wikipedia.org/wiki/Design_by_contract) philosophy. It's a programming error - the contract (assertion) you have specified is not being followed by the client (caller).
2,877,916
I've always followed the logic: if assert fails, then there is a bug. Root cause could either be: * Assert itself is invalid (bug) * There is a programming error (bug) * (no other options) I.E. Are there any other conclusions one could come to? Are there cases where an assert would fail and there is no bug?
2010/05/20
[ "https://Stackoverflow.com/questions/2877916", "https://Stackoverflow.com", "https://Stackoverflow.com/users/126494/" ]
That's a good question. My feeling is, if the assert fails due to your code, then it is a bug. The assertion is an expected behaviour/result of your code, so an assertion failure will be a failure of your code.
I can think of one case that wouldn't really class as a bug: An assert placed to check for something external that normally should be there. You're hunting something nutty that occurs on one machine and you want to know if a certain factor is responsible. A real world example (although from before the era of asserts): If a certain directory was hidden on a certain machine the program would barf. I never found any piece of code that should have cared if the directory was hidden. I had only very limited access to the offending machine (it had a bunch of accounting stuff on it) so I couldn't hunt it properly on the machine and I couldn't reproduce it elsewhere. Something that was done with that machine (the culprit was never identified) occasionally turned that directory hidden. I finally resorted to putting a test in the startup to see if the directory was hidden and stopping with an error if it was.
2,877,916
I've always followed the logic: if assert fails, then there is a bug. Root cause could either be: * Assert itself is invalid (bug) * There is a programming error (bug) * (no other options) I.E. Are there any other conclusions one could come to? Are there cases where an assert would fail and there is no bug?
2010/05/20
[ "https://Stackoverflow.com/questions/2877916", "https://Stackoverflow.com", "https://Stackoverflow.com/users/126494/" ]
If assert fails there is a bug in either the caller or callee. Why else would there be an assertion?
That's a good question. My feeling is, if the assert fails due to your code, then it is a bug. The assertion is an expected behaviour/result of your code, so an assertion failure will be a failure of your code.
2,877,916
I've always followed the logic: if assert fails, then there is a bug. Root cause could either be: * Assert itself is invalid (bug) * There is a programming error (bug) * (no other options) I.E. Are there any other conclusions one could come to? Are there cases where an assert would fail and there is no bug?
2010/05/20
[ "https://Stackoverflow.com/questions/2877916", "https://Stackoverflow.com", "https://Stackoverflow.com/users/126494/" ]
Yes, there is a bug in the code. *[Code Complete](https://rads.stackoverflow.com/amzn/click/com/0735619670)* > > Assertions check for conditions that > should never occur. [...] > > > If an > assertion is fired for an anomalous > condition, the corrective action is > not merely to handle an error > gracefully- the corrective action is > to change the program's source code, > recompile, and release a new version > of the software. > > > A good way to > think of assertions is as executable > documentation - you can't rely on them > to make the code work, but they can > document assumptions more actively > than program-language comments can. > > >
No. An assertion failure means something happened that the original programmer did not intend or expect to occur. This can indicate: * A bug in your code (you are simply calling the method incorrectly) * A bug in the Assertion (the original programmer has been too zealous and is complaining about you doing something that is quite reasonable and the method will actually handle perfectly well. * A bug in the called code (a design flaw). That is, the called code provides a contract that does not allow you to do what you need to do. The assertion warns you that you can't do things that way, but the solution is to extend the called method to handle your input. * A known but unimplemented feature. Imagine I implement a method that could process positive and negative integers, but I only need it (for now) to handle positive ones. I know that the "perfect" implementation would handle both, but until I actually *need* it to handle negatives, it is a waste of effort to implement support (and it would add code bloat and possibly slow down my application). So I have considered the case but I decide not to implement it until the need is proven. I therefore add an assert to mark this unimplemented code. When I later trigger the assert by passing a negative value in, I know that the additional functionality is now needed, so I must augment the implementation. Deferring writing the code until it is actually required thus saves me a lot of time (in most cases I never imeplement the additiona feature), but the assert makes sure that I don't get any bugs when I try to use the unimplemented feature.
172,667
I started work in a new company three months ago as a Jr PM and after a month of shadowing/training I got my first project assigned. I'm leading a team of six people. Overall everything is fine except with this one senior Architect, let's call him John, who is also 20 years older than me. The team is divided into three groups: two functional groups (1 architect and 1 analyst each) and one technical group (with 1 architect and 1 developer). Here is the situation that just happened: I have my weekly meeting with my manager and we'd been discussing some documentation that needed to be provided by the functional groups. One group delivered the documentation and the other didn't. This was requested by me three weeks ago and, I was to focus on one area of the project but failed to do a follow up on this specific task, so when my manager asked, I have to take the blame for not doing a proper follow up. (This was on me, and I acknowledge that). Then we had our daily meeting, I requested the documentation again to John, reminded him that it was requested 3 weeks ago, and I needed for today. He told me that he agreed to give it to the technical team on Monday, he and the tech team had a private conversation about it, but I was never informed of this, thus I was not able to provide this information to my manager. I told John that I was fine that the team communicate internally and I encourage team work, but I need to be in the loop for any decision in order to be able to keep track and make sure everything is according to the plan (delivering this documentation on Monday could cause a delay), and I ask him to provide, if possible the documentation today. This is where things went out of control. He started to talk, in front of the team, things like "Who do you think you are? I'm 20 years older than you, Why do you have this God-like attitude? If I said to Mark that I will send it on Monday, then he and you will have it on Monday. You are not a good PM, blah blah…". He keep going for like 5 minutes until the other functional architect told him to stop. Then we finished a very very bad, daily meeting. I told him at the end that we can talk in private or if he wanted, we can talk to my manager and get this issue resolved. I ended up with the feeling of a poorly managed meeting from my end. **TL;DR:** How to handle a conflictive team member who quickly escalates conversations on meetings and made side deals with other teams member without letting me, the PM, know? **How do I handle this team member? Should I escalate? Should I talk to him 1 on 1? What should I focus on in this conversation?** As I said before, I'm a junior PM but I have a strong technical and functional background in the tool we are working on. It's also worth mentioning that my manager warned me about John and his attitude when I was given the team. So, it is not a first time and he is known to be a conflicting person. Also, it is a cultural difference background, John is from a country that values age over experience and position and therefore he might have some negative reaction to having a PM 20 years younger than him.
2021/05/20
[ "https://workplace.stackexchange.com/questions/172667", "https://workplace.stackexchange.com", "https://workplace.stackexchange.com/users/46491/" ]
So as a PM I see you having three problems. 1. Modification to deliverable details without you being informed. Let them know what was decided is fine but the way it was decided negatively impacts you. Follow up with how you expect changes to deliverables to be processed in the future, confirm with the person receiving the documentation if there are any knock on effects from the delay, and drop it. If the behavior continues I would go with a formal training session on change management expectations and if it still continues proactively asking in regular meetings if any change management needs to be undertaken. 2. Pushing for early delivery of a deliverable is not good project management. If the other team agreed to Monday and confirm there are no knock on effects from it then it is safe to assume it would gather dust in their inbox until Monday. Getting the work to flow smoothly is more important than the fine details of the schedule. Pushing your team to meet meaningless deadlines is a waste of political capital. 3. Personal attack from the team member. I would get feedback from your manager on how to handle this situation with this person in specific. A month into your role there is no shame in going to your manager to ask for advice, just frame it in a way that you are looking for advice on how to resolve this and not necessarily asking them to intervene. I recommend this over asking people on the internet as there can be a lot of nuance at play (ie maybe this is a pattern or maybe it's a one off and he's going through bad non-work stuff).
> > I told John that I was fine that the team communicate internally and I encourage team work, but I need to be in the loop for any decision in order to be able to keep track and make sure everything is according to the plan > > > This is very reasonable. Good job. I don't think John complained. > > (delivering this documentation on Monday could cause a delay), > > > How so? The party that it is to be delivered to already agreed on the Monday date. So how can it delay anything? Where they wrong? Is there an *actual* delay if it's delivered on Monday? > > and I ask him to provide, if possible the documentation today. This is where thing went out of control. > > > Yes. This is where you showed that to you it is more important to be right about something, than to make it work. John had a perfectly working solution. Maybe it was later than your plan, but apparently it was perfectly fine for the customer (the other team). Then you insisted that it must be today, not because the other team needed it, but because your plan said so. I would certainly be upset too if I found out that I do not work to enable the other team to do something, but instead work to make your report fit your boss' expectations. Was it professional of John to show it this way? No. And you should handle this privately. Tell him that the next time he is upset he should say something like "maybe we can talk about this after the meeting" and then talk to you in private. So what can you do now? Well, you have to figure out *why* you need John to do this today. Do you have an *actual* reason? "because my plan says so" is not a reason. There has to be a real world reason why you want it done today. Figure it out. Tell John. If John sees *why* it's important he will understand. On the other hand side, you may come to a point where you cannot come up with a reason. A real reason. Then you should consider apologizing.
500,649
Here in America, I was taught in the mid-60s by disc jockeys playing the Petula Clark song that in the UK "subway" means a pedestrian tunnel beneath a street, not an urban rail transit system. But on today's rerun of "The Saint", an episode set in London, a character with a British accent says to Mr. Templar, "She committed suicide. She stepped off a subway platform right in front of a train." This episode is in color, meaning it was made around 1968-69. So can subway be used for the Tube as well?
2019/06/03
[ "https://english.stackexchange.com/questions/500649", "https://english.stackexchange.com", "https://english.stackexchange.com/users/350481/" ]
Your understanding of the different uses of "subway' are correct. In the UK it means a passage (usually walkway) beneath something, often a street. However with internationally marketed entertainment a different dynamic often comes into play. Whereas British audiences would mostly have understood the meaning of Americanisms, even in 1969, it was generally assumed that US audiences would not have understood the meaning of Britishisms, even if they were used in a strictly British context. Such shows often take the decision to use the American terminology even when it is illogical to do so. For an extreme example consider the movie [Sliding Doors](https://www.imdb.com/title/tt0120148/goofs/?tab=gf&ref_=tt_trv_gf), which constantly uses American references ("Jeopardy", "Class One drugs") even though it is entirely set in Britain and virtually all the characters are British.
I cannot account for *The Saint*, but as a native of England I would find it very strange to hear another of my countryfolk refer the London Underground system as the *subway*. It would almost always be referred to as *the Underground* or *the Tube*. > > Take the *underground* for two stops, but be quick as *the tube* station closes early on weekends. > > > Subway in the UK tends to refer, as you say, to a path underground typically beneath a busy road system. Also referred to as a pedestrian *underpass*, with footbridges over busy roads often called a pedestrian *overpass* as an antonym. > > If you don't want to cross through the traffic there is a *subway* you can use, or there's the overpass if you don't mind heights. > > >
500,649
Here in America, I was taught in the mid-60s by disc jockeys playing the Petula Clark song that in the UK "subway" means a pedestrian tunnel beneath a street, not an urban rail transit system. But on today's rerun of "The Saint", an episode set in London, a character with a British accent says to Mr. Templar, "She committed suicide. She stepped off a subway platform right in front of a train." This episode is in color, meaning it was made around 1968-69. So can subway be used for the Tube as well?
2019/06/03
[ "https://english.stackexchange.com/questions/500649", "https://english.stackexchange.com", "https://english.stackexchange.com/users/350481/" ]
I cannot account for *The Saint*, but as a native of England I would find it very strange to hear another of my countryfolk refer the London Underground system as the *subway*. It would almost always be referred to as *the Underground* or *the Tube*. > > Take the *underground* for two stops, but be quick as *the tube* station closes early on weekends. > > > Subway in the UK tends to refer, as you say, to a path underground typically beneath a busy road system. Also referred to as a pedestrian *underpass*, with footbridges over busy roads often called a pedestrian *overpass* as an antonym. > > If you don't want to cross through the traffic there is a *subway* you can use, or there's the overpass if you don't mind heights. > > >
As a term **subway** applies to many passages that occur beneath ("sub") street-level. The Oxford English Dictionary lists three usages that all have the general sense of a tunnel *under* something else: > > 1 a. Chiefly British. An underground tunnel providing access to sewers and other subterranean public utilities, or used to convey water and gas pipes, telegraph wires, etc. > > > b. A tunnel (esp. a walkway) beneath a road, river, railway, etc., permitting easy movement from one side to the other. The usual term in North America is tunnel. > > > 2 An underground railway. Cf. earlier sub-railway n. 2. The usual term for the underground railways in North America, and for that in Glasgow. Often applied to other similar railways in non-English speaking countries (see quot. 1960), although metro n.2 is also a common designation. Cf. tube n. 7b, underground n. 3. > > > All three have notes for regional use. In North America, underground passages tend to be tunnels. In the UK, these passages are subways. Meanwhile, underground rail would be called *subway* in most of North America and Glasgow but have specific terms in other places (the London Underground or Tube, the DC Metro, and so on). It would be unusual to call London's underground rail a *subway* except by analogy. That said, it's possible that person using the tube was from [Glasgow](http://www.spt.co.uk/subway/), that they associated the platform with the underground walkways connecting platforms (of which there are many!) rather than the train platform, or something else semantically consistent but odd usage-wise.
500,649
Here in America, I was taught in the mid-60s by disc jockeys playing the Petula Clark song that in the UK "subway" means a pedestrian tunnel beneath a street, not an urban rail transit system. But on today's rerun of "The Saint", an episode set in London, a character with a British accent says to Mr. Templar, "She committed suicide. She stepped off a subway platform right in front of a train." This episode is in color, meaning it was made around 1968-69. So can subway be used for the Tube as well?
2019/06/03
[ "https://english.stackexchange.com/questions/500649", "https://english.stackexchange.com", "https://english.stackexchange.com/users/350481/" ]
I cannot account for *The Saint*, but as a native of England I would find it very strange to hear another of my countryfolk refer the London Underground system as the *subway*. It would almost always be referred to as *the Underground* or *the Tube*. > > Take the *underground* for two stops, but be quick as *the tube* station closes early on weekends. > > > Subway in the UK tends to refer, as you say, to a path underground typically beneath a busy road system. Also referred to as a pedestrian *underpass*, with footbridges over busy roads often called a pedestrian *overpass* as an antonym. > > If you don't want to cross through the traffic there is a *subway* you can use, or there's the overpass if you don't mind heights. > > >
There is some confusion here between proper and improper nouns here. "metro" is widely used in Britain is a similar sense the USA to refer an urban railway or train service with frequent trains and stops. "subway" is likely to be understood in it's American sense (metro with a significant underground section) if there is sufficient context to exclude the British sense of a pedestrian tunnel. A "subway station" could be either an metro station that is underground, or a station on a subway line. "(the) London Underground", "the Underground", and "the Tube" are proper nouns and refer to an organisation (currently part of Transport for London, part of the London government) and the railways and train services it runs. "tube" may also refer to the small diameter trains and tunnels used on some London Underground lines. "the London metro" is undefined, except for the Docklands Light Railway there is no set of railway lines with stops closer together, High Speed 1 is the only dedicated express line which not next to a metro line. See an [old geographical](https://www.whatdotheyknow.com/request/224813/response/560395/attach/3/London%20Connections%20Map.pdf) map or the [current plan](http://content.tfl.gov.uk/london-rail-and-tube-services-map.pdf). Compare with [Paris](https://www.ratp.fr/sites/default/files/plans-lignes/Plans-essentiels/Plan-Metro.1555581459.pdf), [Brussels](http://www.stib-mivb.be/irj/go/km/docs/WEBSITE_RES/Attachments/Network/Plan/Net_Reseau/Plan_Metro_Train_1902.pdf), [Hamburg](https://www.hvv.de/resource/blob/3204/d713455052fa2510b3f9cc5ee938c0ac/hvv-usar-plan-data.pdf), [New York](http://stewartmader.com/subwaynynj/) and [Washington DC](https://upload.wikimedia.org/wikipedia/commons/0/00/Washington_Metro_diagram_sb.svg). Since London has no metro, can it have a subway? Possibly, but there are railway lines outside of London Underground with significant underground sections including the East London Line (since 2010), Elizabeth Line (under construction) and Waterloo & City Line (before 1995). In summary, you can call many London Underground and some non-London Underground station "subway stations", but London Underground is not the "London Subway" and is definitely not the metro. The reason the journeys in central London often involve the Underground, is that it and the Thameslink route are the only railways that cross central London.
500,649
Here in America, I was taught in the mid-60s by disc jockeys playing the Petula Clark song that in the UK "subway" means a pedestrian tunnel beneath a street, not an urban rail transit system. But on today's rerun of "The Saint", an episode set in London, a character with a British accent says to Mr. Templar, "She committed suicide. She stepped off a subway platform right in front of a train." This episode is in color, meaning it was made around 1968-69. So can subway be used for the Tube as well?
2019/06/03
[ "https://english.stackexchange.com/questions/500649", "https://english.stackexchange.com", "https://english.stackexchange.com/users/350481/" ]
Your understanding of the different uses of "subway' are correct. In the UK it means a passage (usually walkway) beneath something, often a street. However with internationally marketed entertainment a different dynamic often comes into play. Whereas British audiences would mostly have understood the meaning of Americanisms, even in 1969, it was generally assumed that US audiences would not have understood the meaning of Britishisms, even if they were used in a strictly British context. Such shows often take the decision to use the American terminology even when it is illogical to do so. For an extreme example consider the movie [Sliding Doors](https://www.imdb.com/title/tt0120148/goofs/?tab=gf&ref_=tt_trv_gf), which constantly uses American references ("Jeopardy", "Class One drugs") even though it is entirely set in Britain and virtually all the characters are British.
As a term **subway** applies to many passages that occur beneath ("sub") street-level. The Oxford English Dictionary lists three usages that all have the general sense of a tunnel *under* something else: > > 1 a. Chiefly British. An underground tunnel providing access to sewers and other subterranean public utilities, or used to convey water and gas pipes, telegraph wires, etc. > > > b. A tunnel (esp. a walkway) beneath a road, river, railway, etc., permitting easy movement from one side to the other. The usual term in North America is tunnel. > > > 2 An underground railway. Cf. earlier sub-railway n. 2. The usual term for the underground railways in North America, and for that in Glasgow. Often applied to other similar railways in non-English speaking countries (see quot. 1960), although metro n.2 is also a common designation. Cf. tube n. 7b, underground n. 3. > > > All three have notes for regional use. In North America, underground passages tend to be tunnels. In the UK, these passages are subways. Meanwhile, underground rail would be called *subway* in most of North America and Glasgow but have specific terms in other places (the London Underground or Tube, the DC Metro, and so on). It would be unusual to call London's underground rail a *subway* except by analogy. That said, it's possible that person using the tube was from [Glasgow](http://www.spt.co.uk/subway/), that they associated the platform with the underground walkways connecting platforms (of which there are many!) rather than the train platform, or something else semantically consistent but odd usage-wise.
500,649
Here in America, I was taught in the mid-60s by disc jockeys playing the Petula Clark song that in the UK "subway" means a pedestrian tunnel beneath a street, not an urban rail transit system. But on today's rerun of "The Saint", an episode set in London, a character with a British accent says to Mr. Templar, "She committed suicide. She stepped off a subway platform right in front of a train." This episode is in color, meaning it was made around 1968-69. So can subway be used for the Tube as well?
2019/06/03
[ "https://english.stackexchange.com/questions/500649", "https://english.stackexchange.com", "https://english.stackexchange.com/users/350481/" ]
Your understanding of the different uses of "subway' are correct. In the UK it means a passage (usually walkway) beneath something, often a street. However with internationally marketed entertainment a different dynamic often comes into play. Whereas British audiences would mostly have understood the meaning of Americanisms, even in 1969, it was generally assumed that US audiences would not have understood the meaning of Britishisms, even if they were used in a strictly British context. Such shows often take the decision to use the American terminology even when it is illogical to do so. For an extreme example consider the movie [Sliding Doors](https://www.imdb.com/title/tt0120148/goofs/?tab=gf&ref_=tt_trv_gf), which constantly uses American references ("Jeopardy", "Class One drugs") even though it is entirely set in Britain and virtually all the characters are British.
The author of the Saint novels, while not being American did live in the states for most of the period that he was producing the books, so it is possible that the particular usage you have picked up bled into the author's vocabulary during that time. Leslie Charteris was born in Singapore to a Chinese father and English mother. He was educated in the north of England and briefly at Cambridge before moving to the US where he spent most of the rest of his life, so his familiarity with the niceties of the usage in regard to the London underground may have been limited by lack of exposure. Of course, the line may be attributable to a script writer rather than Charteris, but even within the UK at that time the distinction between 'Underground' and 'subway' was, to an extent, peculiar to the *London* Underground. [*Glasgow's* underground railway](https://en.wikipedia.org/wiki/Glasgow_Subway) (the world's third oldest) has included 'Subway' in its name at its inception and currently.
500,649
Here in America, I was taught in the mid-60s by disc jockeys playing the Petula Clark song that in the UK "subway" means a pedestrian tunnel beneath a street, not an urban rail transit system. But on today's rerun of "The Saint", an episode set in London, a character with a British accent says to Mr. Templar, "She committed suicide. She stepped off a subway platform right in front of a train." This episode is in color, meaning it was made around 1968-69. So can subway be used for the Tube as well?
2019/06/03
[ "https://english.stackexchange.com/questions/500649", "https://english.stackexchange.com", "https://english.stackexchange.com/users/350481/" ]
Your understanding of the different uses of "subway' are correct. In the UK it means a passage (usually walkway) beneath something, often a street. However with internationally marketed entertainment a different dynamic often comes into play. Whereas British audiences would mostly have understood the meaning of Americanisms, even in 1969, it was generally assumed that US audiences would not have understood the meaning of Britishisms, even if they were used in a strictly British context. Such shows often take the decision to use the American terminology even when it is illogical to do so. For an extreme example consider the movie [Sliding Doors](https://www.imdb.com/title/tt0120148/goofs/?tab=gf&ref_=tt_trv_gf), which constantly uses American references ("Jeopardy", "Class One drugs") even though it is entirely set in Britain and virtually all the characters are British.
There is some confusion here between proper and improper nouns here. "metro" is widely used in Britain is a similar sense the USA to refer an urban railway or train service with frequent trains and stops. "subway" is likely to be understood in it's American sense (metro with a significant underground section) if there is sufficient context to exclude the British sense of a pedestrian tunnel. A "subway station" could be either an metro station that is underground, or a station on a subway line. "(the) London Underground", "the Underground", and "the Tube" are proper nouns and refer to an organisation (currently part of Transport for London, part of the London government) and the railways and train services it runs. "tube" may also refer to the small diameter trains and tunnels used on some London Underground lines. "the London metro" is undefined, except for the Docklands Light Railway there is no set of railway lines with stops closer together, High Speed 1 is the only dedicated express line which not next to a metro line. See an [old geographical](https://www.whatdotheyknow.com/request/224813/response/560395/attach/3/London%20Connections%20Map.pdf) map or the [current plan](http://content.tfl.gov.uk/london-rail-and-tube-services-map.pdf). Compare with [Paris](https://www.ratp.fr/sites/default/files/plans-lignes/Plans-essentiels/Plan-Metro.1555581459.pdf), [Brussels](http://www.stib-mivb.be/irj/go/km/docs/WEBSITE_RES/Attachments/Network/Plan/Net_Reseau/Plan_Metro_Train_1902.pdf), [Hamburg](https://www.hvv.de/resource/blob/3204/d713455052fa2510b3f9cc5ee938c0ac/hvv-usar-plan-data.pdf), [New York](http://stewartmader.com/subwaynynj/) and [Washington DC](https://upload.wikimedia.org/wikipedia/commons/0/00/Washington_Metro_diagram_sb.svg). Since London has no metro, can it have a subway? Possibly, but there are railway lines outside of London Underground with significant underground sections including the East London Line (since 2010), Elizabeth Line (under construction) and Waterloo & City Line (before 1995). In summary, you can call many London Underground and some non-London Underground station "subway stations", but London Underground is not the "London Subway" and is definitely not the metro. The reason the journeys in central London often involve the Underground, is that it and the Thameslink route are the only railways that cross central London.
500,649
Here in America, I was taught in the mid-60s by disc jockeys playing the Petula Clark song that in the UK "subway" means a pedestrian tunnel beneath a street, not an urban rail transit system. But on today's rerun of "The Saint", an episode set in London, a character with a British accent says to Mr. Templar, "She committed suicide. She stepped off a subway platform right in front of a train." This episode is in color, meaning it was made around 1968-69. So can subway be used for the Tube as well?
2019/06/03
[ "https://english.stackexchange.com/questions/500649", "https://english.stackexchange.com", "https://english.stackexchange.com/users/350481/" ]
The author of the Saint novels, while not being American did live in the states for most of the period that he was producing the books, so it is possible that the particular usage you have picked up bled into the author's vocabulary during that time. Leslie Charteris was born in Singapore to a Chinese father and English mother. He was educated in the north of England and briefly at Cambridge before moving to the US where he spent most of the rest of his life, so his familiarity with the niceties of the usage in regard to the London underground may have been limited by lack of exposure. Of course, the line may be attributable to a script writer rather than Charteris, but even within the UK at that time the distinction between 'Underground' and 'subway' was, to an extent, peculiar to the *London* Underground. [*Glasgow's* underground railway](https://en.wikipedia.org/wiki/Glasgow_Subway) (the world's third oldest) has included 'Subway' in its name at its inception and currently.
As a term **subway** applies to many passages that occur beneath ("sub") street-level. The Oxford English Dictionary lists three usages that all have the general sense of a tunnel *under* something else: > > 1 a. Chiefly British. An underground tunnel providing access to sewers and other subterranean public utilities, or used to convey water and gas pipes, telegraph wires, etc. > > > b. A tunnel (esp. a walkway) beneath a road, river, railway, etc., permitting easy movement from one side to the other. The usual term in North America is tunnel. > > > 2 An underground railway. Cf. earlier sub-railway n. 2. The usual term for the underground railways in North America, and for that in Glasgow. Often applied to other similar railways in non-English speaking countries (see quot. 1960), although metro n.2 is also a common designation. Cf. tube n. 7b, underground n. 3. > > > All three have notes for regional use. In North America, underground passages tend to be tunnels. In the UK, these passages are subways. Meanwhile, underground rail would be called *subway* in most of North America and Glasgow but have specific terms in other places (the London Underground or Tube, the DC Metro, and so on). It would be unusual to call London's underground rail a *subway* except by analogy. That said, it's possible that person using the tube was from [Glasgow](http://www.spt.co.uk/subway/), that they associated the platform with the underground walkways connecting platforms (of which there are many!) rather than the train platform, or something else semantically consistent but odd usage-wise.
500,649
Here in America, I was taught in the mid-60s by disc jockeys playing the Petula Clark song that in the UK "subway" means a pedestrian tunnel beneath a street, not an urban rail transit system. But on today's rerun of "The Saint", an episode set in London, a character with a British accent says to Mr. Templar, "She committed suicide. She stepped off a subway platform right in front of a train." This episode is in color, meaning it was made around 1968-69. So can subway be used for the Tube as well?
2019/06/03
[ "https://english.stackexchange.com/questions/500649", "https://english.stackexchange.com", "https://english.stackexchange.com/users/350481/" ]
As a term **subway** applies to many passages that occur beneath ("sub") street-level. The Oxford English Dictionary lists three usages that all have the general sense of a tunnel *under* something else: > > 1 a. Chiefly British. An underground tunnel providing access to sewers and other subterranean public utilities, or used to convey water and gas pipes, telegraph wires, etc. > > > b. A tunnel (esp. a walkway) beneath a road, river, railway, etc., permitting easy movement from one side to the other. The usual term in North America is tunnel. > > > 2 An underground railway. Cf. earlier sub-railway n. 2. The usual term for the underground railways in North America, and for that in Glasgow. Often applied to other similar railways in non-English speaking countries (see quot. 1960), although metro n.2 is also a common designation. Cf. tube n. 7b, underground n. 3. > > > All three have notes for regional use. In North America, underground passages tend to be tunnels. In the UK, these passages are subways. Meanwhile, underground rail would be called *subway* in most of North America and Glasgow but have specific terms in other places (the London Underground or Tube, the DC Metro, and so on). It would be unusual to call London's underground rail a *subway* except by analogy. That said, it's possible that person using the tube was from [Glasgow](http://www.spt.co.uk/subway/), that they associated the platform with the underground walkways connecting platforms (of which there are many!) rather than the train platform, or something else semantically consistent but odd usage-wise.
There is some confusion here between proper and improper nouns here. "metro" is widely used in Britain is a similar sense the USA to refer an urban railway or train service with frequent trains and stops. "subway" is likely to be understood in it's American sense (metro with a significant underground section) if there is sufficient context to exclude the British sense of a pedestrian tunnel. A "subway station" could be either an metro station that is underground, or a station on a subway line. "(the) London Underground", "the Underground", and "the Tube" are proper nouns and refer to an organisation (currently part of Transport for London, part of the London government) and the railways and train services it runs. "tube" may also refer to the small diameter trains and tunnels used on some London Underground lines. "the London metro" is undefined, except for the Docklands Light Railway there is no set of railway lines with stops closer together, High Speed 1 is the only dedicated express line which not next to a metro line. See an [old geographical](https://www.whatdotheyknow.com/request/224813/response/560395/attach/3/London%20Connections%20Map.pdf) map or the [current plan](http://content.tfl.gov.uk/london-rail-and-tube-services-map.pdf). Compare with [Paris](https://www.ratp.fr/sites/default/files/plans-lignes/Plans-essentiels/Plan-Metro.1555581459.pdf), [Brussels](http://www.stib-mivb.be/irj/go/km/docs/WEBSITE_RES/Attachments/Network/Plan/Net_Reseau/Plan_Metro_Train_1902.pdf), [Hamburg](https://www.hvv.de/resource/blob/3204/d713455052fa2510b3f9cc5ee938c0ac/hvv-usar-plan-data.pdf), [New York](http://stewartmader.com/subwaynynj/) and [Washington DC](https://upload.wikimedia.org/wikipedia/commons/0/00/Washington_Metro_diagram_sb.svg). Since London has no metro, can it have a subway? Possibly, but there are railway lines outside of London Underground with significant underground sections including the East London Line (since 2010), Elizabeth Line (under construction) and Waterloo & City Line (before 1995). In summary, you can call many London Underground and some non-London Underground station "subway stations", but London Underground is not the "London Subway" and is definitely not the metro. The reason the journeys in central London often involve the Underground, is that it and the Thameslink route are the only railways that cross central London.
500,649
Here in America, I was taught in the mid-60s by disc jockeys playing the Petula Clark song that in the UK "subway" means a pedestrian tunnel beneath a street, not an urban rail transit system. But on today's rerun of "The Saint", an episode set in London, a character with a British accent says to Mr. Templar, "She committed suicide. She stepped off a subway platform right in front of a train." This episode is in color, meaning it was made around 1968-69. So can subway be used for the Tube as well?
2019/06/03
[ "https://english.stackexchange.com/questions/500649", "https://english.stackexchange.com", "https://english.stackexchange.com/users/350481/" ]
The author of the Saint novels, while not being American did live in the states for most of the period that he was producing the books, so it is possible that the particular usage you have picked up bled into the author's vocabulary during that time. Leslie Charteris was born in Singapore to a Chinese father and English mother. He was educated in the north of England and briefly at Cambridge before moving to the US where he spent most of the rest of his life, so his familiarity with the niceties of the usage in regard to the London underground may have been limited by lack of exposure. Of course, the line may be attributable to a script writer rather than Charteris, but even within the UK at that time the distinction between 'Underground' and 'subway' was, to an extent, peculiar to the *London* Underground. [*Glasgow's* underground railway](https://en.wikipedia.org/wiki/Glasgow_Subway) (the world's third oldest) has included 'Subway' in its name at its inception and currently.
There is some confusion here between proper and improper nouns here. "metro" is widely used in Britain is a similar sense the USA to refer an urban railway or train service with frequent trains and stops. "subway" is likely to be understood in it's American sense (metro with a significant underground section) if there is sufficient context to exclude the British sense of a pedestrian tunnel. A "subway station" could be either an metro station that is underground, or a station on a subway line. "(the) London Underground", "the Underground", and "the Tube" are proper nouns and refer to an organisation (currently part of Transport for London, part of the London government) and the railways and train services it runs. "tube" may also refer to the small diameter trains and tunnels used on some London Underground lines. "the London metro" is undefined, except for the Docklands Light Railway there is no set of railway lines with stops closer together, High Speed 1 is the only dedicated express line which not next to a metro line. See an [old geographical](https://www.whatdotheyknow.com/request/224813/response/560395/attach/3/London%20Connections%20Map.pdf) map or the [current plan](http://content.tfl.gov.uk/london-rail-and-tube-services-map.pdf). Compare with [Paris](https://www.ratp.fr/sites/default/files/plans-lignes/Plans-essentiels/Plan-Metro.1555581459.pdf), [Brussels](http://www.stib-mivb.be/irj/go/km/docs/WEBSITE_RES/Attachments/Network/Plan/Net_Reseau/Plan_Metro_Train_1902.pdf), [Hamburg](https://www.hvv.de/resource/blob/3204/d713455052fa2510b3f9cc5ee938c0ac/hvv-usar-plan-data.pdf), [New York](http://stewartmader.com/subwaynynj/) and [Washington DC](https://upload.wikimedia.org/wikipedia/commons/0/00/Washington_Metro_diagram_sb.svg). Since London has no metro, can it have a subway? Possibly, but there are railway lines outside of London Underground with significant underground sections including the East London Line (since 2010), Elizabeth Line (under construction) and Waterloo & City Line (before 1995). In summary, you can call many London Underground and some non-London Underground station "subway stations", but London Underground is not the "London Subway" and is definitely not the metro. The reason the journeys in central London often involve the Underground, is that it and the Thameslink route are the only railways that cross central London.
41,740,804
This is quite frustrating. I was happily working on `Xcode` project and everything was working fine. All of sudden, when I again ran the project, got this error : > > Did not find storyboard named "MyStoryboard" referenced from > Main.storyboard > > > Haven't touched anything which should bring up this issue. Rather there was no code difference between the code I ran last time and this time. Now I have gone through [**solutions**](https://stackoverflow.com/questions/32634866/xcode-7-could-not-find-a-storyboard-named) suggested (few more as well). But nothing seems to break the ice. Tried these : 1. Clean project, quit Xcode and open again. 2. Removing Xcode's derived data 3. Resetting Main storyboard in project setting Not at all sure why this happened.
2017/01/19
[ "https://Stackoverflow.com/questions/41740804", "https://Stackoverflow.com", "https://Stackoverflow.com/users/541786/" ]
I also had this issue, and solved it by checking target from my ViewController. [![enter image description here](https://i.stack.imgur.com/GmaGj.jpg)](https://i.stack.imgur.com/GmaGj.jpg)
I had the same problem and I tried like you all the suggested solutions but it was not enough. My problem was the some of my storyboards were localized, and some others not. So by localizing all my storyboard it resolved the issue. I guess it's because it's now in the same folder.
41,740,804
This is quite frustrating. I was happily working on `Xcode` project and everything was working fine. All of sudden, when I again ran the project, got this error : > > Did not find storyboard named "MyStoryboard" referenced from > Main.storyboard > > > Haven't touched anything which should bring up this issue. Rather there was no code difference between the code I ran last time and this time. Now I have gone through [**solutions**](https://stackoverflow.com/questions/32634866/xcode-7-could-not-find-a-storyboard-named) suggested (few more as well). But nothing seems to break the ice. Tried these : 1. Clean project, quit Xcode and open again. 2. Removing Xcode's derived data 3. Resetting Main storyboard in project setting Not at all sure why this happened.
2017/01/19
[ "https://Stackoverflow.com/questions/41740804", "https://Stackoverflow.com", "https://Stackoverflow.com/users/541786/" ]
I had the same problem and I tried like you all the suggested solutions but it was not enough. My problem was the some of my storyboards were localized, and some others not. So by localizing all my storyboard it resolved the issue. I guess it's because it's now in the same folder.
I was able to solve this problem by making sure the Localization checks had a match between the two storyboards: [![Storyboard Localization](https://i.stack.imgur.com/VlH5g.png)](https://i.stack.imgur.com/VlH5g.png)
41,740,804
This is quite frustrating. I was happily working on `Xcode` project and everything was working fine. All of sudden, when I again ran the project, got this error : > > Did not find storyboard named "MyStoryboard" referenced from > Main.storyboard > > > Haven't touched anything which should bring up this issue. Rather there was no code difference between the code I ran last time and this time. Now I have gone through [**solutions**](https://stackoverflow.com/questions/32634866/xcode-7-could-not-find-a-storyboard-named) suggested (few more as well). But nothing seems to break the ice. Tried these : 1. Clean project, quit Xcode and open again. 2. Removing Xcode's derived data 3. Resetting Main storyboard in project setting Not at all sure why this happened.
2017/01/19
[ "https://Stackoverflow.com/questions/41740804", "https://Stackoverflow.com", "https://Stackoverflow.com/users/541786/" ]
I also had this issue, and solved it by checking target from my ViewController. [![enter image description here](https://i.stack.imgur.com/GmaGj.jpg)](https://i.stack.imgur.com/GmaGj.jpg)
If anyone stumbles across this in the future: the issue for me was that while I had moved/re-added/un-localized a Storyboard file, when it was re-imported it did not get added back to the main target of my app, so check that too.
41,740,804
This is quite frustrating. I was happily working on `Xcode` project and everything was working fine. All of sudden, when I again ran the project, got this error : > > Did not find storyboard named "MyStoryboard" referenced from > Main.storyboard > > > Haven't touched anything which should bring up this issue. Rather there was no code difference between the code I ran last time and this time. Now I have gone through [**solutions**](https://stackoverflow.com/questions/32634866/xcode-7-could-not-find-a-storyboard-named) suggested (few more as well). But nothing seems to break the ice. Tried these : 1. Clean project, quit Xcode and open again. 2. Removing Xcode's derived data 3. Resetting Main storyboard in project setting Not at all sure why this happened.
2017/01/19
[ "https://Stackoverflow.com/questions/41740804", "https://Stackoverflow.com", "https://Stackoverflow.com/users/541786/" ]
If anyone stumbles across this in the future: the issue for me was that while I had moved/re-added/un-localized a Storyboard file, when it was re-imported it did not get added back to the main target of my app, so check that too.
I was able to solve this problem by making sure the Localization checks had a match between the two storyboards: [![Storyboard Localization](https://i.stack.imgur.com/VlH5g.png)](https://i.stack.imgur.com/VlH5g.png)
41,740,804
This is quite frustrating. I was happily working on `Xcode` project and everything was working fine. All of sudden, when I again ran the project, got this error : > > Did not find storyboard named "MyStoryboard" referenced from > Main.storyboard > > > Haven't touched anything which should bring up this issue. Rather there was no code difference between the code I ran last time and this time. Now I have gone through [**solutions**](https://stackoverflow.com/questions/32634866/xcode-7-could-not-find-a-storyboard-named) suggested (few more as well). But nothing seems to break the ice. Tried these : 1. Clean project, quit Xcode and open again. 2. Removing Xcode's derived data 3. Resetting Main storyboard in project setting Not at all sure why this happened.
2017/01/19
[ "https://Stackoverflow.com/questions/41740804", "https://Stackoverflow.com", "https://Stackoverflow.com/users/541786/" ]
I also had this issue, and solved it by checking target from my ViewController. [![enter image description here](https://i.stack.imgur.com/GmaGj.jpg)](https://i.stack.imgur.com/GmaGj.jpg)
I was able to solve this problem by making sure the Localization checks had a match between the two storyboards: [![Storyboard Localization](https://i.stack.imgur.com/VlH5g.png)](https://i.stack.imgur.com/VlH5g.png)
5,444,814
I am fairly new to C#, but I'm trying to write a program. For said program, I need to have multiple windows inside of the ClientBounds. <http://videoproductiontips.com/video-editing/editing-computers-and-video-editing-software/> As you can see in the link, this program is split into several different sections that allow for different tasks. I have looked all over, but I simply can't find a tutorial or example code for how to do this in C# or XNA. Sorry if I used the wrong jargon, as I said, I'm new. Any help would be appreciated!
2011/03/26
[ "https://Stackoverflow.com/questions/5444814", "https://Stackoverflow.com", "https://Stackoverflow.com/users/678334/" ]
If i understood you correctly all you need to do is to add a new form (right click on the project, add > new item > windows form (or something like that)) And then make a button in your original form and in his event type Form2 myform = new Form2(); myform.Show(); (when form2 is the name of your second form)
Check this [link out as a starting point](http://www.codeproject.com/KB/WPF/WPFdockinglib.aspx). You are looking for "Docking" windows. I'm assuming you're using WPF. If not, do a search for > > Docking Windows WinForms > > > for more information.
5,444,814
I am fairly new to C#, but I'm trying to write a program. For said program, I need to have multiple windows inside of the ClientBounds. <http://videoproductiontips.com/video-editing/editing-computers-and-video-editing-software/> As you can see in the link, this program is split into several different sections that allow for different tasks. I have looked all over, but I simply can't find a tutorial or example code for how to do this in C# or XNA. Sorry if I used the wrong jargon, as I said, I'm new. Any help would be appreciated!
2011/03/26
[ "https://Stackoverflow.com/questions/5444814", "https://Stackoverflow.com", "https://Stackoverflow.com/users/678334/" ]
If i understood you correctly all you need to do is to add a new form (right click on the project, add > new item > windows form (or something like that)) And then make a button in your original form and in his event type Form2 myform = new Form2(); myform.Show(); (when form2 is the name of your second form)
Docking is what you're looking for I think? If you're using WPF and searching for docking options, try [Avalon Dock](http://avalondock.codeplex.com/). It's open source and pretty easy to incorporate than most other docking libraries I've tried. In fact, I've used it and would recommend it too. :)
31,724
Most large airplanes flying today are mostly metal, which has a relatively big coefficient of thermal expansion. Cruising altitudes of commercial jets can reach 10 km or more, where the air gets down to about -50 Celsius. Room temperature is more like +25 Celsius, and I would not be surprised if that large fuselage, sitting under the sun, gets up near +50 C. This is quite a range of temperatures to handle. It would cause some contraction/expansion of metals. The larger the piece of metal, such as a wing spar or long airframe beam, the greater the contraction/expansion. Is this a major design problem for large aircraft, and how is it handled? **EDIT:** only interested in subsonic designs. I'm concerned about the cold high altitude air cooling most of the fuselage and making it contract. The nose and leading wing edges might not suffer from this, but I expect the rest of the aircraft will.
2016/09/22
[ "https://aviation.stackexchange.com/questions/31724", "https://aviation.stackexchange.com", "https://aviation.stackexchange.com/users/3674/" ]
Not thermal contraction but condensation of vapor is a problem. Immediately, [fuselage pressurization](https://aviation.stackexchange.com/questions/15779/why-do-airplanes-have-curved-windows) is the far bigger problem that comes with the altitude changes. But if you operate in hot and moist weather, the moisture in all the air carried inside the fuselage will condense when this air cools down at altitude and will collect somewhere. If no proper drains are included (remember, drain valves and fuselage pressurization do not mix well) and maintenance is sloppy, this accumulated water can weigh several tons. A special case are foam sandwich structures. [PVC foam](http://www.aircraftspruce.com/catalog/cmpages/divinycellfoam.php) is the standard in composite gliders, but airliners use [honeycomb sandwich](http://www.hexcel.com/Resources/DataSheets/Brochure-Data-Sheets/Honeycomb_Attributes_and_Properties.pdf) structures. When fairings made from PVC foam were tried on airliners, it was found that pressure and temperature cycles damaged the sandwich core pretty quickly. The moisture inside the cells would condense, the cells themselves would crack and bacteria would munch up the soggy remains. Only with honeycomb cores could the sandwich be made durable enough for airliner use.
The temperature range the aicraft is dealing with is actually smaller. Indeed, airliners cruise around Mach 0.85, but the velocity on the fuselage is zero. Hence a part of air kinetic energy is transfered into thermal energy. This is called the ram effect. You can find tables that give you the stagnation temperature as a function of the mach number and the altitude.
28,041
I know that there is one place where we can actually maintain our keyword in Joomla Global Configuration-> Metadata Settings -> Site Meta Keywords, but is more like a place to dump all keyword of our website. Is it possible for us to maintain our keyword by each page? Will there be any effect on SEO?
2020/05/12
[ "https://joomla.stackexchange.com/questions/28041", "https://joomla.stackexchange.com", "https://joomla.stackexchange.com/users/14095/" ]
Yes you can. Joomla! provides a mechanism that starts from the general to the particular, the metadata management is a clear example, let me explain you how this works: * The small modular part here is the article. If you go to each one, inside you have this option in the tab called **"Publishing"**, this replace the data in the menu item. * If you go to your menu items, inside you can see a tab called **"Metadata"**, from here you can replace the data in the **Global Configuration**. * If you don't add anything for articles or menu items, then the data in Global Configuration is the default data. There is a limit for those, this depends on the search engine. Use as a starting point something like: * Meta Description: **max 160 characters**. * Meta Keywords: **around 10 terms**. And related to whether it affects, I think yes, but for good, because you'll have a more diverse amount of data. Hope this helps!
Effect would be normal SEO effect for metadata on a web page, nothing special above that. Every menu item has a metadata tab, and every content item has a place for metadata on the Publishing tab. You can use those for page-specific keys. IIRC, the menu item one overrides the content item one, but I'll leave testing that to you.
8,551
> > **Possible Duplicate:** > > [Adding support for math notation](https://meta.stackexchange.com/questions/4152/adding-support-for-math-notation) > > > CS is close enough to math that you tend to get a few questions and answers with equations in them. Also, another topic that would be cool to have [a stack exchange site for is math](https://meta.stackexchange.com/questions/4033/what-stackexchange-sites-do-you-want-to-see/5282#5282). Based on those, it would be nice to be able to get math formatting. Mark me as a [dup](https://meta.stackexchange.com/questions/4152/adding-support-for-math-notation): references [this solution](http://latex.codecogs.com/editor.php) that rocks
2009/07/23
[ "https://meta.stackexchange.com/questions/8551", "https://meta.stackexchange.com", "https://meta.stackexchange.com/users/1343/" ]
You could just try one of the sites listed here: > > <http://sixthform.info/steve/wordpress/?p=59> > > > I see no reason otherwise for SO.com to embed this functionality.
The problem with math formatting is that a lot of it requires something like rendering LaTeX images (like Wikipedia does), which is expensive on the server side (especially for live editing), or using something like MathML, which some browsers don't support.
16,217
I currently use "Stay," and have tried other tools (haven't really loved any of them), but I am looking for a window management tool that does the following: 1. Store my window locations 2. Have a separate profile for different monitor setups 3. Allow me to quickly modify the location with hotkeys 4. Automatically load my default settings when I attach/detach a display Any help would be great!
2011/06/20
[ "https://apple.stackexchange.com/questions/16217", "https://apple.stackexchange.com", "https://apple.stackexchange.com/users/6789/" ]
I never used stay but I am using Moom (Apple store) and pretty happy with it. It stores windows positions and has configurable hotkeys. There is no automatic settings for different displays but since you can assign hotkeys to configuration is not a big issue. It is very stable.
[Moom](http://manytricks.com/moom/) ![Moom](https://i.stack.imgur.com/vsVX9.png) [Divvy](http://mizage.com/divvy/) ![Divvy](https://i.stack.imgur.com/GQMoH.png)
16,217
I currently use "Stay," and have tried other tools (haven't really loved any of them), but I am looking for a window management tool that does the following: 1. Store my window locations 2. Have a separate profile for different monitor setups 3. Allow me to quickly modify the location with hotkeys 4. Automatically load my default settings when I attach/detach a display Any help would be great!
2011/06/20
[ "https://apple.stackexchange.com/questions/16217", "https://apple.stackexchange.com", "https://apple.stackexchange.com/users/6789/" ]
I never used stay but I am using Moom (Apple store) and pretty happy with it. It stores windows positions and has configurable hotkeys. There is no automatic settings for different displays but since you can assign hotkeys to configuration is not a big issue. It is very stable.
I prefer [DoublePane](http://itunes.apple.com/us/app/doublepane/id409737246?mt=12). It's $2.99 on Mac App Store.
16,217
I currently use "Stay," and have tried other tools (haven't really loved any of them), but I am looking for a window management tool that does the following: 1. Store my window locations 2. Have a separate profile for different monitor setups 3. Allow me to quickly modify the location with hotkeys 4. Automatically load my default settings when I attach/detach a display Any help would be great!
2011/06/20
[ "https://apple.stackexchange.com/questions/16217", "https://apple.stackexchange.com", "https://apple.stackexchange.com/users/6789/" ]
[Moom](http://manytricks.com/moom/) ![Moom](https://i.stack.imgur.com/vsVX9.png) [Divvy](http://mizage.com/divvy/) ![Divvy](https://i.stack.imgur.com/GQMoH.png)
I prefer [DoublePane](http://itunes.apple.com/us/app/doublepane/id409737246?mt=12). It's $2.99 on Mac App Store.
109,927
Regardless of the format of encryption, what is the best way to store an encryption key on an AWS EC2 server? I am storing encrypted information in a MySQL database and my cryptography key is stored in code. Data is encoded/decoded using this key when saving/retrieving from the database. Obviously, I do not want anyone to have access to this key. If the machine is compromised, so is the source (dang but that's life) and perhaps the MySql database too. Since the source is available, so is the key and the attacker can decrypt the data. What is the best way to avoid storing the key on the server? I assume it would be storing it on a different server but that seems to pass the ball around a little and not solve the actual problem. Another question could be 'should I even be using an AWS EC2 server' and how secure are one of these things if all patches are applied. Does anyone have any insight on this sort of situation? I am a pretty good programmer but not the best versed in security.
2016/01/07
[ "https://security.stackexchange.com/questions/109927", "https://security.stackexchange.com", "https://security.stackexchange.com/users/96221/" ]
I do not notice anywhere in your description that you are encrypting your traffic. Are you sending your hash in the clear? If so, I am thinking, what would prevent an eavesdropper from intercepting the hash and reuse it? Another question is, how do you attempt to keep your list of allowable passwords which "keep changing"?
First vulnerability is around using SHA1 hashes. SHA1 hash based collisions are relatively highly probable with modern compute power. See [SHA1-collisions](https://www.schneier.com/blog/archives/2012/10/when_will_we_se.html) What this means is the rogue party can capture those hashes on the wire and brute force them. Even worse, if the attacker gets into your server and obtains the *limited* set allowed, it narrows down the problem significantly.
109,927
Regardless of the format of encryption, what is the best way to store an encryption key on an AWS EC2 server? I am storing encrypted information in a MySQL database and my cryptography key is stored in code. Data is encoded/decoded using this key when saving/retrieving from the database. Obviously, I do not want anyone to have access to this key. If the machine is compromised, so is the source (dang but that's life) and perhaps the MySql database too. Since the source is available, so is the key and the attacker can decrypt the data. What is the best way to avoid storing the key on the server? I assume it would be storing it on a different server but that seems to pass the ball around a little and not solve the actual problem. Another question could be 'should I even be using an AWS EC2 server' and how secure are one of these things if all patches are applied. Does anyone have any insight on this sort of situation? I am a pretty good programmer but not the best versed in security.
2016/01/07
[ "https://security.stackexchange.com/questions/109927", "https://security.stackexchange.com", "https://security.stackexchange.com/users/96221/" ]
If an attacker is able to perform a man in the middle attack (and he can perform it, if the wifi connection is insecure), then it's not secure: If I take your example: When the UPS courier scans the package, the attacker can drop the message with hash but keep the hash for later. The module will deny the UPS courier the access and he will probably simply go away. Now attacker can go to the house and send the message with the hash to unlock the door. But this is only one obvious vulnerability of your system, that should show you why **should not roll your own crypto**. (I recommend you to read this answer: <https://security.stackexchange.com/a/18198/91783> ) If TLS/SSL is not possible for your system, I think you should use a well-tested implementation of an existing authentication protocol. The code is like a password the token that authenticates the user on the server. Take a look at Wikpedia for a list of protocols: <https://en.wikipedia.org/wiki/Authentication_protocol>
First vulnerability is around using SHA1 hashes. SHA1 hash based collisions are relatively highly probable with modern compute power. See [SHA1-collisions](https://www.schneier.com/blog/archives/2012/10/when_will_we_se.html) What this means is the rogue party can capture those hashes on the wire and brute force them. Even worse, if the attacker gets into your server and obtains the *limited* set allowed, it narrows down the problem significantly.
109,927
Regardless of the format of encryption, what is the best way to store an encryption key on an AWS EC2 server? I am storing encrypted information in a MySQL database and my cryptography key is stored in code. Data is encoded/decoded using this key when saving/retrieving from the database. Obviously, I do not want anyone to have access to this key. If the machine is compromised, so is the source (dang but that's life) and perhaps the MySql database too. Since the source is available, so is the key and the attacker can decrypt the data. What is the best way to avoid storing the key on the server? I assume it would be storing it on a different server but that seems to pass the ball around a little and not solve the actual problem. Another question could be 'should I even be using an AWS EC2 server' and how secure are one of these things if all patches are applied. Does anyone have any insight on this sort of situation? I am a pretty good programmer but not the best versed in security.
2016/01/07
[ "https://security.stackexchange.com/questions/109927", "https://security.stackexchange.com", "https://security.stackexchange.com/users/96221/" ]
If an attacker is able to perform a man in the middle attack (and he can perform it, if the wifi connection is insecure), then it's not secure: If I take your example: When the UPS courier scans the package, the attacker can drop the message with hash but keep the hash for later. The module will deny the UPS courier the access and he will probably simply go away. Now attacker can go to the house and send the message with the hash to unlock the door. But this is only one obvious vulnerability of your system, that should show you why **should not roll your own crypto**. (I recommend you to read this answer: <https://security.stackexchange.com/a/18198/91783> ) If TLS/SSL is not possible for your system, I think you should use a well-tested implementation of an existing authentication protocol. The code is like a password the token that authenticates the user on the server. Take a look at Wikpedia for a list of protocols: <https://en.wikipedia.org/wiki/Authentication_protocol>
I do not notice anywhere in your description that you are encrypting your traffic. Are you sending your hash in the clear? If so, I am thinking, what would prevent an eavesdropper from intercepting the hash and reuse it? Another question is, how do you attempt to keep your list of allowable passwords which "keep changing"?
186,307
I currently use a 13" Mid 2011 MacBook Air, and the thing I dislike most about it is that it can get very hot. I'm particularly physically sensitive to the heat for some reason, and at its hottest it makes me uncomfortable even to just sit at a desk with my hands on it. Anyway, I'm in the market for a new laptop, and I'm considering the current 13" Retina MacBook Pro and 13" MacBook Air. I'm wondering: Which one runs hotter? (Under light use? Under heavy use? At max heat?)
2015/05/08
[ "https://apple.stackexchange.com/questions/186307", "https://apple.stackexchange.com", "https://apple.stackexchange.com/users/87124/" ]
It all depends on your usage (the load). For normal uses (the CPU newer runs at 100% for long times) the MacBook Air would be the colder solution. The MacBook Pro is the more power hungry machine (retina display) and could run hotter. One way to see this is in the Battery life. MacBook Air can go up to 10 hours on a single load. Your MBA might need a SMC reset to make sure the Fan control is working correctly.
It is a truism that the more applications you run, plus the intensity of those applications' operations, will cause a certain amount of heat dissipation in the given device. So assuming that the applications you need will be used regardless, you need to consider the hardware components within each device, since this determines the amount of heat dissipation that will occur. As a general guideline, the higher the quality of the given type of hardware component (i.e., cpu, video card, etc.), the more capable that component will be to perform without having more heat dissipation (than a low-end component trying to do the same amount of work). In other words, a low-end component will work "harder" than a high-end component, which causes the low-end component to generate more heat.
186,307
I currently use a 13" Mid 2011 MacBook Air, and the thing I dislike most about it is that it can get very hot. I'm particularly physically sensitive to the heat for some reason, and at its hottest it makes me uncomfortable even to just sit at a desk with my hands on it. Anyway, I'm in the market for a new laptop, and I'm considering the current 13" Retina MacBook Pro and 13" MacBook Air. I'm wondering: Which one runs hotter? (Under light use? Under heavy use? At max heat?)
2015/05/08
[ "https://apple.stackexchange.com/questions/186307", "https://apple.stackexchange.com", "https://apple.stackexchange.com/users/87124/" ]
This question seems a bit reversed. All Apple products are designed to let the CPU hit 90°C before the CPU is throttled. So all of them, when given an unlimited workload hit the same design temperature. What does change is the workload required to saturate the CPU of a MacBook is lower than what will saturate a MacBook Pro. You could just go on the wattage of the CPU to pick a model that doesn't put out so much heat if that's really your main concern. I find most people buy today based on screen size, port counts since ram and CPU and storage are the same for just about all the portable computers. Alternatively, adapting to use an iPad Pro would be a good choice if you really want efficiency and limited heat buildup. Here are some references for TDP - thermal design power - that translates directly into how hot a processor will run. For MacBook - this correlates pretty directly to how hot the case, machine runs and also how much power it takes to run (battery drain times). * <http://ark.intel.com/products/88199/Intel-Core-m7-6Y75-Processor-4M-Cache-up-to-3_10-GHz> * <https://www.apple.com/macbook/specs/> * <https://en.wikipedia.org/wiki/List_of_CPU_power_dissipation_figures> * <http://www.apple.com/macbook-pro/specs/> * <http://ark.intel.com/products/97122/Intel-Core-i7-7700T-Processor-8M-Cache-up-to-3_80-GHz> MacBook is 4 W (burst to 8W) for the most power hungry MacBook in early 2017. MacBook Pro is 35 W (burst probably another 15 W for GPU) for the most power hungry MacBook Pro 15" with GPU in early 2017. 2016 and older models will run many more watts so check carefully if you aren't buying models that are current in March 2017.
It is a truism that the more applications you run, plus the intensity of those applications' operations, will cause a certain amount of heat dissipation in the given device. So assuming that the applications you need will be used regardless, you need to consider the hardware components within each device, since this determines the amount of heat dissipation that will occur. As a general guideline, the higher the quality of the given type of hardware component (i.e., cpu, video card, etc.), the more capable that component will be to perform without having more heat dissipation (than a low-end component trying to do the same amount of work). In other words, a low-end component will work "harder" than a high-end component, which causes the low-end component to generate more heat.
186,307
I currently use a 13" Mid 2011 MacBook Air, and the thing I dislike most about it is that it can get very hot. I'm particularly physically sensitive to the heat for some reason, and at its hottest it makes me uncomfortable even to just sit at a desk with my hands on it. Anyway, I'm in the market for a new laptop, and I'm considering the current 13" Retina MacBook Pro and 13" MacBook Air. I'm wondering: Which one runs hotter? (Under light use? Under heavy use? At max heat?)
2015/05/08
[ "https://apple.stackexchange.com/questions/186307", "https://apple.stackexchange.com", "https://apple.stackexchange.com/users/87124/" ]
This question seems a bit reversed. All Apple products are designed to let the CPU hit 90°C before the CPU is throttled. So all of them, when given an unlimited workload hit the same design temperature. What does change is the workload required to saturate the CPU of a MacBook is lower than what will saturate a MacBook Pro. You could just go on the wattage of the CPU to pick a model that doesn't put out so much heat if that's really your main concern. I find most people buy today based on screen size, port counts since ram and CPU and storage are the same for just about all the portable computers. Alternatively, adapting to use an iPad Pro would be a good choice if you really want efficiency and limited heat buildup. Here are some references for TDP - thermal design power - that translates directly into how hot a processor will run. For MacBook - this correlates pretty directly to how hot the case, machine runs and also how much power it takes to run (battery drain times). * <http://ark.intel.com/products/88199/Intel-Core-m7-6Y75-Processor-4M-Cache-up-to-3_10-GHz> * <https://www.apple.com/macbook/specs/> * <https://en.wikipedia.org/wiki/List_of_CPU_power_dissipation_figures> * <http://www.apple.com/macbook-pro/specs/> * <http://ark.intel.com/products/97122/Intel-Core-i7-7700T-Processor-8M-Cache-up-to-3_80-GHz> MacBook is 4 W (burst to 8W) for the most power hungry MacBook in early 2017. MacBook Pro is 35 W (burst probably another 15 W for GPU) for the most power hungry MacBook Pro 15" with GPU in early 2017. 2016 and older models will run many more watts so check carefully if you aren't buying models that are current in March 2017.
It all depends on your usage (the load). For normal uses (the CPU newer runs at 100% for long times) the MacBook Air would be the colder solution. The MacBook Pro is the more power hungry machine (retina display) and could run hotter. One way to see this is in the Battery life. MacBook Air can go up to 10 hours on a single load. Your MBA might need a SMC reset to make sure the Fan control is working correctly.
320,465
What specifications do I need to look for in a class D vehicle amplifier so that I can run it for 8 hours using an 18V 5Ah rechargeable tool battery. I need to operate the amplifier at full power for 8 hours. What power rating could I hope to support?
2017/07/25
[ "https://electronics.stackexchange.com/questions/320465", "https://electronics.stackexchange.com", "https://electronics.stackexchange.com/users/158035/" ]
Ah / A = Time in hours, so choose a power amp, find out its current draw in amps and plug in the numbers... You can also do Ah / hours = amps which gives 5 (Ah) / 8 (hours) = 0.625 amps to run your power amplifier, a small one then. Note I ignored the voltage difference and also that you probably won't get the full stated capacity of the battery in Ah..
18v \* 5ah = 90 Wh (this is the energy you got) 90 Wh / 8h = 11.25W (this is the max power you can draw for 8 hours) You need an efficient amplifier, so it will be class D. Suppose 90% efficiency. I'd go with a 10W class D amp, allowing a bit of headroom.
5,032,124
I am trying to follow this [blog](http://dalelane.co.uk/blog/?p=1599) for building push services for iPhone. The blog uses Android as the working platform,but it can be migrated to iPhone too, provided I get an MQTT client in objective C..which I cant find anywhere. The closest I got to this is : 1. I got a C implementation [here](http://mqtt.org/software) - libmosquitto 2. [This post](https://stackoverflow.com/questions/3957665/can-iphone-communicate-with-jms) says I can use something like an HTTP bridge. Can anyone please help me exploit these two options ? I dont know the next step to take :( Thanks !!
2011/02/17
[ "https://Stackoverflow.com/questions/5032124", "https://Stackoverflow.com", "https://Stackoverflow.com/users/430720/" ]
The HTTP option would not help you in this case as you're not trying to talk to a JMS app via MQ (well - you haven't said that is your goal). Your best bet would be to compile something like libmosquitto or one of the other MQTT clients (see list at <http://mqtt.org>) for the iPhone. There's now a good example <https://github.com/njh/marquette> which uses mosquitto's libraries on iOS
I'm not familiar with Objective C at all, but it seems as though you can compile any C code as Objective C. Would this get round your problem? If you're using gcc, you can force it to compile as Objective C using "-x objective-c".
5,032,124
I am trying to follow this [blog](http://dalelane.co.uk/blog/?p=1599) for building push services for iPhone. The blog uses Android as the working platform,but it can be migrated to iPhone too, provided I get an MQTT client in objective C..which I cant find anywhere. The closest I got to this is : 1. I got a C implementation [here](http://mqtt.org/software) - libmosquitto 2. [This post](https://stackoverflow.com/questions/3957665/can-iphone-communicate-with-jms) says I can use something like an HTTP bridge. Can anyone please help me exploit these two options ? I dont know the next step to take :( Thanks !!
2011/02/17
[ "https://Stackoverflow.com/questions/5032124", "https://Stackoverflow.com", "https://Stackoverflow.com/users/430720/" ]
I'm not familiar with Objective C at all, but it seems as though you can compile any C code as Objective C. Would this get round your problem? If you're using gcc, you can force it to compile as Objective C using "-x objective-c".
I am currently using [MQTTKit](https://github.com/mobile-web-messaging/MQTTKit) in my projects. It's fairly easy and straightforward to use.
5,032,124
I am trying to follow this [blog](http://dalelane.co.uk/blog/?p=1599) for building push services for iPhone. The blog uses Android as the working platform,but it can be migrated to iPhone too, provided I get an MQTT client in objective C..which I cant find anywhere. The closest I got to this is : 1. I got a C implementation [here](http://mqtt.org/software) - libmosquitto 2. [This post](https://stackoverflow.com/questions/3957665/can-iphone-communicate-with-jms) says I can use something like an HTTP bridge. Can anyone please help me exploit these two options ? I dont know the next step to take :( Thanks !!
2011/02/17
[ "https://Stackoverflow.com/questions/5032124", "https://Stackoverflow.com", "https://Stackoverflow.com/users/430720/" ]
I'm not familiar with Objective C at all, but it seems as though you can compile any C code as Objective C. Would this get round your problem? If you're using gcc, you can force it to compile as Objective C using "-x objective-c".
For swift you can use the following library : <https://github.com/ltg-uic/ios-mqtt-base>
5,032,124
I am trying to follow this [blog](http://dalelane.co.uk/blog/?p=1599) for building push services for iPhone. The blog uses Android as the working platform,but it can be migrated to iPhone too, provided I get an MQTT client in objective C..which I cant find anywhere. The closest I got to this is : 1. I got a C implementation [here](http://mqtt.org/software) - libmosquitto 2. [This post](https://stackoverflow.com/questions/3957665/can-iphone-communicate-with-jms) says I can use something like an HTTP bridge. Can anyone please help me exploit these two options ? I dont know the next step to take :( Thanks !!
2011/02/17
[ "https://Stackoverflow.com/questions/5032124", "https://Stackoverflow.com", "https://Stackoverflow.com/users/430720/" ]
The HTTP option would not help you in this case as you're not trying to talk to a JMS app via MQ (well - you haven't said that is your goal). Your best bet would be to compile something like libmosquitto or one of the other MQTT clients (see list at <http://mqtt.org>) for the iPhone. There's now a good example <https://github.com/njh/marquette> which uses mosquitto's libraries on iOS
I am currently using [MQTTKit](https://github.com/mobile-web-messaging/MQTTKit) in my projects. It's fairly easy and straightforward to use.
5,032,124
I am trying to follow this [blog](http://dalelane.co.uk/blog/?p=1599) for building push services for iPhone. The blog uses Android as the working platform,but it can be migrated to iPhone too, provided I get an MQTT client in objective C..which I cant find anywhere. The closest I got to this is : 1. I got a C implementation [here](http://mqtt.org/software) - libmosquitto 2. [This post](https://stackoverflow.com/questions/3957665/can-iphone-communicate-with-jms) says I can use something like an HTTP bridge. Can anyone please help me exploit these two options ? I dont know the next step to take :( Thanks !!
2011/02/17
[ "https://Stackoverflow.com/questions/5032124", "https://Stackoverflow.com", "https://Stackoverflow.com/users/430720/" ]
The HTTP option would not help you in this case as you're not trying to talk to a JMS app via MQ (well - you haven't said that is your goal). Your best bet would be to compile something like libmosquitto or one of the other MQTT clients (see list at <http://mqtt.org>) for the iPhone. There's now a good example <https://github.com/njh/marquette> which uses mosquitto's libraries on iOS
For swift you can use the following library : <https://github.com/ltg-uic/ios-mqtt-base>
5,032,124
I am trying to follow this [blog](http://dalelane.co.uk/blog/?p=1599) for building push services for iPhone. The blog uses Android as the working platform,but it can be migrated to iPhone too, provided I get an MQTT client in objective C..which I cant find anywhere. The closest I got to this is : 1. I got a C implementation [here](http://mqtt.org/software) - libmosquitto 2. [This post](https://stackoverflow.com/questions/3957665/can-iphone-communicate-with-jms) says I can use something like an HTTP bridge. Can anyone please help me exploit these two options ? I dont know the next step to take :( Thanks !!
2011/02/17
[ "https://Stackoverflow.com/questions/5032124", "https://Stackoverflow.com", "https://Stackoverflow.com/users/430720/" ]
I am currently using [MQTTKit](https://github.com/mobile-web-messaging/MQTTKit) in my projects. It's fairly easy and straightforward to use.
For swift you can use the following library : <https://github.com/ltg-uic/ios-mqtt-base>
74,959
I signed a contract with my employer stating that for any and all reasons I am not working at that company before 2 years, I have to pay back x amount of dollars for the cost of training. Now this wasn't a small sum of money, but I got fired for reasons unknown (lack of "performance"). Is this common practice (and/or legal) in Ohio or elsewhere?
2016/08/27
[ "https://workplace.stackexchange.com/questions/74959", "https://workplace.stackexchange.com", "https://workplace.stackexchange.com/users/56787/" ]
This site cannot speak to whether or not this is a legal practice. I do know of at least one time this has happened in Ohio -- a person was let go, changed jobs, and the person's original employer wanted the person (or new employer) to pay for the training. Asking employees to pay for training when they voluntarily leave is one thing, but it makes no sense when the company releases an employee. Agreed that a brief meeting with a lawyer would be valuable. The lawyer would be able to advise on the legality and enforceability, which are often two very different things. Employers sometimes do put essentially illegal clauses in contracts, since they know the employee would have to go to court and pay legal fees to get a judgement in their favor. Often it's easier/cheaper for the employee to go along with a contract clause than try to fight it. And very few want to be the person who sued their last employer.
A regular search, <https://www.google.com/?ion=1&espv=2#q=recoup+training+costs+employee+after+firing+them+ohio> might help you a little bit. It appears that the answer is - it depends. Most of the info is directed at employees who leave voluntarily. Did you know that a fired employee can sue for wrongful termination? I've seen employers agree to lots of things to avoid that suit. Suits cost a lot of money, especially that one. They may be willing to agree to not be sued and not sue you. This is especially true if it is a large or tiny company. Regardless of the wording of the question - including the legality part, it is best to get an employment attorney in the state in question.
74,959
I signed a contract with my employer stating that for any and all reasons I am not working at that company before 2 years, I have to pay back x amount of dollars for the cost of training. Now this wasn't a small sum of money, but I got fired for reasons unknown (lack of "performance"). Is this common practice (and/or legal) in Ohio or elsewhere?
2016/08/27
[ "https://workplace.stackexchange.com/questions/74959", "https://workplace.stackexchange.com", "https://workplace.stackexchange.com/users/56787/" ]
This site cannot speak to whether or not this is a legal practice. I do know of at least one time this has happened in Ohio -- a person was let go, changed jobs, and the person's original employer wanted the person (or new employer) to pay for the training. Asking employees to pay for training when they voluntarily leave is one thing, but it makes no sense when the company releases an employee. Agreed that a brief meeting with a lawyer would be valuable. The lawyer would be able to advise on the legality and enforceability, which are often two very different things. Employers sometimes do put essentially illegal clauses in contracts, since they know the employee would have to go to court and pay legal fees to get a judgement in their favor. Often it's easier/cheaper for the employee to go along with a contract clause than try to fight it. And very few want to be the person who sued their last employer.
You'd need to ask a lawyer about the legality. I have seen a lot of strange things in contracts and normally it's best to abide by them. However once I leave a job I ignore anything the employer threatens me with. The last couple had sour grapes since many of their clients followed me out. Legal action is a costly exercise and I've never actually been prosecuted but I have been threatened twice. I wasn't sacked either time though, but I'd still ignore it if I was. This is probably your best strategy, don't answer emails, throw letters away unread, don't admit culpability for anything. It would cost your employer quite a chunk of money (for a risk) just to get the process started against you. The longer you delay the more it costs them up front. If you're going to get prosecuted, then you're going to get prosecuted, there is no need to make it any easier or cheaper for the ex-employer and every reason to delay as long as possible.
74,959
I signed a contract with my employer stating that for any and all reasons I am not working at that company before 2 years, I have to pay back x amount of dollars for the cost of training. Now this wasn't a small sum of money, but I got fired for reasons unknown (lack of "performance"). Is this common practice (and/or legal) in Ohio or elsewhere?
2016/08/27
[ "https://workplace.stackexchange.com/questions/74959", "https://workplace.stackexchange.com", "https://workplace.stackexchange.com/users/56787/" ]
You'd need to ask a lawyer about the legality. I have seen a lot of strange things in contracts and normally it's best to abide by them. However once I leave a job I ignore anything the employer threatens me with. The last couple had sour grapes since many of their clients followed me out. Legal action is a costly exercise and I've never actually been prosecuted but I have been threatened twice. I wasn't sacked either time though, but I'd still ignore it if I was. This is probably your best strategy, don't answer emails, throw letters away unread, don't admit culpability for anything. It would cost your employer quite a chunk of money (for a risk) just to get the process started against you. The longer you delay the more it costs them up front. If you're going to get prosecuted, then you're going to get prosecuted, there is no need to make it any easier or cheaper for the ex-employer and every reason to delay as long as possible.
A regular search, <https://www.google.com/?ion=1&espv=2#q=recoup+training+costs+employee+after+firing+them+ohio> might help you a little bit. It appears that the answer is - it depends. Most of the info is directed at employees who leave voluntarily. Did you know that a fired employee can sue for wrongful termination? I've seen employers agree to lots of things to avoid that suit. Suits cost a lot of money, especially that one. They may be willing to agree to not be sued and not sue you. This is especially true if it is a large or tiny company. Regardless of the wording of the question - including the legality part, it is best to get an employment attorney in the state in question.
7,776
If you are supposed to do UX design estimate, and you need to measure it based on "Simple, Medium and Complex", how do you classify the Simple, Medium and Complex screen design? What are all the factors that you will consider to define a screen complexity, like number of screen elements, form elements, data structures etc...? How do we go about it?
2011/05/31
[ "https://ux.stackexchange.com/questions/7776", "https://ux.stackexchange.com", "https://ux.stackexchange.com/users/5716/" ]
It would be the most important to take into account how much the applications or site offers in terms of functionality. Most great UX can be made to look simple or effortless, when in fact these solutions are often the ones that are the hardest to arrive at. Find out from the client exactly what the interface has to do and go from there. There are times when the most complex visual interface will be equal to complexity of the functionality but this is not always the case. Could you provide any more info on the project?
**Ask questions** until you know enough that you can qualify the project as taking "a long time", "not that long" and "not long at all". It's not as simple as looking at the number of elements on a screen. Here are some questions I tend to ask clients when they approach us: * **Who is the target audience?** - so we know what kind of people will be using the interface * **Who are your competitors?** - so we can learn more about the problem domain and common solutions in this market or industry * **What kind of websites do you like/visit?** - so we know what kind of expectations and experience the client will have * **What is the budget?** - so we know what kind of UI we can build The more questions you ask, the more you learn about the client's background and domain. That knowledge allows you to ask even more specific questions until you reach the stage where you feel comfortable enough to start forming screens in your head. At that point, it becomes gut feeling. Is the problem domain really complicated? Do users need to do a lot work? Then you might be looking at a "Complex" screen design. But watch out - you might be able to create simple screens for a complex problem as well. The best way to find out is to start iterating, testing, and creating prototypes as soon as possible. ---
7,776
If you are supposed to do UX design estimate, and you need to measure it based on "Simple, Medium and Complex", how do you classify the Simple, Medium and Complex screen design? What are all the factors that you will consider to define a screen complexity, like number of screen elements, form elements, data structures etc...? How do we go about it?
2011/05/31
[ "https://ux.stackexchange.com/questions/7776", "https://ux.stackexchange.com", "https://ux.stackexchange.com/users/5716/" ]
It would be the most important to take into account how much the applications or site offers in terms of functionality. Most great UX can be made to look simple or effortless, when in fact these solutions are often the ones that are the hardest to arrive at. Find out from the client exactly what the interface has to do and go from there. There are times when the most complex visual interface will be equal to complexity of the functionality but this is not always the case. Could you provide any more info on the project?
You are right, that is hard to pin down. We could create a formula to calculate the complexity of a UX design. First, lets list all the factors: 1. (F) Functionality, each function in the design multiplies the work 2. (P) Platforms, reworking the UX for a new screensize or platform also multiplies the work 3. (N) The number of elements needed to be considered and displayed So... Complexity(C) can be calculated: C = P(F + N)
466,296
I have a the following message when i try to install windows 7 through an bootable USB.. > > setup was unable to create a new system partition or locate an > existing system partition > > > I will explain the things I did to my lenovo y500 laptop.The laptop was initially working with 2 os .. ubuntu linux and windows vista which came with the laptop.. What I tried to do is to install the windows 7 through USB and when it asksed for the option which drive to install, It showed me all the drives available including the C: and the vista reserved drive.. Since I wanted a fresh install, I deleted all the partitions and tried to install the new windows 7 but got the above said message. currently I have no os and cannot install anything too.. Now I dont know what to do.. I googled for the issue but none of the answers helped me..I tried to do the diskpart using command prompt and it did not help.. can someone guide me in this ? Thanks..
2012/08/25
[ "https://superuser.com/questions/466296", "https://superuser.com", "https://superuser.com/users/152377/" ]
Assuming that your first partition is Windows 7 and the second is Windows 8, you can do this just using tools coming with Windows 7: 1. Boot Windows 7 2. Open the disk management 3. Simply delete the Windows 8 partition 4. Resize the Windows 7 partition to use the now available free space However, if you have some partition layout where the Windows 7 partition comes *after* your Windows 8 partition or if they are not "neighbors" at all (e.g. first Windows 7, then Ubuntu, then Windows 8), you would have to boot a linux-based live system like [gparted](http://gparted.sourceforge.net/livecd.php) or [parted magic](http://partedmagic.com/) to move/delete/resize partitions. **Be careful though to not mess up your system.**
I highly recommend [Gnome Partition Editor](http://gparted.sourceforge.net/). It can perform actions with partitions such as: * create or delete * resize or move * check * label * set new UUID * copy and paste Manipulate file systems such as: * btrfs * ext2 / ext3 / ext4 * fat16 / fat32 * hfs / hfs+ * linux-swap * nilfs2 * ntfs * reiserfs / reiser4 * ufs * xfs And many more features
466,296
I have a the following message when i try to install windows 7 through an bootable USB.. > > setup was unable to create a new system partition or locate an > existing system partition > > > I will explain the things I did to my lenovo y500 laptop.The laptop was initially working with 2 os .. ubuntu linux and windows vista which came with the laptop.. What I tried to do is to install the windows 7 through USB and when it asksed for the option which drive to install, It showed me all the drives available including the C: and the vista reserved drive.. Since I wanted a fresh install, I deleted all the partitions and tried to install the new windows 7 but got the above said message. currently I have no os and cannot install anything too.. Now I dont know what to do.. I googled for the issue but none of the answers helped me..I tried to do the diskpart using command prompt and it did not help.. can someone guide me in this ? Thanks..
2012/08/25
[ "https://superuser.com/questions/466296", "https://superuser.com", "https://superuser.com/users/152377/" ]
Assuming that your first partition is Windows 7 and the second is Windows 8, you can do this just using tools coming with Windows 7: 1. Boot Windows 7 2. Open the disk management 3. Simply delete the Windows 8 partition 4. Resize the Windows 7 partition to use the now available free space However, if you have some partition layout where the Windows 7 partition comes *after* your Windows 8 partition or if they are not "neighbors" at all (e.g. first Windows 7, then Ubuntu, then Windows 8), you would have to boot a linux-based live system like [gparted](http://gparted.sourceforge.net/livecd.php) or [parted magic](http://partedmagic.com/) to move/delete/resize partitions. **Be careful though to not mess up your system.**
Simply delete the Windows 8 partition, set the Windows 7 partition to active, and reboot. Some great programs that can easily do this for you [gParted live cd](http://gparted.sourceforge.net/livecd.php) [Norton Ghost](http://us.norton.com/ghost/) [Acronis Disk Director](http://www.acronis.com/homecomputing/products/diskdirector/)
78,099
How can I create a new map (with my personal POIs) using Google Maps from a PC browser and use Street View options to see details? I am not able to create a map, give a name and add new points. I need to use it from a smartphone but I prefer to create it by PC because of the screen dimensions.
2015/05/13
[ "https://webapps.stackexchange.com/questions/78099", "https://webapps.stackexchange.com", "https://webapps.stackexchange.com/users/50670/" ]
One approach I have used is to create the new map in one browser window (Sign in and click in the search bar: doing this shows a My Maps link - clicking this gives a Create link. Clicking this opens a new personal map editing window.) And use street-view in another browser tab. This is tedious, because you have to locate particular spots on one, and then find them on the other from the map features (bends, crossroad and the like). But I have not found Street View in the MyMaps editor tool.
To create a new map is it necassary to login with your personal google account and BEFORE any search you can see the menu where you can find your maps and create new ones
26,575
How to make a transparent 'png' image from black (not transparent) to nothing (absolutely transparent) in GIMP smoothly? As result, this image on the red image gives the image from black via dark red to red? This is an example (but not of good quality, I'd like to know how to make this image properly): ![enter image description here](https://i.stack.imgur.com/wPCEz.png)
2014/01/23
[ "https://graphicdesign.stackexchange.com/questions/26575", "https://graphicdesign.stackexchange.com", "https://graphicdesign.stackexchange.com/users/19202/" ]
What you are looking for is a **gradient**. Here is a tutorial on [how to make a gradient in Gimp.](http://www.wikihow.com/Create-a-Gradient-in-Gimp) Here's on [how to make a custom gradient](http://graphicssoft.about.com/od/gimptutorials/ss/Gradient-Editor.htm). * In your case you would make your gradient as a layer that like you said smooths from black to nothing, this will be your gradient layer. The layer under this will simply be filled in red. With the gradient on top it will make the effect that you want. * Alternatively you could just have a layer of a custom gradient that goes from black to red. Hope this helps. :)
You have to add a layer mask. (Right click on Layer → Layer Mask → Add alpha channel of the layer) And then can you use the gradient tool Here is an tutorial with pictures. <http://infofreund.de/gimp-transparent-gradient/>
41,272
I am in a campaign where I want to be a Gnome Bard that can use the Fire Descriptor for the Music Damage, but my GM will only allow me to Multi-class into either Druid or Cleric For campaign purposes. Is there any hope for me? Maybe with a trait or another Feat? Ref: [Fire Music Feat](http://www.d20pfsrd.com/feats/general-feats/fire-music)
2014/06/21
[ "https://rpg.stackexchange.com/questions/41272", "https://rpg.stackexchange.com", "https://rpg.stackexchange.com/users/14771/" ]
You could use the [Arcane Talent](http://www.d20pfsrd.com/feats/general-feats/arcane-talent) feat to learn [spark](http://www.d20pfsrd.com/magic/all-spells/s/spark), a 0-level spell with the [fire] descriptor. The wording of the feat should satisfy the necessary requirements: > > Choose a 0-level spell from the sorcerer/wizard spell list. You can cast this spell three times per day as a spell-like ability. > > > The [Paizo FAQ](http://paizo.com/paizo/faq/v5748nruor1fm#v5748eaic9qow) clarifies that spell-like abilities count as being able to cast that specific spell for prerequisites, and (right underneath the previous question) by default will count as arcane spells from the sorc/wizard list. You should probably also consider the [Pyromaniac](http://www.d20pfsrd.com/races/core-races/gnome) alternate racial trait, since it augments fire spells, but sadly it doesn't grant any arcane casting that would qualify you for the Fire Music feat. That said, I'm not really sure *why* the feat requires the spell be arcane, so it might be worth discussing options with your DM.
You can use the [Magician archetype](http://www.d20pfsrd.com/classes/core-classes/bard/archetypes/paizo---bard-archetypes/magician). It allows to expand your spells known at levels 2, 6, 10, 14 and 18 from another arcane caster list. The archetype changes a number of the standard Bard class features though, so this may not be an option, if you would like to keep those. Also, as starwed did in his answer, me too I advise you to talk to your GM to be less stringent with the feat's requirements.
41,272
I am in a campaign where I want to be a Gnome Bard that can use the Fire Descriptor for the Music Damage, but my GM will only allow me to Multi-class into either Druid or Cleric For campaign purposes. Is there any hope for me? Maybe with a trait or another Feat? Ref: [Fire Music Feat](http://www.d20pfsrd.com/feats/general-feats/fire-music)
2014/06/21
[ "https://rpg.stackexchange.com/questions/41272", "https://rpg.stackexchange.com", "https://rpg.stackexchange.com/users/14771/" ]
You could use the [Arcane Talent](http://www.d20pfsrd.com/feats/general-feats/arcane-talent) feat to learn [spark](http://www.d20pfsrd.com/magic/all-spells/s/spark), a 0-level spell with the [fire] descriptor. The wording of the feat should satisfy the necessary requirements: > > Choose a 0-level spell from the sorcerer/wizard spell list. You can cast this spell three times per day as a spell-like ability. > > > The [Paizo FAQ](http://paizo.com/paizo/faq/v5748nruor1fm#v5748eaic9qow) clarifies that spell-like abilities count as being able to cast that specific spell for prerequisites, and (right underneath the previous question) by default will count as arcane spells from the sorc/wizard list. You should probably also consider the [Pyromaniac](http://www.d20pfsrd.com/races/core-races/gnome) alternate racial trait, since it augments fire spells, but sadly it doesn't grant any arcane casting that would qualify you for the Fire Music feat. That said, I'm not really sure *why* the feat requires the spell be arcane, so it might be worth discussing options with your DM.
I'm not sure about the wording, but I think the trait [two-world-magic](http://www.d20pfsrd.com/traits/magic-traits/two-world-magic) may be relevant: > > Benefit: Select one 0-level spell from a class spell list other than your own. This spell is a 0-level spell on your class spell list (or a 1st-level spell if your class doesn't have 0-level spells). [...] > > > On one hand, it allows you to gain a spell from another class's spell list, but on the other hand, it becomes a spell in your list, so it might not qualify. Consult your GM...
11,640
I currently have a standing desk at work, and I thought a fun way to learn Arduino would be to automate it, as it currently uses a hand crank. I would love some help determining what I would need for this task. What kind of motor should I use? -Stepper motor? -High/low rpm? -High/low torque? What sort of power would I need? Looking forward to hearing people's suggestions!
2015/05/07
[ "https://arduino.stackexchange.com/questions/11640", "https://arduino.stackexchange.com", "https://arduino.stackexchange.com/users/9929/" ]
I think this might end up being more of a fun way to electrocute yourself, but let's find out... Energy required to lift an object with mass "m" an upward distance of "h" in the Earth's gravitational field, on the surface... E = mgh = m(9.8)h So, to lift a 50kg desk one meter, we will need 50 x 9.8 x 1 = 490 Joules How fast do you want to lift it? Let's say we want it to take 10 seconds - that will give us the power level we need. Power is in watts (Joules per second) - so if we want to lift the desk in 10 seconds we need 49 watts - let's call it 50. Now, to produce 50 watts with a 12-volt battery, that would be 4.2 Amps. This is do-able, and it's not the high power level I expected for lifting a desk. Even if we throw in some efficiency losses, we're well within the safety zone and won't have to get out the high voltage equipment. So, I'm glad I did the math - my initial impression of this task was the joke at the beginning of the post. So, you need a 50 watt motor... that's easy to find. Hell, why not go way over that and get a 100-watt motor... google that... <http://www.electricscooterparts.com/motors24volt.html> - bang! Scooter motors! Nice! So, that's an example of how you might figure out what parts to get - it all starts with basic physics and ends with Google (or Bing if you're one of *those* people). I simplified a lot, but you get the idea. The other part of this task is to figure out the control system. I would probably not use Arduino to do this. I would have three switches - one "directional" switch to run the motor, and two sensor switches to disconnect the directions of the motor at each end of the track. I think that's how automatic power windows in cars used to work, which explains why if you didn't hold the button down long enough, it would immediately instead of continuing to the other end - it was still sitting on the sensor. Sticking an Arduino in the mix and having it read the sensors would just waste power all day long, but you could do it that way. It's the same idea - just mount sensors on the track, which get tripped when the desk rolls up to that spot. Coding wouldn't be that tricky - when the user activates the "change button" or whatever, check which sensor is currently active, and move the desk the other way until the other sensor activates. You're going to need a good power supply for that motor - a 24-volt **2**00-watt power supply if you like to over-engineer like I do. You'll need a relay to control the motor - it needs to handle 24 volts/200 watts. Then you'll need some kind of activation button, and two sensors. You want some kind of sensor that is definitely going to be activated when the desk is in position, or you risk over-running your target, binding the mechanics, and burning the motor, and possibly the office as well. So, I would choose some kind of mechanical sensor, not a light sensor or something like that. This should get you started on finding those parts... <https://www.sparkfun.com/categories/145> - these are all kinds of buttons and switches - you should be able to find something that you can mount to the track which will activate when the desk runs into it. Search on this site for the other parts - they have the relays and stuff too. Final warning though - this may be too complicated and dangerous for a first project. At 24 volts and 100 watts, we are getting into dangerous power levels. But, these are common power levels in consumer equipment. So, if you know what you're doing you should be safe. If you don't, I strongly suggest getting an experienced electrical engineer to look at your designs. Also, you probably can't install this device in an office - there is an insurance reason that it hand-cranks, your company isn't just being cheap. What happens if someone bumps the desk and it becomes active when you're not around? What happens when the power goes out? What happens when the power comes back on? Do we have enough fuses in the right places to shut this system down before it catches fire? You need to consider all that.
For initial playing, and possibly for a final solution, battery powered electric drills with external powering are an excellent source of reasonable wattage well geared down motors. Drills are often discarded when the batteries die and may be available free or at lo cost. For relatively low duty cycle use 9V drills operate OK on a small 12V battery and drills rated at up to 18V usually operate well enough on 12V. Use of a 12V lead acid battery charged by a trickle charger makes high current peaks easy to accommodate. Almot any condition battery will do - one which is too dead for eg motorcyle use probably works well enough here. Floating 12V lead acid batteries at 13.7 V allows them to be permanenetly connected to the "charger". A power pack can be used without a battery if enough current is provided. Battery powered drills typically have a two stage epicyclic gearbox giving typically hundreds of RPM output speed. If desired you can use the supplied switching which has a DPDT mechanical reversing switch. If you remove the mechanical reversing switch you can feed voltage directly to the motor. Changing polarity changes direction. Dismantling the gearbox can be educational but may be a one way journey. Beware a flood of ball bearings.
318,368
1. I want to create a scrollable list of pictures fetched from the internet and give the user the ability to click on it. How do i go about doing it in WinForms/C#? Is it possible to add picturebox control/ controls to the listBox? 2. I tried adding a list of picturebox into UserControl with AutoScroll set to true, which will give me a feel like using a listBox, Is this a right approach? 3. I also tried setting the ImageLocation of the pictureBox to a URI of the image and then called Load() to load the image, it did work, however my Form is freezing up! How do i go on updating each of the picturebox in a sequential way without freezing my form? Thank you, Azlam
2008/11/25
[ "https://Stackoverflow.com/questions/318368", "https://Stackoverflow.com", "https://Stackoverflow.com/users/13046/" ]
I'll answer your third question first, becuase that's the only one I REALLY know the answer to. There's a LoadAsync() method on the picture box that will load the image in a seperate thread and won't hang your app. As for the other questions, I too would most likely start with a user control and put the images there. The only thing I can suggest would be to first create a user control that has a picture box, and maybe a multiline textbox or richtextbox next to it. Turn off the border on the textbox, and have a slight border around the entire control. This will allow you to display the image, with some text next to it. Then, your actual final control will just be a collection of these controls with the ability to add them as needed. --my 2 cents...
Do you mind scrolling vertically? I would start with the DataGridView control as a base and create the following implementation: 1) Create custom column and celltype deriving from DataGridViewImageColumn. You could call them "CronosNetImageColumn", "CronosNetImageCell". 2) Create a class "CronosImageDetails" to hold the cell data (include properties for display text and image url). This will be passed in as the value for each cell. Ex: ImageGrid.Rows.Add(new CronosImageDetails { DisplayText="Day at the Beach", ImageURL="http://...beach.jpg" }); 3) Override the cell Paint() to use a WebClient to get the image and use e.Graphics.DrawImage(ImageObtainedFromWebClient) to paint the image to the cell. You could use e.Graphics.DrawString((CronosImageDetails)value.DisplayText,...) to overlay the text in the cell. This quick solution would get you a scrolling imagelist that only loads images as the user scrolls through the list and provides a solid base for improvement. Recommended further optimizations: A) Create a backbuffer bitmap and graphics for drawing cell data. B) Setup Paint() to simply paint the backbuffer instead of doing the work to get the image C) Create a new cell method LoadImage() that spawns a new thread that downloads the image and paints it onto the back buffer. D) Have Paint() (or a seperate helper thread) track the direction and acceleration of scrolling and estimate which cells need to be preloaded. Trigger LoadImage() on those cells. E) Initialize the back buffer of each cell with a loading image. F) Track and use empirical data from the image loading times to help determine which cells need to be preloaded.
184,820
When authors submit paper to a journal, the paper will go through the peer review process. When a reviewer accepts to review a paper, the reviewer is then given the power to delay the publication of the paper and the power to reject the paper. From time to time, it has been shown that reviewers abuse the power to commit misconduct. There are many types of misconduct that a reviewer can do, one example is slowing down the review process so that other papers with the same topic have the chance to get published first. Another example (and considered as the worst misconduct that reviewer can do) is a reviewer plagiarizing the paper that they reviewed and submitting the plagiarized paper to other journal. In 2016, a reviewer from a high-level journal plagiarized and submitted a paper to another journal (read: [[1]](https://www.ncbi.nlm.nih.gov/pmc/articles/PMC6310661/) [[2]](https://retractionwatch.com/2016/12/12/dear-peer-reviewer-stole-paper-authors-worst-nightmare/)), which showed that even high-level journals are not immune from this misconduct. Due to the sheer volume of papers that a journal must process, it is hard for an editor to determine whether the rejected paper is actually a "bad" paper, it is possible that a reviewer intentionally rejected the paper for malicious intent. The same goes for a situation when a reviewer intentionally makes the review process as slow as possible, it is hard to detect whether they intentionally slow down the publication of the paper. Is there anything we can do to protect ourselves from predatory reviewers?
2022/05/01
[ "https://academia.stackexchange.com/questions/184820", "https://academia.stackexchange.com", "https://academia.stackexchange.com/users/154643/" ]
I'll reiterate my basic point, already made in a comment so brief I didn't think it would be considered a good answer: put (carefully edited/proofread) preprints on-line, on an arXiv-like preprint server, or on your own web site (if it's well established). Or both, why not? As in other comments: this will give you priority, with or without "peer review". Yes, if your paper is full of errors, you squander your credibility. Be careful. On another hand, the refereeing process is not currently aimed so much at "improving/correcting" work, but in a gate-keeper function for status. The prohibition of plagiarism and so on does not depend on peer review!!!
Predatory reviewers are so rare there is no need to do anything to protect yourself. It's so easy to get caught plagiarizing a paper you are reviewing that anyone who does it will have quite a short career. The probability that your reviewer has a similar paper near publication is very low. If a reviewer is malicious, intentionally making the author's life difficult, then it is the editor's responsibility to discard the review. Similarly, if the reviewer requests inappropriate citations, it is the editor's responsibility to decline.
184,820
When authors submit paper to a journal, the paper will go through the peer review process. When a reviewer accepts to review a paper, the reviewer is then given the power to delay the publication of the paper and the power to reject the paper. From time to time, it has been shown that reviewers abuse the power to commit misconduct. There are many types of misconduct that a reviewer can do, one example is slowing down the review process so that other papers with the same topic have the chance to get published first. Another example (and considered as the worst misconduct that reviewer can do) is a reviewer plagiarizing the paper that they reviewed and submitting the plagiarized paper to other journal. In 2016, a reviewer from a high-level journal plagiarized and submitted a paper to another journal (read: [[1]](https://www.ncbi.nlm.nih.gov/pmc/articles/PMC6310661/) [[2]](https://retractionwatch.com/2016/12/12/dear-peer-reviewer-stole-paper-authors-worst-nightmare/)), which showed that even high-level journals are not immune from this misconduct. Due to the sheer volume of papers that a journal must process, it is hard for an editor to determine whether the rejected paper is actually a "bad" paper, it is possible that a reviewer intentionally rejected the paper for malicious intent. The same goes for a situation when a reviewer intentionally makes the review process as slow as possible, it is hard to detect whether they intentionally slow down the publication of the paper. Is there anything we can do to protect ourselves from predatory reviewers?
2022/05/01
[ "https://academia.stackexchange.com/questions/184820", "https://academia.stackexchange.com", "https://academia.stackexchange.com/users/154643/" ]
I think the question is based on an irrational fear. Let me explain why, assuming that we are talking about high-quality journals rather than ones run by predatory outfits. First, reviewers do not actually have the power to do anything. They only *recommend* what the editor should to do, but the power to reject a paper rests with the editor. And editors almost always know the field well and can judge whether a paper should be rejected; in fact, I suspect that in the majority of cases, editors will know whether a paper should be rejected based on their own reading of the manuscript, but expert reviewers are necessary to provide a more complete picture. As a consequence, if one reviewer suggests rejecting a paper, but others suggest accepting or revising it, editors will use their professional judgment to adjudicate the conflicting opinions and will be able to tell who is right and who is not. In practice, this decision-making is helped by the fact that editors often know the reviewers at least casually. Second, while it is of course true that humans -- including reviewers -- have generally done nearly every ethically unbecoming thing one could imagine, this does not mean that it is common. I've been an editor of journals for more than a decade, and editor-in-chief for four years, but I cannot recall seeing or hearing about reviews that were ethically questionable despite reading hundreds of them. I've seen many reviews that were lazy, but I can't say that I saw any where I thought that a reviewer suggested an outcome that was not backed by at least some kind of objective reasoning. As a consequence, my suggestion would be to focus on (i) writing good papers, (ii) sending them to good journals, (iii) posting the manuscript on some kind of preprint server.
Predatory reviewers are so rare there is no need to do anything to protect yourself. It's so easy to get caught plagiarizing a paper you are reviewing that anyone who does it will have quite a short career. The probability that your reviewer has a similar paper near publication is very low. If a reviewer is malicious, intentionally making the author's life difficult, then it is the editor's responsibility to discard the review. Similarly, if the reviewer requests inappropriate citations, it is the editor's responsibility to decline.
14,392,354
ByteLand  Byteland consists of N cities numbered 1..N. There are M roads connecting some pairs of cities. There are two army divisions, A and B, which protect the kingdom. Each city is either protected by army division A or by army division B. You are the ruler of an enemy kingdom and have devised a plan to destroy Byteland. Your plan is to destroy all the roads in Byteland disrupting all communication. If you attack any road, the armies from both the cities that the road connects comes for its defense. You realize that your attack will fail if there are soldiers from both armies A and B defending any road. So you decide that before carrying out this plan, you will attack some of the cities and defeat the army located in the city to make your plan possible. However, this is considerably more difficult. You have estimated that defeating the army located in city i will take up ci amount of resources. Your aim now is to decide which cities to attack so that your cost is minimum and no road should be protected from both armies A and B. ----Please tell me if this approach is correct---- We need to sort the cities in terms of resources required to destroy the city. For each city we need to ask the following questions: 1) Did deletion of the previous city NOT result into a state which can destroy Byteland? 2) Does it connect any road? 3) Does it connect any road which is armed by a different city? If all of these conditions are true, we'll proceed towards destroying the city and record the total cost incurred so far and also determine if destruction of this city will lead to overall destruction of Byteland. Since the cities are arranged in increasing order of the cost incurred, we can stop wherever we find the desired set of deletions.
2013/01/18
[ "https://Stackoverflow.com/questions/14392354", "https://Stackoverflow.com", "https://Stackoverflow.com/users/1071840/" ]
You need only care about roads that link two cities with different armies - links between A and B or links between B and A, so let's delete all links from A to A or B to B. You want to find a set of points such that each link has at least one point on it, which is a minimum weight vertex cover. On an arbitrary graph this would be NP-complete. However, your graph only ever has nodes of type A linked to nodes of type B, or the reverse - it is a bipartite graph with these two types of nodes as the two parties. So you can find a minimum weight vertex cover by using an algorithm for finding minimum weight vertex covers on bipartite graphs. Searching for this, I find e.g. <http://ocw.mit.edu/courses/electrical-engineering-and-computer-science/6-854j-advanced-algorithms-fall-2008/assignments/sol5.pdf>
mcdowella, But the vertices have a cost to them and the minimum vertex cover would not produce the right vertices to remove. Imagine 2 vertices (A army) pointing to the third one (B). First two vertices cost 1 each, where the third one costs 5. A minimum vertex cover would return the third one - but removing the third one costs more than removing both nodes with cost 1 + 1. We would probably need some modified version of a minimum vertex cover here.
123,736
I'm trying to copy an object out of an SVG file using inkscape, however when I paste it back in to a new inkscape file it's no longer the svg version, but a rasterized version. I'm not sure if it's because inkscape runs in XQuartz and the clipboard is behaving odly.
2014/03/09
[ "https://apple.stackexchange.com/questions/123736", "https://apple.stackexchange.com", "https://apple.stackexchange.com/users/72530/" ]
[Here](http://mandarapte.com/apple/copy-pasting-vector-objects-svg-file-vector-svg-file-inkscape-converts-bitmap-working-pasteboards-x11/) someone had the same problem. They solved it by turning off X11's Pasteboard Syncing: > > Disabling ‘Sync PasteBoard’ Functionality within X11 (Which is > Included in XQuartz App for OSX Mountain Lion) solves the problem of > converting vector object to Bitmap after pasting the same object in > another SVG file. > > > Do This (Go to): X11 > Click on ‘Preferences’ tab > Choose > ‘Pasteboard’ tab > Uncheck ‘Enable Syncing’ > > >
I solved this problem by *importing* another svg file into the current one. File --> Import... --> Select "All Vectors" (or "\*.svg") in the filter selection menu. This copies the entire content of the imported file into the current one in vector format.
24,751,679
I am developing an ADF Fusion Web Application and I want to be able to update and save the changes about entities into my database. Do I always have to drag and drop both Submit and Commit buttons together? I can not unserstand their difference implicitly.
2014/07/15
[ "https://Stackoverflow.com/questions/24751679", "https://Stackoverflow.com", "https://Stackoverflow.com/users/3246402/" ]
The submit button actually does nothing special, it just does a submit of your form (like in normal HTML). It's the same functionality as every other button (except if you start using the immediate attribute, but not considering this here). The data from your form (or input components) will then be 'saved' in your model (so your entities). But not in the database of course. When using the commit button, a submit happens (so everything for above happens) and then your data will get committed (saved in your db).
User404 is correct. Lets go one step further. A lot of people do not want *separate* submit and commit buttons. [This](https://community.oracle.com/thread/2402124?start=0) may give an example of calling the commit programmatically from the ActionListener event handler of a button.
46,230
[<<---First clue](https://puzzling.stackexchange.com/questions/37784/i-am-an-expression-of-a-deer-mint-clue-one) [<---Previous clue](https://puzzling.stackexchange.com/questions/45992/dance-a-jigsaw-clue-fifteen) --- Inspiration from [here](https://puzzling.stackexchange.com/questions/40018/clue-web-1-lets-start). --- A lot of credit to [@Scimonster](https://puzzling.stackexchange.com/users/4456/scimonster) here; we created this puzzle together. --- "Aha!" you exclaim, finally spotting the door - it's an almost invisible gray door against the wall. You head over there, expecting to find a challenge - and you aren't disappointed. Inscribed above the door is a strange sign: [![doorwithcluewebimage](https://i.stack.imgur.com/4gTxL.png)](https://i.stack.imgur.com/4gTxL.png) Next to the door is a plaque. On the plaque it says: > > Remember the Clue Web, on your favorite website, posted by the renowned puzzler Brent Hackers? Excellent, because now's your chance to solve one! Maybe you don't remember how to to play. (Even though it was an awesome puzzle.) Mithrandir, here are the rules: Begin by taking one group of four words. Each word in the group can be connected to another word, which is not here. Repeat for the next three groups. Then, you take those four words, and find the word that connects those three. (Hopefully, there will be only one.) After that, you'll have your precious Clue. Terrific, no? > > > **Group 1** > > gain, fee, no, point > > tomato, egg, green, fruit > > gong, liberty, Alexander, curve > > floor, ballroom, around, modern > > > > **Group 2** > > > > **Group 3** > > > > **Group 4** > > stroke, pack, scratch, log > > side, get, loud, right > > fast, thunder, rod, storm > > fates, pigs, bears, witches > > > --- [Next clue--->](https://puzzling.stackexchange.com/questions/46702/the-strange-notebook-clue-seventeen)
2016/11/29
[ "https://puzzling.stackexchange.com/questions/46230", "https://puzzling.stackexchange.com", "https://puzzling.stackexchange.com/users/25966/" ]
Group 1 > > ***bar (@Aethon)*** > > **entry** gain, fee, no, point (@Sconibulus) > > **salad** tomato, egg, green, fruit (@Sconibulus) > > **bell** gong, liberty, Alexander, curve > > **dance** floor, ballroom, around, modern > > > Group 2 > > ***smith*** > > **black** white, midnight, cat, pitch > > **silver** lining, bullet, tongue, sterling > > **lock** key, horns, caps, hair > > **sword** cross, swallowing, broad, wound > > > Group 3 > > ***solid*** > > **brick** red, oven, ton, wall > > **rock** roll, skipping, baby, chair > > **stripes** zebra, true, earn, stars > > **truth** know, opinion, matter, ground > > > Group 4 > > ***strike (@Sconibulus)*** > > **back** stroke, pack, scratch, log > > **out** side, get, loud, right > > **lightning** fast, thunder, rod, storm > > **three** fates, pigs, bears, witches > > > And based on work by @Sconibulus and comments by @Aethon, the final group is > > ***gold (@Aethon)*** (**bar**, **smith**, **solid**, **strike**) > > > So the clue is > > Gold > > >
Partial answer Group 1 > > gain, fee, no, point > > tomato, egg, green, fruit > > gong, liberty, Alexander, curve -- BELL > > floor, ballroom, around, modern > > > Group 2 (tmpearce) > > white, midnight, cat, pitch -- BLACK > > lining, bullet, tongue, sterling -- SILVER > > key, horns, caps, hair -- LOCK > > cross, swallowing, broad, wound -- SWORD? > > > Group 3 > > red, oven, ton, wall -- BRICK > > roll, skipping, baby, chair > > zebra, true, earn, stars -- STRIPE??? > > know, opinion, matter, ground > > > Group 4 > > stroke, pack, scratch, log -- BACK > > side, get, loud, right > > fast, thunder, rod, storm -- LIGHTNING > > fates, pigs, bears, witches > > >
46,230
[<<---First clue](https://puzzling.stackexchange.com/questions/37784/i-am-an-expression-of-a-deer-mint-clue-one) [<---Previous clue](https://puzzling.stackexchange.com/questions/45992/dance-a-jigsaw-clue-fifteen) --- Inspiration from [here](https://puzzling.stackexchange.com/questions/40018/clue-web-1-lets-start). --- A lot of credit to [@Scimonster](https://puzzling.stackexchange.com/users/4456/scimonster) here; we created this puzzle together. --- "Aha!" you exclaim, finally spotting the door - it's an almost invisible gray door against the wall. You head over there, expecting to find a challenge - and you aren't disappointed. Inscribed above the door is a strange sign: [![doorwithcluewebimage](https://i.stack.imgur.com/4gTxL.png)](https://i.stack.imgur.com/4gTxL.png) Next to the door is a plaque. On the plaque it says: > > Remember the Clue Web, on your favorite website, posted by the renowned puzzler Brent Hackers? Excellent, because now's your chance to solve one! Maybe you don't remember how to to play. (Even though it was an awesome puzzle.) Mithrandir, here are the rules: Begin by taking one group of four words. Each word in the group can be connected to another word, which is not here. Repeat for the next three groups. Then, you take those four words, and find the word that connects those three. (Hopefully, there will be only one.) After that, you'll have your precious Clue. Terrific, no? > > > **Group 1** > > gain, fee, no, point > > tomato, egg, green, fruit > > gong, liberty, Alexander, curve > > floor, ballroom, around, modern > > > > **Group 2** > > > > **Group 3** > > > > **Group 4** > > stroke, pack, scratch, log > > side, get, loud, right > > fast, thunder, rod, storm > > fates, pigs, bears, witches > > > --- [Next clue--->](https://puzzling.stackexchange.com/questions/46702/the-strange-notebook-clue-seventeen)
2016/11/29
[ "https://puzzling.stackexchange.com/questions/46230", "https://puzzling.stackexchange.com", "https://puzzling.stackexchange.com/users/25966/" ]
Group 1 > > ***bar (@Aethon)*** > > **entry** gain, fee, no, point (@Sconibulus) > > **salad** tomato, egg, green, fruit (@Sconibulus) > > **bell** gong, liberty, Alexander, curve > > **dance** floor, ballroom, around, modern > > > Group 2 > > ***smith*** > > **black** white, midnight, cat, pitch > > **silver** lining, bullet, tongue, sterling > > **lock** key, horns, caps, hair > > **sword** cross, swallowing, broad, wound > > > Group 3 > > ***solid*** > > **brick** red, oven, ton, wall > > **rock** roll, skipping, baby, chair > > **stripes** zebra, true, earn, stars > > **truth** know, opinion, matter, ground > > > Group 4 > > ***strike (@Sconibulus)*** > > **back** stroke, pack, scratch, log > > **out** side, get, loud, right > > **lightning** fast, thunder, rod, storm > > **three** fates, pigs, bears, witches > > > And based on work by @Sconibulus and comments by @Aethon, the final group is > > ***gold (@Aethon)*** (**bar**, **smith**, **solid**, **strike**) > > > So the clue is > > Gold > > >
Group 1: > > Bar: (@Aethon) > > gain, fee, no, point: Entry > > tomato, egg, green, fruit: Salad > > gong, liberty, Alexander, curve: Bell > > floor, ballroom, around, modern: Dance > > > Group 2: > > Smith: > > white, midnight, cat, pitch: Black > > lining bullet tongue sterling: Silver > > key, horns, caps, hair: Lock > > cross, swallowing, broad, wound: Sword > > > Group 3: > > Solid: > > red, oven, ton, wall: Brick > > roll, skipping, baby, chair: Rock (tmpearce) > > zebra, true, earn, stars: Stripes > > know, opinion, matter, ground: Fact > > > Group 4: > > Strike: > > stroke, pack, scratch, log: Back > > side, get, loud, right: Out > > fast, thunder, rod, storm: Lightning > > fates, pigs, bears, witches: Three > > > And the final answer is: > > Gold (@Aethon) > > >
46,230
[<<---First clue](https://puzzling.stackexchange.com/questions/37784/i-am-an-expression-of-a-deer-mint-clue-one) [<---Previous clue](https://puzzling.stackexchange.com/questions/45992/dance-a-jigsaw-clue-fifteen) --- Inspiration from [here](https://puzzling.stackexchange.com/questions/40018/clue-web-1-lets-start). --- A lot of credit to [@Scimonster](https://puzzling.stackexchange.com/users/4456/scimonster) here; we created this puzzle together. --- "Aha!" you exclaim, finally spotting the door - it's an almost invisible gray door against the wall. You head over there, expecting to find a challenge - and you aren't disappointed. Inscribed above the door is a strange sign: [![doorwithcluewebimage](https://i.stack.imgur.com/4gTxL.png)](https://i.stack.imgur.com/4gTxL.png) Next to the door is a plaque. On the plaque it says: > > Remember the Clue Web, on your favorite website, posted by the renowned puzzler Brent Hackers? Excellent, because now's your chance to solve one! Maybe you don't remember how to to play. (Even though it was an awesome puzzle.) Mithrandir, here are the rules: Begin by taking one group of four words. Each word in the group can be connected to another word, which is not here. Repeat for the next three groups. Then, you take those four words, and find the word that connects those three. (Hopefully, there will be only one.) After that, you'll have your precious Clue. Terrific, no? > > > **Group 1** > > gain, fee, no, point > > tomato, egg, green, fruit > > gong, liberty, Alexander, curve > > floor, ballroom, around, modern > > > > **Group 2** > > > > **Group 3** > > > > **Group 4** > > stroke, pack, scratch, log > > side, get, loud, right > > fast, thunder, rod, storm > > fates, pigs, bears, witches > > > --- [Next clue--->](https://puzzling.stackexchange.com/questions/46702/the-strange-notebook-clue-seventeen)
2016/11/29
[ "https://puzzling.stackexchange.com/questions/46230", "https://puzzling.stackexchange.com", "https://puzzling.stackexchange.com/users/25966/" ]
Group 1: > > Bar: (@Aethon) > > gain, fee, no, point: Entry > > tomato, egg, green, fruit: Salad > > gong, liberty, Alexander, curve: Bell > > floor, ballroom, around, modern: Dance > > > Group 2: > > Smith: > > white, midnight, cat, pitch: Black > > lining bullet tongue sterling: Silver > > key, horns, caps, hair: Lock > > cross, swallowing, broad, wound: Sword > > > Group 3: > > Solid: > > red, oven, ton, wall: Brick > > roll, skipping, baby, chair: Rock (tmpearce) > > zebra, true, earn, stars: Stripes > > know, opinion, matter, ground: Fact > > > Group 4: > > Strike: > > stroke, pack, scratch, log: Back > > side, get, loud, right: Out > > fast, thunder, rod, storm: Lightning > > fates, pigs, bears, witches: Three > > > And the final answer is: > > Gold (@Aethon) > > >
Partial answer Group 1 > > gain, fee, no, point > > tomato, egg, green, fruit > > gong, liberty, Alexander, curve -- BELL > > floor, ballroom, around, modern > > > Group 2 (tmpearce) > > white, midnight, cat, pitch -- BLACK > > lining, bullet, tongue, sterling -- SILVER > > key, horns, caps, hair -- LOCK > > cross, swallowing, broad, wound -- SWORD? > > > Group 3 > > red, oven, ton, wall -- BRICK > > roll, skipping, baby, chair > > zebra, true, earn, stars -- STRIPE??? > > know, opinion, matter, ground > > > Group 4 > > stroke, pack, scratch, log -- BACK > > side, get, loud, right > > fast, thunder, rod, storm -- LIGHTNING > > fates, pigs, bears, witches > > >
4,267,022
I'm using an NSXMLParser to read data out of a XML, but how can I make my iPhone App storing data into this specific XML. The case is that I want to create an app to display available dates and one that administrates this dates, whether they are available or not (I'm using an UISwitch to handle this). Thanks for your answers, btype.
2010/11/24
[ "https://Stackoverflow.com/questions/4267022", "https://Stackoverflow.com", "https://Stackoverflow.com/users/518801/" ]
If you have small amount of data, you can save them in a plist. See [Property List Programming Guide](http://developer.apple.com/library/ios/#documentation/Cocoa/Conceptual/PropertyLists/Introduction/Introduction.html#//apple_ref/doc/uid/10000048i)
There's a github project that let's you create XML DOM objects. You can save your XML to your documents folder on the phone. <https://github.com/arashpayan/apxml/>
14,563,058
I were looking for a CSS Framework to help me built website, when I struck with *Compass*. Now, while I understand what a CSS Framework is, I don't understand what's a CSS **Authoring** Framework. Expecially, I don't understand if it "replaces" a CSS Framework (like blueprint) or you should use it **with** a CSS Framework. I'm building a website using Ruby On Rails, and I use SASS but no CSS Frameworks at the moment. If anyone can point me in right direction after answering the question, it will be really appreciated. **Edit 1:** Also, which is the difference between a CSS Framework and a CSS Authoring Framework
2013/01/28
[ "https://Stackoverflow.com/questions/14563058", "https://Stackoverflow.com", "https://Stackoverflow.com/users/312907/" ]
A CSS Framework is (in most cases) a fixed set of basic CSS definitions. f.e. it brings definitions for some classes which make a basic div-based HTML-layout usable for different screen-widths. (aka liquid layout) A CSS Authoring Framework (in meaning of Compass) brings no fixed set of CSS definitions. In opposite to a standard CSS Framework, it helps to write CSS rules with various helpers - but you have to write almost every CSS definition by your own. Some examples for helpers: Compass helps you to fix some [common browser issues](http://compass-style.org/reference/compass/utilities/general/clearfix/) ([IE floats ..](http://compass-style.org/reference/compass/utilities/general/float/)). And you can [create CSS sprites](http://compass-style.org/help/tutorials/spriting/) from existing images with all the CSS definitions on the fly. You can write your own CSS Framework with the help of a CSS Authoring Framework, or you can simple build on top of a existing CSS Framework.
CSS frameworks are pre-prepared libraries that are meant to allow for easier, more standards-compliant styling of web pages using the Cascading Style Sheets language. Layout-grid-related CSS frameworks include Bootstrap, Blueprint, 960 grid, YUI CSS, and other grids. Like programming and scripting language libraries, CSS frameworks are usually incorporated as external .css sheets referenced in the HTML . They provide a number of ready-made options for designing and laying out the web page. While many of these frameworks have been published, some authors use them mostly for rapid prototyping, or for learning from, and prefer to 'handcraft' CSS that is appropriate to each published site without the design, maintenance and download overhead of having many unused features in the site's styling. Somehow, CSS framework == CSS Authoring framework
268,397
We are looking for an open-source or low cost virtual machine management control panel. We require it to be able to manage up to dozens of hypervisors and thousands of virtual machines. It should be either Xen or KVM, and have an API to hook into, to create, delete, modify virtual machines. Also, it should be able to provide reports/graphs of each virtual machines CPU, Memory, and used network throughput. We know about Citrix XenServer, and its awesome, but it is cost prohibitive. Any other options available?
2011/05/10
[ "https://serverfault.com/questions/268397", "https://serverfault.com", "https://serverfault.com/users/65061/" ]
You probably want [libvirt](http://www.libvirt.org/). Supports Xen, KVM, Virtualbox, VMWare, etc. Has a stable API, multiple language bindings. I've never written anything that uses libvirt, but I use the libvirt virtual machine manager (GUI); and virsh (CLI), which can be scripted.
Have you checked [RHEV](http://www.redhat.com/virtualization/rhev/) out?
268,397
We are looking for an open-source or low cost virtual machine management control panel. We require it to be able to manage up to dozens of hypervisors and thousands of virtual machines. It should be either Xen or KVM, and have an API to hook into, to create, delete, modify virtual machines. Also, it should be able to provide reports/graphs of each virtual machines CPU, Memory, and used network throughput. We know about Citrix XenServer, and its awesome, but it is cost prohibitive. Any other options available?
2011/05/10
[ "https://serverfault.com/questions/268397", "https://serverfault.com", "https://serverfault.com/users/65061/" ]
It's not the most capable, but if you're looking for a GUI with quick and dirty viewing and monitoring you can go with [virt-manager](http://virt-manager.et.redhat.com) from a gnome desktop. It's a redhat-sponsored project but is available in the Ubuntu desktop repos through aptitude/synaptic/whatever as well. We use it to with a bunch of KVM guests, it's also especially useful for VNC connectivity to the console when SSH isn't available.
Have you checked [RHEV](http://www.redhat.com/virtualization/rhev/) out?
268,397
We are looking for an open-source or low cost virtual machine management control panel. We require it to be able to manage up to dozens of hypervisors and thousands of virtual machines. It should be either Xen or KVM, and have an API to hook into, to create, delete, modify virtual machines. Also, it should be able to provide reports/graphs of each virtual machines CPU, Memory, and used network throughput. We know about Citrix XenServer, and its awesome, but it is cost prohibitive. Any other options available?
2011/05/10
[ "https://serverfault.com/questions/268397", "https://serverfault.com", "https://serverfault.com/users/65061/" ]
Another option is [ConVirt Open Source](http://www.convirture.com/products_opensource.php).
Have you checked [RHEV](http://www.redhat.com/virtualization/rhev/) out?
52,236
Do any gliders come with a ground proximity warning system (GPWS)? I realise that, for a glider, a GPWS probably wouldn't be able to help quite as much as in a powered aircraft, since a glider, by definition, doesn't have any engines which it can apply TOGA power on (unless, of course, it's a motorglider), but it could still warn the pilot if they were descending too rapidly for their altitude or were about to land with the glider in an unsafe configuration, thus allowing the pilot to take the necessary actions for avoiding a crash (for instance, by pulling back on the yoke, jettisoning ballast, lowering the flaps and landing gear if the glider in question is so equipped, etc.).
2018/06/03
[ "https://aviation.stackexchange.com/questions/52236", "https://aviation.stackexchange.com", "https://aviation.stackexchange.com/users/22726/" ]
GPWS is mostly useful for aircraft flying in instrument conditions or at night when there is low visibility preventing a good view of the ground. Gliders [aren't designed to fly in these conditions](https://aviation.stackexchange.com/q/26808/1696) and they don't have the required instruments. They should be able to see the ground and avoid it without GPWS.
I found [this video of a glider equipped with GPWS](https://www.youtube.com/watch?v=sDVCrcs7y8U), however, I doubt that such a system is very useful in glider, that isn't very complex and would consider it a gimmick. Also because the sounds in the video are Boeing GPWS sounds, so it's probably self-built for fun. So, to summarize: There surely are some self-built systems for fun and coolness, but I don't think there would be enough demand and need for a commercial system.
52,236
Do any gliders come with a ground proximity warning system (GPWS)? I realise that, for a glider, a GPWS probably wouldn't be able to help quite as much as in a powered aircraft, since a glider, by definition, doesn't have any engines which it can apply TOGA power on (unless, of course, it's a motorglider), but it could still warn the pilot if they were descending too rapidly for their altitude or were about to land with the glider in an unsafe configuration, thus allowing the pilot to take the necessary actions for avoiding a crash (for instance, by pulling back on the yoke, jettisoning ballast, lowering the flaps and landing gear if the glider in question is so equipped, etc.).
2018/06/03
[ "https://aviation.stackexchange.com/questions/52236", "https://aviation.stackexchange.com", "https://aviation.stackexchange.com/users/22726/" ]
Many glider pilots have a GPS flight computer that usually has terrain loaded in its database and can alert a glider pilot of terrain. This is not quite a GPWS but is cheaper and uses a lot less power (glider pilots rely on batteries for their electrical system). Most GA aircraft don't have a GPWS either and usually rely on the GPS solution. ForeFlight has a nice feature called Synthetic Vision which can allow you to see terrain in IMC conditions and is much cheaper than a GPWS.
I found [this video of a glider equipped with GPWS](https://www.youtube.com/watch?v=sDVCrcs7y8U), however, I doubt that such a system is very useful in glider, that isn't very complex and would consider it a gimmick. Also because the sounds in the video are Boeing GPWS sounds, so it's probably self-built for fun. So, to summarize: There surely are some self-built systems for fun and coolness, but I don't think there would be enough demand and need for a commercial system.
52,236
Do any gliders come with a ground proximity warning system (GPWS)? I realise that, for a glider, a GPWS probably wouldn't be able to help quite as much as in a powered aircraft, since a glider, by definition, doesn't have any engines which it can apply TOGA power on (unless, of course, it's a motorglider), but it could still warn the pilot if they were descending too rapidly for their altitude or were about to land with the glider in an unsafe configuration, thus allowing the pilot to take the necessary actions for avoiding a crash (for instance, by pulling back on the yoke, jettisoning ballast, lowering the flaps and landing gear if the glider in question is so equipped, etc.).
2018/06/03
[ "https://aviation.stackexchange.com/questions/52236", "https://aviation.stackexchange.com", "https://aviation.stackexchange.com/users/22726/" ]
I found [this video of a glider equipped with GPWS](https://www.youtube.com/watch?v=sDVCrcs7y8U), however, I doubt that such a system is very useful in glider, that isn't very complex and would consider it a gimmick. Also because the sounds in the video are Boeing GPWS sounds, so it's probably self-built for fun. So, to summarize: There surely are some self-built systems for fun and coolness, but I don't think there would be enough demand and need for a commercial system.
A glider will be usually flown according to VFR. So it is basically the task of the pilot to maintain adeqaute distance to terrain. The distance can be rather low, flying in mountains. As already mentioned, current onboard flight computers include terrain databases, that will provide you with AGL. Software like [XCSoar](https://www.xcsoar.org/) will perform a final glide calculation taking terrain into account, telling the pilot if glide path will be in conflict with terrain. More important than GPWS is obstacle collision avoidance, as obstacles like power lines or cablecars in mountains are hard to see. The popular traffic awareness system [Flarm](https://flarm.com/) can optionally host a obstacle database and then will provide apropriate warnings.
52,236
Do any gliders come with a ground proximity warning system (GPWS)? I realise that, for a glider, a GPWS probably wouldn't be able to help quite as much as in a powered aircraft, since a glider, by definition, doesn't have any engines which it can apply TOGA power on (unless, of course, it's a motorglider), but it could still warn the pilot if they were descending too rapidly for their altitude or were about to land with the glider in an unsafe configuration, thus allowing the pilot to take the necessary actions for avoiding a crash (for instance, by pulling back on the yoke, jettisoning ballast, lowering the flaps and landing gear if the glider in question is so equipped, etc.).
2018/06/03
[ "https://aviation.stackexchange.com/questions/52236", "https://aviation.stackexchange.com", "https://aviation.stackexchange.com/users/22726/" ]
GPWS is mostly useful for aircraft flying in instrument conditions or at night when there is low visibility preventing a good view of the ground. Gliders [aren't designed to fly in these conditions](https://aviation.stackexchange.com/q/26808/1696) and they don't have the required instruments. They should be able to see the ground and avoid it without GPWS.
A glider will be usually flown according to VFR. So it is basically the task of the pilot to maintain adeqaute distance to terrain. The distance can be rather low, flying in mountains. As already mentioned, current onboard flight computers include terrain databases, that will provide you with AGL. Software like [XCSoar](https://www.xcsoar.org/) will perform a final glide calculation taking terrain into account, telling the pilot if glide path will be in conflict with terrain. More important than GPWS is obstacle collision avoidance, as obstacles like power lines or cablecars in mountains are hard to see. The popular traffic awareness system [Flarm](https://flarm.com/) can optionally host a obstacle database and then will provide apropriate warnings.
52,236
Do any gliders come with a ground proximity warning system (GPWS)? I realise that, for a glider, a GPWS probably wouldn't be able to help quite as much as in a powered aircraft, since a glider, by definition, doesn't have any engines which it can apply TOGA power on (unless, of course, it's a motorglider), but it could still warn the pilot if they were descending too rapidly for their altitude or were about to land with the glider in an unsafe configuration, thus allowing the pilot to take the necessary actions for avoiding a crash (for instance, by pulling back on the yoke, jettisoning ballast, lowering the flaps and landing gear if the glider in question is so equipped, etc.).
2018/06/03
[ "https://aviation.stackexchange.com/questions/52236", "https://aviation.stackexchange.com", "https://aviation.stackexchange.com/users/22726/" ]
Many glider pilots have a GPS flight computer that usually has terrain loaded in its database and can alert a glider pilot of terrain. This is not quite a GPWS but is cheaper and uses a lot less power (glider pilots rely on batteries for their electrical system). Most GA aircraft don't have a GPWS either and usually rely on the GPS solution. ForeFlight has a nice feature called Synthetic Vision which can allow you to see terrain in IMC conditions and is much cheaper than a GPWS.
A glider will be usually flown according to VFR. So it is basically the task of the pilot to maintain adeqaute distance to terrain. The distance can be rather low, flying in mountains. As already mentioned, current onboard flight computers include terrain databases, that will provide you with AGL. Software like [XCSoar](https://www.xcsoar.org/) will perform a final glide calculation taking terrain into account, telling the pilot if glide path will be in conflict with terrain. More important than GPWS is obstacle collision avoidance, as obstacles like power lines or cablecars in mountains are hard to see. The popular traffic awareness system [Flarm](https://flarm.com/) can optionally host a obstacle database and then will provide apropriate warnings.
3,683
I'm looking for examples of designs where there is special logic that prevents a title, heading, or landmark from being moved out of view, so that the user doesn't lose their context. Examples: * Excel's "Freeze top row" * iOS UITableView (notice the "A" subheading floats) ![enter image description here](https://i.stack.imgur.com/lR13O.png) What are some other examples? I'm especially interested in examples that handle more complex situations than simple tables. For example, a graphical app where the user can scroll in a more freeform way, or where multiple headers can be floating at once.
2011/02/22
[ "https://ux.stackexchange.com/questions/3683", "https://ux.stackexchange.com", "https://ux.stackexchange.com/users/3462/" ]
Take a look at [biathlontime](http://biathlontime.com/2010-2011/world-cup/men/) — selected table rows stick to the top of the window.
<http://corp.ign.com/> has a nice "sticky" top menu. Also, check out the [floating sidebar on uxmag](http://uxmag.com/strategy/etrades-digital-customer-experience).
3,683
I'm looking for examples of designs where there is special logic that prevents a title, heading, or landmark from being moved out of view, so that the user doesn't lose their context. Examples: * Excel's "Freeze top row" * iOS UITableView (notice the "A" subheading floats) ![enter image description here](https://i.stack.imgur.com/lR13O.png) What are some other examples? I'm especially interested in examples that handle more complex situations than simple tables. For example, a graphical app where the user can scroll in a more freeform way, or where multiple headers can be floating at once.
2011/02/22
[ "https://ux.stackexchange.com/questions/3683", "https://ux.stackexchange.com", "https://ux.stackexchange.com/users/3462/" ]
Take a look at [biathlontime](http://biathlontime.com/2010-2011/world-cup/men/) — selected table rows stick to the top of the window.
**Gmail Application for Android** The Gmail application for Android has these type of headers when viewing an email. The header changes as you scroll down based on what actions you can do with the message you are viewing (e.g. reply, forward, star).
3,683
I'm looking for examples of designs where there is special logic that prevents a title, heading, or landmark from being moved out of view, so that the user doesn't lose their context. Examples: * Excel's "Freeze top row" * iOS UITableView (notice the "A" subheading floats) ![enter image description here](https://i.stack.imgur.com/lR13O.png) What are some other examples? I'm especially interested in examples that handle more complex situations than simple tables. For example, a graphical app where the user can scroll in a more freeform way, or where multiple headers can be floating at once.
2011/02/22
[ "https://ux.stackexchange.com/questions/3683", "https://ux.stackexchange.com", "https://ux.stackexchange.com/users/3462/" ]
Take a look at [biathlontime](http://biathlontime.com/2010-2011/world-cup/men/) — selected table rows stick to the top of the window.
Themed tables in **Drupal 7 and 6**, e.g. the list of modules page. ![enter image description here](https://i.stack.imgur.com/FMeCG.jpg) Internally, this is thanks to the [theme\_table](http://api.drupal.org/api/drupal/includes--theme.inc/function/theme_table/7) function which has a boolean option `$sticky`, so any page, even custom user-created pages, can easily use this feature as well, regardless of the active theme.
12,567
I'm trying to set up a [Rules](https://www.drupal.org/project/rules) Action that can change the value of a field. I created an Action Set with a data type of Node. When I go to create a Rules Action, I have access to every default Drupal node field, but no fields. Is this simply not possible? Do I need some other module to make this work?
2011/10/05
[ "https://drupal.stackexchange.com/questions/12567", "https://drupal.stackexchange.com", "https://drupal.stackexchange.com/users/1693/" ]
You first need to add a condition to check if the field exist on that node, only then it is available to the actions. There is a specific condition to do this.
Using the "Entity has field" (or "content is of type") condition will make the fields become available with data selection in the Action "Set a data value".
4,210,386
Is it possible to resize a bitmap image sized 9000x9000 to 150x150? I've heard there are some limits...
2010/11/17
[ "https://Stackoverflow.com/questions/4210386", "https://Stackoverflow.com", "https://Stackoverflow.com/users/511482/" ]
> > BitmapData: Flash CS5 ActionScript > 3.0 Language Reference > > > In AIR 1.5 and Flash Player 10, the > maximum size for a BitmapData object > is 8,191 pixels in width or height, > and the total number of pixels cannot > exceed 16,777,215 pixels. (So, if a > BitmapData object is 8,191 pixels > wide, it can only be 2,048 pixels > high.) In Flash Player 9 and earlier > and AIR 1.1 and earlier, the > limitation is 2,880 pixels in height > and 2,880 in width. > > >
PNGEncoder 9000 shouldn't be too high open the image and then use the PNGEncoder to save the image back out.
45,717
Suppose I put water in a closed vessel and heat it, so the vessel becomes pressurized above ambient pressure. Now, there should be liquid and gaseous water inside the vessel. Since it's under pressure, when I open the vessel at the bottom, the liquid starts to flow out. If I wait until all liquid is expelled, and close the opening before the water vapor exits too, what state do I have in the vessel? Specifically: * Releasing pressure from a system usually means it cools down. What does that mean for the vessel's inside? If I want the vessel to stay at the temperature it was, do I have to reheat (if we ignore ordinary heat dissipation for now)? * The pressure inside the vessel now is lower, does that mean water vapor will condense and the system moves toward a new equilibrium? If I keep the temperature constant, will it be the same pressure as before? * Does it matter for this question to what extent the vessel is filled at the beginning? If I understood vapor pressure correctly, the contents will reach an equilibrium of liquid and gaseous such that the pressure reaches a point which is solely dependent on temperature. * Does it matter for the purpose of this question how quickly I expel the liquid phase? * I'm not sure what influence the ambient pressure has on this question. If you need sample values, assume 100 kPa (i. e., normal atmosphere) for the ambient pressure, 200 °C for the water and 1.555 MPa inside the vessel when I open the valve.
2012/12/02
[ "https://physics.stackexchange.com/questions/45717", "https://physics.stackexchange.com", "https://physics.stackexchange.com/users/16477/" ]
It is not clear from your question whether the gas in the bottle starts out as air, or the only substance in the bottle is water, either in liquid or gas form. I'll assume the latter since it's easier to answer. Once the bottle is closed, ambient temperature doesn't matter. The pressure of the gas part in the bottle will be stricly a function of temperature, with that function being solely a property of water. You can find what that function is in what is commonly referred to as a *steam table*. As you heat the bottle, and presumably everything inside gets to the same temperature, the vapor pressure increases. This causes a little more of the liquid to boil and thereby make less liquid and more gas. Eventually for any one temperature, a new equilibrium is reached where the gas is at the pressure listed in the steam table for that temperature. If you let the system reach equillibrium at 200°C, for example, then open a valve at the bottom, water at the bottom will be forced out under pressure. As the volume of water in the bottle decreases, the volume available to the gas increases, which decreases its pressure. The liquid that was at equillibrium now no longer is, since its pressure is reduced but its temperature (for the short term) remains the same. This will cause the liquid to boil and make more gas. This cools the liquid, and if done slowly enough the liquid will track the ever decreasing boiling temperature for the ever decreasing pressure. Meanwhile, the gas is expanding, so it will cool. It won't condense because there is no place for the heat to go. We are making the assumption that the bottle is insulated at this point. Boiling liquid will keep the gas "topped off" at whatever temperature it is according to the steam table. Once all the liquid is gone, the steam will still be at pressure above ambient. If the valve stays open, the steam will vent until its pressure is the same as ambient. If the bottle is truly insulated, nothing more should happen. If heat is lost thru the bottle, then the temperature will decrease and the pressure of the steam decrease, again according to the steam table. Outside air is then sucked into the bottle. If this air is at 20°C, for example, it will significantly cool the steam, which will cause much of it to condense, which creates lower pressure, which sucks in even more cool air, etc. The proceeds until most of the water is condensed to liquid, with the only remaining water gas being whatever maximum partial pressure of water that air at that temperature and pressure can support. If the valve is opened so that the 200°C water is expelled "quickly", then it gets a lot more complicated because there is not enough time for the system to track equillibrium as pressure is abruptly release. In that case, I think all we can say is that a bunch of super-heated water will be violently released and quickly undergo decompression, which will cause some of it to boil quickly, making a lot of steam, with the left over liquid being at boiling temperature for ambient pressure, which would be 100°C. After the water is gone from the bottle, a rush of steam will come out, condensing in the (relatively) cold ambient air and adding to the already large saturated water vapor cloud. Once enough steam is expelled so that ambient pressure is reached the remaining steam acts as above.
I believe that one can look at this another way. Assuming all materials "strong enough" and perfectly insulated, then imagine two containers separated by a capillary tube with a stopcock in it. Now imagine that the liquid is totally contained in the lower container and the upper container holds all the vapor and no liquid. You now close the valve and discard the lower container. What happens in the upper container? In particular how does the temperature and pressure change? Indeed one should be able to answer all your questions easily.
13,452
Please check the following [main meta question](https://meta.stackexchange.com/q/259914/345161) about what parts of the Tour and Help Centre are editable in detail. For a quick rundown though: * Tour: Introduction paragraph * Tour: The "Ask about..." and "Don't ask about..." bullets * Help Centre: Introduction paragraph * Help Centre: /help/on-topic full page These sections are woefully out of date, with the Tour sections not having been edited since 2013 (the first revision) and so don't mention various things they probably should. One of the most notable being the Future Works Policy, especially since it's [now a close reason itself](https://scifi.meta.stackexchange.com/q/13445/58193)! Should we edit these sections? If so, some things to think about: * What needs to be mentioned for "Ask about..." and "Don't ask about..." * There's no real detail about answering in the Tour, do we want to hack something into the Tour intro? * /help/on-topic is completely editable, we can (ab)use this for mentioning off topic info as well * Do we want to personalise the site more with information in the Help Centre's introduction? * etc. Note that something similar is being done over on [Code Review](https://codereview.meta.stackexchange.com/q/10701/87926) for an idea that we're not really limited markdown-wise that I know of. Please use the below community wiki answers to provide changes and the comments there to discuss any changes further. --- Related reading: * [How should SFF's "Ask Question" page be customised?](https://scifi.meta.stackexchange.com/q/12936/58193) * [New custom close reason: Future Works](https://scifi.meta.stackexchange.com/q/13445/58193) * [Audience-specific texts for custom close reasons: Lists of Works or Recommendations](https://scifi.meta.stackexchange.com/q/13305/58193) * [Audience-specific texts for custom close reasons: Scientific Solutions or Explanations](https://scifi.meta.stackexchange.com/q/13275/58193)
2021/08/11
[ "https://scifi.meta.stackexchange.com/questions/13452", "https://scifi.meta.stackexchange.com", "https://scifi.meta.stackexchange.com/users/58193/" ]
### Tour: The "Ask about..." bullets --- #### Current Text: * Plot, character, or setting explanations * Historical or societal context of a work * Behind-the-scenes and fandom information * Story identification * Franchise/series reading or viewing order --- #### New Text: * Plot, character, or setting explanations * Historical or societal context of a work ([history-of](https://scifi.stackexchange.com/questions/tagged/history-of "show questions tagged 'history-of'") etc.) * Behind-the-scenes and fandom information ([behind-the-scenes](https://scifi.stackexchange.com/questions/tagged/behind-the-scenes "show questions tagged 'behind-the-scenes'") [production](https://scifi.stackexchange.com/questions/tagged/production "show questions tagged 'production'") etc.) * Identification ([story-identification](https://scifi.stackexchange.com/questions/tagged/story-identification "show questions tagged 'story-identification'") [episode-identification](https://scifi.stackexchange.com/questions/tagged/episode-identification "show questions tagged 'episode-identification'") [character-identification](https://scifi.stackexchange.com/questions/tagged/character-identification "show questions tagged 'character-identification'") etc.) * Franchise/series reading or viewing order ([suggested-order](https://scifi.stackexchange.com/questions/tagged/suggested-order "show questions tagged 'suggested-order'") [chronological-order](https://scifi.stackexchange.com/questions/tagged/chronological-order "show questions tagged 'chronological-order'"))
### Tour: Introduction paragraph --- #### Current Text: > > **Science Fiction & Fantasy Stack Exchange** is a question and answer site for science fiction and fantasy enthusiasts. It's built and run *by you* as part of the [Stack Exchange](https://stackexchange.com) network of Q&A sites. With your help, we're working together to build a library of detailed answers to every question about science fiction or fantasy. > > > --- #### New Text: > > *as yet unchanged* > > >
13,452
Please check the following [main meta question](https://meta.stackexchange.com/q/259914/345161) about what parts of the Tour and Help Centre are editable in detail. For a quick rundown though: * Tour: Introduction paragraph * Tour: The "Ask about..." and "Don't ask about..." bullets * Help Centre: Introduction paragraph * Help Centre: /help/on-topic full page These sections are woefully out of date, with the Tour sections not having been edited since 2013 (the first revision) and so don't mention various things they probably should. One of the most notable being the Future Works Policy, especially since it's [now a close reason itself](https://scifi.meta.stackexchange.com/q/13445/58193)! Should we edit these sections? If so, some things to think about: * What needs to be mentioned for "Ask about..." and "Don't ask about..." * There's no real detail about answering in the Tour, do we want to hack something into the Tour intro? * /help/on-topic is completely editable, we can (ab)use this for mentioning off topic info as well * Do we want to personalise the site more with information in the Help Centre's introduction? * etc. Note that something similar is being done over on [Code Review](https://codereview.meta.stackexchange.com/q/10701/87926) for an idea that we're not really limited markdown-wise that I know of. Please use the below community wiki answers to provide changes and the comments there to discuss any changes further. --- Related reading: * [How should SFF's "Ask Question" page be customised?](https://scifi.meta.stackexchange.com/q/12936/58193) * [New custom close reason: Future Works](https://scifi.meta.stackexchange.com/q/13445/58193) * [Audience-specific texts for custom close reasons: Lists of Works or Recommendations](https://scifi.meta.stackexchange.com/q/13305/58193) * [Audience-specific texts for custom close reasons: Scientific Solutions or Explanations](https://scifi.meta.stackexchange.com/q/13275/58193)
2021/08/11
[ "https://scifi.meta.stackexchange.com/questions/13452", "https://scifi.meta.stackexchange.com", "https://scifi.meta.stackexchange.com/users/58193/" ]
### Tour: The "Don't ask about..." bullets --- #### Current Text: * Reading or watching recommendations * or any other question that is primarily opinion-based * Lists of works with a particular plot element * or any other question with too many possible answers or that would require an extremely long answer --- #### New Text: * Reading or watching recommendations or any other question that is primarily opinion-based * Questions generating discussion (do you think X?) * [Open ended lists](https://scifi.meta.stackexchange.com/q/2638/58193) or any other question with too many possible answers * Questions that would require an *extremely* long essay answer * [Future works](https://scifi.meta.stackexchange.com/q/5187/58193) * [Scientific solutions or explanations](https://scifi.meta.stackexchange.com/q/7364/58193)
### Tour: Introduction paragraph --- #### Current Text: > > **Science Fiction & Fantasy Stack Exchange** is a question and answer site for science fiction and fantasy enthusiasts. It's built and run *by you* as part of the [Stack Exchange](https://stackexchange.com) network of Q&A sites. With your help, we're working together to build a library of detailed answers to every question about science fiction or fantasy. > > > --- #### New Text: > > *as yet unchanged* > > >
13,452
Please check the following [main meta question](https://meta.stackexchange.com/q/259914/345161) about what parts of the Tour and Help Centre are editable in detail. For a quick rundown though: * Tour: Introduction paragraph * Tour: The "Ask about..." and "Don't ask about..." bullets * Help Centre: Introduction paragraph * Help Centre: /help/on-topic full page These sections are woefully out of date, with the Tour sections not having been edited since 2013 (the first revision) and so don't mention various things they probably should. One of the most notable being the Future Works Policy, especially since it's [now a close reason itself](https://scifi.meta.stackexchange.com/q/13445/58193)! Should we edit these sections? If so, some things to think about: * What needs to be mentioned for "Ask about..." and "Don't ask about..." * There's no real detail about answering in the Tour, do we want to hack something into the Tour intro? * /help/on-topic is completely editable, we can (ab)use this for mentioning off topic info as well * Do we want to personalise the site more with information in the Help Centre's introduction? * etc. Note that something similar is being done over on [Code Review](https://codereview.meta.stackexchange.com/q/10701/87926) for an idea that we're not really limited markdown-wise that I know of. Please use the below community wiki answers to provide changes and the comments there to discuss any changes further. --- Related reading: * [How should SFF's "Ask Question" page be customised?](https://scifi.meta.stackexchange.com/q/12936/58193) * [New custom close reason: Future Works](https://scifi.meta.stackexchange.com/q/13445/58193) * [Audience-specific texts for custom close reasons: Lists of Works or Recommendations](https://scifi.meta.stackexchange.com/q/13305/58193) * [Audience-specific texts for custom close reasons: Scientific Solutions or Explanations](https://scifi.meta.stackexchange.com/q/13275/58193)
2021/08/11
[ "https://scifi.meta.stackexchange.com/questions/13452", "https://scifi.meta.stackexchange.com", "https://scifi.meta.stackexchange.com/users/58193/" ]
### Tour: The "Ask about..." bullets --- #### Current Text: * Plot, character, or setting explanations * Historical or societal context of a work * Behind-the-scenes and fandom information * Story identification * Franchise/series reading or viewing order --- #### New Text: * Plot, character, or setting explanations * Historical or societal context of a work ([history-of](https://scifi.stackexchange.com/questions/tagged/history-of "show questions tagged 'history-of'") etc.) * Behind-the-scenes and fandom information ([behind-the-scenes](https://scifi.stackexchange.com/questions/tagged/behind-the-scenes "show questions tagged 'behind-the-scenes'") [production](https://scifi.stackexchange.com/questions/tagged/production "show questions tagged 'production'") etc.) * Identification ([story-identification](https://scifi.stackexchange.com/questions/tagged/story-identification "show questions tagged 'story-identification'") [episode-identification](https://scifi.stackexchange.com/questions/tagged/episode-identification "show questions tagged 'episode-identification'") [character-identification](https://scifi.stackexchange.com/questions/tagged/character-identification "show questions tagged 'character-identification'") etc.) * Franchise/series reading or viewing order ([suggested-order](https://scifi.stackexchange.com/questions/tagged/suggested-order "show questions tagged 'suggested-order'") [chronological-order](https://scifi.stackexchange.com/questions/tagged/chronological-order "show questions tagged 'chronological-order'"))
### Help Centre: Introduction paragraph --- *Currently blank*
13,452
Please check the following [main meta question](https://meta.stackexchange.com/q/259914/345161) about what parts of the Tour and Help Centre are editable in detail. For a quick rundown though: * Tour: Introduction paragraph * Tour: The "Ask about..." and "Don't ask about..." bullets * Help Centre: Introduction paragraph * Help Centre: /help/on-topic full page These sections are woefully out of date, with the Tour sections not having been edited since 2013 (the first revision) and so don't mention various things they probably should. One of the most notable being the Future Works Policy, especially since it's [now a close reason itself](https://scifi.meta.stackexchange.com/q/13445/58193)! Should we edit these sections? If so, some things to think about: * What needs to be mentioned for "Ask about..." and "Don't ask about..." * There's no real detail about answering in the Tour, do we want to hack something into the Tour intro? * /help/on-topic is completely editable, we can (ab)use this for mentioning off topic info as well * Do we want to personalise the site more with information in the Help Centre's introduction? * etc. Note that something similar is being done over on [Code Review](https://codereview.meta.stackexchange.com/q/10701/87926) for an idea that we're not really limited markdown-wise that I know of. Please use the below community wiki answers to provide changes and the comments there to discuss any changes further. --- Related reading: * [How should SFF's "Ask Question" page be customised?](https://scifi.meta.stackexchange.com/q/12936/58193) * [New custom close reason: Future Works](https://scifi.meta.stackexchange.com/q/13445/58193) * [Audience-specific texts for custom close reasons: Lists of Works or Recommendations](https://scifi.meta.stackexchange.com/q/13305/58193) * [Audience-specific texts for custom close reasons: Scientific Solutions or Explanations](https://scifi.meta.stackexchange.com/q/13275/58193)
2021/08/11
[ "https://scifi.meta.stackexchange.com/questions/13452", "https://scifi.meta.stackexchange.com", "https://scifi.meta.stackexchange.com/users/58193/" ]
### Tour: The "Don't ask about..." bullets --- #### Current Text: * Reading or watching recommendations * or any other question that is primarily opinion-based * Lists of works with a particular plot element * or any other question with too many possible answers or that would require an extremely long answer --- #### New Text: * Reading or watching recommendations or any other question that is primarily opinion-based * Questions generating discussion (do you think X?) * [Open ended lists](https://scifi.meta.stackexchange.com/q/2638/58193) or any other question with too many possible answers * Questions that would require an *extremely* long essay answer * [Future works](https://scifi.meta.stackexchange.com/q/5187/58193) * [Scientific solutions or explanations](https://scifi.meta.stackexchange.com/q/7364/58193)
### Help Centre: Introduction paragraph --- *Currently blank*
13,452
Please check the following [main meta question](https://meta.stackexchange.com/q/259914/345161) about what parts of the Tour and Help Centre are editable in detail. For a quick rundown though: * Tour: Introduction paragraph * Tour: The "Ask about..." and "Don't ask about..." bullets * Help Centre: Introduction paragraph * Help Centre: /help/on-topic full page These sections are woefully out of date, with the Tour sections not having been edited since 2013 (the first revision) and so don't mention various things they probably should. One of the most notable being the Future Works Policy, especially since it's [now a close reason itself](https://scifi.meta.stackexchange.com/q/13445/58193)! Should we edit these sections? If so, some things to think about: * What needs to be mentioned for "Ask about..." and "Don't ask about..." * There's no real detail about answering in the Tour, do we want to hack something into the Tour intro? * /help/on-topic is completely editable, we can (ab)use this for mentioning off topic info as well * Do we want to personalise the site more with information in the Help Centre's introduction? * etc. Note that something similar is being done over on [Code Review](https://codereview.meta.stackexchange.com/q/10701/87926) for an idea that we're not really limited markdown-wise that I know of. Please use the below community wiki answers to provide changes and the comments there to discuss any changes further. --- Related reading: * [How should SFF's "Ask Question" page be customised?](https://scifi.meta.stackexchange.com/q/12936/58193) * [New custom close reason: Future Works](https://scifi.meta.stackexchange.com/q/13445/58193) * [Audience-specific texts for custom close reasons: Lists of Works or Recommendations](https://scifi.meta.stackexchange.com/q/13305/58193) * [Audience-specific texts for custom close reasons: Scientific Solutions or Explanations](https://scifi.meta.stackexchange.com/q/13275/58193)
2021/08/11
[ "https://scifi.meta.stackexchange.com/questions/13452", "https://scifi.meta.stackexchange.com", "https://scifi.meta.stackexchange.com/users/58193/" ]
### Tour: The "Ask about..." bullets --- #### Current Text: * Plot, character, or setting explanations * Historical or societal context of a work * Behind-the-scenes and fandom information * Story identification * Franchise/series reading or viewing order --- #### New Text: * Plot, character, or setting explanations * Historical or societal context of a work ([history-of](https://scifi.stackexchange.com/questions/tagged/history-of "show questions tagged 'history-of'") etc.) * Behind-the-scenes and fandom information ([behind-the-scenes](https://scifi.stackexchange.com/questions/tagged/behind-the-scenes "show questions tagged 'behind-the-scenes'") [production](https://scifi.stackexchange.com/questions/tagged/production "show questions tagged 'production'") etc.) * Identification ([story-identification](https://scifi.stackexchange.com/questions/tagged/story-identification "show questions tagged 'story-identification'") [episode-identification](https://scifi.stackexchange.com/questions/tagged/episode-identification "show questions tagged 'episode-identification'") [character-identification](https://scifi.stackexchange.com/questions/tagged/character-identification "show questions tagged 'character-identification'") etc.) * Franchise/series reading or viewing order ([suggested-order](https://scifi.stackexchange.com/questions/tagged/suggested-order "show questions tagged 'suggested-order'") [chronological-order](https://scifi.stackexchange.com/questions/tagged/chronological-order "show questions tagged 'chronological-order'"))
### Help Centre: /help/on-topic full page --- #### Current Text: Science Fiction & Fantasy Stack Exchange is for questions targeted towards science fiction and fantasy enthusiasts. This includes questions about: * Plot, character, or setting explanations * Historical or societal context of a work * Behind-the-scenes and fandom information * [Story identification](https://scifi.stackexchange.com/tags/story-identification/info) * Franchise/series reading or viewing order ### What about other Science Fiction and Fantasy related questions? Not all questions have a home on Stack Exchange. Please note the following types of questions are off-topic here: * Questions calling for a list of works, authors, …: *What are all the books that have X?* *Who wrote about topic Y?* * Reading or viewing recommendations: *I liked X, what should I watch next?* * Genre classification: *Is X Science Fiction?* For more information, see [the question where these topics were discussed](https://scifi.meta.stackexchange.com/questions/350/what-questions-are-on-topic-and-what-questions-are-off-topic) on our meta discussion site. If your question is about... * **Writing science fiction or fantasy**, ask on [Writers Stack Exchange](https://writers.stackexchange.com). * **Creating a fictional situation or universe of your own or investigating the plausibility of an element of another work of fiction**, ask on [Worldbuilding Stack Exchange](https://worldbuilding.stackexchange.com). ### My question about the site isn't answered here Check our [community FAQ](https://scifi.meta.stackexchange.com/questions/tagged/faq), and more generally our [meta-discussion site](https://scifi.meta.stackexchange.com/) (please do not ask questions about the site on the main site). --- For more help, see ["What types of questions should I avoid asking?"](/help/dont-ask) Please [look around](/search) to see if your question has been asked before. It’s also OK to [ask and answer your own question](/helpcenter/self-answer). If your question is not specifically on-topic for Scifi & Fantasy Stack Exchange, it may be on topic for [another Stack Exchange site](http://stackexchange.com/sites). If no site currently exists that will accept your question, you may [commit to](http://area51.stackexchange.com/faq) or [propose](https://meta.stackexchange.com/questions/76974/how-can-i-propose-a-new-site) a new site at [Area 51](http://area51.stackexchange.com/), the place where new Stack Exchange communities are democratically created. ---
13,452
Please check the following [main meta question](https://meta.stackexchange.com/q/259914/345161) about what parts of the Tour and Help Centre are editable in detail. For a quick rundown though: * Tour: Introduction paragraph * Tour: The "Ask about..." and "Don't ask about..." bullets * Help Centre: Introduction paragraph * Help Centre: /help/on-topic full page These sections are woefully out of date, with the Tour sections not having been edited since 2013 (the first revision) and so don't mention various things they probably should. One of the most notable being the Future Works Policy, especially since it's [now a close reason itself](https://scifi.meta.stackexchange.com/q/13445/58193)! Should we edit these sections? If so, some things to think about: * What needs to be mentioned for "Ask about..." and "Don't ask about..." * There's no real detail about answering in the Tour, do we want to hack something into the Tour intro? * /help/on-topic is completely editable, we can (ab)use this for mentioning off topic info as well * Do we want to personalise the site more with information in the Help Centre's introduction? * etc. Note that something similar is being done over on [Code Review](https://codereview.meta.stackexchange.com/q/10701/87926) for an idea that we're not really limited markdown-wise that I know of. Please use the below community wiki answers to provide changes and the comments there to discuss any changes further. --- Related reading: * [How should SFF's "Ask Question" page be customised?](https://scifi.meta.stackexchange.com/q/12936/58193) * [New custom close reason: Future Works](https://scifi.meta.stackexchange.com/q/13445/58193) * [Audience-specific texts for custom close reasons: Lists of Works or Recommendations](https://scifi.meta.stackexchange.com/q/13305/58193) * [Audience-specific texts for custom close reasons: Scientific Solutions or Explanations](https://scifi.meta.stackexchange.com/q/13275/58193)
2021/08/11
[ "https://scifi.meta.stackexchange.com/questions/13452", "https://scifi.meta.stackexchange.com", "https://scifi.meta.stackexchange.com/users/58193/" ]
### Tour: The "Don't ask about..." bullets --- #### Current Text: * Reading or watching recommendations * or any other question that is primarily opinion-based * Lists of works with a particular plot element * or any other question with too many possible answers or that would require an extremely long answer --- #### New Text: * Reading or watching recommendations or any other question that is primarily opinion-based * Questions generating discussion (do you think X?) * [Open ended lists](https://scifi.meta.stackexchange.com/q/2638/58193) or any other question with too many possible answers * Questions that would require an *extremely* long essay answer * [Future works](https://scifi.meta.stackexchange.com/q/5187/58193) * [Scientific solutions or explanations](https://scifi.meta.stackexchange.com/q/7364/58193)
### Help Centre: /help/on-topic full page --- #### Current Text: Science Fiction & Fantasy Stack Exchange is for questions targeted towards science fiction and fantasy enthusiasts. This includes questions about: * Plot, character, or setting explanations * Historical or societal context of a work * Behind-the-scenes and fandom information * [Story identification](https://scifi.stackexchange.com/tags/story-identification/info) * Franchise/series reading or viewing order ### What about other Science Fiction and Fantasy related questions? Not all questions have a home on Stack Exchange. Please note the following types of questions are off-topic here: * Questions calling for a list of works, authors, …: *What are all the books that have X?* *Who wrote about topic Y?* * Reading or viewing recommendations: *I liked X, what should I watch next?* * Genre classification: *Is X Science Fiction?* For more information, see [the question where these topics were discussed](https://scifi.meta.stackexchange.com/questions/350/what-questions-are-on-topic-and-what-questions-are-off-topic) on our meta discussion site. If your question is about... * **Writing science fiction or fantasy**, ask on [Writers Stack Exchange](https://writers.stackexchange.com). * **Creating a fictional situation or universe of your own or investigating the plausibility of an element of another work of fiction**, ask on [Worldbuilding Stack Exchange](https://worldbuilding.stackexchange.com). ### My question about the site isn't answered here Check our [community FAQ](https://scifi.meta.stackexchange.com/questions/tagged/faq), and more generally our [meta-discussion site](https://scifi.meta.stackexchange.com/) (please do not ask questions about the site on the main site). --- For more help, see ["What types of questions should I avoid asking?"](/help/dont-ask) Please [look around](/search) to see if your question has been asked before. It’s also OK to [ask and answer your own question](/helpcenter/self-answer). If your question is not specifically on-topic for Scifi & Fantasy Stack Exchange, it may be on topic for [another Stack Exchange site](http://stackexchange.com/sites). If no site currently exists that will accept your question, you may [commit to](http://area51.stackexchange.com/faq) or [propose](https://meta.stackexchange.com/questions/76974/how-can-i-propose-a-new-site) a new site at [Area 51](http://area51.stackexchange.com/), the place where new Stack Exchange communities are democratically created. ---
116,277
*LE: This is not a duplicate of [What can I do to make a coworkers lack of effort more visible](https://workplace.stackexchange.com/questions/23165/what-can-i-do-to-make-a-coworkers-lack-of-effort-more-visible) because: . I think the other question only addresses part of my situation (the subjects of that question are a consultant and a senior, we are interns; it is also about his attitude, not only skill). I also want to know how quiting would affect further job search and how only a month long internship would look in my CV.* I am a software engineering intern for a well-known company since 3 weeks ago. From the first day, I was assigned to work on the same project with another intern, who was there about a month before I was. The signing of papers and having all my tools prepared took me about 1 and a half day so the second day evening I discussed with my collegue about what he did up to now and what his ideas were on the subject. It turned out that he didn't advance much, and that could be clearly seen when he sent me his code. Naturally, I thought that the project is one of high difficulty (and it seemed so, at first sight). The manager has already divided the project into about 3-4 milestones for us and my collegue proposed that I do the more "difficult part" because it seemed that I have a stronger mathematical background (the project involves a lot of math, which I actually ejoy a lot) and he will prepare the input data. All good, but during that week I noticed that he doesn't really do anything, besides chating on Facebook. Finally, he started to send me snippets of code on Skype asking me to "put that in main". There were no files, just copy pasted messages. It seemed rather strange to me so I asked him to make some functions for that code and use a versioning system (already prepared, I was using it). He refused to use the versioning system because "it causes problems with merging code". But somehow he did agree to write some functions for that code. It turned out that his code was buggy and basically corrupting the heap (later I realised that happened because he can't tell the difference between bit and byte). Not that much of a problem if you ask me, after 2 hours of debugging I found the problem and replaced it myself. The problem was that JUST AFTER sending me the code he left for about an hour long coffee and he didn't even sent me everything, I had to complete part of the code myself by guessing what he was trying to do. Later I found that some other collegue (who is not even a software engineer, more an electronics one) wrote that piece of code for him. The second week he worked NOTHING, with only me progressing the project. I felt that I need to talk with him but he couldn't listen and only said about "I can't adapt and he can" or how "I don't understand the programming language" or whatever..the point is he was attacking me. Anyway, at the end of the week I decided to talk to the manager and tell him about his laziness and poor technical qualities. He thanked me and had us 3 meet for a review on the progress of the subject, when he said that he is glad with the progress (95% or more done by me actually) and designated specific task to us, so that he has to work as well. He also explained to him that he has to use a versioning system. All good, if you ask me. Another week passed in the same way. For Friday he took a vacancy day and left me to integrate his part of the code. When I opened his code it was like hell breaking loose: he had HUGE duplicate code, he had logic thinking errors, had extremely suboptimal code, made stupid mistakes (like while(variable) { ..code here..; variable = false}), had poor naming of variables, huge parts of code from Internet (in a bad fashion - you don't just copy paste..you have to adapt) and generally lacked more than superficial understanding of what he was doing there. The code was basically working by chance, on the only particular test he was running. He couldn't even read from files properly. By the end of the day I managed to fix most of his code, but I feel like I better rewrite it from scratch since it seems more like trying to fit a cube in a spherical hole. Besides that he is very arrogant and immature, he seems like he is 15 years old. From what he is bragging I even understand that he argued with the interviews when getting hired. Oh, and he also leaves 1-2 hours earlier from work on a daily basis. There are a lot of other examples but the bottom line is: he is immature, has no technical skill (trust me, NO SKILL - I am an undergradute teachign assistant and honestly I wouldn't give a passing grade to students with such poor skills), he is arrogant - all of these standing in my way. By comparison, out of the 900 lines of code, I wrote about 700 and fixed all of the other 200, let alone the difficulty of my lines. And out of the thinking I did 100%. I don't know what to do anymore, really. I'll try to show the manager his code on Monday (the manager is very good at software engineering), but I don't like to look like I'm complaining all the time without good reason. I am not sure about quiting either, because I like the project I work on a lot (and all the departament). The collegues are amazing, very supportive, always helping and willing to teach others. The manager is amazing as well. The only problem is that I do the job of 2 people and that the other intern is an idiot - I can't stand the situation at all! I'd only use quiting as the last resort if the problem can't be solved in any other way, so **do you have any ideas how to deal with the situation?** What should I do? **Would only a month long internship in the CV affect me in a job search? Should I hide this from my CV? What about my chances with the company in the future.** All the best.
2018/07/21
[ "https://workplace.stackexchange.com/questions/116277", "https://workplace.stackexchange.com", "https://workplace.stackexchange.com/users/85674/" ]
You are playing well above your pay grade. Let your manager manage your colleague. An outcome like "the project got finished but wasn't great, one of the interns worked hard but the other was a nightmare" is common as dirt in this industry. Do the tasks your manager has assigned to you. When you're out of tasks, go ask for more. When you can't do something because you're waiting on the colleague, let your manager know. When you get something from your colleague and it's unusably bad, ask your manager whether you should fix it up, or bounce it back explaining why you can't use it. Then ask what you should do next given that you can't do what you were planning to do (use the thing from the colleague.) You seem to think that if you can't fix this other intern (or arrange for a firing) it will reflect poorly on you. Do you really think your manager is so terrible as not to see what you see? You've reported it, shown the code, the manager has already started dealing out tasks and telling the other intern to use source control, and so on. This is all the manager's job, not yours. Relax and do yours, keep your manager informed, and let the manager manage.
* Inform you manager about the Verbatim copies of code from the Internet, and tell that you see a potential legal liability there * Explicitly state in commit messages which of his commits you fixed * Your manager listened to you once, so the next time a huge and messy commit comes which breaks something working and could have been caught by the test, you write an email to your coworker with the manager in CC stating that you need he should show you on his machine how he tested the code and how it works. * When he submitted something which breaks and leaves during the office hours, you go to the manager shortly after he left and ask him to locate your coworker, stating that you would prefer if the coworker helps integrating the code - state that you can do it alone, but it may take more time and state which of your tasks is delayed by this. * In case this continues, take notes over one week how much work integrating your coworkers mess has caused you, with specific incidents, go to your manager and state that you "can handle it without him"
116,277
*LE: This is not a duplicate of [What can I do to make a coworkers lack of effort more visible](https://workplace.stackexchange.com/questions/23165/what-can-i-do-to-make-a-coworkers-lack-of-effort-more-visible) because: . I think the other question only addresses part of my situation (the subjects of that question are a consultant and a senior, we are interns; it is also about his attitude, not only skill). I also want to know how quiting would affect further job search and how only a month long internship would look in my CV.* I am a software engineering intern for a well-known company since 3 weeks ago. From the first day, I was assigned to work on the same project with another intern, who was there about a month before I was. The signing of papers and having all my tools prepared took me about 1 and a half day so the second day evening I discussed with my collegue about what he did up to now and what his ideas were on the subject. It turned out that he didn't advance much, and that could be clearly seen when he sent me his code. Naturally, I thought that the project is one of high difficulty (and it seemed so, at first sight). The manager has already divided the project into about 3-4 milestones for us and my collegue proposed that I do the more "difficult part" because it seemed that I have a stronger mathematical background (the project involves a lot of math, which I actually ejoy a lot) and he will prepare the input data. All good, but during that week I noticed that he doesn't really do anything, besides chating on Facebook. Finally, he started to send me snippets of code on Skype asking me to "put that in main". There were no files, just copy pasted messages. It seemed rather strange to me so I asked him to make some functions for that code and use a versioning system (already prepared, I was using it). He refused to use the versioning system because "it causes problems with merging code". But somehow he did agree to write some functions for that code. It turned out that his code was buggy and basically corrupting the heap (later I realised that happened because he can't tell the difference between bit and byte). Not that much of a problem if you ask me, after 2 hours of debugging I found the problem and replaced it myself. The problem was that JUST AFTER sending me the code he left for about an hour long coffee and he didn't even sent me everything, I had to complete part of the code myself by guessing what he was trying to do. Later I found that some other collegue (who is not even a software engineer, more an electronics one) wrote that piece of code for him. The second week he worked NOTHING, with only me progressing the project. I felt that I need to talk with him but he couldn't listen and only said about "I can't adapt and he can" or how "I don't understand the programming language" or whatever..the point is he was attacking me. Anyway, at the end of the week I decided to talk to the manager and tell him about his laziness and poor technical qualities. He thanked me and had us 3 meet for a review on the progress of the subject, when he said that he is glad with the progress (95% or more done by me actually) and designated specific task to us, so that he has to work as well. He also explained to him that he has to use a versioning system. All good, if you ask me. Another week passed in the same way. For Friday he took a vacancy day and left me to integrate his part of the code. When I opened his code it was like hell breaking loose: he had HUGE duplicate code, he had logic thinking errors, had extremely suboptimal code, made stupid mistakes (like while(variable) { ..code here..; variable = false}), had poor naming of variables, huge parts of code from Internet (in a bad fashion - you don't just copy paste..you have to adapt) and generally lacked more than superficial understanding of what he was doing there. The code was basically working by chance, on the only particular test he was running. He couldn't even read from files properly. By the end of the day I managed to fix most of his code, but I feel like I better rewrite it from scratch since it seems more like trying to fit a cube in a spherical hole. Besides that he is very arrogant and immature, he seems like he is 15 years old. From what he is bragging I even understand that he argued with the interviews when getting hired. Oh, and he also leaves 1-2 hours earlier from work on a daily basis. There are a lot of other examples but the bottom line is: he is immature, has no technical skill (trust me, NO SKILL - I am an undergradute teachign assistant and honestly I wouldn't give a passing grade to students with such poor skills), he is arrogant - all of these standing in my way. By comparison, out of the 900 lines of code, I wrote about 700 and fixed all of the other 200, let alone the difficulty of my lines. And out of the thinking I did 100%. I don't know what to do anymore, really. I'll try to show the manager his code on Monday (the manager is very good at software engineering), but I don't like to look like I'm complaining all the time without good reason. I am not sure about quiting either, because I like the project I work on a lot (and all the departament). The collegues are amazing, very supportive, always helping and willing to teach others. The manager is amazing as well. The only problem is that I do the job of 2 people and that the other intern is an idiot - I can't stand the situation at all! I'd only use quiting as the last resort if the problem can't be solved in any other way, so **do you have any ideas how to deal with the situation?** What should I do? **Would only a month long internship in the CV affect me in a job search? Should I hide this from my CV? What about my chances with the company in the future.** All the best.
2018/07/21
[ "https://workplace.stackexchange.com/questions/116277", "https://workplace.stackexchange.com", "https://workplace.stackexchange.com/users/85674/" ]
Since you are using a versioning system: Fix one bug in his code and check the fix into the versioning system. Then fix another bug and check the fix into the versioning system. And so on. So when you need evidence you point your boss to the versioning system, which contains your name 99 times and his name once. (In a professional environment with experienced developers you use a source code control system in a different way). And consider that many companies use an internship as a very, very long interview. If that is the case in your company, then by the sounds of it you are passing the interview, and your colleague is not.
* Inform you manager about the Verbatim copies of code from the Internet, and tell that you see a potential legal liability there * Explicitly state in commit messages which of his commits you fixed * Your manager listened to you once, so the next time a huge and messy commit comes which breaks something working and could have been caught by the test, you write an email to your coworker with the manager in CC stating that you need he should show you on his machine how he tested the code and how it works. * When he submitted something which breaks and leaves during the office hours, you go to the manager shortly after he left and ask him to locate your coworker, stating that you would prefer if the coworker helps integrating the code - state that you can do it alone, but it may take more time and state which of your tasks is delayed by this. * In case this continues, take notes over one week how much work integrating your coworkers mess has caused you, with specific incidents, go to your manager and state that you "can handle it without him"
116,277
*LE: This is not a duplicate of [What can I do to make a coworkers lack of effort more visible](https://workplace.stackexchange.com/questions/23165/what-can-i-do-to-make-a-coworkers-lack-of-effort-more-visible) because: . I think the other question only addresses part of my situation (the subjects of that question are a consultant and a senior, we are interns; it is also about his attitude, not only skill). I also want to know how quiting would affect further job search and how only a month long internship would look in my CV.* I am a software engineering intern for a well-known company since 3 weeks ago. From the first day, I was assigned to work on the same project with another intern, who was there about a month before I was. The signing of papers and having all my tools prepared took me about 1 and a half day so the second day evening I discussed with my collegue about what he did up to now and what his ideas were on the subject. It turned out that he didn't advance much, and that could be clearly seen when he sent me his code. Naturally, I thought that the project is one of high difficulty (and it seemed so, at first sight). The manager has already divided the project into about 3-4 milestones for us and my collegue proposed that I do the more "difficult part" because it seemed that I have a stronger mathematical background (the project involves a lot of math, which I actually ejoy a lot) and he will prepare the input data. All good, but during that week I noticed that he doesn't really do anything, besides chating on Facebook. Finally, he started to send me snippets of code on Skype asking me to "put that in main". There were no files, just copy pasted messages. It seemed rather strange to me so I asked him to make some functions for that code and use a versioning system (already prepared, I was using it). He refused to use the versioning system because "it causes problems with merging code". But somehow he did agree to write some functions for that code. It turned out that his code was buggy and basically corrupting the heap (later I realised that happened because he can't tell the difference between bit and byte). Not that much of a problem if you ask me, after 2 hours of debugging I found the problem and replaced it myself. The problem was that JUST AFTER sending me the code he left for about an hour long coffee and he didn't even sent me everything, I had to complete part of the code myself by guessing what he was trying to do. Later I found that some other collegue (who is not even a software engineer, more an electronics one) wrote that piece of code for him. The second week he worked NOTHING, with only me progressing the project. I felt that I need to talk with him but he couldn't listen and only said about "I can't adapt and he can" or how "I don't understand the programming language" or whatever..the point is he was attacking me. Anyway, at the end of the week I decided to talk to the manager and tell him about his laziness and poor technical qualities. He thanked me and had us 3 meet for a review on the progress of the subject, when he said that he is glad with the progress (95% or more done by me actually) and designated specific task to us, so that he has to work as well. He also explained to him that he has to use a versioning system. All good, if you ask me. Another week passed in the same way. For Friday he took a vacancy day and left me to integrate his part of the code. When I opened his code it was like hell breaking loose: he had HUGE duplicate code, he had logic thinking errors, had extremely suboptimal code, made stupid mistakes (like while(variable) { ..code here..; variable = false}), had poor naming of variables, huge parts of code from Internet (in a bad fashion - you don't just copy paste..you have to adapt) and generally lacked more than superficial understanding of what he was doing there. The code was basically working by chance, on the only particular test he was running. He couldn't even read from files properly. By the end of the day I managed to fix most of his code, but I feel like I better rewrite it from scratch since it seems more like trying to fit a cube in a spherical hole. Besides that he is very arrogant and immature, he seems like he is 15 years old. From what he is bragging I even understand that he argued with the interviews when getting hired. Oh, and he also leaves 1-2 hours earlier from work on a daily basis. There are a lot of other examples but the bottom line is: he is immature, has no technical skill (trust me, NO SKILL - I am an undergradute teachign assistant and honestly I wouldn't give a passing grade to students with such poor skills), he is arrogant - all of these standing in my way. By comparison, out of the 900 lines of code, I wrote about 700 and fixed all of the other 200, let alone the difficulty of my lines. And out of the thinking I did 100%. I don't know what to do anymore, really. I'll try to show the manager his code on Monday (the manager is very good at software engineering), but I don't like to look like I'm complaining all the time without good reason. I am not sure about quiting either, because I like the project I work on a lot (and all the departament). The collegues are amazing, very supportive, always helping and willing to teach others. The manager is amazing as well. The only problem is that I do the job of 2 people and that the other intern is an idiot - I can't stand the situation at all! I'd only use quiting as the last resort if the problem can't be solved in any other way, so **do you have any ideas how to deal with the situation?** What should I do? **Would only a month long internship in the CV affect me in a job search? Should I hide this from my CV? What about my chances with the company in the future.** All the best.
2018/07/21
[ "https://workplace.stackexchange.com/questions/116277", "https://workplace.stackexchange.com", "https://workplace.stackexchange.com/users/85674/" ]
* Inform you manager about the Verbatim copies of code from the Internet, and tell that you see a potential legal liability there * Explicitly state in commit messages which of his commits you fixed * Your manager listened to you once, so the next time a huge and messy commit comes which breaks something working and could have been caught by the test, you write an email to your coworker with the manager in CC stating that you need he should show you on his machine how he tested the code and how it works. * When he submitted something which breaks and leaves during the office hours, you go to the manager shortly after he left and ask him to locate your coworker, stating that you would prefer if the coworker helps integrating the code - state that you can do it alone, but it may take more time and state which of your tasks is delayed by this. * In case this continues, take notes over one week how much work integrating your coworkers mess has caused you, with specific incidents, go to your manager and state that you "can handle it without him"
As other recommend, I would ask somebody higher up if I could start CCing him in all your exchanges besides documenting everything in a source code system. Obviously, if you working for the two, your colleague does not need to do it. However, it seems a bit odd he taking such a relaxed stance of missing so many hours of work and days off in the middle of an intern project...it is as he knows he cannot fail. I would investigate if he has relatives inside. I have seen my share of pet employees over the years. It is usually not that hard to find out. Maybe you were setup together for a reason. Welcome to the fantastic world of the real world and office politics! Assuming no foul play, at the end of the day, someone is failing you not making regular meetings to guide you both and assess the state of the project. PS. A possible course of action if that is a University endorsed internship is probing on the University side if you can change for another place. The odds are slim, but without asking it is not possible to find out.
116,277
*LE: This is not a duplicate of [What can I do to make a coworkers lack of effort more visible](https://workplace.stackexchange.com/questions/23165/what-can-i-do-to-make-a-coworkers-lack-of-effort-more-visible) because: . I think the other question only addresses part of my situation (the subjects of that question are a consultant and a senior, we are interns; it is also about his attitude, not only skill). I also want to know how quiting would affect further job search and how only a month long internship would look in my CV.* I am a software engineering intern for a well-known company since 3 weeks ago. From the first day, I was assigned to work on the same project with another intern, who was there about a month before I was. The signing of papers and having all my tools prepared took me about 1 and a half day so the second day evening I discussed with my collegue about what he did up to now and what his ideas were on the subject. It turned out that he didn't advance much, and that could be clearly seen when he sent me his code. Naturally, I thought that the project is one of high difficulty (and it seemed so, at first sight). The manager has already divided the project into about 3-4 milestones for us and my collegue proposed that I do the more "difficult part" because it seemed that I have a stronger mathematical background (the project involves a lot of math, which I actually ejoy a lot) and he will prepare the input data. All good, but during that week I noticed that he doesn't really do anything, besides chating on Facebook. Finally, he started to send me snippets of code on Skype asking me to "put that in main". There were no files, just copy pasted messages. It seemed rather strange to me so I asked him to make some functions for that code and use a versioning system (already prepared, I was using it). He refused to use the versioning system because "it causes problems with merging code". But somehow he did agree to write some functions for that code. It turned out that his code was buggy and basically corrupting the heap (later I realised that happened because he can't tell the difference between bit and byte). Not that much of a problem if you ask me, after 2 hours of debugging I found the problem and replaced it myself. The problem was that JUST AFTER sending me the code he left for about an hour long coffee and he didn't even sent me everything, I had to complete part of the code myself by guessing what he was trying to do. Later I found that some other collegue (who is not even a software engineer, more an electronics one) wrote that piece of code for him. The second week he worked NOTHING, with only me progressing the project. I felt that I need to talk with him but he couldn't listen and only said about "I can't adapt and he can" or how "I don't understand the programming language" or whatever..the point is he was attacking me. Anyway, at the end of the week I decided to talk to the manager and tell him about his laziness and poor technical qualities. He thanked me and had us 3 meet for a review on the progress of the subject, when he said that he is glad with the progress (95% or more done by me actually) and designated specific task to us, so that he has to work as well. He also explained to him that he has to use a versioning system. All good, if you ask me. Another week passed in the same way. For Friday he took a vacancy day and left me to integrate his part of the code. When I opened his code it was like hell breaking loose: he had HUGE duplicate code, he had logic thinking errors, had extremely suboptimal code, made stupid mistakes (like while(variable) { ..code here..; variable = false}), had poor naming of variables, huge parts of code from Internet (in a bad fashion - you don't just copy paste..you have to adapt) and generally lacked more than superficial understanding of what he was doing there. The code was basically working by chance, on the only particular test he was running. He couldn't even read from files properly. By the end of the day I managed to fix most of his code, but I feel like I better rewrite it from scratch since it seems more like trying to fit a cube in a spherical hole. Besides that he is very arrogant and immature, he seems like he is 15 years old. From what he is bragging I even understand that he argued with the interviews when getting hired. Oh, and he also leaves 1-2 hours earlier from work on a daily basis. There are a lot of other examples but the bottom line is: he is immature, has no technical skill (trust me, NO SKILL - I am an undergradute teachign assistant and honestly I wouldn't give a passing grade to students with such poor skills), he is arrogant - all of these standing in my way. By comparison, out of the 900 lines of code, I wrote about 700 and fixed all of the other 200, let alone the difficulty of my lines. And out of the thinking I did 100%. I don't know what to do anymore, really. I'll try to show the manager his code on Monday (the manager is very good at software engineering), but I don't like to look like I'm complaining all the time without good reason. I am not sure about quiting either, because I like the project I work on a lot (and all the departament). The collegues are amazing, very supportive, always helping and willing to teach others. The manager is amazing as well. The only problem is that I do the job of 2 people and that the other intern is an idiot - I can't stand the situation at all! I'd only use quiting as the last resort if the problem can't be solved in any other way, so **do you have any ideas how to deal with the situation?** What should I do? **Would only a month long internship in the CV affect me in a job search? Should I hide this from my CV? What about my chances with the company in the future.** All the best.
2018/07/21
[ "https://workplace.stackexchange.com/questions/116277", "https://workplace.stackexchange.com", "https://workplace.stackexchange.com/users/85674/" ]
You are playing well above your pay grade. Let your manager manage your colleague. An outcome like "the project got finished but wasn't great, one of the interns worked hard but the other was a nightmare" is common as dirt in this industry. Do the tasks your manager has assigned to you. When you're out of tasks, go ask for more. When you can't do something because you're waiting on the colleague, let your manager know. When you get something from your colleague and it's unusably bad, ask your manager whether you should fix it up, or bounce it back explaining why you can't use it. Then ask what you should do next given that you can't do what you were planning to do (use the thing from the colleague.) You seem to think that if you can't fix this other intern (or arrange for a firing) it will reflect poorly on you. Do you really think your manager is so terrible as not to see what you see? You've reported it, shown the code, the manager has already started dealing out tasks and telling the other intern to use source control, and so on. This is all the manager's job, not yours. Relax and do yours, keep your manager informed, and let the manager manage.
Since you are using a versioning system: Fix one bug in his code and check the fix into the versioning system. Then fix another bug and check the fix into the versioning system. And so on. So when you need evidence you point your boss to the versioning system, which contains your name 99 times and his name once. (In a professional environment with experienced developers you use a source code control system in a different way). And consider that many companies use an internship as a very, very long interview. If that is the case in your company, then by the sounds of it you are passing the interview, and your colleague is not.
116,277
*LE: This is not a duplicate of [What can I do to make a coworkers lack of effort more visible](https://workplace.stackexchange.com/questions/23165/what-can-i-do-to-make-a-coworkers-lack-of-effort-more-visible) because: . I think the other question only addresses part of my situation (the subjects of that question are a consultant and a senior, we are interns; it is also about his attitude, not only skill). I also want to know how quiting would affect further job search and how only a month long internship would look in my CV.* I am a software engineering intern for a well-known company since 3 weeks ago. From the first day, I was assigned to work on the same project with another intern, who was there about a month before I was. The signing of papers and having all my tools prepared took me about 1 and a half day so the second day evening I discussed with my collegue about what he did up to now and what his ideas were on the subject. It turned out that he didn't advance much, and that could be clearly seen when he sent me his code. Naturally, I thought that the project is one of high difficulty (and it seemed so, at first sight). The manager has already divided the project into about 3-4 milestones for us and my collegue proposed that I do the more "difficult part" because it seemed that I have a stronger mathematical background (the project involves a lot of math, which I actually ejoy a lot) and he will prepare the input data. All good, but during that week I noticed that he doesn't really do anything, besides chating on Facebook. Finally, he started to send me snippets of code on Skype asking me to "put that in main". There were no files, just copy pasted messages. It seemed rather strange to me so I asked him to make some functions for that code and use a versioning system (already prepared, I was using it). He refused to use the versioning system because "it causes problems with merging code". But somehow he did agree to write some functions for that code. It turned out that his code was buggy and basically corrupting the heap (later I realised that happened because he can't tell the difference between bit and byte). Not that much of a problem if you ask me, after 2 hours of debugging I found the problem and replaced it myself. The problem was that JUST AFTER sending me the code he left for about an hour long coffee and he didn't even sent me everything, I had to complete part of the code myself by guessing what he was trying to do. Later I found that some other collegue (who is not even a software engineer, more an electronics one) wrote that piece of code for him. The second week he worked NOTHING, with only me progressing the project. I felt that I need to talk with him but he couldn't listen and only said about "I can't adapt and he can" or how "I don't understand the programming language" or whatever..the point is he was attacking me. Anyway, at the end of the week I decided to talk to the manager and tell him about his laziness and poor technical qualities. He thanked me and had us 3 meet for a review on the progress of the subject, when he said that he is glad with the progress (95% or more done by me actually) and designated specific task to us, so that he has to work as well. He also explained to him that he has to use a versioning system. All good, if you ask me. Another week passed in the same way. For Friday he took a vacancy day and left me to integrate his part of the code. When I opened his code it was like hell breaking loose: he had HUGE duplicate code, he had logic thinking errors, had extremely suboptimal code, made stupid mistakes (like while(variable) { ..code here..; variable = false}), had poor naming of variables, huge parts of code from Internet (in a bad fashion - you don't just copy paste..you have to adapt) and generally lacked more than superficial understanding of what he was doing there. The code was basically working by chance, on the only particular test he was running. He couldn't even read from files properly. By the end of the day I managed to fix most of his code, but I feel like I better rewrite it from scratch since it seems more like trying to fit a cube in a spherical hole. Besides that he is very arrogant and immature, he seems like he is 15 years old. From what he is bragging I even understand that he argued with the interviews when getting hired. Oh, and he also leaves 1-2 hours earlier from work on a daily basis. There are a lot of other examples but the bottom line is: he is immature, has no technical skill (trust me, NO SKILL - I am an undergradute teachign assistant and honestly I wouldn't give a passing grade to students with such poor skills), he is arrogant - all of these standing in my way. By comparison, out of the 900 lines of code, I wrote about 700 and fixed all of the other 200, let alone the difficulty of my lines. And out of the thinking I did 100%. I don't know what to do anymore, really. I'll try to show the manager his code on Monday (the manager is very good at software engineering), but I don't like to look like I'm complaining all the time without good reason. I am not sure about quiting either, because I like the project I work on a lot (and all the departament). The collegues are amazing, very supportive, always helping and willing to teach others. The manager is amazing as well. The only problem is that I do the job of 2 people and that the other intern is an idiot - I can't stand the situation at all! I'd only use quiting as the last resort if the problem can't be solved in any other way, so **do you have any ideas how to deal with the situation?** What should I do? **Would only a month long internship in the CV affect me in a job search? Should I hide this from my CV? What about my chances with the company in the future.** All the best.
2018/07/21
[ "https://workplace.stackexchange.com/questions/116277", "https://workplace.stackexchange.com", "https://workplace.stackexchange.com/users/85674/" ]
You are playing well above your pay grade. Let your manager manage your colleague. An outcome like "the project got finished but wasn't great, one of the interns worked hard but the other was a nightmare" is common as dirt in this industry. Do the tasks your manager has assigned to you. When you're out of tasks, go ask for more. When you can't do something because you're waiting on the colleague, let your manager know. When you get something from your colleague and it's unusably bad, ask your manager whether you should fix it up, or bounce it back explaining why you can't use it. Then ask what you should do next given that you can't do what you were planning to do (use the thing from the colleague.) You seem to think that if you can't fix this other intern (or arrange for a firing) it will reflect poorly on you. Do you really think your manager is so terrible as not to see what you see? You've reported it, shown the code, the manager has already started dealing out tasks and telling the other intern to use source control, and so on. This is all the manager's job, not yours. Relax and do yours, keep your manager informed, and let the manager manage.
As other recommend, I would ask somebody higher up if I could start CCing him in all your exchanges besides documenting everything in a source code system. Obviously, if you working for the two, your colleague does not need to do it. However, it seems a bit odd he taking such a relaxed stance of missing so many hours of work and days off in the middle of an intern project...it is as he knows he cannot fail. I would investigate if he has relatives inside. I have seen my share of pet employees over the years. It is usually not that hard to find out. Maybe you were setup together for a reason. Welcome to the fantastic world of the real world and office politics! Assuming no foul play, at the end of the day, someone is failing you not making regular meetings to guide you both and assess the state of the project. PS. A possible course of action if that is a University endorsed internship is probing on the University side if you can change for another place. The odds are slim, but without asking it is not possible to find out.
116,277
*LE: This is not a duplicate of [What can I do to make a coworkers lack of effort more visible](https://workplace.stackexchange.com/questions/23165/what-can-i-do-to-make-a-coworkers-lack-of-effort-more-visible) because: . I think the other question only addresses part of my situation (the subjects of that question are a consultant and a senior, we are interns; it is also about his attitude, not only skill). I also want to know how quiting would affect further job search and how only a month long internship would look in my CV.* I am a software engineering intern for a well-known company since 3 weeks ago. From the first day, I was assigned to work on the same project with another intern, who was there about a month before I was. The signing of papers and having all my tools prepared took me about 1 and a half day so the second day evening I discussed with my collegue about what he did up to now and what his ideas were on the subject. It turned out that he didn't advance much, and that could be clearly seen when he sent me his code. Naturally, I thought that the project is one of high difficulty (and it seemed so, at first sight). The manager has already divided the project into about 3-4 milestones for us and my collegue proposed that I do the more "difficult part" because it seemed that I have a stronger mathematical background (the project involves a lot of math, which I actually ejoy a lot) and he will prepare the input data. All good, but during that week I noticed that he doesn't really do anything, besides chating on Facebook. Finally, he started to send me snippets of code on Skype asking me to "put that in main". There were no files, just copy pasted messages. It seemed rather strange to me so I asked him to make some functions for that code and use a versioning system (already prepared, I was using it). He refused to use the versioning system because "it causes problems with merging code". But somehow he did agree to write some functions for that code. It turned out that his code was buggy and basically corrupting the heap (later I realised that happened because he can't tell the difference between bit and byte). Not that much of a problem if you ask me, after 2 hours of debugging I found the problem and replaced it myself. The problem was that JUST AFTER sending me the code he left for about an hour long coffee and he didn't even sent me everything, I had to complete part of the code myself by guessing what he was trying to do. Later I found that some other collegue (who is not even a software engineer, more an electronics one) wrote that piece of code for him. The second week he worked NOTHING, with only me progressing the project. I felt that I need to talk with him but he couldn't listen and only said about "I can't adapt and he can" or how "I don't understand the programming language" or whatever..the point is he was attacking me. Anyway, at the end of the week I decided to talk to the manager and tell him about his laziness and poor technical qualities. He thanked me and had us 3 meet for a review on the progress of the subject, when he said that he is glad with the progress (95% or more done by me actually) and designated specific task to us, so that he has to work as well. He also explained to him that he has to use a versioning system. All good, if you ask me. Another week passed in the same way. For Friday he took a vacancy day and left me to integrate his part of the code. When I opened his code it was like hell breaking loose: he had HUGE duplicate code, he had logic thinking errors, had extremely suboptimal code, made stupid mistakes (like while(variable) { ..code here..; variable = false}), had poor naming of variables, huge parts of code from Internet (in a bad fashion - you don't just copy paste..you have to adapt) and generally lacked more than superficial understanding of what he was doing there. The code was basically working by chance, on the only particular test he was running. He couldn't even read from files properly. By the end of the day I managed to fix most of his code, but I feel like I better rewrite it from scratch since it seems more like trying to fit a cube in a spherical hole. Besides that he is very arrogant and immature, he seems like he is 15 years old. From what he is bragging I even understand that he argued with the interviews when getting hired. Oh, and he also leaves 1-2 hours earlier from work on a daily basis. There are a lot of other examples but the bottom line is: he is immature, has no technical skill (trust me, NO SKILL - I am an undergradute teachign assistant and honestly I wouldn't give a passing grade to students with such poor skills), he is arrogant - all of these standing in my way. By comparison, out of the 900 lines of code, I wrote about 700 and fixed all of the other 200, let alone the difficulty of my lines. And out of the thinking I did 100%. I don't know what to do anymore, really. I'll try to show the manager his code on Monday (the manager is very good at software engineering), but I don't like to look like I'm complaining all the time without good reason. I am not sure about quiting either, because I like the project I work on a lot (and all the departament). The collegues are amazing, very supportive, always helping and willing to teach others. The manager is amazing as well. The only problem is that I do the job of 2 people and that the other intern is an idiot - I can't stand the situation at all! I'd only use quiting as the last resort if the problem can't be solved in any other way, so **do you have any ideas how to deal with the situation?** What should I do? **Would only a month long internship in the CV affect me in a job search? Should I hide this from my CV? What about my chances with the company in the future.** All the best.
2018/07/21
[ "https://workplace.stackexchange.com/questions/116277", "https://workplace.stackexchange.com", "https://workplace.stackexchange.com/users/85674/" ]
Since you are using a versioning system: Fix one bug in his code and check the fix into the versioning system. Then fix another bug and check the fix into the versioning system. And so on. So when you need evidence you point your boss to the versioning system, which contains your name 99 times and his name once. (In a professional environment with experienced developers you use a source code control system in a different way). And consider that many companies use an internship as a very, very long interview. If that is the case in your company, then by the sounds of it you are passing the interview, and your colleague is not.
As other recommend, I would ask somebody higher up if I could start CCing him in all your exchanges besides documenting everything in a source code system. Obviously, if you working for the two, your colleague does not need to do it. However, it seems a bit odd he taking such a relaxed stance of missing so many hours of work and days off in the middle of an intern project...it is as he knows he cannot fail. I would investigate if he has relatives inside. I have seen my share of pet employees over the years. It is usually not that hard to find out. Maybe you were setup together for a reason. Welcome to the fantastic world of the real world and office politics! Assuming no foul play, at the end of the day, someone is failing you not making regular meetings to guide you both and assess the state of the project. PS. A possible course of action if that is a University endorsed internship is probing on the University side if you can change for another place. The odds are slim, but without asking it is not possible to find out.
173,651
I have a group research proposal assessment at my university, and my friend had previously completed the subject, so he gave me his assessment as guidance for how the proposal should look. His group and my group's research proposals are completely different, but the layout design of how the assessment is presented is quite similar. I'm concerned that it will be considered plagiarism for having a similar structure/layout design and spoke to my group about it but they didn't seem to be bothered as much as I am. The topic is completely different and every word is completely our own, however the figures/tables look quite similar. We made our own figures and tables based on our topic but the design ideas of the figures/tables as well as the assessment layouts are pretty much the same.
2021/08/21
[ "https://academia.stackexchange.com/questions/173651", "https://academia.stackexchange.com", "https://academia.stackexchange.com/users/145092/" ]
I think you are in the clear. As an example, most research papers in my area look the 'same'. This is because everyone uses the same template and tools.
This is completely fine. Moreover, it is common in academia for this kind of conduct to be *encouraged*. And there is an important distinction. If you take someone's book and copy the chapter list from there with minor alterations, it is a creative work dealing directly with the subject you both are working on. No bueno. If it is a *proposal* (or quarterly report, or any other writing dealing with formalities rather than the subject itself), however, it should provide whoever is in charge of assessing it a clean and familiar structure. There is a reason the layout of the dissertation is highly standardized - the content, obviously, is not. In some cases, it is even okay to copy certain cliché phrases, but this is more of a gray area. After all, you're supposed to pick those up while learning in order to not have to seek them elsewhere when writing a "real" proposal all by yourself. Focus on research first and *what* do you want to say; "how?" is the second step and successful communication requires to understand the listening side perspective.
173,651
I have a group research proposal assessment at my university, and my friend had previously completed the subject, so he gave me his assessment as guidance for how the proposal should look. His group and my group's research proposals are completely different, but the layout design of how the assessment is presented is quite similar. I'm concerned that it will be considered plagiarism for having a similar structure/layout design and spoke to my group about it but they didn't seem to be bothered as much as I am. The topic is completely different and every word is completely our own, however the figures/tables look quite similar. We made our own figures and tables based on our topic but the design ideas of the figures/tables as well as the assessment layouts are pretty much the same.
2021/08/21
[ "https://academia.stackexchange.com/questions/173651", "https://academia.stackexchange.com", "https://academia.stackexchange.com/users/145092/" ]
Note that what is plagiarism in the wider world might be different from what a professor considers plagiarism for purposes of assignments. Often the latter are far stricter than the former. So, we can't say here, since it is your professor that will make the determination. However, in the wider context, you can't plagiarize common knowledge and it isn't plagiarism to reuse (read *copy*) things that can be done in essentially only one way. In particular, if the outline doesn't contain any *creative* elements, then copying it is not technically plagiarism, though it is your professor who has the only important vote. The arguments here may be effective with them or not in the case that you are charged. But note that plagiarism has to do with *creative* elements, *ideas*, and those require citation. But some forms of copying, while not, technically, plagiarism, are also improper. --- As an example from another domain, I currently read a lot of mystery novels for relaxation. I've noticed a pattern used by several authors. The first chapter introduces the villains and their horrific crimes. The second chapter introduces the detective/hero of the story. Different chapters are given from the viewpoints of various characters, not always the hero. It is just a common (though not universal) pattern. No one thinks much of it, though a more creative "outline" might be refreshing.
This is completely fine. Moreover, it is common in academia for this kind of conduct to be *encouraged*. And there is an important distinction. If you take someone's book and copy the chapter list from there with minor alterations, it is a creative work dealing directly with the subject you both are working on. No bueno. If it is a *proposal* (or quarterly report, or any other writing dealing with formalities rather than the subject itself), however, it should provide whoever is in charge of assessing it a clean and familiar structure. There is a reason the layout of the dissertation is highly standardized - the content, obviously, is not. In some cases, it is even okay to copy certain cliché phrases, but this is more of a gray area. After all, you're supposed to pick those up while learning in order to not have to seek them elsewhere when writing a "real" proposal all by yourself. Focus on research first and *what* do you want to say; "how?" is the second step and successful communication requires to understand the listening side perspective.
455,137
I'm looking for a HTTP compression proxy. Basically, I need a proxy to compress images and text to be transferred over a slow internet connection when accessing the web. To put it into a diagram CLIENT ---/fast local network/--- HTTP COMPRESSION PROXY ---/slow internet connection/--- WEB (e.g. Facebook, Wiki, Google) I will be using Squid for caching but from what i've it does not support HTTP compresion (gzip, deflate)
2012/12/05
[ "https://serverfault.com/questions/455137", "https://serverfault.com", "https://serverfault.com/users/148305/" ]
A quick review of the documentation leads me to believe that squid will accept and cache compressed data from the servers. Compressing images will likely be counter productive. Most image formats are well compressed already and attempts to compress them usually increase the image size by the overhead of the compression algorithm. You could use apache as proxy. You should provide lots of disk space for squid to cache data. Review the caching options carefully and watch your cache statistics. I have found certain sites don't cache very well at all.
Do you realize that Image data does not compress very well. It often takes more time in these cases to compress/transmit/uncompress than to simply transmit the image data without compression.
22,966,594
I understand that CouchDB hashes the source of each design documents against the name of the index file. Whenever I change the source code, the index needs to be rebuild. CouchDB does this when the document is requested for the first time. **What I'd expect to happen and want to happen** Each time I change a design doc, the first call to a view will take significantly longer than usual and may time out. The index will continue to build. Once this is completed, the view will only process changes and will be very fast. **What actually happens** 1. When running an amended view for the first time, I see the process in the status window, slowly reach 100%. This takes about 2 hours. During this time all CPU's are fully utilized. 2. Once process reaches 99% it remains there for about an hour and then disappears. CPU utilization drops to just one cpu. 3. When the process has disappeared, the data file for the view keeps growing for about half an hour to an hour. CPU utilization is near 0% 4. The index file suddenly stops to increase in size. If I request the view again when I've reached state 4), the characteristics of 3) start again. I have to repeat this process between 5 to 50 times until I can finally retrieve the view values. If the view get's requested a second time whilst till in stage 1 or 2, it will most definitely run out of memory and I have to restart the CouchDB service. This is despite my DB rarely using more than 2 GByte when runninng just one job and more than 4 GByte free in usual operation. I have tried to tweak configuration settings, add more memory, but nothing seems to have an impact. **My Question** Do I misunderstand the concept of running views or is something wrong with my setup? If this is expected, is there anything I can tweak to reduce the number of reruns? **Context** My documents are pretty large (1 to 20 MByte). The data they contain is well structured, they are usually web-analytics reports and would in a relational database be stored as several 10k rows of data. My map function extracts these rows. It returns the dimensions as key array. The key array sometimes exceeds 20 columns. Most views will only have less than 10 columns. The reduce function will aggregate (sum) all values in rows with identical keys. The metrics are stored in a dictionary and may contain different keys. The reduce function identifies missing keys in one document and adds these to the aggregate as 0. I am using CouchDB 1.5.0 on Windows Server 2008 R2 with 2CPUs and 8 GByte memory. The views are written in javascript using the couchjs query server. My designs documents usually consist of several views, with a '\_lib' view that does not emit any data, but contains an exhaustive library of functions accessed by the actual views.
2014/04/09
[ "https://Stackoverflow.com/questions/22966594", "https://Stackoverflow.com", "https://Stackoverflow.com/users/909227/" ]
It is a known issue, but just in case: if you have gigabytes of docs, you can forget about reduce functions. Only [build-in ones](https://wiki.apache.org/couchdb/Built-In_Reduce_Functions) will work fast enough.
It is possible to set [os\_process\_limit](http://couchdb.readthedocs.org/en/latest/config/query-servers.html#query_server_config/os_process_limit) to an extra-low value (1 sec, for sample). This way you can detect which doc takes long to be indexed and optimize your map function for performance.
11,317,375
I recently switched to dreamweaver version CS6 from CS4. In CS4 there was a handy feature that would show tabs of the includes files. CSS PHP Javascript etc. It would show these tabs right above the "code, split, design, live". Does CS6 not have this feature or do I simply have to enable it? If so, where and how? Oh yeah. I'm using the Design Compact dreamweaver layout. Hope you guys can help me out. I really need that feature back ^^
2012/07/03
[ "https://Stackoverflow.com/questions/11317375", "https://Stackoverflow.com", "https://Stackoverflow.com/users/1048566/" ]
Nvm. I finally found what I had to change. In the general settings, enable relative files: on.
It's not only there but it works better than it did before because it can scan deeper for PHP files (I think CS5.5 improved it for use with things like Wordpress). When you open a file with includes they should be there next to the file name. Although it's better, it's still not perfect so if you have dynamically created includes you still might not see them.
19,314
I have been looking for a book about Indian history. Recently I came across [this answer](https://history.stackexchange.com/a/1334/3866), which suggested reading [India: A History by John Keay](http://rads.stackoverflow.com/amzn/click/0802145582). I wanted to know whether it is historical and accurate. Or is there any thesis put forth and all Indian history is viewed from that angle?
2015/02/10
[ "https://history.stackexchange.com/questions/19314", "https://history.stackexchange.com", "https://history.stackexchange.com/users/3866/" ]
I decided to read the book anyway, after waiting for someone to answer the question. I understand this is not a place to review books, but here are my two cents. The narrative is, in my opinion, as unbiased as it can get. While talking about unclear parts of Indian history like Aryan invasion / migration / indigenous Aryans, he explains pros and cons of each theory before explaining the generally accepted theory. Also, the narration of post-independence politics (intra-national or international) politics seems objective. As I hoped it to be, it doesn't discredit India from its achievements, nor does it over-glorify them. A must-read for anyone who is interested in Indian history.
This is a partial answer relating to the book's unbiased status. No. The book is not unbiased. The book's biases may be historiographically justifiable, but, necessarily, the book is not unbiased. Bias is as unremovable from texts as it is from woven fabric: the fabric of texts produces a bias. Sources: historiographical theory of bias in texts, and the nature of texts as bias.
19,314
I have been looking for a book about Indian history. Recently I came across [this answer](https://history.stackexchange.com/a/1334/3866), which suggested reading [India: A History by John Keay](http://rads.stackoverflow.com/amzn/click/0802145582). I wanted to know whether it is historical and accurate. Or is there any thesis put forth and all Indian history is viewed from that angle?
2015/02/10
[ "https://history.stackexchange.com/questions/19314", "https://history.stackexchange.com", "https://history.stackexchange.com/users/3866/" ]
I decided to read the book anyway, after waiting for someone to answer the question. I understand this is not a place to review books, but here are my two cents. The narrative is, in my opinion, as unbiased as it can get. While talking about unclear parts of Indian history like Aryan invasion / migration / indigenous Aryans, he explains pros and cons of each theory before explaining the generally accepted theory. Also, the narration of post-independence politics (intra-national or international) politics seems objective. As I hoped it to be, it doesn't discredit India from its achievements, nor does it over-glorify them. A must-read for anyone who is interested in Indian history.
Your question is the rare one that no one even bothers to ask. From the beginning of the creation of Indian history, bias has played an important role. The funny thing is, the history of India being taught in schools are created by the western people of British East India Company. The purpose of creating biased Indian history is to strengthen their rule over then India. That's how the *"Aryan Invasion Theory"* born. Another thing was the Christianity that influenced those historians. They set the chronology of Indian historical events according to the bible. According to bible, the creation began 4004 BC. Hence whatever historical events occurred were pushed around 2000 BC - 1500 BC and so on. You take Max Muller, H. M. Elliot, Vincent Smith, W. W. Hunter or any other, you will find the same biased view. After the independence, Indian history department was completely filled with communists who hated everything that belonged to ancient India. As a result, they followed the earlier western historians and added more biased version while creating history books for schools, colleges and universities. Romila Thapar, Sathish Chandra, Ram Sharan Sharma are such kind of Indian historians. However, there were some historians who tried to discover the truth but were either ignored or silenced. If you want to know how they twisted Indian history, read Edi Charitra or visit this link <http://www.stephen-knapp.com/the_real_history_of_india.htm>
46,699
I have a distant memory of once reading a JG Ballard short story in which a character utters a phrase similar to: > > "Listen, you can hear the quasars calling!" > > > or possibly > > "Listen, can you hear the quasars calling?" > > > or something along those lines. Maybe it was actually "cosmos calling" or "galaxies calling" or "great spirals calling" or something. For a long time I just assumed it must have been "The Voices of Time", but having reread that recently, it isn't (although I'm pretty sure the story I'm looking for has the same hallmark Ballard obsessions as TVoT, so maybe from the same era).
2013/12/22
[ "https://scifi.stackexchange.com/questions/46699", "https://scifi.stackexchange.com", "https://scifi.stackexchange.com/users/789/" ]
In the mini-story cycle [ZODIAC 2000](http://books.google.com/books?id=D2cmHHAMrlEC&pg=PT1014&dq=ballard%20%22sign%20of%20the%20radar%20bowl%22%20quasars&hl=en&sa=X&ei=XRe3Ut_0KKfuyQGAuoCYAQ&ved=0CEYQ6AEwAA#v=onepage&q=ballard%20%22sign%20of%20the%20radar%20bowl%22%20quasars&f=false), *The Sign of the Radar Bowl* had a reference to "the great music of the quasars" and *The Sign of the IUD* had a "strange young woman, with her anonymous apartment and random conversation filled with sudden references to quasars". Is this it? I have a PDF file of The Complete Stories and these are the only references using "quasar" or "quasars" that are close after scanning all 2,357 pages. Maybe it was a different author, or possibly it was from one of his [novels](http://en.wikipedia.org/wiki/J._G._Ballard#Works). As for this being from a similar era, Zodiac 2000 is from 1978 while The Voices of Time is from 1960. Still, like many great artists, *writers / directors (David Cronenberg being a prime example, even adapting a Ballard novel for film) / etc*, of speculative fiction, they stick to similar themes and have obsessions that span their entire career. Hope this helps.
"The University of Death", which is part of "The Atrocity Exhibition" and not in the Complete Short Stories, has the line "All night he watched the sky, listening to the time-music of the quasars." "Zodiac 2000", which *is* in the Complete Short Stories, has the line "But at least he could look up at the sky and listen to the time-music of the quasars." Searching for "quasars calling", I can't find anything, but you might look at the Ballard Concordance at <http://bonsall-books.co.uk/concordance/>
46,699
I have a distant memory of once reading a JG Ballard short story in which a character utters a phrase similar to: > > "Listen, you can hear the quasars calling!" > > > or possibly > > "Listen, can you hear the quasars calling?" > > > or something along those lines. Maybe it was actually "cosmos calling" or "galaxies calling" or "great spirals calling" or something. For a long time I just assumed it must have been "The Voices of Time", but having reread that recently, it isn't (although I'm pretty sure the story I'm looking for has the same hallmark Ballard obsessions as TVoT, so maybe from the same era).
2013/12/22
[ "https://scifi.stackexchange.com/questions/46699", "https://scifi.stackexchange.com", "https://scifi.stackexchange.com/users/789/" ]
In the mini-story cycle [ZODIAC 2000](http://books.google.com/books?id=D2cmHHAMrlEC&pg=PT1014&dq=ballard%20%22sign%20of%20the%20radar%20bowl%22%20quasars&hl=en&sa=X&ei=XRe3Ut_0KKfuyQGAuoCYAQ&ved=0CEYQ6AEwAA#v=onepage&q=ballard%20%22sign%20of%20the%20radar%20bowl%22%20quasars&f=false), *The Sign of the Radar Bowl* had a reference to "the great music of the quasars" and *The Sign of the IUD* had a "strange young woman, with her anonymous apartment and random conversation filled with sudden references to quasars". Is this it? I have a PDF file of The Complete Stories and these are the only references using "quasar" or "quasars" that are close after scanning all 2,357 pages. Maybe it was a different author, or possibly it was from one of his [novels](http://en.wikipedia.org/wiki/J._G._Ballard#Works). As for this being from a similar era, Zodiac 2000 is from 1978 while The Voices of Time is from 1960. Still, like many great artists, *writers / directors (David Cronenberg being a prime example, even adapting a Ballard novel for film) / etc*, of speculative fiction, they stick to similar themes and have obsessions that span their entire career. Hope this helps.
"Meat Trademark"'s [answer](https://scifi.stackexchange.com/a/46704/789) pointed the way thanks (and I've accepted that; this is just to elaborate): I'm absolutely sure I'm remembering (badly, almost 3 decades on from when I read it I suspect) this section from Zodiac 2000's "The Sign of the Radar Bowl": > > As they waited in the stationary traffic on the crowded deck of the > flyover Renata fiddled impatiently with the radio, unable to penetrate > the static from the cars around them. Smiling at her, he turned off > the sound and pointed to the sky over her head. 'Ignore the horizon. > Beyond the Pole Star you can hear the island universes.' He sat back, > trying to ignore the thousand satellite transmissions, a barbarous > chatter below the great music of the quasars. > > > No idea how I got from that to "listen" and "calling", although there is an obvious auditory theme. And it does have quasars, eventually.