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 |
|---|---|---|---|---|---|
128,732 | I'm going to a concert to Vienna on Saturday (two days). I just realized that there aren't any trains back to my home in the night so I'd have to wait til the morning until the first train leaves again (5.43 AM).
I don't know when the concert will end, but expect it to be somewhere between midnight and 2 AM.
Now, I don't want to spend 40 € on a hotel room, especially when I can only "book in" in the middle in the night and have to leave really early.
Is there any safe space in Vienna for a young woman to stay for a couple of hours in the middle of the night? I don't need to sleep, I just don't want to get raped.
Are train stations safe there? Or are there any cafés which are open 24/7? MacDonalds? | 2018/12/20 | [
"https://travel.stackexchange.com/questions/128732",
"https://travel.stackexchange.com",
"https://travel.stackexchange.com/users/70911/"
] | If your main concern is that you have to pay for a hotel room for the entire day but would spend only a couple of hours in it, maybe you could opt to leave Vienna later in the day or early evening instead of early morning.
That way you can relax after a possibly tiresome concert, wake up fresh, then either spend time in the room or explore Vienna a bit (if you haven't already) and then take a train to your final destination later in the day. I feel this option would be safer than opting to stay out in the open (even if its in a 24-hour McDonalds). You could cut your cost by some euros by staying in a dorm instead of a hotel room. | As you are staying on a weekend, there will be plenty of bars, clubs and other entertainment locations open till the early morning. Some of them may be loud, some quiet, so you can pick depending on what you are likely to be in a mood in after the concert.
Here's an english website listing many options: <https://www.wien.info/en/lifestyle-scene/nightlife>
Note that in general, Vienna is considered a very safe city. So you should most likely be fine no matter where you stay, but as everywhere else, a public place is a good option. |
2,010,699 | I'm developing a new experimental web-application framework, and I decided to give RESTful some attention. I've read up on the basics, and feel like I have a pretty good understanding of RESTful as a concept.
I've got a system up and running, using URLs strictly to define 'nouns' in the system and take the 'verbs' from the HTTP request methods. I'm using javascript ajax calls to provide access to the DELETE and PUT methods which HTML forms cannot provide. (I realize these measures aren't strictly required to be RESTful, but it satisfies the 'Uniform Interface' requirement).
The problem comes with stateless-ness and cacheability with authentication. The standard model for user authentication on websites involves a "login" authentication event, after which (if successful) a user is "inside the wall" with a persistent secure session and may see and do things on subsequent requests which unauthenticated users may not. This persistence of authentication seems to break RESTful-ness. Caching and statelessness appear to be broken, because the authenticated user will probably see HTML which is different from that which a non-authenticated user will see for the same request (for instance, there might be a login form in a sidebar for the logged-out user).
Using www-authenticate strategies to authenticate a user only on the requests which require authentication seems to be a step in the right direction, as it doesn't involve the concept of a persistent secure session. However there's still the question of how to portray a "logged in" appearance to the end user in keeping with what we've all come to expect from websites.
So in the current thinking, what's the preferred way to handle authentication and permissioning of a webpage in a strictly RESTful way, while still allowing for logged-in decorations in the HTML? | 2010/01/06 | [
"https://Stackoverflow.com/questions/2010699",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/82257/"
] | "The standard model for user authentication on websites involves a "login" authentication event, after which (if successful) a user is "inside the wall" with a persistent secure session"
1. This isn't really correct. It's partly true, but only for web sites that invent their own authentication.
2. If you use "digest authentication" the browser must send the credentials with each request.
Digest authentication -- credentials with each request -- is totally RESTful.
Do that.
To make things slightly more streamlined, you can compute the digest authentication Nonce based on time so that it's good for some period of time (6 minutes, 0.1 hr is good). Everyone few minutes a request will send a 401 status and require recomputation of the digest. | If your RESTful framework is only going to be used by your web application, and will not be used as an API for third parties, I see no reason why you cannot use the same authentication scheme as the rest of your application. You could think of this authentication as a lower-level layer than the "application" level. The application level may still remain stateless in a pure RESTful way.
Of course if you are planning to create a RESTful web API, you will need to give this more thought. |
2,010,699 | I'm developing a new experimental web-application framework, and I decided to give RESTful some attention. I've read up on the basics, and feel like I have a pretty good understanding of RESTful as a concept.
I've got a system up and running, using URLs strictly to define 'nouns' in the system and take the 'verbs' from the HTTP request methods. I'm using javascript ajax calls to provide access to the DELETE and PUT methods which HTML forms cannot provide. (I realize these measures aren't strictly required to be RESTful, but it satisfies the 'Uniform Interface' requirement).
The problem comes with stateless-ness and cacheability with authentication. The standard model for user authentication on websites involves a "login" authentication event, after which (if successful) a user is "inside the wall" with a persistent secure session and may see and do things on subsequent requests which unauthenticated users may not. This persistence of authentication seems to break RESTful-ness. Caching and statelessness appear to be broken, because the authenticated user will probably see HTML which is different from that which a non-authenticated user will see for the same request (for instance, there might be a login form in a sidebar for the logged-out user).
Using www-authenticate strategies to authenticate a user only on the requests which require authentication seems to be a step in the right direction, as it doesn't involve the concept of a persistent secure session. However there's still the question of how to portray a "logged in" appearance to the end user in keeping with what we've all come to expect from websites.
So in the current thinking, what's the preferred way to handle authentication and permissioning of a webpage in a strictly RESTful way, while still allowing for logged-in decorations in the HTML? | 2010/01/06 | [
"https://Stackoverflow.com/questions/2010699",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/82257/"
] | One option to preserve cachability in intermediaries for pages with user-specific elements is to add the user-specific markup via Ajax. You serve every use the same page, including some JavaScript that will do an XHR request to a resource that returns something different based on the user login. You then merge this into the page on the client side. The major part of the page will then be cachable as it's the same for every user.
Another option is to use ESI (Edge Side Includes). With these, the cache itself can merge different representations to build up the final result. | If your RESTful framework is only going to be used by your web application, and will not be used as an API for third parties, I see no reason why you cannot use the same authentication scheme as the rest of your application. You could think of this authentication as a lower-level layer than the "application" level. The application level may still remain stateless in a pure RESTful way.
Of course if you are planning to create a RESTful web API, you will need to give this more thought. |
2,010,699 | I'm developing a new experimental web-application framework, and I decided to give RESTful some attention. I've read up on the basics, and feel like I have a pretty good understanding of RESTful as a concept.
I've got a system up and running, using URLs strictly to define 'nouns' in the system and take the 'verbs' from the HTTP request methods. I'm using javascript ajax calls to provide access to the DELETE and PUT methods which HTML forms cannot provide. (I realize these measures aren't strictly required to be RESTful, but it satisfies the 'Uniform Interface' requirement).
The problem comes with stateless-ness and cacheability with authentication. The standard model for user authentication on websites involves a "login" authentication event, after which (if successful) a user is "inside the wall" with a persistent secure session and may see and do things on subsequent requests which unauthenticated users may not. This persistence of authentication seems to break RESTful-ness. Caching and statelessness appear to be broken, because the authenticated user will probably see HTML which is different from that which a non-authenticated user will see for the same request (for instance, there might be a login form in a sidebar for the logged-out user).
Using www-authenticate strategies to authenticate a user only on the requests which require authentication seems to be a step in the right direction, as it doesn't involve the concept of a persistent secure session. However there's still the question of how to portray a "logged in" appearance to the end user in keeping with what we've all come to expect from websites.
So in the current thinking, what's the preferred way to handle authentication and permissioning of a webpage in a strictly RESTful way, while still allowing for logged-in decorations in the HTML? | 2010/01/06 | [
"https://Stackoverflow.com/questions/2010699",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/82257/"
] | >
> This persistence of authentication
> seems to break RESTful-ness
>
>
>
Instead of authenticating a user, you may think about creating a session. You will be returned a new "Session ID", along with the appropriate HTTP status code (200: OK, 403: Forbidden, etc).
>
> The user will probably see HTML which is
> different from that which a
> non-authenticated user will see for
> the same request
>
>
>
You will be asking your REST server: "Can you GET me the HTML (or any resource) for this Session ID?". The HTML will be different based on the "Session ID".
With this method, there is no wall for "persistent secure sessions". You are simply acting on a session.
The noun (or the resource) would represent the the actual session, if you opt for this method. | "The standard model for user authentication on websites involves a "login" authentication event, after which (if successful) a user is "inside the wall" with a persistent secure session"
1. This isn't really correct. It's partly true, but only for web sites that invent their own authentication.
2. If you use "digest authentication" the browser must send the credentials with each request.
Digest authentication -- credentials with each request -- is totally RESTful.
Do that.
To make things slightly more streamlined, you can compute the digest authentication Nonce based on time so that it's good for some period of time (6 minutes, 0.1 hr is good). Everyone few minutes a request will send a 401 status and require recomputation of the digest. |
2,010,699 | I'm developing a new experimental web-application framework, and I decided to give RESTful some attention. I've read up on the basics, and feel like I have a pretty good understanding of RESTful as a concept.
I've got a system up and running, using URLs strictly to define 'nouns' in the system and take the 'verbs' from the HTTP request methods. I'm using javascript ajax calls to provide access to the DELETE and PUT methods which HTML forms cannot provide. (I realize these measures aren't strictly required to be RESTful, but it satisfies the 'Uniform Interface' requirement).
The problem comes with stateless-ness and cacheability with authentication. The standard model for user authentication on websites involves a "login" authentication event, after which (if successful) a user is "inside the wall" with a persistent secure session and may see and do things on subsequent requests which unauthenticated users may not. This persistence of authentication seems to break RESTful-ness. Caching and statelessness appear to be broken, because the authenticated user will probably see HTML which is different from that which a non-authenticated user will see for the same request (for instance, there might be a login form in a sidebar for the logged-out user).
Using www-authenticate strategies to authenticate a user only on the requests which require authentication seems to be a step in the right direction, as it doesn't involve the concept of a persistent secure session. However there's still the question of how to portray a "logged in" appearance to the end user in keeping with what we've all come to expect from websites.
So in the current thinking, what's the preferred way to handle authentication and permissioning of a webpage in a strictly RESTful way, while still allowing for logged-in decorations in the HTML? | 2010/01/06 | [
"https://Stackoverflow.com/questions/2010699",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/82257/"
] | >
> This persistence of authentication
> seems to break RESTful-ness
>
>
>
Instead of authenticating a user, you may think about creating a session. You will be returned a new "Session ID", along with the appropriate HTTP status code (200: OK, 403: Forbidden, etc).
>
> The user will probably see HTML which is
> different from that which a
> non-authenticated user will see for
> the same request
>
>
>
You will be asking your REST server: "Can you GET me the HTML (or any resource) for this Session ID?". The HTML will be different based on the "Session ID".
With this method, there is no wall for "persistent secure sessions". You are simply acting on a session.
The noun (or the resource) would represent the the actual session, if you opt for this method. | Re: Daniel's answer:
If a session is a transient object that gets quickly deleted, this is not very cachable, as any cache you create would only have a useful lifetime of maybe a day, but also continue to use up space in the cache anyway.
Wouldn't it be better to create the USER as an object, and authenticate using the digest authentication, (or a cookie if you must). that way, each user gets their own persistant cache instead of a cache that lasts a day and disappears.
This also makes more logical sense to me, since you're making a page look different depending on the USER, (adding 'hello [name]' and such) and the difference between the "logged in" and "logged out" states depends on whether the user is included in the URL. Whether a particular person is granted access to that user specific url depends on whether they can authenticate as that user. |
2,010,699 | I'm developing a new experimental web-application framework, and I decided to give RESTful some attention. I've read up on the basics, and feel like I have a pretty good understanding of RESTful as a concept.
I've got a system up and running, using URLs strictly to define 'nouns' in the system and take the 'verbs' from the HTTP request methods. I'm using javascript ajax calls to provide access to the DELETE and PUT methods which HTML forms cannot provide. (I realize these measures aren't strictly required to be RESTful, but it satisfies the 'Uniform Interface' requirement).
The problem comes with stateless-ness and cacheability with authentication. The standard model for user authentication on websites involves a "login" authentication event, after which (if successful) a user is "inside the wall" with a persistent secure session and may see and do things on subsequent requests which unauthenticated users may not. This persistence of authentication seems to break RESTful-ness. Caching and statelessness appear to be broken, because the authenticated user will probably see HTML which is different from that which a non-authenticated user will see for the same request (for instance, there might be a login form in a sidebar for the logged-out user).
Using www-authenticate strategies to authenticate a user only on the requests which require authentication seems to be a step in the right direction, as it doesn't involve the concept of a persistent secure session. However there's still the question of how to portray a "logged in" appearance to the end user in keeping with what we've all come to expect from websites.
So in the current thinking, what's the preferred way to handle authentication and permissioning of a webpage in a strictly RESTful way, while still allowing for logged-in decorations in the HTML? | 2010/01/06 | [
"https://Stackoverflow.com/questions/2010699",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/82257/"
] | "The standard model for user authentication on websites involves a "login" authentication event, after which (if successful) a user is "inside the wall" with a persistent secure session"
1. This isn't really correct. It's partly true, but only for web sites that invent their own authentication.
2. If you use "digest authentication" the browser must send the credentials with each request.
Digest authentication -- credentials with each request -- is totally RESTful.
Do that.
To make things slightly more streamlined, you can compute the digest authentication Nonce based on time so that it's good for some period of time (6 minutes, 0.1 hr is good). Everyone few minutes a request will send a 401 status and require recomputation of the digest. | "This persistence of authentication seems to break RESTful-ness. Caching and statelessness appear to be broken, because the authenticated user will probably see HTML which is different from that which a non-authenticated user will see for the same request"
It is ok if the representation of the resource is slightly different based on the authentication information. The auth information is part of the message and therefore the message is still "self-descriptive". Conceptually you are still accessing the same resource, and the edit and delete links are allowed transitions, not additional pieces of data. Controlling what transitions are available based on who accesses the resource seems valid to me. |
2,010,699 | I'm developing a new experimental web-application framework, and I decided to give RESTful some attention. I've read up on the basics, and feel like I have a pretty good understanding of RESTful as a concept.
I've got a system up and running, using URLs strictly to define 'nouns' in the system and take the 'verbs' from the HTTP request methods. I'm using javascript ajax calls to provide access to the DELETE and PUT methods which HTML forms cannot provide. (I realize these measures aren't strictly required to be RESTful, but it satisfies the 'Uniform Interface' requirement).
The problem comes with stateless-ness and cacheability with authentication. The standard model for user authentication on websites involves a "login" authentication event, after which (if successful) a user is "inside the wall" with a persistent secure session and may see and do things on subsequent requests which unauthenticated users may not. This persistence of authentication seems to break RESTful-ness. Caching and statelessness appear to be broken, because the authenticated user will probably see HTML which is different from that which a non-authenticated user will see for the same request (for instance, there might be a login form in a sidebar for the logged-out user).
Using www-authenticate strategies to authenticate a user only on the requests which require authentication seems to be a step in the right direction, as it doesn't involve the concept of a persistent secure session. However there's still the question of how to portray a "logged in" appearance to the end user in keeping with what we've all come to expect from websites.
So in the current thinking, what's the preferred way to handle authentication and permissioning of a webpage in a strictly RESTful way, while still allowing for logged-in decorations in the HTML? | 2010/01/06 | [
"https://Stackoverflow.com/questions/2010699",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/82257/"
] | "This persistence of authentication seems to break RESTful-ness. Caching and statelessness appear to be broken, because the authenticated user will probably see HTML which is different from that which a non-authenticated user will see for the same request"
It is ok if the representation of the resource is slightly different based on the authentication information. The auth information is part of the message and therefore the message is still "self-descriptive". Conceptually you are still accessing the same resource, and the edit and delete links are allowed transitions, not additional pieces of data. Controlling what transitions are available based on who accesses the resource seems valid to me. | If your RESTful framework is only going to be used by your web application, and will not be used as an API for third parties, I see no reason why you cannot use the same authentication scheme as the rest of your application. You could think of this authentication as a lower-level layer than the "application" level. The application level may still remain stateless in a pure RESTful way.
Of course if you are planning to create a RESTful web API, you will need to give this more thought. |
2,010,699 | I'm developing a new experimental web-application framework, and I decided to give RESTful some attention. I've read up on the basics, and feel like I have a pretty good understanding of RESTful as a concept.
I've got a system up and running, using URLs strictly to define 'nouns' in the system and take the 'verbs' from the HTTP request methods. I'm using javascript ajax calls to provide access to the DELETE and PUT methods which HTML forms cannot provide. (I realize these measures aren't strictly required to be RESTful, but it satisfies the 'Uniform Interface' requirement).
The problem comes with stateless-ness and cacheability with authentication. The standard model for user authentication on websites involves a "login" authentication event, after which (if successful) a user is "inside the wall" with a persistent secure session and may see and do things on subsequent requests which unauthenticated users may not. This persistence of authentication seems to break RESTful-ness. Caching and statelessness appear to be broken, because the authenticated user will probably see HTML which is different from that which a non-authenticated user will see for the same request (for instance, there might be a login form in a sidebar for the logged-out user).
Using www-authenticate strategies to authenticate a user only on the requests which require authentication seems to be a step in the right direction, as it doesn't involve the concept of a persistent secure session. However there's still the question of how to portray a "logged in" appearance to the end user in keeping with what we've all come to expect from websites.
So in the current thinking, what's the preferred way to handle authentication and permissioning of a webpage in a strictly RESTful way, while still allowing for logged-in decorations in the HTML? | 2010/01/06 | [
"https://Stackoverflow.com/questions/2010699",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/82257/"
] | One option to preserve cachability in intermediaries for pages with user-specific elements is to add the user-specific markup via Ajax. You serve every use the same page, including some JavaScript that will do an XHR request to a resource that returns something different based on the user login. You then merge this into the page on the client side. The major part of the page will then be cachable as it's the same for every user.
Another option is to use ESI (Edge Side Includes). With these, the cache itself can merge different representations to build up the final result. | "This persistence of authentication seems to break RESTful-ness. Caching and statelessness appear to be broken, because the authenticated user will probably see HTML which is different from that which a non-authenticated user will see for the same request"
It is ok if the representation of the resource is slightly different based on the authentication information. The auth information is part of the message and therefore the message is still "self-descriptive". Conceptually you are still accessing the same resource, and the edit and delete links are allowed transitions, not additional pieces of data. Controlling what transitions are available based on who accesses the resource seems valid to me. |
2,010,699 | I'm developing a new experimental web-application framework, and I decided to give RESTful some attention. I've read up on the basics, and feel like I have a pretty good understanding of RESTful as a concept.
I've got a system up and running, using URLs strictly to define 'nouns' in the system and take the 'verbs' from the HTTP request methods. I'm using javascript ajax calls to provide access to the DELETE and PUT methods which HTML forms cannot provide. (I realize these measures aren't strictly required to be RESTful, but it satisfies the 'Uniform Interface' requirement).
The problem comes with stateless-ness and cacheability with authentication. The standard model for user authentication on websites involves a "login" authentication event, after which (if successful) a user is "inside the wall" with a persistent secure session and may see and do things on subsequent requests which unauthenticated users may not. This persistence of authentication seems to break RESTful-ness. Caching and statelessness appear to be broken, because the authenticated user will probably see HTML which is different from that which a non-authenticated user will see for the same request (for instance, there might be a login form in a sidebar for the logged-out user).
Using www-authenticate strategies to authenticate a user only on the requests which require authentication seems to be a step in the right direction, as it doesn't involve the concept of a persistent secure session. However there's still the question of how to portray a "logged in" appearance to the end user in keeping with what we've all come to expect from websites.
So in the current thinking, what's the preferred way to handle authentication and permissioning of a webpage in a strictly RESTful way, while still allowing for logged-in decorations in the HTML? | 2010/01/06 | [
"https://Stackoverflow.com/questions/2010699",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/82257/"
] | >
> This persistence of authentication
> seems to break RESTful-ness
>
>
>
Instead of authenticating a user, you may think about creating a session. You will be returned a new "Session ID", along with the appropriate HTTP status code (200: OK, 403: Forbidden, etc).
>
> The user will probably see HTML which is
> different from that which a
> non-authenticated user will see for
> the same request
>
>
>
You will be asking your REST server: "Can you GET me the HTML (or any resource) for this Session ID?". The HTML will be different based on the "Session ID".
With this method, there is no wall for "persistent secure sessions". You are simply acting on a session.
The noun (or the resource) would represent the the actual session, if you opt for this method. | If your RESTful framework is only going to be used by your web application, and will not be used as an API for third parties, I see no reason why you cannot use the same authentication scheme as the rest of your application. You could think of this authentication as a lower-level layer than the "application" level. The application level may still remain stateless in a pure RESTful way.
Of course if you are planning to create a RESTful web API, you will need to give this more thought. |
2,010,699 | I'm developing a new experimental web-application framework, and I decided to give RESTful some attention. I've read up on the basics, and feel like I have a pretty good understanding of RESTful as a concept.
I've got a system up and running, using URLs strictly to define 'nouns' in the system and take the 'verbs' from the HTTP request methods. I'm using javascript ajax calls to provide access to the DELETE and PUT methods which HTML forms cannot provide. (I realize these measures aren't strictly required to be RESTful, but it satisfies the 'Uniform Interface' requirement).
The problem comes with stateless-ness and cacheability with authentication. The standard model for user authentication on websites involves a "login" authentication event, after which (if successful) a user is "inside the wall" with a persistent secure session and may see and do things on subsequent requests which unauthenticated users may not. This persistence of authentication seems to break RESTful-ness. Caching and statelessness appear to be broken, because the authenticated user will probably see HTML which is different from that which a non-authenticated user will see for the same request (for instance, there might be a login form in a sidebar for the logged-out user).
Using www-authenticate strategies to authenticate a user only on the requests which require authentication seems to be a step in the right direction, as it doesn't involve the concept of a persistent secure session. However there's still the question of how to portray a "logged in" appearance to the end user in keeping with what we've all come to expect from websites.
So in the current thinking, what's the preferred way to handle authentication and permissioning of a webpage in a strictly RESTful way, while still allowing for logged-in decorations in the HTML? | 2010/01/06 | [
"https://Stackoverflow.com/questions/2010699",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/82257/"
] | >
> This persistence of authentication
> seems to break RESTful-ness
>
>
>
Instead of authenticating a user, you may think about creating a session. You will be returned a new "Session ID", along with the appropriate HTTP status code (200: OK, 403: Forbidden, etc).
>
> The user will probably see HTML which is
> different from that which a
> non-authenticated user will see for
> the same request
>
>
>
You will be asking your REST server: "Can you GET me the HTML (or any resource) for this Session ID?". The HTML will be different based on the "Session ID".
With this method, there is no wall for "persistent secure sessions". You are simply acting on a session.
The noun (or the resource) would represent the the actual session, if you opt for this method. | I think about it like this: The "noun" in user authentication is a session. So your login form uses a POST request to "create" a new session, and logging out uses a DELETE request to "delete" the session.
I know what you mean about the persistence of authentication going against RESTfulness, but the cookies (which give the illusion of persistence) are simply a part of each request. |
2,010,699 | I'm developing a new experimental web-application framework, and I decided to give RESTful some attention. I've read up on the basics, and feel like I have a pretty good understanding of RESTful as a concept.
I've got a system up and running, using URLs strictly to define 'nouns' in the system and take the 'verbs' from the HTTP request methods. I'm using javascript ajax calls to provide access to the DELETE and PUT methods which HTML forms cannot provide. (I realize these measures aren't strictly required to be RESTful, but it satisfies the 'Uniform Interface' requirement).
The problem comes with stateless-ness and cacheability with authentication. The standard model for user authentication on websites involves a "login" authentication event, after which (if successful) a user is "inside the wall" with a persistent secure session and may see and do things on subsequent requests which unauthenticated users may not. This persistence of authentication seems to break RESTful-ness. Caching and statelessness appear to be broken, because the authenticated user will probably see HTML which is different from that which a non-authenticated user will see for the same request (for instance, there might be a login form in a sidebar for the logged-out user).
Using www-authenticate strategies to authenticate a user only on the requests which require authentication seems to be a step in the right direction, as it doesn't involve the concept of a persistent secure session. However there's still the question of how to portray a "logged in" appearance to the end user in keeping with what we've all come to expect from websites.
So in the current thinking, what's the preferred way to handle authentication and permissioning of a webpage in a strictly RESTful way, while still allowing for logged-in decorations in the HTML? | 2010/01/06 | [
"https://Stackoverflow.com/questions/2010699",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/82257/"
] | I think about it like this: The "noun" in user authentication is a session. So your login form uses a POST request to "create" a new session, and logging out uses a DELETE request to "delete" the session.
I know what you mean about the persistence of authentication going against RESTfulness, but the cookies (which give the illusion of persistence) are simply a part of each request. | If your RESTful framework is only going to be used by your web application, and will not be used as an API for third parties, I see no reason why you cannot use the same authentication scheme as the rest of your application. You could think of this authentication as a lower-level layer than the "application" level. The application level may still remain stateless in a pure RESTful way.
Of course if you are planning to create a RESTful web API, you will need to give this more thought. |
200,435 | I'm having a problem finding which compiler can support Windows7 for C or C++ programming.
I had installed Turbo but it does not work in full screen on Windows 7.
Please let me know which compiler will be appropriate. | 2010/10/17 | [
"https://superuser.com/questions/200435",
"https://superuser.com",
"https://superuser.com/users/52642/"
] | C-Free is also a Nice one u can go for it | use Gcc with CodeBlocks, this is the best solution for C programming in Windows 7/8/Vista
Get it from here.
<http://www.codeblocks.org/downloads/26>
But if you want to run Turbo C, you can do it via Dos Emulator DOS-Box
(as answered by Chaitanya)
However I will strongly recommend to use Code Blocks
You may need to switch Turbo C with DOS-Box, if you have to use graphics.h Libraries
(which I found easier, compared to CodeBlocks) |
200,435 | I'm having a problem finding which compiler can support Windows7 for C or C++ programming.
I had installed Turbo but it does not work in full screen on Windows 7.
Please let me know which compiler will be appropriate. | 2010/10/17 | [
"https://superuser.com/questions/200435",
"https://superuser.com",
"https://superuser.com/users/52642/"
] | GCC from either MinGW or Cygwin should work fine under Windows 7. | C-Free is also a Nice one u can go for it |
200,435 | I'm having a problem finding which compiler can support Windows7 for C or C++ programming.
I had installed Turbo but it does not work in full screen on Windows 7.
Please let me know which compiler will be appropriate. | 2010/10/17 | [
"https://superuser.com/questions/200435",
"https://superuser.com",
"https://superuser.com/users/52642/"
] | [Microsoft Visual C++ 2010 Express](http://www.microsoft.com/express/Downloads/#2010-Visual-CPP), which is free. | [lcc-win32](http://www.cs.virginia.edu/~lcc-win32/) is a free compiler for Windows. |
200,435 | I'm having a problem finding which compiler can support Windows7 for C or C++ programming.
I had installed Turbo but it does not work in full screen on Windows 7.
Please let me know which compiler will be appropriate. | 2010/10/17 | [
"https://superuser.com/questions/200435",
"https://superuser.com",
"https://superuser.com/users/52642/"
] | C-Free is also a Nice one u can go for it | [lcc-win32](http://www.cs.virginia.edu/~lcc-win32/) is a free compiler for Windows. |
200,435 | I'm having a problem finding which compiler can support Windows7 for C or C++ programming.
I had installed Turbo but it does not work in full screen on Windows 7.
Please let me know which compiler will be appropriate. | 2010/10/17 | [
"https://superuser.com/questions/200435",
"https://superuser.com",
"https://superuser.com/users/52642/"
] | [Microsoft Visual C++ 2010 Express](http://www.microsoft.com/express/Downloads/#2010-Visual-CPP), which is free. | use Gcc with CodeBlocks, this is the best solution for C programming in Windows 7/8/Vista
Get it from here.
<http://www.codeblocks.org/downloads/26>
But if you want to run Turbo C, you can do it via Dos Emulator DOS-Box
(as answered by Chaitanya)
However I will strongly recommend to use Code Blocks
You may need to switch Turbo C with DOS-Box, if you have to use graphics.h Libraries
(which I found easier, compared to CodeBlocks) |
200,435 | I'm having a problem finding which compiler can support Windows7 for C or C++ programming.
I had installed Turbo but it does not work in full screen on Windows 7.
Please let me know which compiler will be appropriate. | 2010/10/17 | [
"https://superuser.com/questions/200435",
"https://superuser.com",
"https://superuser.com/users/52642/"
] | You can get Turbo C working on Windows 7 with [DOSBox](http://www.dosbox.com/). Some of the applications where I work were made in-house years ago, and only work on operating systems that support full screen DOS applications, which means anything prior to Windows Vista. Since deploying Windows XP on new systems was not an option, I did a little brainstorming and DOSBox came to mind, which of course worked beautifully.
Turbo C is very old however and there are better compilers out there now such as GCC which you can use on Windows via MinGW. [Code::Blocks](http://www.codeblocks.org/) is a great IDE which gives you the option of an installer bundled with MinGW as your compiler, an awesome freeware combination.
And as already mentioned, there is also Microsoft's development environment, Visual C++. | You can try [Qt Creator](http://qt.nokia.com/products/developer-tools/). As a bonus you'll get whole Qt, which is platform independent C++ GUI library. |
200,435 | I'm having a problem finding which compiler can support Windows7 for C or C++ programming.
I had installed Turbo but it does not work in full screen on Windows 7.
Please let me know which compiler will be appropriate. | 2010/10/17 | [
"https://superuser.com/questions/200435",
"https://superuser.com",
"https://superuser.com/users/52642/"
] | GCC from either MinGW or Cygwin should work fine under Windows 7. | You can try [Qt Creator](http://qt.nokia.com/products/developer-tools/). As a bonus you'll get whole Qt, which is platform independent C++ GUI library. |
200,435 | I'm having a problem finding which compiler can support Windows7 for C or C++ programming.
I had installed Turbo but it does not work in full screen on Windows 7.
Please let me know which compiler will be appropriate. | 2010/10/17 | [
"https://superuser.com/questions/200435",
"https://superuser.com",
"https://superuser.com/users/52642/"
] | You can get Turbo C working on Windows 7 with [DOSBox](http://www.dosbox.com/). Some of the applications where I work were made in-house years ago, and only work on operating systems that support full screen DOS applications, which means anything prior to Windows Vista. Since deploying Windows XP on new systems was not an option, I did a little brainstorming and DOSBox came to mind, which of course worked beautifully.
Turbo C is very old however and there are better compilers out there now such as GCC which you can use on Windows via MinGW. [Code::Blocks](http://www.codeblocks.org/) is a great IDE which gives you the option of an installer bundled with MinGW as your compiler, an awesome freeware combination.
And as already mentioned, there is also Microsoft's development environment, Visual C++. | [lcc-win32](http://www.cs.virginia.edu/~lcc-win32/) is a free compiler for Windows. |
200,435 | I'm having a problem finding which compiler can support Windows7 for C or C++ programming.
I had installed Turbo but it does not work in full screen on Windows 7.
Please let me know which compiler will be appropriate. | 2010/10/17 | [
"https://superuser.com/questions/200435",
"https://superuser.com",
"https://superuser.com/users/52642/"
] | You can get Turbo C working on Windows 7 with [DOSBox](http://www.dosbox.com/). Some of the applications where I work were made in-house years ago, and only work on operating systems that support full screen DOS applications, which means anything prior to Windows Vista. Since deploying Windows XP on new systems was not an option, I did a little brainstorming and DOSBox came to mind, which of course worked beautifully.
Turbo C is very old however and there are better compilers out there now such as GCC which you can use on Windows via MinGW. [Code::Blocks](http://www.codeblocks.org/) is a great IDE which gives you the option of an installer bundled with MinGW as your compiler, an awesome freeware combination.
And as already mentioned, there is also Microsoft's development environment, Visual C++. | use Gcc with CodeBlocks, this is the best solution for C programming in Windows 7/8/Vista
Get it from here.
<http://www.codeblocks.org/downloads/26>
But if you want to run Turbo C, you can do it via Dos Emulator DOS-Box
(as answered by Chaitanya)
However I will strongly recommend to use Code Blocks
You may need to switch Turbo C with DOS-Box, if you have to use graphics.h Libraries
(which I found easier, compared to CodeBlocks) |
200,435 | I'm having a problem finding which compiler can support Windows7 for C or C++ programming.
I had installed Turbo but it does not work in full screen on Windows 7.
Please let me know which compiler will be appropriate. | 2010/10/17 | [
"https://superuser.com/questions/200435",
"https://superuser.com",
"https://superuser.com/users/52642/"
] | [Microsoft Visual C++ 2010 Express](http://www.microsoft.com/express/Downloads/#2010-Visual-CPP), which is free. | You can get Turbo C working on Windows 7 with [DOSBox](http://www.dosbox.com/). Some of the applications where I work were made in-house years ago, and only work on operating systems that support full screen DOS applications, which means anything prior to Windows Vista. Since deploying Windows XP on new systems was not an option, I did a little brainstorming and DOSBox came to mind, which of course worked beautifully.
Turbo C is very old however and there are better compilers out there now such as GCC which you can use on Windows via MinGW. [Code::Blocks](http://www.codeblocks.org/) is a great IDE which gives you the option of an installer bundled with MinGW as your compiler, an awesome freeware combination.
And as already mentioned, there is also Microsoft's development environment, Visual C++. |
242,070 | I have my OSM data in a local server.
I already done with the contour lines using [Phyghtmap](http://wiki.openstreetmap.org/wiki/Phyghtmap) and achieve a good result.
Now I'm trying to show the relief "shadows" like this beautiful map:[](https://i.stack.imgur.com/b6i3y.jpg)
I know it is not OSM data, just some kind of transparent PNG layer, but I don't know how to create it...
**EDIT**
By reading [this](https://thangbui.wordpress.com/2012/06/24/create-map-tiles-from-srtm-data-gdal-and-imagemagick/) I'm now able to convert my HGT files downloaded by Phyghtmap to GeoTIFF but it have a very bad resolution...
[](https://i.stack.imgur.com/xRoON.jpg) | 2017/05/30 | [
"https://gis.stackexchange.com/questions/242070",
"https://gis.stackexchange.com",
"https://gis.stackexchange.com/users/12416/"
] | While the plugin snaileater suggested should work, I think you will have an easier time if you convert your 4 columns to WKT - as you already mentioned in the question - particularly, if there are other columns in the CSV (containing transport link attributes). | Points have usually (...) 2 coordinates, what u try to import is obviously **flow map** data with origin/destination information. There are some plugin dedicated to this kind of import ... look for example at **[Oursins plug-in](http://plugins.qgis.org/plugins/Oursins/)** in the repositories, that will help u import that kind of data. |
69,205 | It is well known fact that, to slow down the growth of drosophila, they are grown at 18-19 degree Celsius. It helps in maintaining stocks for longer time without frequent change of food. Is it applicable to mosquitoes? especially *Aedes aegypti*? can we slow down its growth by growing them at lower temperature? | 2018/01/01 | [
"https://biology.stackexchange.com/questions/69205",
"https://biology.stackexchange.com",
"https://biology.stackexchange.com/users/36066/"
] | Check "[breeding temperature](https://www.google.fr/search?num=100&ei=MIhxWo_PGoz4kwXjp5-ACQ&q=%22breeding%20temperature%22%20mosquitoes&oq=%22breeding%20temperature%22%20mosquitoes&gs_l=psy-ab.3..0i22i30k1.12406.25620.0.25859.45.41.4.0.0.0.170.3738.31j9.41.0....0...1c.1.64.psy-ab..0.45.3859.6..0j46j35i39k1j0i67k1j0i46k1j0i20i263k1j33i160k1j0i13k1j0i13i30k1j0i13i5i30k1j0i8i13i30k1.80.wL5y7DSHlFM)" and similar obscure phrases for the search.
There's a study on physical aspect of mosquitos bred in cold, they perhaps didn't note any significant metabolism change, you can read the articles, they mostly cover wing length scales and follicles.
There's a study on [lave development speed](http://server.ege.fcen.uba.ar/gem/pdf/Loetti%20et%20al.%202008.pdf) which passes over breeding temps, it may however cover "egg temperature". | Maybe: <https://www.ncbi.nlm.nih.gov/pmc/articles/PMC3992806/> is a NIH paper that gives a quick overview on maintaining an A. aegypti colony. From the description they are somewhat fussy, but some of the lines imply temperature sensitivity at least at certain stages.
try google 'protocol for maintaining mosquito colony' |
18,029 | Christians that believe in the Trinity believe that God the Father, God the Son, and God the Holy Ghost are one and the same God. How then, do they explain [John 17:21](http://www.biblegateway.com/passage/?search=John%2017:21&version=NIV) where Jesus prays that his disciples "may be one; as thou, Father, art in me, and I in thee, that they also may be one in us"?
Are the disciples supposed to become one with each other in the same way that God the Son is with God the Father?
Two other similar phrases appear in the same chapter:
v. 11: "that they may be one, as we are"
v. 22-23: "And the glory which thou gavest me I have given them; that they may be one, even as we are one: I in them, and thou in me, that they may be made perfect in one" | 2013/07/31 | [
"https://christianity.stackexchange.com/questions/18029",
"https://christianity.stackexchange.com",
"https://christianity.stackexchange.com/users/5277/"
] | Read it in the context as one in purpose, yet separate in person... [John 1:1-14](http://biblia.com/bible/nasb95/John%201.1-14)
While I am a separate person, in purpose I am in unity and the same as other followers of Christ.
To quote a [sermon of John MacArthur's](http://www.gty.org/resources/sermons/1569/jesus-prays-for-us-part-2):
>
> He [Jesus] prays that there may be a spiritual, holy, loving oneness, a visible oneness that the world can see in order that they may believe.
>
>
> | Jesus is both Divine and human. So one simple answer is to take it that the disciples, as human beings, would have the same close relationship with God as Jesus in His human nature does.
This was fulfilled at Pentecost, with the indwelling of the Holy Spirit. And its for all believers. |
18,029 | Christians that believe in the Trinity believe that God the Father, God the Son, and God the Holy Ghost are one and the same God. How then, do they explain [John 17:21](http://www.biblegateway.com/passage/?search=John%2017:21&version=NIV) where Jesus prays that his disciples "may be one; as thou, Father, art in me, and I in thee, that they also may be one in us"?
Are the disciples supposed to become one with each other in the same way that God the Son is with God the Father?
Two other similar phrases appear in the same chapter:
v. 11: "that they may be one, as we are"
v. 22-23: "And the glory which thou gavest me I have given them; that they may be one, even as we are one: I in them, and thou in me, that they may be made perfect in one" | 2013/07/31 | [
"https://christianity.stackexchange.com/questions/18029",
"https://christianity.stackexchange.com",
"https://christianity.stackexchange.com/users/5277/"
] | Read it in the context as one in purpose, yet separate in person... [John 1:1-14](http://biblia.com/bible/nasb95/John%201.1-14)
While I am a separate person, in purpose I am in unity and the same as other followers of Christ.
To quote a [sermon of John MacArthur's](http://www.gty.org/resources/sermons/1569/jesus-prays-for-us-part-2):
>
> He [Jesus] prays that there may be a spiritual, holy, loving oneness, a visible oneness that the world can see in order that they may believe.
>
>
> | Because the Holy Spirit is the Spirit of the Father and the Spirit of the Son.
In “On the Trinity” (*De Trinitate*), Book XV, Ch. XXVI, St. Augustine wrote,
>
> Furthermore, in that highest Trinity which is God, there are no intervals of time, by which it can be shown, or at least inquired, whether the Son was born of the Father first and then afterwards the Holy Spirit proceeded from both, **since holy scripture calls him (i.e., the Holy Spirit) the Spirit of both**.
>
>
> For, it is he (i.e.., the Holy Spirit) of whom the apostle says (Gal. 4:6), “But because you are sons, God has sent forth the Spirit of His Son into your hearts,” and it is he (i.e., the Holy Spirit) of whom the same Son says (Matt. 10:20), “For it is not you who speak, but the Spirit of your Father who speaks in you.”
>
>
> And it is proved by many other testimonies of the divine word, that the Spirit, who is specially called in the Trinity, the Holy Spirit, is the Father’s and the Son’s.
>
>
> Deinde in illa summa Trinitate quae Deus est, intervalla temporum nulla sunt, per quae possit ostendi aut saltem requiri, utrum prius de Patre natus sit Filius, et postea de ambobus processerit Spiritus Sanctus. Quoniam Scriptura sancta Spiritum eum dicit amborum.
>
>
> Ipse est enim de quo dicit Apostolus: Quoniam autem estis filii, misit Deus Spiritum Filii sui in corda vestra: et ipse est de quo dicit idem Filius: Non enim vos estis qui loquimini; sed Spiritus Patris vestri, qui loquitur in vobis.
>
>
> Et multis aliis divinorum eloquiorum testimoniis comprobatur Patris et Filii esse Spiritum, qui proprie dicitur in Trinitate Spiritus Sanctus.
>
>
>
---
In “Catechesis of the Illuminated,” Lecture XVII, §4, St. Cyril of Jerusalem wrote,
>
> For he is called “Spirit” according what is just read (1 Cor. 12:8), “For to one is given the word of wisdom by the Spirit.” And he is called “Spirit of truth,” just as the savior says (John 16:13), “But when that one comes, the Spirit of truth.” And he is called “Comforter,” just as it is said (John 16:7), “For if I do not go away, the Comforter will not come to you.” But that he is one and the same, while called by different appellations, is demonstrated from these. For, concerning the Holy Spirit and the Comforter being the same, it is said (John 14:26), “But the Comforter, the Holy Spirit…” And concerning the Comforter and the Spirit of truth being the same, it is said (John 14:16-17), “…and I shall give you another Comforter, so that he may abide with you forever, the Spirit of truth…” And again (John 15:26), “But when the Comforter comes, whom I shall send to you from the Father, the Spirit of truth…” He is also called “Spirit of God,” just as it is written (John 1:32), “And I saw the Spirit of God descending…” And again (Rom. 8:14), “For as many as are led by the Spirit of God, these are the sons of God.” **He is also called “Spirit of the Father,”** just as the Savior says (Matt. 10:20), “For it is not you who speak, but the Spirit of your Father who speaks in you.” And again, Paulos [says] (Eph. 3:14-16), “For this reason, I bend my knees before the Father, etc., …that He would grant you…to be strengthened with power by His Spirit…” He is also called “Spirit of the Lord,” just as Petros said (Acts 5:9), “Why is it that you have consorted to tempt the Spirit of the Lord?” He is also called “Spirit of God” and “[Spirit of] Christ”, just as Paulos writes (Rom. 8:9), “But you are not in the flesh, but rather, in the Spirit, if indeed the Spirit of God dwells in you. But if someone does not have the Spirit of Christ, this one is not his.” **He is also called “Spirit of the Son of God,” just as it is said (Gal. 4:6), “But since you are sons, God has sent forth the Spirit of His Son…” He is also called “Spirit of Christ,” just as it is written (1 Pet. 1:11), “…for what [person] or what manner of time the Spirit of Christ in them was indicating…” And again (Phil. 1:19), “…by your prayer and the supply of the Spirit of Jesus Christ.”**
>
>
> Καλεῖται μὲν γὰρ πνεῦμα κατὰ τὸ ἀρτίως ἀνεγνωσμένον, ᾧ μὲν γὰρ διὰ τοῦ πνεύματος δίδοται λόγος σοφίας. καλεῖται δὲ πνεῦμα ἀληθείας, καθὼς ὁ σωτήρ φησιν, ὅταν δὲ ἔλθῃ ἐκεῖνος, τὸ πνεῦμα τῆς ἀληθείας. καλεῖται καὶ παράκλητος, καθὼς εἴρηκεν, ἐὰν γὰρ ἐγὼ μὴ ἀπέλθω, ὁ παράκλητος οὐ μὴ ἔλθῃ πρὸς ὑμᾶς. ὅτι δὲ ἓν καὶ τὸ αὐτό ἐστι διαφόροις ταῖς προσηγορίαις ὀνομαζόμενον, δείκνυται σαφῶς ἐκ τούτων. περὶ μὲν γὰρ τοῦ εἶναι τὸ αὐτὸ τὸ πνεῦμα τὸ ἅγιον καὶ τὸν παράκλητον εἴρηται ὁ δὲ παράκλητος τὸ πνεῦμα τὸ ἅγιον. περὶ δὲ τοῦ τὸ αὐτὸ εἶναι καὶ τὸν παράκλητον καὶ τὸ πνεῦμα τῆς ἀληθείας εἴρηται καὶ ἄλλον παράκλητον δώσω ὑμῖν, ἵνα μεθ’ ὑμῶν μένῃ εἰς τὸν αἰῶνα, τὸ πνεῦμα τῆς ἀληθείας. καὶ πάλιν ὅταν δὲ ἔλθῃ ὁ παράκλητος ὃν ἐγὼ πέμψω ὑμῖν παρὰ τοῦ πατρός, τὸ πνεῦμα τῆς ἀληθείας. Καλεῖται καὶ πνεῦμα θεοῦ, καθὼς γέγραπται· καὶ εἶδον τὸ πνεῦμα τοῦ θεοῦ καταβαῖνον, καὶ πάλιν, ὅσοι γὰρ πνεύματι θεοῦ ἄγονται, οὗτοι υἱοὶ θεοῦ εἰσιν. καλεῖται καὶ πνεῦμα πατρός, καθώς φησιν ὁ σωτήρ· οὐ γὰρ ὑμεῖς ἐστε οἱ λαλοῦντες, ἀλλὰ τὸ πνεῦμα τοῦ πατρὸς ὑμῶν τὸ λαλοῦν ἐν ὑμῖν. καὶ πάλιν ὁ Παῦλος· τούτου χάριν κάμπτω τὰ γόνατά μου πρὸς τὸν πατέρα, καὶ ἑξῆς, ἵνα δῷ ὑμῖν κραταιωθῆναι διὰ τοῦ πνεύματος αὐτοῦ. καλεῖται καὶ πνεῦμα κυρίου, καθὼς Πέτρος · τί ὅτι συνεφωνήθη ὑμῖν πειράσαι τὸ πνεῦμα κυρίου; καλεῖται καὶ πνεῦμα θεοῦ καὶ Χριστοῦ, καθὼς γράφει Παῦλος· ὑμεῖς δὲ οὐκ ἐστὲ ἐν σαρκί, ἀλλ’ ἐν πνεύματι, εἴπερ πνεῦμα θεοῦ οἰκεῖ ἐν ὑμῖν. εἰ δέ τις πνεῦμα Χριστοῦ οὐκ ἔχει, οὗτος οὐκ ἔστιν αὐτοῦ. καλεῖται καὶ πνεῦμα τοῦ υἱοῦ τοῦ θεοῦ, καθὼς εἴρηται· ὅτι δέ ἐστε υἱοί, ἐξαπέστειλεν ὁ θεὸς τὸ πνεῦμα τοῦ υἱοῦ αὐτοῦ. καλεῖται καὶ πνεῦμα Χριστοῦ, καθὼς γέγραπται· εἰς τίνα ἢ ποῖον καιρὸν ἐδήλου τὸ ἐν αὐτοῖς πνεῦμα Χριστοῦ. καὶ πάλιν· διὰ τῆς ὑμῶν δεήσεως καὶ ἐπιχορηγίας τοῦ πνεύματος Ἰησοῦ Χριστοῦ.
>
>
>
Since the Holy Spirit, the Spirit of the Father and the Son, dwells in Christians, the Christian is spiritually united with the Father and the Son, for "he who is joined to the Lord is one spirit" ([1 Cor. 6:17](http://www.blueletterbible.org/Bible.cfm?b=1Cr&c=6&v=1&t=KJV#conc/17)). |
53,992 | I recently bought a four family property. I wanted to provide washers and dryers for my tents, 1 set per two units. However, I have run into an interesting dilemma. People want hot water on the washers but where should it come from? I don't think it's fair to run the hot water from one of the tenants hot water tanks.
Is the only option to get a 5th hot water tank dedicated to the washers? If so, who's gas line do I use to heat the tank? Any common solutions out there I am missing? | 2014/12/07 | [
"https://diy.stackexchange.com/questions/53992",
"https://diy.stackexchange.com",
"https://diy.stackexchange.com/users/20914/"
] | Since this is a common facility for your tenants, it should be installed in such a way that neither tenant is paying for the gas or electricity required for the washer.
If there is no common hot water heater in the building, then you should do the following:
1. Have an additional electric meter installed to supply electricity to the common areas of the building. Depending on local regulations and the size of the building, this may need to be a commercial meter.
2. If you want to use gas for the hot water and dryers, have an additional gas meter installed.
3. In order to supply hot water to the washers, you may want to investigate tankless water heaters which take up significantly less space than a tank. A small 100,000 BTU heater like this one can easily supply several washing machines.

An alternative route is to go all electric. Install a common electric meter as above, but use an electric on-demand water heater and electric dryers. Depending on your local utility costs this may end up being a lot more expensive than gas, though. | I you already have 4 water heaters installed and don't want to add a 5th for the laundry (which I think is probably the best solution), you could tie the the washing machines into one of the units' hot water systems, pay for the gas bill yourself, and give that unit free hot water (maybe you could charge higher rent for including hot water). |
101,760 | I'm wondering if it is possible for an amateur (I have a physics background but not EE) to
1. Learn how to design something like the CCD or cMOS or LCD
2. Learn how to prepare the necessary files for the Fab (like TSMC) to produce my design
What is the best way of learning these? Are there any good tutorials or examples I can follow, or what kind of courses should I take if I'm in a university? | 2014/03/04 | [
"https://electronics.stackexchange.com/questions/101760",
"https://electronics.stackexchange.com",
"https://electronics.stackexchange.com/users/38196/"
] | Yes, it is possible. Yes, it is expensive.
Most fabs will need the design on a mask, to get the data onto a mask you should provide it in an industry standard of GDSII or OASIS.
TSMC will probably make a multi die wafer with your design being only one of ~200-4000 dies on the whole wafer. It will be manufactured with similar devices, sorted by die size and process.
The software is out there, most is expensive, but there are other options. [Klayout](http://www.klayout.de/) will allow you to draw the patterns, but testing the structures and making sure the device does what you want would be a huge test suite of software.
The point being if you already know what to do for the design, using off the shelf freeware is ok, but there are a lot of complexities (hence huge corporations) to get everything right. The fab can help but they will charge you a lot.
As far as courses- digital design, analog signal processing, device physics, signals and systems. Those are the starting point. After those courses you will have fairly good base knowledge to expand it to the exact things you want to know. | Here is a design platform. Freeware. <http://opencircuitdesign.com/magic/>
Here are 3 CCD specimen source files. Magic compatible. <http://www.filewatcher.com/p/magic-doc-8.0.60-4.fc18.x86_64.rpm.784608/usr/share/doc/magic-doc-8.0.60/scmos/examples/ccd-0.htm>
Here is a simulation environment. Freeware & compatible with those specimen. <http://www.linear.com/designtools/software/#LTspice>
I made it all work under windows XP. I can compile & execute simulation. But it behaves like a package of capacitors only. Perhaps can we investigate together.
those specimen were written by <http://www.filewatcher.com/p/magic-doc-8.0.60-4.fc18.x86_64.rpm.784608/usr/share/doc/magic-doc-8.0.60/scmos/COPYRIGHT.html>
if you are US citizen, perhaps you can ask him if/how he get better results.
Otherwise, I know that Elco (from Mentor Graphics) enables design and simulation of CCD but it's expensive software. |
170,690 | In *Harry Potter and the Goblet of Fire*, we see that it is possible to train yourself to resist the *Imperius Curse*. How is it that Harry, a 14 year old boy, was able to resist Barty Crouch Jr. after about an hour, but Moody, the paranoid, experienced, always prepared Auror was trapped for a whole year? | 2017/09/28 | [
"https://scifi.stackexchange.com/questions/170690",
"https://scifi.stackexchange.com",
"https://scifi.stackexchange.com/users/78289/"
] | Moody was kept in a trunk so it might not matter if he had fought it.
---------------------------------------------------------------------
It seems like Moody was placed under the Imperius Curse after he was already captured using other methods.
>
> “We journeyed to his house. Moody put up a struggle. There was a commotion. We managed to subdue him just in time. Forced him into a compartment of his own magical trunk.”
> *- Harry Potter and the Goblet of Fire, Chapter 35 (Veritaserum)*
>
>
>
Moody was kept in a trunk and tied up, so if he had moments of clarity where he fought the Imperius Curse, it wouldn't have likely helped him much. Unlike both Barty Crouches, he wasn't allowed much freedom and was kept not just confined to a house but actively tied up and locked away.
**He had been Stunned as well - and captivity had also greatly weakened Moody.**
When Dumbledore sees the real Moody in the trunk, he described him as being Stunned as well as Imperiused. Stupefy, the Stunning Spell, would keep Moody unconscious when it was used on him and it wasn't the type of spell that could be resisted, no matter the strength or willpower of the wizard it successfully hit. It could be used to keep Moody captive without chance of him resisting its effects.
>
> “Stunned – controlled by the Imperius Curse – very weak,’ he said. ‘Of course, they would have needed to keep him alive. Harry, throw down the impostor’s cloak, Alastor is freezing.”
> *- Harry Potter and the Goblet of Fire, Chapter 35 (Veritaserum)*
>
>
>
In addition, being held captive by Barty Crouch Jr. for so long had worn down Moody.
>
> “He was looking down into a kind of pit, an underground room, and lying on the floor some ten feet below, apparently fast asleep, thin and starved in appearance, was the real Mad-Eye Moody. His wooden leg was gone, the socket which should have held the magical eye looked empty beneath its lid, and chunks of his grizzled hair were missing.”
> *- Harry Potter and the Goblet of Fire, Chapter 35 (Veritaserum)*
>
>
>
When Harry, Barty Crouch Jr. and Barty Crouch Sr. had been placed under the Imperius Curse, none of them had been Stunned, or held captive and starved.
**Also, a competent wizard being unable to resist the Imperius Curse isn't unprecedented.**
Barty Crouch Jr. was kept under the Imperius Curse by his father, and while he was very closely supervised by Winky, he was kept in much better conditions than Moody had been.
>
> “Then I had to be concealed. I had to be controlled. My father had to use a number of spells to subdue me. When I had recovered my strength, I thought only of finding my master … of returning to his service.’
>
>
> ‘How did your father subdue you?’ said Dumbledore.
>
>
> ‘The Imperius Curse,’ Crouch said. ‘I was under my father’s control. I was forced to wear an Invisibility Cloak day and night. I was always with the house-elf. She was my keeper and carer. She pitied me. She persuaded my father to give me occasional treats. Rewards for my good behaviour.”
> *- Harry Potter and the Goblet of Fire, Chapter 35 (Veritaserum)*
>
>
>
Though it's unclear what his relative skill level is compared to Moody, Barty Crouch Jr. seemed to be a competent wizard. He could cast the Unforgivable Curses and Confund the Goblet of Fire into accepting Harry as a Triwizard Champion. However, he had been held by his father under the Imperius Curse for years before escaping at the Quidditch World Cup.
>
> “Tell me about the Quidditch World Cup,’ said Dumbledore.
>
>
> ‘Winky talked my father into it,’ said Crouch, still in the same monotonous voice. ‘She spent months persuading him. I had not left the house for years. I had loved Quidditch. Let him go, she said. He will be in his Invisibility Cloak. He can watch. Let him smell fresh air for once.”
> *- Harry Potter and the Goblet of Fire, Chapter 35 (Veritaserum)*
>
>
>
What's more, Barty Crouch Jr. was only able to actually use these moments of resistance to escape because he had the opportunity at the Quidditch World Cup.
>
> “But Winky didn’t know that I was growing stronger. I was starting to fight my father’s Imperius Curse. There were times when I was almost myself again. There were brief periods when I seemed outside his control. It happened, there, in the Top Box. It was like waking from a deep sleep. I found myself out in public, in the middle of the match, and I saw a wand sticking out of a boy’s pocket in front of me.”
> *- Harry Potter and the Goblet of Fire, Chapter 35 (Veritaserum)*
>
>
>
Moody was kept in a trunk, with no way to go anywhere or fight back. If he had moments of resisting the Imperius Curse while captive, this might not really help him much since he was already rendered basically helpless. | This question implies that Moody was under the effects of the Imperius Curse for most of a year. If that were the case, then Moody would not have been locked inside a magic trunk. If Crouch Jr. needed anything from Moody, like information, then Crouch most likely used a combination of the Imperius Curse and the Cruciatus Curse to get what he wanted. You're right, it would have been impossible to keep Moody under that curse for an entire school year, but the fact is he didn't need to. |
9,477 | A profile (clay soil) was excavated to a depth of 100 cm in the north of Tunisia. We have found limestone nodules, colluvium and alluvium. What I would like to know is the nature of the bedrock of this soil. Can we assert that there is a limestone bedrock? | 2017/01/18 | [
"https://earthscience.stackexchange.com/questions/9477",
"https://earthscience.stackexchange.com",
"https://earthscience.stackexchange.com/users/7315/"
] | There are three possible sources for the reported limestone nodules from the clay horizon from colluvium and alluvium. First, as noted before, they could be either detrital gravel of limestone either eroded from limestone bedrock. Given that the bedrock source from which this gravel was eroded and transported from could be either local or regional, such gravels tells a person nothing about the composition of the bedrock at your site. Second, the "limestone nodules" might also be limestone gravel that was either brought in either as construction material or eroded and redeposited from larger limestone blocks at some ancient ruin. Again, such gravel could come from any source within either the local area or region. This means that the presence of such material tells a person nothing about of what the local bedrock consists.
Finally, it is interesting that the "limestone nodules" occur in a clay layer. Normally, gravel-size pieces of limestone are not deposited together with clay. This and the clay layer being part of a soil suggest that the limestone nodules" are caliche nodules / concretions that precipitated and formed in place within the soil as part of a Petrocalcic “K” horizon of a soil developed in clayey colluvium and alluvium. Since caliche (calcrete) forms in Quaternary colluvium and alluvium independently of the type of local bedrock, the presence of caliche tells a person nothing about the local bedrock might be. The Soil Map of Tunisia at <https://library.wur.nl/isric/kaart/origineel/afr_tnped.jpg> might tell a person whether such soils are present within the area. The presence of "limestone nodules" does not indicate what the local bedrock might be composed of as there are multiple possible origins for them that are independent of the underlying bedrock.
A possibly useful map is:
Ben Haj Ali, M., Jedoui, Y., Dali, T., Ben Salem, H. & Memmi, L. (1985): Carte géologique de la Tunisie, echelle 1:500,000.– Office Topographie Cartographie; Tunis
Petrocalcic Horizon - <https://en.wikipedia.org/wiki/Petrocalcic_Horizon>
caliche / calcrete - <https://en.wikipedia.org/wiki/Caliche> | I can offer a counter-example. What if your soil sample is taken from the site of some lost ancient Roman buildings? The Romans built plenty in northern Tunisia, and like using [travertine limestone](http://tigerprints.clemson.edu/cgi/viewcontent.cgi?article=1909&context=all_theses). A few long-destroyed buildings would explain the presence of limestone nodules in the soil while saying nothing about the bedrock.
The point is there are many possible sources of limestone that are not the underlying bedrock. I don't think you can make that assumption. |
255,107 | Is Drupal is ready for [GDPR compliance](http://www.eugdpr.org)?
Is there any patch or extension they need to apply for GDPR ready for all EU countries as this is the law for EU countries the come in effect on may 25, 2018. | 2018/02/04 | [
"https://drupal.stackexchange.com/questions/255107",
"https://drupal.stackexchange.com",
"https://drupal.stackexchange.com/users/82898/"
] | I don't think Drupal is "ready" for the [General Data Protection Regulation (GDPR)](http://www.eugdpr.org), at least not yet.
However, help seems to be on its way ... go checkout what the [General Data Protection Regulation](https://www.drupal.org/project/gdpr) module *will be* (repeat: *will be*) about. From its project page:
>
> This module gives end-user visibility to the data stored about himself/herself and aims to help site admins follows the guidelines and legislation set by the EU.
>
>
> ### Current features
>
>
> * Checklist for site admin (recommend modules like cookie consent, check if there is privacy policy page etc).
> * Drush command (drush gdpr-sql-dump) to obfuscate data. Primary goal is to prevent developers from accessing user data.
>
>
> ### Future features
>
>
> * Allow logged in user to see all raw data stored about himself/herself (user entity).
> * Allow user to initiate “forget me” action from site admins.
> * More items and recommendations to checklist.
> * Make sure user can rectify all data about himself/herself.
> * Allow user to remove the account (content is not removed).
> * Make API for other contrib modules to announce user data stored.
>
>
>
There is a release in the pipeline for both D7 and D8, though so far only ***alpha*** versions ... Fingers crossed to see what will happen by the GDPR's Enforcement date, i.e 25 May 2018.
Other GDPR related modules
==========================
Some other modules in the Drupal pipeline (only alfa/beta releases today), which may give you an idea about the areas of a Drupal site that may need attention, including quotes from their project pages (there are more GDPR related "sandboxes" also):
* [General Data Protection Regulation Compliance](https://www.drupal.org/project/gdpr_compliance)
>
> Basic GDPR Compliance use cases:
>
>
>
> + Form checkboxes
> + Pop-up alert
> + Policy Page
>
* [GDPR Consent](https://www.drupal.org/project/gdpr_consent)
>
> ... collects GDPR Data processing consent from logged-in users using the site.
>
>
>
* [Commerce GDPR](https://www.drupal.org/project/commerce_gdpr)
>
> Adds data anonimization features so the data will still be available for statistical and history purposes but will not allow to identify a user and the store will comply with the GDPR directive.
>
>
>
* [Mask User Data](https://www.drupal.org/project/mask_user_data)
>
> ... mask all the current data in your database related to the users.
>
>
> ... could be really useful when considering the new GDPR legislation, as all the user data could easily be masked in development/local copies.
>
>
>
* [Cookiebot - Cookie consent, Cookie monitoring and Cookie control](https://www.drupal.org/project/cookiebot)
Drupal integration for the third party Cookiebot service.
>
> Cookiebot helps make your use of cookies and online tracking GDPR and
> ePR compliant. This module exposes this third party functionality to
> Drupal. It enables their Cookie banner/consent manager and allows you
> to place the automatically updated cookie declaration on a given node
> page or via a block. A free subscription is available for small sites
> and bigger sites can evaluate this functionality using their free
> trial. [More info about Cookiebot](https://www.cookiebot.com/en/help/).
>
>
>
Many sites now offer more sophisticated cookie controls to the visitor. More sophisticated than perhaps the compared with the eu\_cookie\_compliance module, whereby various cookie types/functions are displayed and can be managed by the visitor. This Drupal Contrib module cookiebot is a general solution used to provide this functionality in Drupal 7 and 8 sites. I would imagine that some Drupal site developers have made their own, but this module offers the advantage of a module whereby it can be reused in several sites, also not re-inventing the wheel.
However the downside is that it is subscription-based. A standalone non-subscription self-contained solution if existing, would be a compelling choice.
Make no mistake
===============
* Don't assume that if you've enabled the GDPR module, you're done ...
* GDPR will apply to any Drupal site that deals with users, site visitors, etc, who are from the EU (which public site does not do so?) ...
Infrastructure and data maps
============================
* Covering GDPR issues is not just about the application itself (the Drupal site) but also the platform that it runs on. As part of reaching the GDPR compliance process, a "Datamap" is drawn up to identify all the systems where the sensitive user data will flow. Also bear in mind what happens if the application is moved to another platform, would there be the possibility of residual data left on the former platform? For example, here is [an answer on stackoverflow.com regarding configuring the file system path of Docker-based setups](https://stackoverflow.com/questions/32070113/how-do-i-change-the-default-docker-container-location/50726177#50726177) to support the approach to run a Docker-based web application inside an encrypted filesystem so that such residual data is never left behind.
Read more
=========
* [How to make your Drupal site GDPR compliant?](https://valuebound.com/resources/blog/how-to-make-your-drupal-site-gdpr-compliant)
* [Drupal and GDPR (General Data Protection Regulation)](https://www.drupology.co.uk/blog/drupal-and-gdpr-general-data-protection-regulation).
* The Drupal Group [Legal](https://groups.drupal.org/legal) contains an interesting/ongoing discussion, located at [Community discussion on how to assist Drupal site owners towards GDPR compliance?](https://groups.drupal.org/node/518197) | Drupal is not ready and even if the Drupal project on GDPR is finished it is not enough to comply with GDPR. Every Organization has to do their due dilligence on that. Time is running out. |
255,107 | Is Drupal is ready for [GDPR compliance](http://www.eugdpr.org)?
Is there any patch or extension they need to apply for GDPR ready for all EU countries as this is the law for EU countries the come in effect on may 25, 2018. | 2018/02/04 | [
"https://drupal.stackexchange.com/questions/255107",
"https://drupal.stackexchange.com",
"https://drupal.stackexchange.com/users/82898/"
] | I'm one of the maintainers of the [GDPR](https://www.drupal.org/project/gdpr) module.
First of all I'd like to call your attention to the fact that GDPR is not an IT-related question solely. Personally I'd suggest stop considering *"adding an extension to my CMS will make me legally good"*. That's not that easy. You, or the owner of the Drupal website you maintain/develop on their behalf should transform their organization/company's inner workflow of dealing with personal data.
However, the [GDPR](https://www.drupal.org/project/gdpr) module indeed can be a perfect starting point to install, go through on its checklist points and after you read them carefully, hopefully will realize that you're just stepped on the path of becoming GDPR-compliant, but a big portion of tasks ahead probably falls out of the scope of configuring Drupal. | Drupal is not ready and even if the Drupal project on GDPR is finished it is not enough to comply with GDPR. Every Organization has to do their due dilligence on that. Time is running out. |
296,109 | Civilize, 2015 states that
>
> Specifically, these studies examine the effect of political cycles on
> stock returns or the differences in stock returns under **left- or
> right-wing governments**
>
>
>
I did search and see that
Generally, the left-wing is characterized by an emphasis on "ideas such as freedom, equality, fraternity, rights, progress, reform and internationalism" while the right-wing is characterized by an emphasis on "notions such as authority, hierarchy, order, duty, tradition, reaction and nationalism"
**So, I am asking: whether left-wing government is democracy and right-wing government is autocracy?** | 2021/08/27 | [
"https://ell.stackexchange.com/questions/296109",
"https://ell.stackexchange.com",
"https://ell.stackexchange.com/users/132319/"
] | * 'Left-wing' and 'right-wing' refer to styles of *politics*.
* Democracies, autocracies etc are types of *government*.
The difference is important. Although politics and government are closely linked, they are not synonyms.
Wikipedia gives this broad explanation of the difference between left and right wing politics:
>
> Generally, the left-wing is characterized by an emphasis on "ideas such as freedom, equality, fraternity, rights, progress, reform and internationalism" while the right-wing is characterized by an emphasis on "notions such as authority, hierarchy, order, duty, tradition, reaction and nationalism"
>
>
>
Most people recognise that politics of individuals or parties do not strictly fall to the left or right, but exist on a *spectrum*. For example, in the UK, the two main parties are broadly on the left and right respectively, but share some common ground. Extreme authoritarian parties such as the Nazis tend to be called "far right" because of how extreme they are in their authoritarian policies and how far away they are from any left-wing policies. As far as I know, the term "far left" isn't widely used. In the UK, the pejorative term "loony left" has been used to mock politics which are so focused on pleasing individuals that they are considered unworkable for the majority.
In countries that are a democracy, this means that the people can vote for a political party to rule, and those parties may be 'left' leaning or 'right' leaning, politically. But even where there is no democracy, both styles of politics can exist. For example, communism is one 'extreme' form of left-wing politics, yet some communist governments like Russia and North Korea arguably also display qualities of authoritarian, extreme right politics. | No. This is a language site and not a political site, so I don't want to get into discussions of politics.
But briefly, in 21st century political debate, "left-wing" is basically synonymous with "liberal" and "right-wing" with "conservative".
People often say that liberals accept or favor change while conservatives want to preserve the status quo or tradition. This is a very difficult definition to apply in practice. Suppose that a liberal group wins the election and changes all the laws to what they prefer. Then it would be liberals who want to preserve the status quo and conservatives who want to change things. You could say, "Well, but the conservatives just want to change them back to what they were, so they are against the (recent) change." But then how long does it have to be before the change that the conservatives want is "real" change? If liberal policies are in effect for 5 years, now can we fairly say that the conservatives want change? What if it's 10 years? 20 years? 100 years? Etc. Indeed, if the definition of "liberal" is "wanting change", then it would be a paradox to say "this society is presently liberal". How could any society or government be liberal, if by definition liberals don't like the current state?
The definitions people really use in practice, and which I think are more coherent, are to link these terms to specific categories of policies. Like, liberals want a generous welfare state while conservatives want private charity. Liberals want strict regulation of business while conservatives want business to be mostly free to operate as they wish. In the US, liberals want gun control while conservatives want the right to bear arms. On social matters, liberals want acceptance of homosexuality and transgenderism while conservatives say these things are morally wrong. Etc. One could list many other issues. |
850,540 | I am still moving some local accounts to domain accounts and today I am having issues with Outlook 2010.
I have a local username with all the Outlook information in it. So I've exported all the information I wanted to a PST file saved in C:
Then, in the domain username I went to Outlook and tried to import from *File* > *Import* or *Open* and I always get this error:
>
> **Microsoft Outlook:**
>
>
> Access Denied to the file. You haven't enough privileges to have gain access to file C:\Emails.pst
>
>
>
I've searched for some solutions and I did try the following ones without any luck:
* Uncheck ***Read file*** from **File Properties** (it wasn't checked at all)
* Run Outlook 2010 as Administrator
* Add permissions to Domain user in File *Properties* > *Security* tab
I did try with **suggested contacts** and some local folders. How could make this work? Any ideas are appreciated!!
Thank you! | 2017/05/16 | [
"https://serverfault.com/questions/850540",
"https://serverfault.com",
"https://serverfault.com/users/415693/"
] | Move the file to another location, such as D:\, then try again.
I ever encountered similar issues when loading file from root system drive C:\, moving it to another drive fixed the issue. | “**Access denied**” error can happen if you have switched from logging on to your computer with a local account to a Microsoft account while the PST file was in use.
**To fix it right-click the PST file,**
**Choose Properties** >> **Security** >> **Edit** >> **choose your Microsoft account**, and **select Full control**.
And Restart Outlook.
This will work.
If Unfortunately, this doesn't work I suggest Import your PST file with the help of any tool i.e. Add Outlook PST tool. |
25,271,261 | The problem I'm having is very similar to the post here:
["Global element 'configuration' has already been declared" in web config](https://stackoverflow.com/questions/20228392/global-element-configuration-has-already-been-declared-in-web-config)
The solution for it is unclear to me though.
When I open my web.config file listed under Views, I too get about 40 warnings telling me:
The global element ' ' has already been declared. This includes configuration, location, configSections, appSettings, etc.
Am I missing an .xsd file somewhere?
When I click on the "XML" tab and "Schemas..." option,
it tells me that I am using the following .xsd's:
* RazorCustomSchema.xsd
* EntityFrameworkConfig\_5\_0\_0.xsd
* DotNetConfig40.xsd
I started to think that maybe I needed to add an EnterpriseLibarary.xsd to it,
but I'm not sure if that is the best solution for this. If it is, I do not know
where to find that specific .xsd. So if it is necessary, it would be helpful if
someone could point me in the right direction of where to find it, and how to add it properly.
Thanks! | 2014/08/12 | [
"https://Stackoverflow.com/questions/25271261",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/3629730/"
] | Open XML->Schemas... to get the current XML schema set.
You probably have one or more duplicated or overlapping schema files selected. (e.g. DotNetConfig.xsd and DotNetConfig45.xsd).
You only want one of them so make the other set to automatic under the "Use" column. | It is weird but for me this issue got fixed once I closed the file in the editor that was causing these warnings and recompiled. |
815 | So far I have seen some Perl modules; [Finance:MtGox](http://search.cpan.org/~mndrix/Finance-MtGox-0.01/lib/Finance/MtGox.pm) and [Webservice:MtGox](http://search.cpan.org/~beppu/WebService-MtGox-0.05/lib/WebService/MtGox.pm) for interacting with Mt.Gox, a [Ruby gem for Mt.Gox](http://rubygems.org/gems/mtgox) and a [Python based command line client](http://www.goxsh.info/) for again, Mt.Gox.
I'm wondering if there are any other language APIs for other exchanges?
I'd especially like to find a Java API for more than one exchange. | 2011/09/09 | [
"https://bitcoin.stackexchange.com/questions/815",
"https://bitcoin.stackexchange.com",
"https://bitcoin.stackexchange.com/users/136/"
] | **There is now the [XChange](https://github.com/timmolter/XChange) library**
This is a pure Java library that has been released under the MIT license. It currently supports Mt Gox, but there are simple hooks to allow other exchanges such as [Intersango](http://intersango.com) and [CryptoXChange](http://cryptoxchange.com/) to be supported.
It is currently used by the [MultiBit](http://multibit.org) client. | I have rolled my own mtgox api implementation in java. it is based on [google-Gson](http://code.google.com/p/google-gson/) and raw URL requests. i plan on releasing it eventually but the code is not yet on release quality level. if you have any specific questions, just ask in comments |
54,084 | Are there any guidelines as to when it's useful to have a touchscreen interface? My first experience was with my smartphone and I thought the touchscreen was great and a huge improvement on usability. I then bought a tablet and I find the touchscreen isn't as useful. This is because tablets have larger screen and it feels like I have to do much more work to get things done, for example on Androids just pulling down the menu bar from the top is a fairly large motion on 10 inch screen where as on phones doing the motion is easy. It may have been better for large screens if the user just had to tap something to get it to move, rather than drag their finger 10 inches.
Also what is the point of multi touch screens? The only thing I can think of is zooming in and out of photos. Even then it's not that useful because there could be a button for zooming in and out. | 2014/03/15 | [
"https://ux.stackexchange.com/questions/54084",
"https://ux.stackexchange.com",
"https://ux.stackexchange.com/users/25338/"
] | I don't know of any studies, but I do know that I was surprised to discover that I do use the touch screen on my windows 8 ultrabook a lot, frequently in desktop mode. I especially like to scroll by swiping my finger on the touch screen rather than by using two fingers on the track pad. Also it is often faster to just reach up and tap an ok or save button than it is to drag the cursor to the correct place and then click. Obviously if you have a mouse attached to the laptop that is faster than a track pad but not necessarily faster than the touch screen.
I would not want to interact with my laptop only through the touch screen, though. It is more like a useful additional feature that speeds up UI navigation as opposed to a stand alone way to navigate the UI. This is because not all the actions you can take in the OS have been assigned an efficient way of being taken through touch.
I also have an 8" windows tablet. I almost never use a mouse to navigate it - instead I use a pressure sensitive stylus, which is somewhat different than touch but is a similar premise. Handwriting recognition is excellent in Windows 8 so I can easily take notes and can edit documents to some extent although the mouse is better. I downloaded a program called Touch Me which allows me to assign actions to various gestures and to customize the touch screen experience.
I hear what you are saying about the size of the motions required to navigate larger screens although you usually don't have to swipe all the way down to pull down notifications... A few inches suffices. If you root your tablet, you can install an app to assign actions to gestures and you can design how much of a swipe/gesture is required, and the gesture will perform that action from everywhere (ie not just on the home screen). You can program some gestures without rooting on android, but they won't work everywhere. For example buzz launcher's gestures only work on the home screen. | I am not aware of any studies trying to argue touchscreens aren't useful and in any case it's either an addition or the only option. On laptops you can still use your mouse, and on tablets using a trackball or anything similar works terribly and mouses/keyboards are impossible.
>
> Also what is the point of multi touch screens? The only thing I can
> think of is zooming in and out of photos. Even then it's not that
> useful because there could be a button for zooming in and out.
>
>
>
A button just expresses the wish to zoom in or out, the multi touch gestures express the wish to zoom in and out, where to zoom in and out and by how much to zoom in and out. That's quite a bit more information. Aside of that I would argue they are 'only' useful for games and gesture shortcuts (things you can do through menu's as well, but are faster with for example a two finger swipe from the left). |
54,084 | Are there any guidelines as to when it's useful to have a touchscreen interface? My first experience was with my smartphone and I thought the touchscreen was great and a huge improvement on usability. I then bought a tablet and I find the touchscreen isn't as useful. This is because tablets have larger screen and it feels like I have to do much more work to get things done, for example on Androids just pulling down the menu bar from the top is a fairly large motion on 10 inch screen where as on phones doing the motion is easy. It may have been better for large screens if the user just had to tap something to get it to move, rather than drag their finger 10 inches.
Also what is the point of multi touch screens? The only thing I can think of is zooming in and out of photos. Even then it's not that useful because there could be a button for zooming in and out. | 2014/03/15 | [
"https://ux.stackexchange.com/questions/54084",
"https://ux.stackexchange.com",
"https://ux.stackexchange.com/users/25338/"
] | I don't know of any studies, but I do know that I was surprised to discover that I do use the touch screen on my windows 8 ultrabook a lot, frequently in desktop mode. I especially like to scroll by swiping my finger on the touch screen rather than by using two fingers on the track pad. Also it is often faster to just reach up and tap an ok or save button than it is to drag the cursor to the correct place and then click. Obviously if you have a mouse attached to the laptop that is faster than a track pad but not necessarily faster than the touch screen.
I would not want to interact with my laptop only through the touch screen, though. It is more like a useful additional feature that speeds up UI navigation as opposed to a stand alone way to navigate the UI. This is because not all the actions you can take in the OS have been assigned an efficient way of being taken through touch.
I also have an 8" windows tablet. I almost never use a mouse to navigate it - instead I use a pressure sensitive stylus, which is somewhat different than touch but is a similar premise. Handwriting recognition is excellent in Windows 8 so I can easily take notes and can edit documents to some extent although the mouse is better. I downloaded a program called Touch Me which allows me to assign actions to various gestures and to customize the touch screen experience.
I hear what you are saying about the size of the motions required to navigate larger screens although you usually don't have to swipe all the way down to pull down notifications... A few inches suffices. If you root your tablet, you can install an app to assign actions to gestures and you can design how much of a swipe/gesture is required, and the gesture will perform that action from everywhere (ie not just on the home screen). You can program some gestures without rooting on android, but they won't work everywhere. For example buzz launcher's gestures only work on the home screen. | One good use of a touchscreen is in public 'kiosks'
( such as interactive displays in museums )
As they can be built into a display they can be made more robust than other forms of interaction. |
63,527 | I just wanted to make sure I am approaching this correctly: I am working on a nonfiction historical biography about a missionary. When quoting sources which use archaic spellings of places/words, do I need to note the non-normative spelling at all? I assume that [sic] would be inappropriate in this case but am not sure if I should use brackets to correct the spelling, or if that is more distracting.
For example, here is a quote from someone writing from Hong Kong in the early 1900s (this quote is in the book):
“We are continually being asked why we do not leave **Hongkong**... To say the least the Seed must be sown and the Lord will look after the **developement** [Emphasis mine]."
Hongkong is an archaic spelling of Hong Kong, same with developement. I don't want them to look like unintentional errors on my part, but also don't want to distract the reader unnecessarily.
Thank you!! | 2022/10/16 | [
"https://writers.stackexchange.com/questions/63527",
"https://writers.stackexchange.com",
"https://writers.stackexchange.com/users/56739/"
] | What you do is write:
>
> We are continually being asked why we do not leave Hongkong[sic]... To say the least the Seed must be sown and the Lord will look after the developement [sic]."
>
>
>
"[sic]" literally means "Yes, this is not a typo but the original wording." | It's legible, comprehensible, no actual need to edit. I think it'll be best if you leave the quotes intact.
I don't think you strictly need to note that you didn't make any edits, but if you're worried about it looking like your mistake, I'd suggest including a short note stating that you left the spelling of all quoted English documents as originally written, either at the beginning or at the end of the work, or when the first quoted document comes up. That way it will be clear it's not on you, and no distracting marks in the quotes themselves. |
1,020,570 | My bos insists that I configure our mail so that when a message is received sender will get a auto-reply message confirming that his message was indeed received by our company.
So is it possible to mark such auto-reply message somehow in order to prevent sender's auto-reply mechanism from sending auto-replay to my auto-reply message so that I don't end up in endless cycle of sending and receiving auto-reply messages? | 2020/06/08 | [
"https://serverfault.com/questions/1020570",
"https://serverfault.com",
"https://serverfault.com/users/578367/"
] | No.
You need an adapter for the printer to have a network port ready. Where the serial female connector is remark there is a screw, it's usually on those model to remove a controller card.
Check [there](https://www.youtube.com/watch?v=jCnk7wOu51I) for how to install the adapter.
It seem a older device, just worth to mention that if the adapter is not available online, getting a new model might help, as new model have even WIFI available. | i setup tills so can confirm that this isnt possible, basicaly the RJ11 you are referring to is not to communicate to printer, this is for Till to be connected to Printer so EPOS can sent a message via printer to Till to open.
RJ11 is only used to send a signal to till unit so it open and only pulses, not to receive any data.
Plus for printer you need drivers and through RJ11 you wont get drivers point blank.
You need to look for RECEIPT PRINTERS with BLUETOOTH OR NFC and they will fulfill your requirements, there are many in the market currently. |
4,178,702 | Preface: When I say "machine" below, I mean either a physical dedicated server, or a virtual private server. When I say "node" I mean, an instance of the erlang virtual machine, of which there could be multiple running as separate processes under a single unix kernel.
I've got a project that involves multiple erlang/OTP applications. The applications will be running together and talking to each other on the same machine. They will all be hitting the disk, using memory and spawning erlang processes. They will also be using network resources because they will be talking to similar machines with the same set of applications running on them in a cluster.
Almost all of this communication is via HTTP. Thus I could separate each erlang OTP application into a separate instance of the erlang VM on the same machine and they could still talk to each other.
My question is: Is it better to have them running all under one erlang VM so that this erlang VM process can allocate access to resources among them, and schedule the execution of the various erlang processes.
Or is it better to have separate erlang nodes on a given server?
If one is better than the other, why?
I'm assuming running all of these apps in a single erlang vm which is given, essentially, full run of the server, will result in better performance. The OS is just managing the disk and ram at the low level, and only has one significant process (the erlang VM) to switch with... and the erlang VM is probably smarter about allocating resources when it has the holistic view of all the erlang processes.
This may be something that I need to test, but I'm not in a position to do so effectively in the near term. | 2010/11/14 | [
"https://Stackoverflow.com/questions/4178702",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/448866/"
] | The answer is: it depends.
Advantages of using a single node:
* Memory is controlled by a single Erlang VM. It is way easier.
* Inter-application communication (if using erlang-messaging) is faster.
* Less operating system context switches happens
Advantages of using multiple nodes:
* If the system is linking in C code to the VM, death of one node due to a bug in C will not kill the others. | Agree with @I GIVE CRAP ANSWERS
I would go with one VM. Here is why:
* dynamic handling of run time queues belonging to schedulers (with varied origin of CPU load its important)
* fewer VMs to monitor
* better understanding of memory allocation and easier to spot malicious process (can compare all of them at once)
* much easier inter app supervision
I wouldn't care about VM crash - you need to be prepared any way. Heart works especially well in the cluster of equal units. |
4,178,702 | Preface: When I say "machine" below, I mean either a physical dedicated server, or a virtual private server. When I say "node" I mean, an instance of the erlang virtual machine, of which there could be multiple running as separate processes under a single unix kernel.
I've got a project that involves multiple erlang/OTP applications. The applications will be running together and talking to each other on the same machine. They will all be hitting the disk, using memory and spawning erlang processes. They will also be using network resources because they will be talking to similar machines with the same set of applications running on them in a cluster.
Almost all of this communication is via HTTP. Thus I could separate each erlang OTP application into a separate instance of the erlang VM on the same machine and they could still talk to each other.
My question is: Is it better to have them running all under one erlang VM so that this erlang VM process can allocate access to resources among them, and schedule the execution of the various erlang processes.
Or is it better to have separate erlang nodes on a given server?
If one is better than the other, why?
I'm assuming running all of these apps in a single erlang vm which is given, essentially, full run of the server, will result in better performance. The OS is just managing the disk and ram at the low level, and only has one significant process (the erlang VM) to switch with... and the erlang VM is probably smarter about allocating resources when it has the holistic view of all the erlang processes.
This may be something that I need to test, but I'm not in a position to do so effectively in the near term. | 2010/11/14 | [
"https://Stackoverflow.com/questions/4178702",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/448866/"
] | The answer is: it depends.
Advantages of using a single node:
* Memory is controlled by a single Erlang VM. It is way easier.
* Inter-application communication (if using erlang-messaging) is faster.
* Less operating system context switches happens
Advantages of using multiple nodes:
* If the system is linking in C code to the VM, death of one node due to a bug in C will not kill the others. | We've always used one VM per application because it's easier to manage.
The scheduler and SMP support in Erlang have come a long way in the past few years, so there isn't as much reason as there used to be to run multiple VMs on the same node. |
4,178,702 | Preface: When I say "machine" below, I mean either a physical dedicated server, or a virtual private server. When I say "node" I mean, an instance of the erlang virtual machine, of which there could be multiple running as separate processes under a single unix kernel.
I've got a project that involves multiple erlang/OTP applications. The applications will be running together and talking to each other on the same machine. They will all be hitting the disk, using memory and spawning erlang processes. They will also be using network resources because they will be talking to similar machines with the same set of applications running on them in a cluster.
Almost all of this communication is via HTTP. Thus I could separate each erlang OTP application into a separate instance of the erlang VM on the same machine and they could still talk to each other.
My question is: Is it better to have them running all under one erlang VM so that this erlang VM process can allocate access to resources among them, and schedule the execution of the various erlang processes.
Or is it better to have separate erlang nodes on a given server?
If one is better than the other, why?
I'm assuming running all of these apps in a single erlang vm which is given, essentially, full run of the server, will result in better performance. The OS is just managing the disk and ram at the low level, and only has one significant process (the erlang VM) to switch with... and the erlang VM is probably smarter about allocating resources when it has the holistic view of all the erlang processes.
This may be something that I need to test, but I'm not in a position to do so effectively in the near term. | 2010/11/14 | [
"https://Stackoverflow.com/questions/4178702",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/448866/"
] | The answer is: it depends.
Advantages of using a single node:
* Memory is controlled by a single Erlang VM. It is way easier.
* Inter-application communication (if using erlang-messaging) is faster.
* Less operating system context switches happens
Advantages of using multiple nodes:
* If the system is linking in C code to the VM, death of one node due to a bug in C will not kill the others. | I Agree with previous answers but there is a case scenario where having multiple nodes per cpu is the answer: When a heavy task hits the node. A task may take multiple minutes to complete and in such case a gen server will hold the node until completion of the task. |
4,178,702 | Preface: When I say "machine" below, I mean either a physical dedicated server, or a virtual private server. When I say "node" I mean, an instance of the erlang virtual machine, of which there could be multiple running as separate processes under a single unix kernel.
I've got a project that involves multiple erlang/OTP applications. The applications will be running together and talking to each other on the same machine. They will all be hitting the disk, using memory and spawning erlang processes. They will also be using network resources because they will be talking to similar machines with the same set of applications running on them in a cluster.
Almost all of this communication is via HTTP. Thus I could separate each erlang OTP application into a separate instance of the erlang VM on the same machine and they could still talk to each other.
My question is: Is it better to have them running all under one erlang VM so that this erlang VM process can allocate access to resources among them, and schedule the execution of the various erlang processes.
Or is it better to have separate erlang nodes on a given server?
If one is better than the other, why?
I'm assuming running all of these apps in a single erlang vm which is given, essentially, full run of the server, will result in better performance. The OS is just managing the disk and ram at the low level, and only has one significant process (the erlang VM) to switch with... and the erlang VM is probably smarter about allocating resources when it has the holistic view of all the erlang processes.
This may be something that I need to test, but I'm not in a position to do so effectively in the near term. | 2010/11/14 | [
"https://Stackoverflow.com/questions/4178702",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/448866/"
] | Agree with @I GIVE CRAP ANSWERS
I would go with one VM. Here is why:
* dynamic handling of run time queues belonging to schedulers (with varied origin of CPU load its important)
* fewer VMs to monitor
* better understanding of memory allocation and easier to spot malicious process (can compare all of them at once)
* much easier inter app supervision
I wouldn't care about VM crash - you need to be prepared any way. Heart works especially well in the cluster of equal units. | I Agree with previous answers but there is a case scenario where having multiple nodes per cpu is the answer: When a heavy task hits the node. A task may take multiple minutes to complete and in such case a gen server will hold the node until completion of the task. |
4,178,702 | Preface: When I say "machine" below, I mean either a physical dedicated server, or a virtual private server. When I say "node" I mean, an instance of the erlang virtual machine, of which there could be multiple running as separate processes under a single unix kernel.
I've got a project that involves multiple erlang/OTP applications. The applications will be running together and talking to each other on the same machine. They will all be hitting the disk, using memory and spawning erlang processes. They will also be using network resources because they will be talking to similar machines with the same set of applications running on them in a cluster.
Almost all of this communication is via HTTP. Thus I could separate each erlang OTP application into a separate instance of the erlang VM on the same machine and they could still talk to each other.
My question is: Is it better to have them running all under one erlang VM so that this erlang VM process can allocate access to resources among them, and schedule the execution of the various erlang processes.
Or is it better to have separate erlang nodes on a given server?
If one is better than the other, why?
I'm assuming running all of these apps in a single erlang vm which is given, essentially, full run of the server, will result in better performance. The OS is just managing the disk and ram at the low level, and only has one significant process (the erlang VM) to switch with... and the erlang VM is probably smarter about allocating resources when it has the holistic view of all the erlang processes.
This may be something that I need to test, but I'm not in a position to do so effectively in the near term. | 2010/11/14 | [
"https://Stackoverflow.com/questions/4178702",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/448866/"
] | We've always used one VM per application because it's easier to manage.
The scheduler and SMP support in Erlang have come a long way in the past few years, so there isn't as much reason as there used to be to run multiple VMs on the same node. | I Agree with previous answers but there is a case scenario where having multiple nodes per cpu is the answer: When a heavy task hits the node. A task may take multiple minutes to complete and in such case a gen server will hold the node until completion of the task. |
207,345 | In an audio circuit, such as a guitar's electronics (the only thing I ever dabble with!), I have always thought (probably simplistically) of every point along a continuous earth path being essentially all at the same voltage (a 'zero volt' reference voltage).
However, I was wondering - if you extend an earth wire from some point along that path, is it possible for that in itself to introduce noise to the circuit by changing the '0V' of the earth reference? (Possibly I am wondering "What is the difference between a long earth wire and an antenna" - but I don't know enough about antennas to know if that's what I'm asking :) | 2015/12/22 | [
"https://electronics.stackexchange.com/questions/207345",
"https://electronics.stackexchange.com",
"https://electronics.stackexchange.com/users/95135/"
] | Yes, long ground connections can pick up noise, which means the ground in one place is a different voltage from the ground at another place. For single-ended signals, this ground offset voltage usually appears as part of the signal.
There are two common strategies for avoiding this situation:
- Use differential signals. The actual signal is encoded as the difference between two signals that are driven oppositely from each other. Ground offset then looks like a common mode signal, which can be largely ignored by the receiver.
- Pay attention to how things are grounded. Make sure all the grounds are tied back to one place without other connections to elsewhere, like the local power outlet ground. This ground net is then connected to real ground in one place only. Also avoid having deliberate current flow thru any ground connection. There should be separate returns for power current. Never use ground as a power return. | 0V is only 0V at the point of reference - it gradually degrades as you move away from that physical position. It may be nano volts difference up close but can rapidly become milli volts and, if sensitive input circuits have 0V connections that are not at the same point, the several milli volt difference can be an AC noise-signal and is quite often very annoying.
This is why PCBs use ground planes but, these are by no-means exempt from this problem. Other systems use star-point wiring to keep any 0V connections at the same physical point but these can suffer from magnetic pick up of AC.
It's a difficult nut to crack sometimes. Here's a nice picture of how a digital signal can create both ground bounce and power bounce: -
[](https://i.stack.imgur.com/LZoRm.jpg)
The fast rising edge on an output will inevitably charge up a PCB track's parasitic capacitance - this is seen as a small "bounce" on the power rail and associated distortion (side effect) on the outputted signal. When the edge falls there is a ground bounce. Now the signal is slightly corrupted by importantly, for this question, the ground plane and power plane have pulses of current injected into them and these can affect other circuits closeby.
Hears another example of where gaps in a ground plane can cause "bounce" because the return current of a signal has to "spread" out around the gap: -
[](https://i.stack.imgur.com/Q17zc.jpg)
Here's another idea of how mis-positioning functional parts can wreak havoc on sensitive analogue circuits: -
[](https://i.stack.imgur.com/CK4Of.png)
The clever thing to do here is avoid common 0V connections for things that can cause ground bounce to each other - this is a form of star-pointing i.e. separate power and ground connections from each individual circuit function only connect at a single "clean" pair of nodes (usually at the output of a voltage regulator or battery).
[**This**](http://www.te.com/documentation/whitepapers/pdf/3jot_2.pdf) appears to be quite a useful document that explains the phenomena |
207,345 | In an audio circuit, such as a guitar's electronics (the only thing I ever dabble with!), I have always thought (probably simplistically) of every point along a continuous earth path being essentially all at the same voltage (a 'zero volt' reference voltage).
However, I was wondering - if you extend an earth wire from some point along that path, is it possible for that in itself to introduce noise to the circuit by changing the '0V' of the earth reference? (Possibly I am wondering "What is the difference between a long earth wire and an antenna" - but I don't know enough about antennas to know if that's what I'm asking :) | 2015/12/22 | [
"https://electronics.stackexchange.com/questions/207345",
"https://electronics.stackexchange.com",
"https://electronics.stackexchange.com/users/95135/"
] | Yes, long ground connections can pick up noise, which means the ground in one place is a different voltage from the ground at another place. For single-ended signals, this ground offset voltage usually appears as part of the signal.
There are two common strategies for avoiding this situation:
- Use differential signals. The actual signal is encoded as the difference between two signals that are driven oppositely from each other. Ground offset then looks like a common mode signal, which can be largely ignored by the receiver.
- Pay attention to how things are grounded. Make sure all the grounds are tied back to one place without other connections to elsewhere, like the local power outlet ground. This ground net is then connected to real ground in one place only. Also avoid having deliberate current flow thru any ground connection. There should be separate returns for power current. Never use ground as a power return. | The answer is YES if your application depends upon the the difference of voltage between the two ends of the wire to be close to zero. In other words if a functioning system is sensitive to signal levels at both ends of the wire at once then there can be reason to be aware that noise pickup can happen.
On the other hand if you connect two systems together using a cable such as a twisted pair (or a coax cable for high frequency) and make sure that the current traveling in one wire is equal and opposite to the current in the other wire and the target system is only sensitive to the signalling between the target ends of the two wires then any common mode pickup in the pair of wires will go unnoticed by the target equipment. |
207,345 | In an audio circuit, such as a guitar's electronics (the only thing I ever dabble with!), I have always thought (probably simplistically) of every point along a continuous earth path being essentially all at the same voltage (a 'zero volt' reference voltage).
However, I was wondering - if you extend an earth wire from some point along that path, is it possible for that in itself to introduce noise to the circuit by changing the '0V' of the earth reference? (Possibly I am wondering "What is the difference between a long earth wire and an antenna" - but I don't know enough about antennas to know if that's what I'm asking :) | 2015/12/22 | [
"https://electronics.stackexchange.com/questions/207345",
"https://electronics.stackexchange.com",
"https://electronics.stackexchange.com/users/95135/"
] | 0V is only 0V at the point of reference - it gradually degrades as you move away from that physical position. It may be nano volts difference up close but can rapidly become milli volts and, if sensitive input circuits have 0V connections that are not at the same point, the several milli volt difference can be an AC noise-signal and is quite often very annoying.
This is why PCBs use ground planes but, these are by no-means exempt from this problem. Other systems use star-point wiring to keep any 0V connections at the same physical point but these can suffer from magnetic pick up of AC.
It's a difficult nut to crack sometimes. Here's a nice picture of how a digital signal can create both ground bounce and power bounce: -
[](https://i.stack.imgur.com/LZoRm.jpg)
The fast rising edge on an output will inevitably charge up a PCB track's parasitic capacitance - this is seen as a small "bounce" on the power rail and associated distortion (side effect) on the outputted signal. When the edge falls there is a ground bounce. Now the signal is slightly corrupted by importantly, for this question, the ground plane and power plane have pulses of current injected into them and these can affect other circuits closeby.
Hears another example of where gaps in a ground plane can cause "bounce" because the return current of a signal has to "spread" out around the gap: -
[](https://i.stack.imgur.com/Q17zc.jpg)
Here's another idea of how mis-positioning functional parts can wreak havoc on sensitive analogue circuits: -
[](https://i.stack.imgur.com/CK4Of.png)
The clever thing to do here is avoid common 0V connections for things that can cause ground bounce to each other - this is a form of star-pointing i.e. separate power and ground connections from each individual circuit function only connect at a single "clean" pair of nodes (usually at the output of a voltage regulator or battery).
[**This**](http://www.te.com/documentation/whitepapers/pdf/3jot_2.pdf) appears to be quite a useful document that explains the phenomena | The answer is YES if your application depends upon the the difference of voltage between the two ends of the wire to be close to zero. In other words if a functioning system is sensitive to signal levels at both ends of the wire at once then there can be reason to be aware that noise pickup can happen.
On the other hand if you connect two systems together using a cable such as a twisted pair (or a coax cable for high frequency) and make sure that the current traveling in one wire is equal and opposite to the current in the other wire and the target system is only sensitive to the signalling between the target ends of the two wires then any common mode pickup in the pair of wires will go unnoticed by the target equipment. |
580,629 | After reading for about 3 hours about the different problems and situations regarding very low and very high resistor values (source resistance / feedback resistance) with op-amps theoretically I understood all the mentioned facts.
But converting this knowledge into practically constructing a real schematic is still a problem to me. The datasheet of the op-amp used ([AD4522](https://www.analog.com/media/en/technical-documentation/data-sheets/ADA4522-1_4522-2_4522-4.pdf) doesn't really go into explicit detail (or at least not into sufficiently transferred details for beginners).
On page 30 "USE OF LARGE SOURCE RESISTANCE" they go into detail with explicit values, but this is for a Unity Gain Follower circuit and not really a non-inverting amplifier circuit.
I tried to transfer this answer ([How to choose resistor values in op-amps](https://electronics.stackexchange.com/questions/508704/how-to-choose-resistor-values-in-op-amps/508708#508708)) to my case, but still struggling a lot.
My current thoughts are:
* Since "the basic op-amp load is the feedback resistor Rf" (Or does it only apply to inverting configurations?): @page6 "paramater@50V Vsupply" it mentions "Continuous Output Current" as 14mA. For safety reasons, let's assume continuous 10mA is okayish (am I right?). Therefore: R\_f should be:
* R\_f = V\_output,max /I\_cont. = 45V/10mA = 4,5 kΩ.
* Therefore with a gain of 37,5 => R\_s = 123 Ω.
Am I right or is the calculation of the resistor values based on something completely different? | 2021/08/07 | [
"https://electronics.stackexchange.com/questions/580629",
"https://electronics.stackexchange.com",
"https://electronics.stackexchange.com/users/293017/"
] | The op-amp load in the case of the non-inverting amplifier is the sum of the two resistors.
In general you want to stay well away from drawing the maximum load from the op-amp in most cases at low frequencies (and you've picked a 3MHz op-amp optimized for DC specifications so I assume a low frequency application- kHz). At high frequencies the impedance of stray capacitance starts to affect the feedback.
If you actually operated that op-amp at 50V single supply then you'd have thermal issues before current limit issues. For example, the RM8 package has a thermal resistance junction to ambient (under some particular mounting conditions) of 194°C/W. So if we want to limit heating to, say, 20°C we can't dissipate more than about 100mW. Worst case will be with 25V out, so no more than 4mA, which implies a load resistance of no less than 6.25K.
In fact we might well want to use less loading than that by an order of magnitude at least. Unnecessary thermal gradients on the chip can cause other issues (such as increased distortion), and the resistor values are plenty reasonable at 10x that.
We might use something like 49.9K Rf and 2.74K Rs, or perhaps 100K and 5.48K for an amplifier operating at DC to kHz.
The maximum values practical are similarly fuzzy. Usually you want to be somewhere in between (in a log sense) so maybe 10x or 50x the minimum and 1/10 or 1/50 the maximum. | For Non-inverting gain 1+Rf/Rs=37.5 then Rf/Rs=36.5 and the current values are safe, but the R values may be scaled up by orders of magnitude until input currents create an input voltage offset then the Vin+ ought to have a series R= Rs//Rf to Vin+.
The other factor is for RRIO, the output impedance is low for unity gain but will reduce the error between output and each rail, so they often specify 10K load min. |
18,048 | I find myself using these words *all the time*.
Now (<-- there's one!), to be clear the context I'm using them is in conversational style writing, on social commentary, or in forum posts like these. It's not formal academic writing, and it's not story telling. (In a fictional story, these words would be perfectly appropriate if used by a character).
Here's an example where I've used it recently:
>
> Point four, I think it is realistic that people would have this interpretation. **So** on this point I'll just stress that this blog post is not intended to be malicious or make anyone feel bad. It's more an interesting exploration of social interaction and how best react and navigate it.
>
>
>
My question is - is this actually an effective writing style, in the sense of being easy to read and persuasive, and if not, how do I get around it? | 2015/07/07 | [
"https://writers.stackexchange.com/questions/18048",
"https://writers.stackexchange.com",
"https://writers.stackexchange.com/users/14366/"
] | It really comes down to your discretion, and more will be said later in this answer about that. For now, let's take your example given. To get around using filler words such as **so**, just be more conscientious of it. If you don't want to use them, just cut them out in your editing process.
The sentence makes perfect sense without it [so]. It's to the point (no pun intended)
*(without **so** in the beginning)*:
>
> On this point, I'll just stress that this blog post is not intended to be malicious or make anyone feel bad.
>
>
>
In social commentary, or forums posts such as these, the editing process is more likely to to be skipped and the writing will be more reflective of our conversational habits. Anyone can see this with a discerning eye.
According to this [article](https://wordvice.com/avoid-fillers-powerful-writing/), it's OK to use filler words. However, it's also stated that if you want to write powerful sentences avoid filler words. I would deduce that powerful sentences may be more persuasive as well, to answer part of your question.
I'll include another useful [article](https://www.writerightwords.com/10-filler-words/) that gives an example 10 filler words that can be cut from writing (if you chose to do so, and if not, that's apparently OK).
To answer your question, it's up to you whether or not you want to include filler words. Having informal sentence structure may have its advantages or seem relatable due to being more reflective of our common speech habits, but if you want to deliver powerful (effective?) sentences, they aren't necessary - even advised to be avoided. | You could have arguments on either side about this idea.
Some people will argue that using these words, as you say, will give the writing a more conversational style and make the audience feel more comfortable. I believe that this can be an appropriate style of writing for blogs, especially as they are known to be a more casual style of writing than articles written for other publications.
However, in another world of writing, the editor's eye look for any words which do not contribute to the whole of the work. Any 'so's, 'anyway's, or 'Well's (unless you mean that someone is doing well) will be strictly cut. These words have the reader take time to read something which will not contribute to their understanding of the article's meaning. |
18,048 | I find myself using these words *all the time*.
Now (<-- there's one!), to be clear the context I'm using them is in conversational style writing, on social commentary, or in forum posts like these. It's not formal academic writing, and it's not story telling. (In a fictional story, these words would be perfectly appropriate if used by a character).
Here's an example where I've used it recently:
>
> Point four, I think it is realistic that people would have this interpretation. **So** on this point I'll just stress that this blog post is not intended to be malicious or make anyone feel bad. It's more an interesting exploration of social interaction and how best react and navigate it.
>
>
>
My question is - is this actually an effective writing style, in the sense of being easy to read and persuasive, and if not, how do I get around it? | 2015/07/07 | [
"https://writers.stackexchange.com/questions/18048",
"https://writers.stackexchange.com",
"https://writers.stackexchange.com/users/14366/"
] | Words like 'therefore', 'hence', can be used to replace "so". For replacing the adverb "anyways", there are many expressions and phrases that are able to be used in such a context such as: 'at any rate', 'in any case', 'at any manner', 'anyhow'.
As for effectiveness, it is somewhat effective to use such words as 'so', in moderation. Your whole text should not be filled with 'so'.
An effective way to use this is:
>
> **Therefore**, on this point, I'll just stress that this blog post is not intended to be malicious or make anyone feel bad.
>
>
>
Best of luck on your blog post! | You could have arguments on either side about this idea.
Some people will argue that using these words, as you say, will give the writing a more conversational style and make the audience feel more comfortable. I believe that this can be an appropriate style of writing for blogs, especially as they are known to be a more casual style of writing than articles written for other publications.
However, in another world of writing, the editor's eye look for any words which do not contribute to the whole of the work. Any 'so's, 'anyway's, or 'Well's (unless you mean that someone is doing well) will be strictly cut. These words have the reader take time to read something which will not contribute to their understanding of the article's meaning. |
18,048 | I find myself using these words *all the time*.
Now (<-- there's one!), to be clear the context I'm using them is in conversational style writing, on social commentary, or in forum posts like these. It's not formal academic writing, and it's not story telling. (In a fictional story, these words would be perfectly appropriate if used by a character).
Here's an example where I've used it recently:
>
> Point four, I think it is realistic that people would have this interpretation. **So** on this point I'll just stress that this blog post is not intended to be malicious or make anyone feel bad. It's more an interesting exploration of social interaction and how best react and navigate it.
>
>
>
My question is - is this actually an effective writing style, in the sense of being easy to read and persuasive, and if not, how do I get around it? | 2015/07/07 | [
"https://writers.stackexchange.com/questions/18048",
"https://writers.stackexchange.com",
"https://writers.stackexchange.com/users/14366/"
] | In your example, the word may soften up the sentence and paragraph, but it remains spoken English, and does give the impression you're not entirely sure of what you're saying. Consider the following:
>
> So on this point I'll just stress that (...)
>
>
>
vs.
>
> On this point I'll just stress that (..)
>
>
>
In this particular case you can afford to simply remove the word; the sentence becomes more affirmative.
These words are usually markers of hesitation. They're slightly less noticeable when you speak, but in written form you should try to avoid them, especially if you're trying to make a point. | Filler words can help you reach a higher word count, but if you want to be more concise, delete them. I find that filler words can help in rough drafts, but in final drafts, they sometimes detract from the power of the sentence.
For example:
>
> This was founded. So people came.
>
>
>
is slightly less powerful than
>
> This was founded. People came.
>
>
>
It has to do with the order of the words and such. |
18,048 | I find myself using these words *all the time*.
Now (<-- there's one!), to be clear the context I'm using them is in conversational style writing, on social commentary, or in forum posts like these. It's not formal academic writing, and it's not story telling. (In a fictional story, these words would be perfectly appropriate if used by a character).
Here's an example where I've used it recently:
>
> Point four, I think it is realistic that people would have this interpretation. **So** on this point I'll just stress that this blog post is not intended to be malicious or make anyone feel bad. It's more an interesting exploration of social interaction and how best react and navigate it.
>
>
>
My question is - is this actually an effective writing style, in the sense of being easy to read and persuasive, and if not, how do I get around it? | 2015/07/07 | [
"https://writers.stackexchange.com/questions/18048",
"https://writers.stackexchange.com",
"https://writers.stackexchange.com/users/14366/"
] | While I agree with the technical points that Nathaniel and Dale make, in that it does soften the tone of what is said, I don't think it is something that should immediately be avoided.
To me that is akin to telling a carpenter to avoid using a chisel.
I imagine a carpenter spends a good deal of time learning how to efficiently use a chisel. I'm sure they understand subtle differences in use in ways that we simply wouldn't notice. But we are capable of seeing the result.
As a writer we have a rather different set of tools at our disposal. We have nuance, timing and metaphor, to name a few. A good writer understands the difference between 'So, this is my opinion!' and 'This is my opinion?' Both will be equally persuasive when used for the right point towards the right audience.
As a writer it is your job to get a feel for those words, to understand which is the most appropriate for the piece you're writing. It takes a good deal of time to learn that skill. But personally, that is what I find so fascinating about writing... | >
> My question is - is this actually an effective writing style, in the sense of being easy to read and persuasive, and if not, how do I get around it?
>
>
>
Regarding ease of reading, it's a wash. These types of words can add a friendly tone but they also make the text less concise.
Regarding persuasion, they reduce the effectiveness. That's because at best they are noise and at worst they are read as qualifiers. Qualifiers push text and speech in a "softer" direction where they allow more interpretation and are less assertive. More blatant qualifiers (e.g., "in most cases" or "ideally") can come across as signals of dishonesty.
While it might seem that softening your point is a way to gently invite the reader to consider your view, it's better to actually present a nuanced viewpoint with assertive, affirmative language than it is to weaken the statement of a more basic viewpoint.
Overall, conciseness shows respect for the reader's time. In expository writing, it's almost always more effective. In fiction, there are reasons to add what might otherwise seem to be "noise", with the caveat that you can still risk losing the reader's attention and excitement.
You get around it by simply reviewing what you've written and deleting all such words and phrases. Keep cutting until you can't remove a word without taking away from the core statement you are making. |
18,048 | I find myself using these words *all the time*.
Now (<-- there's one!), to be clear the context I'm using them is in conversational style writing, on social commentary, or in forum posts like these. It's not formal academic writing, and it's not story telling. (In a fictional story, these words would be perfectly appropriate if used by a character).
Here's an example where I've used it recently:
>
> Point four, I think it is realistic that people would have this interpretation. **So** on this point I'll just stress that this blog post is not intended to be malicious or make anyone feel bad. It's more an interesting exploration of social interaction and how best react and navigate it.
>
>
>
My question is - is this actually an effective writing style, in the sense of being easy to read and persuasive, and if not, how do I get around it? | 2015/07/07 | [
"https://writers.stackexchange.com/questions/18048",
"https://writers.stackexchange.com",
"https://writers.stackexchange.com/users/14366/"
] | Dialog in writing is not the same as dialog in writing between two people. Usually the dialog is shorter. However, it is possible that to convey a specific character's attitude "filler" words like "so" can and should be used. I am sure that there are other reasons.
However, I find myself using them much too often in dialog and go back and delete them. Even for a character that uses filler words, I use them much less than they would be used in real life. I try to have only one character in a dialog use such words.
We are writers, and words are our tools. Each word should have an importance in our writing or it can be removed. Just be sure that the fillers that you use add to the writing rather than distract from it. This is very subjective. | Filler words can help you reach a higher word count, but if you want to be more concise, delete them. I find that filler words can help in rough drafts, but in final drafts, they sometimes detract from the power of the sentence.
For example:
>
> This was founded. So people came.
>
>
>
is slightly less powerful than
>
> This was founded. People came.
>
>
>
It has to do with the order of the words and such. |
18,048 | I find myself using these words *all the time*.
Now (<-- there's one!), to be clear the context I'm using them is in conversational style writing, on social commentary, or in forum posts like these. It's not formal academic writing, and it's not story telling. (In a fictional story, these words would be perfectly appropriate if used by a character).
Here's an example where I've used it recently:
>
> Point four, I think it is realistic that people would have this interpretation. **So** on this point I'll just stress that this blog post is not intended to be malicious or make anyone feel bad. It's more an interesting exploration of social interaction and how best react and navigate it.
>
>
>
My question is - is this actually an effective writing style, in the sense of being easy to read and persuasive, and if not, how do I get around it? | 2015/07/07 | [
"https://writers.stackexchange.com/questions/18048",
"https://writers.stackexchange.com",
"https://writers.stackexchange.com/users/14366/"
] | While I agree with the technical points that Nathaniel and Dale make, in that it does soften the tone of what is said, I don't think it is something that should immediately be avoided.
To me that is akin to telling a carpenter to avoid using a chisel.
I imagine a carpenter spends a good deal of time learning how to efficiently use a chisel. I'm sure they understand subtle differences in use in ways that we simply wouldn't notice. But we are capable of seeing the result.
As a writer we have a rather different set of tools at our disposal. We have nuance, timing and metaphor, to name a few. A good writer understands the difference between 'So, this is my opinion!' and 'This is my opinion?' Both will be equally persuasive when used for the right point towards the right audience.
As a writer it is your job to get a feel for those words, to understand which is the most appropriate for the piece you're writing. It takes a good deal of time to learn that skill. But personally, that is what I find so fascinating about writing... | Filler words can help you reach a higher word count, but if you want to be more concise, delete them. I find that filler words can help in rough drafts, but in final drafts, they sometimes detract from the power of the sentence.
For example:
>
> This was founded. So people came.
>
>
>
is slightly less powerful than
>
> This was founded. People came.
>
>
>
It has to do with the order of the words and such. |
18,048 | I find myself using these words *all the time*.
Now (<-- there's one!), to be clear the context I'm using them is in conversational style writing, on social commentary, or in forum posts like these. It's not formal academic writing, and it's not story telling. (In a fictional story, these words would be perfectly appropriate if used by a character).
Here's an example where I've used it recently:
>
> Point four, I think it is realistic that people would have this interpretation. **So** on this point I'll just stress that this blog post is not intended to be malicious or make anyone feel bad. It's more an interesting exploration of social interaction and how best react and navigate it.
>
>
>
My question is - is this actually an effective writing style, in the sense of being easy to read and persuasive, and if not, how do I get around it? | 2015/07/07 | [
"https://writers.stackexchange.com/questions/18048",
"https://writers.stackexchange.com",
"https://writers.stackexchange.com/users/14366/"
] | In general (and in your question and example) it makes the text feel friendlier and more conversational.
In some contexts, a more conversational tone can make your ideas less persuasive. Whether it works depends on who is reading, and why they're reading.
The word "just" in your example has the effect of discounting the thing it modifies. The effect is mild in this case, but I felt it as I read it.
In your last paragraph, "actually" is unnecessary. For some reason I can't articulate, it feels hesitant and uncertain to me. | While I agree with the technical points that Nathaniel and Dale make, in that it does soften the tone of what is said, I don't think it is something that should immediately be avoided.
To me that is akin to telling a carpenter to avoid using a chisel.
I imagine a carpenter spends a good deal of time learning how to efficiently use a chisel. I'm sure they understand subtle differences in use in ways that we simply wouldn't notice. But we are capable of seeing the result.
As a writer we have a rather different set of tools at our disposal. We have nuance, timing and metaphor, to name a few. A good writer understands the difference between 'So, this is my opinion!' and 'This is my opinion?' Both will be equally persuasive when used for the right point towards the right audience.
As a writer it is your job to get a feel for those words, to understand which is the most appropriate for the piece you're writing. It takes a good deal of time to learn that skill. But personally, that is what I find so fascinating about writing... |
18,048 | I find myself using these words *all the time*.
Now (<-- there's one!), to be clear the context I'm using them is in conversational style writing, on social commentary, or in forum posts like these. It's not formal academic writing, and it's not story telling. (In a fictional story, these words would be perfectly appropriate if used by a character).
Here's an example where I've used it recently:
>
> Point four, I think it is realistic that people would have this interpretation. **So** on this point I'll just stress that this blog post is not intended to be malicious or make anyone feel bad. It's more an interesting exploration of social interaction and how best react and navigate it.
>
>
>
My question is - is this actually an effective writing style, in the sense of being easy to read and persuasive, and if not, how do I get around it? | 2015/07/07 | [
"https://writers.stackexchange.com/questions/18048",
"https://writers.stackexchange.com",
"https://writers.stackexchange.com/users/14366/"
] | >
> My question is - is this actually an effective writing style, in the sense of being easy to read and persuasive, and if not, how do I get around it?
>
>
>
Regarding ease of reading, it's a wash. These types of words can add a friendly tone but they also make the text less concise.
Regarding persuasion, they reduce the effectiveness. That's because at best they are noise and at worst they are read as qualifiers. Qualifiers push text and speech in a "softer" direction where they allow more interpretation and are less assertive. More blatant qualifiers (e.g., "in most cases" or "ideally") can come across as signals of dishonesty.
While it might seem that softening your point is a way to gently invite the reader to consider your view, it's better to actually present a nuanced viewpoint with assertive, affirmative language than it is to weaken the statement of a more basic viewpoint.
Overall, conciseness shows respect for the reader's time. In expository writing, it's almost always more effective. In fiction, there are reasons to add what might otherwise seem to be "noise", with the caveat that you can still risk losing the reader's attention and excitement.
You get around it by simply reviewing what you've written and deleting all such words and phrases. Keep cutting until you can't remove a word without taking away from the core statement you are making. | Dialog in writing is not the same as dialog in writing between two people. Usually the dialog is shorter. However, it is possible that to convey a specific character's attitude "filler" words like "so" can and should be used. I am sure that there are other reasons.
However, I find myself using them much too often in dialog and go back and delete them. Even for a character that uses filler words, I use them much less than they would be used in real life. I try to have only one character in a dialog use such words.
We are writers, and words are our tools. Each word should have an importance in our writing or it can be removed. Just be sure that the fillers that you use add to the writing rather than distract from it. This is very subjective. |
18,048 | I find myself using these words *all the time*.
Now (<-- there's one!), to be clear the context I'm using them is in conversational style writing, on social commentary, or in forum posts like these. It's not formal academic writing, and it's not story telling. (In a fictional story, these words would be perfectly appropriate if used by a character).
Here's an example where I've used it recently:
>
> Point four, I think it is realistic that people would have this interpretation. **So** on this point I'll just stress that this blog post is not intended to be malicious or make anyone feel bad. It's more an interesting exploration of social interaction and how best react and navigate it.
>
>
>
My question is - is this actually an effective writing style, in the sense of being easy to read and persuasive, and if not, how do I get around it? | 2015/07/07 | [
"https://writers.stackexchange.com/questions/18048",
"https://writers.stackexchange.com",
"https://writers.stackexchange.com/users/14366/"
] | In general (and in your question and example) it makes the text feel friendlier and more conversational.
In some contexts, a more conversational tone can make your ideas less persuasive. Whether it works depends on who is reading, and why they're reading.
The word "just" in your example has the effect of discounting the thing it modifies. The effect is mild in this case, but I felt it as I read it.
In your last paragraph, "actually" is unnecessary. For some reason I can't articulate, it feels hesitant and uncertain to me. | You could have arguments on either side about this idea.
Some people will argue that using these words, as you say, will give the writing a more conversational style and make the audience feel more comfortable. I believe that this can be an appropriate style of writing for blogs, especially as they are known to be a more casual style of writing than articles written for other publications.
However, in another world of writing, the editor's eye look for any words which do not contribute to the whole of the work. Any 'so's, 'anyway's, or 'Well's (unless you mean that someone is doing well) will be strictly cut. These words have the reader take time to read something which will not contribute to their understanding of the article's meaning. |
243,914 | I have a list view that after a double click, a record opens a new form to show the details, but the record in the list view lost the "selection"....
How do I know which record was clicked ???
Thanks
Maria João | 2008/10/28 | [
"https://Stackoverflow.com/questions/243914",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/32115/"
] | The listview control has a *HideSelection* property that defaults to True. Set this to False and the current row will remain highlighted even if the control loses focus. | Try setting the HideSelection property on the list view to false. It's enabled by default. |
243,914 | I have a list view that after a double click, a record opens a new form to show the details, but the record in the list view lost the "selection"....
How do I know which record was clicked ???
Thanks
Maria João | 2008/10/28 | [
"https://Stackoverflow.com/questions/243914",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/32115/"
] | The listview control has a *HideSelection* property that defaults to True. Set this to False and the current row will remain highlighted even if the control loses focus. | Note that the selection will turn "gray" when focus is lost, and "blue" when focused. Keeping it blue when the focus is lost is more difficult ... you'll have to override the ListView::DrawItem |
3,371 | What happens internally when ESP8266 goes to deep sleep mode. Is there any official documentation explaining that? | 2018/09/07 | [
"https://iot.stackexchange.com/questions/3371",
"https://iot.stackexchange.com",
"https://iot.stackexchange.com/users/6799/"
] | You can see this document <https://www.losant.com/blog/making-the-esp8266-low-powered-with-deep-sleep>
In summary, ESP8266 supports 3 sleep modes:
1. Modem-sleep
2. Light-sleep
3. Deep-sleep
[](https://i.stack.imgur.com/ejx8u.jpg)
### Modem-sleep Mode
Modem-sleep mode is enabled only when ESP8266 connects to a router in station mode, via DTIM beacom mechanism. Within this mode, ESP8266 would wake up periodically, automatically, to handle arriving Beacon.
CPU and system are still on. Hence program that does not require constant network access could still run.
### Light-sleep Mode
System clock is off and CPU is suspended. No program could run.
ESP8266 could be woken up via external GPIO level triggers.
### Deep-sleep Mode
System clock and CPU are off.
ESP8266 could be woken up via
a) a low-level pulse generated on the EXT-RSTB pin via an external IO.
b) timer which is managed by the RTC | Have a look [here](https://en.wikipedia.org/wiki/Clock_gating) as well, it is about clock gating and what actually happens when a micro goes to sleep. In short, to greatly reduce power consumption, internal peripherals (such as its ADC and so) are disabled.
Also, embedded.com has a neat explanation of [what happens under the hood](https://www.embedded.com/design/power-optimization/4237635/Understanding-MCU-sleep-modes-and-energy-savings). |
4,655 | A project I'm working on involves wireless transmission of images from a camera to a host computer in real time. Can the Raspberry Pi be used as a [DSP](http://en.wikipedia.org/wiki/Digital_signal_processor) for the camera for image acquisition and pre-processing? | 2013/01/25 | [
"https://raspberrypi.stackexchange.com/questions/4655",
"https://raspberrypi.stackexchange.com",
"https://raspberrypi.stackexchange.com/users/5610/"
] | The [OpenMAX API](http://www.khronos.org/openmax/) is available on the Raspberry Pi. It handles audio and video encoding/decoding, [for example, JPEG](http://www.raspberrypi.org/phpBB3/viewtopic.php?f=33&t=15463&hilit=decoding%20image%20with%20openmax).
The eLinux wiki lists other [APIs usable on the Raspberry Pi](http://elinux.org/RPi_VideoCore_APIs):s graphic processor. | It has a DSP for image postprocessing, but the drivers are closed, and you can't see the specification sheet unless you are [NDAed](http://en.wikipedia.org/wiki/Non-disclosure_agreement), etc... Which is a bit annoying. I think they use it for the new camera module. |
4,655 | A project I'm working on involves wireless transmission of images from a camera to a host computer in real time. Can the Raspberry Pi be used as a [DSP](http://en.wikipedia.org/wiki/Digital_signal_processor) for the camera for image acquisition and pre-processing? | 2013/01/25 | [
"https://raspberrypi.stackexchange.com/questions/4655",
"https://raspberrypi.stackexchange.com",
"https://raspberrypi.stackexchange.com/users/5610/"
] | The [OpenMAX API](http://www.khronos.org/openmax/) is available on the Raspberry Pi. It handles audio and video encoding/decoding, [for example, JPEG](http://www.raspberrypi.org/phpBB3/viewtopic.php?f=33&t=15463&hilit=decoding%20image%20with%20openmax).
The eLinux wiki lists other [APIs usable on the Raspberry Pi](http://elinux.org/RPi_VideoCore_APIs):s graphic processor. | <http://thinkrpi.wordpress.com/2013/05/22/opencv-and-camera-board-csi/>
Pierre has worked on image processing on Rpi. I think you will find the mentioned tutorials helpful iff you have a prior knowledge of languages.
AYBABTU |
214,583 | The “not an answer” flag on answers is meant to be used when
>
> This was posted as an answer, but it does not attempt to answer the question. It should possibly be an edit, a comment, another question, or deleted altogether.
>
>
>
The “very low quality” flag on answers is meant to be used when
>
> This answer has severe formatting or content problems. This answer is unlikely to be salvageable through editing, and might need to be removed.
>
>
>
There's quite a [bit of](https://meta.stackexchange.com/questions/141163/what-difference-does-it-make-when-selecting-the-reason-to-flag-an-answer) [confusion](https://meta.stackexchange.com/questions/141163/what-difference-does-it-make-when-selecting-the-reason-to-flag-an-answer) between those two flags. I don't want to get into that debate here, so take this as a statement that there is confusion, not that it is confusing.
Low quality posts have a nice workflow: they are shown in a queue to all users with the “edit” (2k) privilege, who can pile on to delete the post or contest the flag. The voting system ensures that after enough reviewers have seen the post, either it will be deleted or the flag will be cleared. As a user reviewing low quality posts, my actions make a difference. As a moderator, I don't need to get involved.
There are a few bad things about the “low quality” workflow:
* As a reviewer, you have to decide between “Looks OK”, “Edit” and “Recommend Deletion” (or “Delete” if you have the appropriate privilege). “Looks OK” is somewhat confusing because it is the right choice for an altogether wrong answer, which should be downvoted but not deleted.
* As a user, when you cast the “very low quality” flag, you don't get to enter a reason. Reviewers in the low quality queue have to figure out on their own why the initial user cast the flag. (Sometimes the initial user leaves a comment which makes this clear, but not always.)
As for the “not an answer” flag, it's essentially brought to moderators, [after a delay](https://meta.stackexchange.com/questions/243145/hide-not-an-answer-and-very-low-quality-flags-in-the-moderator-flag-queue/247658#247658), [except when it isn't](https://meta.stackexchange.com/questions/253244/what-happens-when-i-flag-a-posted-answer-as-not-an-answer/253449#253449).
Fundamentally, the “not an answer” flag and the “very low quality flag” say the [same thing](https://meta.stackexchange.com/questions/166338/answers-flagged-as-very-low-quality-should-have-the-same-tools-available-to-th):
>
> **I think this answer should be deleted** (either converted to a comment or removed altogether).
>
>
>
I can't think of any reason why certain types of answers that should be deleted should require different workflows. Given that the “not an answer” workflow is inconvenient and the “low quality” workflow is mostly good, I propose:
**Replace “not an answer” and “very low quality” by a single “delete” flag, and use the current “low quality” workflow with minor modifications.**
The modifications to the LQ workflow would be:
* Supply a reason for deletion. The primary purpose of this reason is to explain what are reasons to delete an answer. We have close reasons, we should have delete reasons too. A secondary reason is to provide a clue to reviewers.
* Reword the “Looks OK” button.
A delete vote on an answer would kick it into the deletion queue with a score of 1 in the “delete” column.
Possible modifications, which may be done at the same time or later based on experience (which should perhaps be separate discussions):
* Allow voting in the ~~low quality~~ deletion review queue, which would help reviewers figure out what to do on altogether wrong answers.
* Tweak the deletion reasons to cover cases where one would use “not an answer” but not “low quality” today. The reasons should handle common cases, for the rare cases there's the “other” flag.
* Allow voting or flagging for conversion to a comment (which would be one of the deletion reason, offering a choice the question and the answers like voting to mark as duplicate offers existing questions).
I don't know whether there should be a score threshold for delete flags like there is for VLQ (but not NAA) today. On the one hand, the occasional joke or duplicate answer sometimes has a high score. On the other hand, the vast majority of posts that need deleting have a low score and exceptional cases can be handled by moderators.
([Similar request on Meta Stack Overflow](https://meta.stackoverflow.com/questions/318952/merge-the-not-an-answer-and-very-low-quality-flags-into-one)) | 2014/01/02 | [
"https://meta.stackexchange.com/questions/214583",
"https://meta.stackexchange.com",
"https://meta.stackexchange.com/users/149076/"
] | I rarely see any content that really is VLQ-flaggable anyway.
There is a thin region between spam and OK (not good, just not deletable) answers that we term as "very low quality", and answers in that region are rarely found.
A post is "very low quality" if it has problems that can't be fixed by others. I find that something that *tries* to be an answer can almost always be fixed. The unfixable ones are:
* Those which are not really attempting to answer the question: The ones which answer a different question, or are a comment, or are a different question. These can be safely flagged as Not an Answer or for comment conversion.
* Spam: Flag as spam, obviously
* Wrong answers: These aren't supposed to be deleted anyway
* Incomplete answers: Sometimes incomplete answers answer the question or provide sufficient hints to the OP and don't need deletion. Sometimes they are too incomplete, and can be deleted as not an answer. (usually leaving a comment telling the OP to repost a complete answer)
* For *questions*, the close flags are sufficient.
So I don't really see any place for VLQ to fit in here. On Physics I just get people using VLQ to mean NAA, or to mean "this should be a comment".
The *only* thing that the VLQ flag adds is clarity. The words "very low quality" are pretty clear, and someone looking at the flag dialog can easily pick out that the flag is for flagging obvious crap. Contrast this with "not an answer", which is clear, but not so clear for newbies.
I would say that merging NAA with whatever little independent meaning the VLQ flag has is a good idea.
Possibly it might be good to reshuffle the flags, create one flag that is solely for converting to comment, and one flag for "useless post that should be deleted". | No. "Not an answer" is more of a hint that a mod could convert the answer to a comment. This is not appropriate in the "low quality" case. |
214,583 | The “not an answer” flag on answers is meant to be used when
>
> This was posted as an answer, but it does not attempt to answer the question. It should possibly be an edit, a comment, another question, or deleted altogether.
>
>
>
The “very low quality” flag on answers is meant to be used when
>
> This answer has severe formatting or content problems. This answer is unlikely to be salvageable through editing, and might need to be removed.
>
>
>
There's quite a [bit of](https://meta.stackexchange.com/questions/141163/what-difference-does-it-make-when-selecting-the-reason-to-flag-an-answer) [confusion](https://meta.stackexchange.com/questions/141163/what-difference-does-it-make-when-selecting-the-reason-to-flag-an-answer) between those two flags. I don't want to get into that debate here, so take this as a statement that there is confusion, not that it is confusing.
Low quality posts have a nice workflow: they are shown in a queue to all users with the “edit” (2k) privilege, who can pile on to delete the post or contest the flag. The voting system ensures that after enough reviewers have seen the post, either it will be deleted or the flag will be cleared. As a user reviewing low quality posts, my actions make a difference. As a moderator, I don't need to get involved.
There are a few bad things about the “low quality” workflow:
* As a reviewer, you have to decide between “Looks OK”, “Edit” and “Recommend Deletion” (or “Delete” if you have the appropriate privilege). “Looks OK” is somewhat confusing because it is the right choice for an altogether wrong answer, which should be downvoted but not deleted.
* As a user, when you cast the “very low quality” flag, you don't get to enter a reason. Reviewers in the low quality queue have to figure out on their own why the initial user cast the flag. (Sometimes the initial user leaves a comment which makes this clear, but not always.)
As for the “not an answer” flag, it's essentially brought to moderators, [after a delay](https://meta.stackexchange.com/questions/243145/hide-not-an-answer-and-very-low-quality-flags-in-the-moderator-flag-queue/247658#247658), [except when it isn't](https://meta.stackexchange.com/questions/253244/what-happens-when-i-flag-a-posted-answer-as-not-an-answer/253449#253449).
Fundamentally, the “not an answer” flag and the “very low quality flag” say the [same thing](https://meta.stackexchange.com/questions/166338/answers-flagged-as-very-low-quality-should-have-the-same-tools-available-to-th):
>
> **I think this answer should be deleted** (either converted to a comment or removed altogether).
>
>
>
I can't think of any reason why certain types of answers that should be deleted should require different workflows. Given that the “not an answer” workflow is inconvenient and the “low quality” workflow is mostly good, I propose:
**Replace “not an answer” and “very low quality” by a single “delete” flag, and use the current “low quality” workflow with minor modifications.**
The modifications to the LQ workflow would be:
* Supply a reason for deletion. The primary purpose of this reason is to explain what are reasons to delete an answer. We have close reasons, we should have delete reasons too. A secondary reason is to provide a clue to reviewers.
* Reword the “Looks OK” button.
A delete vote on an answer would kick it into the deletion queue with a score of 1 in the “delete” column.
Possible modifications, which may be done at the same time or later based on experience (which should perhaps be separate discussions):
* Allow voting in the ~~low quality~~ deletion review queue, which would help reviewers figure out what to do on altogether wrong answers.
* Tweak the deletion reasons to cover cases where one would use “not an answer” but not “low quality” today. The reasons should handle common cases, for the rare cases there's the “other” flag.
* Allow voting or flagging for conversion to a comment (which would be one of the deletion reason, offering a choice the question and the answers like voting to mark as duplicate offers existing questions).
I don't know whether there should be a score threshold for delete flags like there is for VLQ (but not NAA) today. On the one hand, the occasional joke or duplicate answer sometimes has a high score. On the other hand, the vast majority of posts that need deleting have a low score and exceptional cases can be handled by moderators.
([Similar request on Meta Stack Overflow](https://meta.stackoverflow.com/questions/318952/merge-the-not-an-answer-and-very-low-quality-flags-into-one)) | 2014/01/02 | [
"https://meta.stackexchange.com/questions/214583",
"https://meta.stackexchange.com",
"https://meta.stackexchange.com/users/149076/"
] | I rarely see any content that really is VLQ-flaggable anyway.
There is a thin region between spam and OK (not good, just not deletable) answers that we term as "very low quality", and answers in that region are rarely found.
A post is "very low quality" if it has problems that can't be fixed by others. I find that something that *tries* to be an answer can almost always be fixed. The unfixable ones are:
* Those which are not really attempting to answer the question: The ones which answer a different question, or are a comment, or are a different question. These can be safely flagged as Not an Answer or for comment conversion.
* Spam: Flag as spam, obviously
* Wrong answers: These aren't supposed to be deleted anyway
* Incomplete answers: Sometimes incomplete answers answer the question or provide sufficient hints to the OP and don't need deletion. Sometimes they are too incomplete, and can be deleted as not an answer. (usually leaving a comment telling the OP to repost a complete answer)
* For *questions*, the close flags are sufficient.
So I don't really see any place for VLQ to fit in here. On Physics I just get people using VLQ to mean NAA, or to mean "this should be a comment".
The *only* thing that the VLQ flag adds is clarity. The words "very low quality" are pretty clear, and someone looking at the flag dialog can easily pick out that the flag is for flagging obvious crap. Contrast this with "not an answer", which is clear, but not so clear for newbies.
I would say that merging NAA with whatever little independent meaning the VLQ flag has is a good idea.
Possibly it might be good to reshuffle the flags, create one flag that is solely for converting to comment, and one flag for "useless post that should be deleted". | For rewording the "Looks OK" button, why don't we rename it "Shouldn't be Deleted", "Not Deleteable", or "Don't Delete"? That would make it clear that ALL of the following are "good" answers with respect to the Low Quality Posts queue (that is, they shouldn't be deleted):
* Correct and useful answers
* Incorrect answers (e.g. 'Strings are mutable in Java, just call myString.updateTo("newValue");' or 'Dereferencing a null pointer in C always returns zero')
* Answers that are technically correct, but are so incomplete or vague that they are not useful (e.g. "You need to add a spline" or "Rewrite your second section, the error is on line 5").
* Answers that you can't tell whether they are correct or not, but you can tell that an attempt was made to answer the question
Another possible wording would be "Attempts to Answer the Question".
Any of these would emphasize that "OK", from the perspective of the Low Quality Posts queue, means something very specific and not a general answer quality value judgment made from the reviewer's prior experience with the subject(s). |
24,006 | On my MacBook, in the Finder's sidebar there's a machine appearing under "Shared" that I don't recognize and definitely doesn't exist on our local network. When I attempt to connect to it, I get this message:
>
> The server "otseeley-remote" is available on your computer. Access the volumes and files locally.
>
>
>
What is this and how do I get rid of it? I already checked Disk Utility and there are no extraneous volumes mounted or anything.
EDIT:
Additional information based on the questions below:
* There are only two computers on the network, both running Mac OS X - this MacBook, and my PowerBook. The PowerBook shows up in the source list as a separate item from "otseeley-remote"
* There is no Time Capsule on the network, though I do have a Time Machine drive plugged into the PowerBook (not shared, though)
* No VPN
* One wired printer, connected to the MacBook
* Two other wifi networks other than my own appear in the wifi dropdown, so I suppose it's possible that the mystery machine is on a neighbor's network (though why would it show up in my source list?)
EDIT 2:
The mystery computer shows up on both my MacBook's and PowerBook's source list, but not always at the same time. Sometimes it appears on one and not the other; other times, it appears on both.
EDIT 3:
I have two user accounts on the MacBook and both accounts show the "otseeley-remote" item in the Finder. Not sure if that means anything, but just wanted to add another data point. | 2011/09/02 | [
"https://apple.stackexchange.com/questions/24006",
"https://apple.stackexchange.com",
"https://apple.stackexchange.com/users/6873/"
] | Similar to what josh is saying, I would try and see if you hit this with some sort of network trace. What I recommend for easiest use is [Bonjour Browser](http://www.tildesoft.com/). This program lists all the bonjour services and who is advertising them, in this case we are talking AFP probably. I use this often at work to find who is using an iTunes shared library in two clicks.
Just run the app and it will display all computers on the network who offer Bonjour services and you can expand the type of service to see which computers are offering it. | This may not be the answer, but I got rid of mine by going to the **System Preferences > Sharing** and unchecked **Remote Login**. I don't have a clue how I happened to enable that before! |
24,006 | On my MacBook, in the Finder's sidebar there's a machine appearing under "Shared" that I don't recognize and definitely doesn't exist on our local network. When I attempt to connect to it, I get this message:
>
> The server "otseeley-remote" is available on your computer. Access the volumes and files locally.
>
>
>
What is this and how do I get rid of it? I already checked Disk Utility and there are no extraneous volumes mounted or anything.
EDIT:
Additional information based on the questions below:
* There are only two computers on the network, both running Mac OS X - this MacBook, and my PowerBook. The PowerBook shows up in the source list as a separate item from "otseeley-remote"
* There is no Time Capsule on the network, though I do have a Time Machine drive plugged into the PowerBook (not shared, though)
* No VPN
* One wired printer, connected to the MacBook
* Two other wifi networks other than my own appear in the wifi dropdown, so I suppose it's possible that the mystery machine is on a neighbor's network (though why would it show up in my source list?)
EDIT 2:
The mystery computer shows up on both my MacBook's and PowerBook's source list, but not always at the same time. Sometimes it appears on one and not the other; other times, it appears on both.
EDIT 3:
I have two user accounts on the MacBook and both accounts show the "otseeley-remote" item in the Finder. Not sure if that means anything, but just wanted to add another data point. | 2011/09/02 | [
"https://apple.stackexchange.com/questions/24006",
"https://apple.stackexchange.com",
"https://apple.stackexchange.com/users/6873/"
] | I've added a possible answer over on SuperUser
<https://superuser.com/questions/268380/mysterious-shared-server-with-same-name-appearing-disappearing/338732>
>
> Sounds like you might have SMB (Windows) Sharing turned on.
>
>
> To check, go to the System Preferences and click on Sharing. In the list on the left click on 'File Sharing' then there is a little button on the top right called 'options'. In the drop-down that appears check that SMB sharing is un-ticked.
>
>
> | I tried all the tricks I could find without success, but eventually solved it with the clue here that the phantom names on the network were "stowaways" on the Airport network.
I had about 8 variations on the name of the Mac Mini on our network: some were names I gave it, some were simply appended numbers to one of the names. All three computers (two Mavericks and one Yosemite) on the network showed the same shared ghost devices. Must be a router storing the names of the phantom computers. I have a FiOS router, plus an Apple Airport Extreme connected to FiOs via ethernet, and also an old Airport Time Capsule for backups only (no wi-fi) daisy chained off the Airport Extreme, so there were three possible culprits.
I unplugged both the FiOs router and the Airport Extreme, waited a minute, then plugged the FiOS router back in; after it was back online, I plugged the Airport Extreme back in. Partial success! Some of the newer ghost names went away, but four of the older ones remained. Must be the old Airport Time Capsule. I unplugged it, waited, then plugged it back in. Success! All the phantom names on the network are now gone from all the computers. This is not a problem that can be fixed locally by changing settings or trashing .plist files. |
24,006 | On my MacBook, in the Finder's sidebar there's a machine appearing under "Shared" that I don't recognize and definitely doesn't exist on our local network. When I attempt to connect to it, I get this message:
>
> The server "otseeley-remote" is available on your computer. Access the volumes and files locally.
>
>
>
What is this and how do I get rid of it? I already checked Disk Utility and there are no extraneous volumes mounted or anything.
EDIT:
Additional information based on the questions below:
* There are only two computers on the network, both running Mac OS X - this MacBook, and my PowerBook. The PowerBook shows up in the source list as a separate item from "otseeley-remote"
* There is no Time Capsule on the network, though I do have a Time Machine drive plugged into the PowerBook (not shared, though)
* No VPN
* One wired printer, connected to the MacBook
* Two other wifi networks other than my own appear in the wifi dropdown, so I suppose it's possible that the mystery machine is on a neighbor's network (though why would it show up in my source list?)
EDIT 2:
The mystery computer shows up on both my MacBook's and PowerBook's source list, but not always at the same time. Sometimes it appears on one and not the other; other times, it appears on both.
EDIT 3:
I have two user accounts on the MacBook and both accounts show the "otseeley-remote" item in the Finder. Not sure if that means anything, but just wanted to add another data point. | 2011/09/02 | [
"https://apple.stackexchange.com/questions/24006",
"https://apple.stackexchange.com",
"https://apple.stackexchange.com/users/6873/"
] | This may not be the answer, but I got rid of mine by going to the **System Preferences > Sharing** and unchecked **Remote Login**. I don't have a clue how I happened to enable that before! | I turned WiFi on and off and it got rid of the shared computer. |
24,006 | On my MacBook, in the Finder's sidebar there's a machine appearing under "Shared" that I don't recognize and definitely doesn't exist on our local network. When I attempt to connect to it, I get this message:
>
> The server "otseeley-remote" is available on your computer. Access the volumes and files locally.
>
>
>
What is this and how do I get rid of it? I already checked Disk Utility and there are no extraneous volumes mounted or anything.
EDIT:
Additional information based on the questions below:
* There are only two computers on the network, both running Mac OS X - this MacBook, and my PowerBook. The PowerBook shows up in the source list as a separate item from "otseeley-remote"
* There is no Time Capsule on the network, though I do have a Time Machine drive plugged into the PowerBook (not shared, though)
* No VPN
* One wired printer, connected to the MacBook
* Two other wifi networks other than my own appear in the wifi dropdown, so I suppose it's possible that the mystery machine is on a neighbor's network (though why would it show up in my source list?)
EDIT 2:
The mystery computer shows up on both my MacBook's and PowerBook's source list, but not always at the same time. Sometimes it appears on one and not the other; other times, it appears on both.
EDIT 3:
I have two user accounts on the MacBook and both accounts show the "otseeley-remote" item in the Finder. Not sure if that means anything, but just wanted to add another data point. | 2011/09/02 | [
"https://apple.stackexchange.com/questions/24006",
"https://apple.stackexchange.com",
"https://apple.stackexchange.com/users/6873/"
] | I've added a possible answer over on SuperUser
<https://superuser.com/questions/268380/mysterious-shared-server-with-same-name-appearing-disappearing/338732>
>
> Sounds like you might have SMB (Windows) Sharing turned on.
>
>
> To check, go to the System Preferences and click on Sharing. In the list on the left click on 'File Sharing' then there is a little button on the top right called 'options'. In the drop-down that appears check that SMB sharing is un-ticked.
>
>
> | This may be meaningless to your situation, but I found this article educational -- about how a person's mac has two MAC addresses associated with it (one for its wifi identity and one for its non-wifi, ethernet identity.) One of those "jekyll and hyde" existences is likely the other mystery machine for SOME of the people with this problem -- namely ME.
Take a read through this --
<http://www.macmousecalls.com/files/who_is_invading.html> |
24,006 | On my MacBook, in the Finder's sidebar there's a machine appearing under "Shared" that I don't recognize and definitely doesn't exist on our local network. When I attempt to connect to it, I get this message:
>
> The server "otseeley-remote" is available on your computer. Access the volumes and files locally.
>
>
>
What is this and how do I get rid of it? I already checked Disk Utility and there are no extraneous volumes mounted or anything.
EDIT:
Additional information based on the questions below:
* There are only two computers on the network, both running Mac OS X - this MacBook, and my PowerBook. The PowerBook shows up in the source list as a separate item from "otseeley-remote"
* There is no Time Capsule on the network, though I do have a Time Machine drive plugged into the PowerBook (not shared, though)
* No VPN
* One wired printer, connected to the MacBook
* Two other wifi networks other than my own appear in the wifi dropdown, so I suppose it's possible that the mystery machine is on a neighbor's network (though why would it show up in my source list?)
EDIT 2:
The mystery computer shows up on both my MacBook's and PowerBook's source list, but not always at the same time. Sometimes it appears on one and not the other; other times, it appears on both.
EDIT 3:
I have two user accounts on the MacBook and both accounts show the "otseeley-remote" item in the Finder. Not sure if that means anything, but just wanted to add another data point. | 2011/09/02 | [
"https://apple.stackexchange.com/questions/24006",
"https://apple.stackexchange.com",
"https://apple.stackexchange.com/users/6873/"
] | Similar to what josh is saying, I would try and see if you hit this with some sort of network trace. What I recommend for easiest use is [Bonjour Browser](http://www.tildesoft.com/). This program lists all the bonjour services and who is advertising them, in this case we are talking AFP probably. I use this often at work to find who is using an iTunes shared library in two clicks.
Just run the app and it will display all computers on the network who offer Bonjour services and you can expand the type of service to see which computers are offering it. | In 10.7 removing the "shared" phantom computer can often be done by going to System Preferences>Sharing – then toggle on and off all the radio buttons that contain the word "sharing." This should reset the sidebar to default. |
24,006 | On my MacBook, in the Finder's sidebar there's a machine appearing under "Shared" that I don't recognize and definitely doesn't exist on our local network. When I attempt to connect to it, I get this message:
>
> The server "otseeley-remote" is available on your computer. Access the volumes and files locally.
>
>
>
What is this and how do I get rid of it? I already checked Disk Utility and there are no extraneous volumes mounted or anything.
EDIT:
Additional information based on the questions below:
* There are only two computers on the network, both running Mac OS X - this MacBook, and my PowerBook. The PowerBook shows up in the source list as a separate item from "otseeley-remote"
* There is no Time Capsule on the network, though I do have a Time Machine drive plugged into the PowerBook (not shared, though)
* No VPN
* One wired printer, connected to the MacBook
* Two other wifi networks other than my own appear in the wifi dropdown, so I suppose it's possible that the mystery machine is on a neighbor's network (though why would it show up in my source list?)
EDIT 2:
The mystery computer shows up on both my MacBook's and PowerBook's source list, but not always at the same time. Sometimes it appears on one and not the other; other times, it appears on both.
EDIT 3:
I have two user accounts on the MacBook and both accounts show the "otseeley-remote" item in the Finder. Not sure if that means anything, but just wanted to add another data point. | 2011/09/02 | [
"https://apple.stackexchange.com/questions/24006",
"https://apple.stackexchange.com",
"https://apple.stackexchange.com/users/6873/"
] | I've added a possible answer over on SuperUser
<https://superuser.com/questions/268380/mysterious-shared-server-with-same-name-appearing-disappearing/338732>
>
> Sounds like you might have SMB (Windows) Sharing turned on.
>
>
> To check, go to the System Preferences and click on Sharing. In the list on the left click on 'File Sharing' then there is a little button on the top right called 'options'. In the drop-down that appears check that SMB sharing is un-ticked.
>
>
> | Similar to what josh is saying, I would try and see if you hit this with some sort of network trace. What I recommend for easiest use is [Bonjour Browser](http://www.tildesoft.com/). This program lists all the bonjour services and who is advertising them, in this case we are talking AFP probably. I use this often at work to find who is using an iTunes shared library in two clicks.
Just run the app and it will display all computers on the network who offer Bonjour services and you can expand the type of service to see which computers are offering it. |
137,554 | My PhD supervisor (in the field of artificial intelligence) invited me to several meetings with another PhD student. Since I have more knowledge than my supervisor in some topics, I made many suggestions about how this student could improve his methodology. In total, I went to 5 meetings of 3–4 hours each. I could have used this time to do my own research.
When the other student started to write his manuscript, I asked to be an author, since I had contributed directly to the research, but he felt I only deserved to appear in the acknowledgments. So I asked my supervisor to be on the paper and even volunteered to help writing it. My supervisor said “Don't worry about his paper, you have your own things to do, and he is not going to submit this work anytime soon”.
One week later, they submitted the paper to a major conference without my name on it. I felt really insulted that they used my time and skills with no credit to me.
I didn't actively do the research or help write the paper, but I felt I was supervising the student since I have the most experience on this topic. Many academics in my field get their names on papers by just giving suggestions.
What should I do? I am planning on taking it to the head of department. | 2019/09/24 | [
"https://academia.stackexchange.com/questions/137554",
"https://academia.stackexchange.com",
"https://academia.stackexchange.com/users/114370/"
] | You look like you are an expert on a field that your supervisor isn't, and that expertise is necessary for a collaborator to make progress on his thesis. Therefore, I would expect that your supervisor would motivate both of you to work together, so that the other PhD student can benefit from your expertise, and you could benefit from working on a related subject you know about. In that case, co-authorship would be reasonable and come of naturally. I also believe that you would generously offer co-authorship to your collaborator, if things had happened the other way around (i.e. he had provided advice the way you have).
But things evolved differently, so:
---
Do you deserve to be a co-author?
---------------------------------
In my opinion, **yes.**
Judging from your descriptions, it looks like you've been doing lots of "supervisor" work here. As others have noted, a supervisor is anyway included regardless of their contribution. To my understanding, and based on my academic experience as a PhD student, this is not just a "typical" practice; since the supervisor is expected to get co-authorship, they *should* provide actual supervision (advice, intuition etc). Providing it through a delegate is fine, but I would expect that the delegate receives proper credit.
---
Should you take action?
-----------------------
**No.** Unless you don't mind hurting your relationship with your PhD supervisor and possibly triggering a conflict with him. Given the circumstances, I'd suggest you give up on co-authorship, but express your feelings to your supervisor.
---
Is this fair?
-------------
**No,** at least in the way I perceive academic ethics. Unfortunately, ethics and rules in academia are easily violated in subtle ways. If you are not the one holding power, there's very little you can do without risking a conflict with people who have huge control over your academic future. | I have a bi-weekly meeting with my MSc and Ph.D. students that some time is 6 hours long. We discuss ideas and brainstorming solutions; they work on different subjects. When I was doing my Ph.D, I designed an algorithm from A-Z gave it to an MSc student to implement, he published a paper I did not co-author it and did not ask to be a co-author. Why that? because I was a fully-funded Ph.D. student, this is my work I was hired to do that and this was part of my training.
Now, I am a supervisor, and I am on every paper of my MSc and Ph.D. students work. I secure funds for all of them to work on their research.
Are you a fully-funded Ph.D. student? If yes then do not complain, as you are a professional researcher, not an undergraduate student working on a group assignment.
If you are not a fully-funded Ph.D. student, then I do not understand why you are doing a PhD. Because, if you are that strong and more knowledgeable than your supervisor and at the same time not funded, then I would strongly suggest that you switch your supervisor.
In the future, please tell your supervisor you are busy with your research point and do not go to these meetings. |
137,554 | My PhD supervisor (in the field of artificial intelligence) invited me to several meetings with another PhD student. Since I have more knowledge than my supervisor in some topics, I made many suggestions about how this student could improve his methodology. In total, I went to 5 meetings of 3–4 hours each. I could have used this time to do my own research.
When the other student started to write his manuscript, I asked to be an author, since I had contributed directly to the research, but he felt I only deserved to appear in the acknowledgments. So I asked my supervisor to be on the paper and even volunteered to help writing it. My supervisor said “Don't worry about his paper, you have your own things to do, and he is not going to submit this work anytime soon”.
One week later, they submitted the paper to a major conference without my name on it. I felt really insulted that they used my time and skills with no credit to me.
I didn't actively do the research or help write the paper, but I felt I was supervising the student since I have the most experience on this topic. Many academics in my field get their names on papers by just giving suggestions.
What should I do? I am planning on taking it to the head of department. | 2019/09/24 | [
"https://academia.stackexchange.com/questions/137554",
"https://academia.stackexchange.com",
"https://academia.stackexchange.com/users/114370/"
] | Actually, I think you should relax and take your advisor's advice. Collaboration is a good thing, and it is a two-way street. You give a bit and you get a bit. I assume you got an acknowledgement in the paper for your help. I don't think it would be appropriate if you weren't. But authorship is a different thing.
You contributed ideas. Research seminars are often organized to give ideas to researchers but the members don't become co-authors in the normal case.
Congratulate your colleague and, as your advisor suggests, spend your effort on your own work, not raising an objection to someone else's.
But, it is good that you contributed ideas. Do that a lot and you will have a lot of people willing and happy to work with you. Occasionally you may need that help.
Pay it forward. | There are plenty of answers already, so there will naturally be some overlap between mine and what's already said, but I hope to be able to give some food for thought anyways.
First of all, judging by the way you express yourself, both on the OP and the comments, you seem to be quite agitated by the situation. Before you do anything, you need to **find a way to calm down** and try to think straight. Don't take any rash decisions, in the heat of the moment. As others have also eluded to, it might have detrimental and unexpected effects down the road. That's step 1.
Then let's unpack the situation, you are in a lab where there is some research is carried out. On this one project you *feel* you have more hands on experience on a field/method than the PI. The fact that **your PI trusts your knowledge** and brings you in is a very positive sign. Second positive sign, I believe, that you are in a lab where **expertise is shared** and people contribute to each other's projects. I have worked in intellectual isolation long enough to appreciate how valuable that is. Try to reflect on that a bit, that's step 2.
I think **your frustration is justified**. However, it is not uncommon that situations like these happen. What counts as authorship varies ALOT between labs, and even among the research groups at the same place. That is just a fact. It's a bit of the culture that the PI fosters (or allows) within the group. Also, don't even question on why the PI is on the paper, that jsut is the case, s/he pays for all of you, and has likely contributed to writing the paper. You might disagree with it, but it simply is the case. I think it would be fair to say many users here at AC.SE have experienced one or more cases like this.
Once you have calmed down, what can you do? The way I see it, you have two options:
1. Accept the situation and commit to the existing culture. Again, you don't need to agree with it, you just need to get through. Play the game with the rules others are playing, if you want to keep playing. **Next time you get called in for your expertise, establish the mode of collaboration as the first thing, before you commit.** Otherwise, learn as much as you can, get your projects done and move on. Next place you go to, you can (and likely will) pay more attention to these kind of things.
2. If the situation really doesn't sit well with you and you don't think you can work effectively in that place anymore (in other words if the bridges are burned from your end) then you can certainly complain and "fight". I think you can make a case, but my guess is that nothing will really change with respect to this paper. But you might seriously hurt your position in your group. If being right is the most important thing for you, then surely whatever we/your PI/head of the dept will say won't make it better.
This reminds me about that silly joke, if you are in a fight with your spouse you can be either right or happy, both not both. Choose what matters most for you, and go that way. There will be consequences either way, I feel. |
137,554 | My PhD supervisor (in the field of artificial intelligence) invited me to several meetings with another PhD student. Since I have more knowledge than my supervisor in some topics, I made many suggestions about how this student could improve his methodology. In total, I went to 5 meetings of 3–4 hours each. I could have used this time to do my own research.
When the other student started to write his manuscript, I asked to be an author, since I had contributed directly to the research, but he felt I only deserved to appear in the acknowledgments. So I asked my supervisor to be on the paper and even volunteered to help writing it. My supervisor said “Don't worry about his paper, you have your own things to do, and he is not going to submit this work anytime soon”.
One week later, they submitted the paper to a major conference without my name on it. I felt really insulted that they used my time and skills with no credit to me.
I didn't actively do the research or help write the paper, but I felt I was supervising the student since I have the most experience on this topic. Many academics in my field get their names on papers by just giving suggestions.
What should I do? I am planning on taking it to the head of department. | 2019/09/24 | [
"https://academia.stackexchange.com/questions/137554",
"https://academia.stackexchange.com",
"https://academia.stackexchange.com/users/114370/"
] | >
> When the PhD student started to write a paper about it, I asked him to be on the paper, since I felt I contributed directly to his research. But he said I just gave him suggestions and he could add me in the acknowledgments, not as co-author. And he said I should ask my supervisor if I deserve to be on the paper.
>
>
>
As a general rule, contributing ideas, providing feedback, inspiring others does not qualify a person for authorship. During such discussions, we think and state our own views and ideas without paying much heed to the legwork involved for implementing the same.
Making those ideas come to life are an entirely different thing.
>
> One week later, they submitted the paper to a major conference without my name on it. I felt really insulting that they used my time and my skills with no benefit for me.
>
>
>
You have gained plenty from these discussions. You got to parade your knowledge and mind before others. You draw inspiration from them and later on you may gain a formal collaboration. Also, you gained an acknowledgement. Anything more, would be injustice to the authors involved in the paper.
Science rarely progresses without discussion with people from diverse backgrounds. That is what makes science inter-disciplinary. | The other answers cover most of the points but I’d just like to add that submission doesn’t necessarily equate with acceptance. They may have rushed this paper slightly to meet a conference deadline and neglected you in the rush to submit. They may be planning a journal submission after the conference and would like to collaborate with you on this. The supervisor/student may have decided to "take a punt" on this conference, knowing that the paper will be reviewed quickly and that reviewers' comments will be useful even if it is a likely rejection.
Bottom line: don’t take it personally. Consider if you **want** an authorship on a paper that you have had no direct control over. |
137,554 | My PhD supervisor (in the field of artificial intelligence) invited me to several meetings with another PhD student. Since I have more knowledge than my supervisor in some topics, I made many suggestions about how this student could improve his methodology. In total, I went to 5 meetings of 3–4 hours each. I could have used this time to do my own research.
When the other student started to write his manuscript, I asked to be an author, since I had contributed directly to the research, but he felt I only deserved to appear in the acknowledgments. So I asked my supervisor to be on the paper and even volunteered to help writing it. My supervisor said “Don't worry about his paper, you have your own things to do, and he is not going to submit this work anytime soon”.
One week later, they submitted the paper to a major conference without my name on it. I felt really insulted that they used my time and skills with no credit to me.
I didn't actively do the research or help write the paper, but I felt I was supervising the student since I have the most experience on this topic. Many academics in my field get their names on papers by just giving suggestions.
What should I do? I am planning on taking it to the head of department. | 2019/09/24 | [
"https://academia.stackexchange.com/questions/137554",
"https://academia.stackexchange.com",
"https://academia.stackexchange.com/users/114370/"
] | Actually, I think you should relax and take your advisor's advice. Collaboration is a good thing, and it is a two-way street. You give a bit and you get a bit. I assume you got an acknowledgement in the paper for your help. I don't think it would be appropriate if you weren't. But authorship is a different thing.
You contributed ideas. Research seminars are often organized to give ideas to researchers but the members don't become co-authors in the normal case.
Congratulate your colleague and, as your advisor suggests, spend your effort on your own work, not raising an objection to someone else's.
But, it is good that you contributed ideas. Do that a lot and you will have a lot of people willing and happy to work with you. Occasionally you may need that help.
Pay it forward. | You have numerous replies. I will simply say "no, by my and what I believe are reasonable standards, you are not qualified to be a co-author" and "no you would be very unwise to involve the department head/chairperson." If one of my Ph.D. students felt the way you do, I would counsel them appropriately. If they subsequently went to the Head/Chairperson, I would sanction them (such as tell them to move to a different advisor). |
137,554 | My PhD supervisor (in the field of artificial intelligence) invited me to several meetings with another PhD student. Since I have more knowledge than my supervisor in some topics, I made many suggestions about how this student could improve his methodology. In total, I went to 5 meetings of 3–4 hours each. I could have used this time to do my own research.
When the other student started to write his manuscript, I asked to be an author, since I had contributed directly to the research, but he felt I only deserved to appear in the acknowledgments. So I asked my supervisor to be on the paper and even volunteered to help writing it. My supervisor said “Don't worry about his paper, you have your own things to do, and he is not going to submit this work anytime soon”.
One week later, they submitted the paper to a major conference without my name on it. I felt really insulted that they used my time and skills with no credit to me.
I didn't actively do the research or help write the paper, but I felt I was supervising the student since I have the most experience on this topic. Many academics in my field get their names on papers by just giving suggestions.
What should I do? I am planning on taking it to the head of department. | 2019/09/24 | [
"https://academia.stackexchange.com/questions/137554",
"https://academia.stackexchange.com",
"https://academia.stackexchange.com/users/114370/"
] | >
> I am planing in taking it to the head of department.
>
>
>
Let me assure you that this is a bad idea. 99 times out of 100 the department head will not intervene in these matters. Moreover even if they do (again, super unlikely), and you get things your way with this paper, I assure you that this will forever mar your relationship with your advisor. I would be extremely upset if one of my students went over my head like this.
How about you have a discussion with your advisor about how you feel? What constitutes author worthy contribution highly varies between research groups, so I would not be so quick to decide that your contribution suffices (nor am I in a better position than **your advisor** to make this call). Maybe you can be more involved in follow ups? In relating this work to your own? As Buffy mentions, you’re not just letting it go because that’s the way it is, it’s also because being adversarial will have far reaching repercussions beyond this one paper!
In my experience, a collaborative approach pays dividends in the long run: Be the person people want to talk research with!
**EDIT:**
To clarify: It is impossible to judge whether X number of hours warrants coauthorship status, as this is very discipline/relationship related. Some PIs think that even a short conversation about the paper and some suggestions warrant coauthorship, others think that unless you actively participate in writing you shouldn't be a coauthor.
Unless something outright unethical is happening (e.g. the OP made major contributions, which is not obvious from the OP), I don't think they have a case, certainly not one department head I've met would intervene in.. | It's possible that your supervisor and your cuckoo think that you don't deserve co-authorship because they didn't let you edit the paper before submitting it. But the amount of time you spent providing needed advice and guidance in my opinion deserves more than a mere acknowledgement.
That said, raising a stink about this paper isn't going to be helpful to you. You need to finish your own degree, and making an ennemy of your advisor is not the way to get there. In addition, most department chairs are not real managers, and all they'd do with such a request is flee, not try to help you over the opinion of their colleague. So you should probably just let this slide, and maybe try to get an acknowledgement in the final published product.
But you should also pay attention to what this incident says about your advisor. Pursue every possible opportunity to publish with other people! If possible far-away people who don't have any institutional links with him. Be very sure that all help you provide him in your field of expertise will bring you at least co-authorship on whatever the project is, negotiating that up front. Make sure he doesn't just suck you dry for the duration of your studies. Don't outright refuse to cooperate, but be vague and unavailable if necessary. |
137,554 | My PhD supervisor (in the field of artificial intelligence) invited me to several meetings with another PhD student. Since I have more knowledge than my supervisor in some topics, I made many suggestions about how this student could improve his methodology. In total, I went to 5 meetings of 3–4 hours each. I could have used this time to do my own research.
When the other student started to write his manuscript, I asked to be an author, since I had contributed directly to the research, but he felt I only deserved to appear in the acknowledgments. So I asked my supervisor to be on the paper and even volunteered to help writing it. My supervisor said “Don't worry about his paper, you have your own things to do, and he is not going to submit this work anytime soon”.
One week later, they submitted the paper to a major conference without my name on it. I felt really insulted that they used my time and skills with no credit to me.
I didn't actively do the research or help write the paper, but I felt I was supervising the student since I have the most experience on this topic. Many academics in my field get their names on papers by just giving suggestions.
What should I do? I am planning on taking it to the head of department. | 2019/09/24 | [
"https://academia.stackexchange.com/questions/137554",
"https://academia.stackexchange.com",
"https://academia.stackexchange.com/users/114370/"
] | There are plenty of answers already, so there will naturally be some overlap between mine and what's already said, but I hope to be able to give some food for thought anyways.
First of all, judging by the way you express yourself, both on the OP and the comments, you seem to be quite agitated by the situation. Before you do anything, you need to **find a way to calm down** and try to think straight. Don't take any rash decisions, in the heat of the moment. As others have also eluded to, it might have detrimental and unexpected effects down the road. That's step 1.
Then let's unpack the situation, you are in a lab where there is some research is carried out. On this one project you *feel* you have more hands on experience on a field/method than the PI. The fact that **your PI trusts your knowledge** and brings you in is a very positive sign. Second positive sign, I believe, that you are in a lab where **expertise is shared** and people contribute to each other's projects. I have worked in intellectual isolation long enough to appreciate how valuable that is. Try to reflect on that a bit, that's step 2.
I think **your frustration is justified**. However, it is not uncommon that situations like these happen. What counts as authorship varies ALOT between labs, and even among the research groups at the same place. That is just a fact. It's a bit of the culture that the PI fosters (or allows) within the group. Also, don't even question on why the PI is on the paper, that jsut is the case, s/he pays for all of you, and has likely contributed to writing the paper. You might disagree with it, but it simply is the case. I think it would be fair to say many users here at AC.SE have experienced one or more cases like this.
Once you have calmed down, what can you do? The way I see it, you have two options:
1. Accept the situation and commit to the existing culture. Again, you don't need to agree with it, you just need to get through. Play the game with the rules others are playing, if you want to keep playing. **Next time you get called in for your expertise, establish the mode of collaboration as the first thing, before you commit.** Otherwise, learn as much as you can, get your projects done and move on. Next place you go to, you can (and likely will) pay more attention to these kind of things.
2. If the situation really doesn't sit well with you and you don't think you can work effectively in that place anymore (in other words if the bridges are burned from your end) then you can certainly complain and "fight". I think you can make a case, but my guess is that nothing will really change with respect to this paper. But you might seriously hurt your position in your group. If being right is the most important thing for you, then surely whatever we/your PI/head of the dept will say won't make it better.
This reminds me about that silly joke, if you are in a fight with your spouse you can be either right or happy, both not both. Choose what matters most for you, and go that way. There will be consequences either way, I feel. | There are some formal rules around academic ethics in relation to authorship. [Vancouver Protocol](http://storage.googleapis.com/wzukusers/user-17415557/documents/56640b2c61339C4KMzWo/Vancouver%20Protocol.pdf) states that authorship credit should be based only on substantial contributions to:
1. conception and design, the acquisition of the data, and/\* or analysis and interpretation of data
AND
2. drafting the article or revising it critically for important intellectual content
AND
3. final approval of the version to be published.
Conditions 1, 2, and 3 must all be met. Specifically, general supervision of the research group is not sufficient for authorship.
These are actually tough requirements that many authors do not seem to meet, so the reality of ethics w.r.t. authorship is less perfect than it could be. But when complaining formally, you should perhaps refer to formal rules in addition to (or even in place of) citing similar cases where a person that did as much as you did got an authorship regardless of whether he/she was actually entitled to that according to the rules. |
137,554 | My PhD supervisor (in the field of artificial intelligence) invited me to several meetings with another PhD student. Since I have more knowledge than my supervisor in some topics, I made many suggestions about how this student could improve his methodology. In total, I went to 5 meetings of 3–4 hours each. I could have used this time to do my own research.
When the other student started to write his manuscript, I asked to be an author, since I had contributed directly to the research, but he felt I only deserved to appear in the acknowledgments. So I asked my supervisor to be on the paper and even volunteered to help writing it. My supervisor said “Don't worry about his paper, you have your own things to do, and he is not going to submit this work anytime soon”.
One week later, they submitted the paper to a major conference without my name on it. I felt really insulted that they used my time and skills with no credit to me.
I didn't actively do the research or help write the paper, but I felt I was supervising the student since I have the most experience on this topic. Many academics in my field get their names on papers by just giving suggestions.
What should I do? I am planning on taking it to the head of department. | 2019/09/24 | [
"https://academia.stackexchange.com/questions/137554",
"https://academia.stackexchange.com",
"https://academia.stackexchange.com/users/114370/"
] | >
> I am planing in taking it to the head of department.
>
>
>
Let me assure you that this is a bad idea. 99 times out of 100 the department head will not intervene in these matters. Moreover even if they do (again, super unlikely), and you get things your way with this paper, I assure you that this will forever mar your relationship with your advisor. I would be extremely upset if one of my students went over my head like this.
How about you have a discussion with your advisor about how you feel? What constitutes author worthy contribution highly varies between research groups, so I would not be so quick to decide that your contribution suffices (nor am I in a better position than **your advisor** to make this call). Maybe you can be more involved in follow ups? In relating this work to your own? As Buffy mentions, you’re not just letting it go because that’s the way it is, it’s also because being adversarial will have far reaching repercussions beyond this one paper!
In my experience, a collaborative approach pays dividends in the long run: Be the person people want to talk research with!
**EDIT:**
To clarify: It is impossible to judge whether X number of hours warrants coauthorship status, as this is very discipline/relationship related. Some PIs think that even a short conversation about the paper and some suggestions warrant coauthorship, others think that unless you actively participate in writing you shouldn't be a coauthor.
Unless something outright unethical is happening (e.g. the OP made major contributions, which is not obvious from the OP), I don't think they have a case, certainly not one department head I've met would intervene in.. | There are some formal rules around academic ethics in relation to authorship. [Vancouver Protocol](http://storage.googleapis.com/wzukusers/user-17415557/documents/56640b2c61339C4KMzWo/Vancouver%20Protocol.pdf) states that authorship credit should be based only on substantial contributions to:
1. conception and design, the acquisition of the data, and/\* or analysis and interpretation of data
AND
2. drafting the article or revising it critically for important intellectual content
AND
3. final approval of the version to be published.
Conditions 1, 2, and 3 must all be met. Specifically, general supervision of the research group is not sufficient for authorship.
These are actually tough requirements that many authors do not seem to meet, so the reality of ethics w.r.t. authorship is less perfect than it could be. But when complaining formally, you should perhaps refer to formal rules in addition to (or even in place of) citing similar cases where a person that did as much as you did got an authorship regardless of whether he/she was actually entitled to that according to the rules. |
137,554 | My PhD supervisor (in the field of artificial intelligence) invited me to several meetings with another PhD student. Since I have more knowledge than my supervisor in some topics, I made many suggestions about how this student could improve his methodology. In total, I went to 5 meetings of 3–4 hours each. I could have used this time to do my own research.
When the other student started to write his manuscript, I asked to be an author, since I had contributed directly to the research, but he felt I only deserved to appear in the acknowledgments. So I asked my supervisor to be on the paper and even volunteered to help writing it. My supervisor said “Don't worry about his paper, you have your own things to do, and he is not going to submit this work anytime soon”.
One week later, they submitted the paper to a major conference without my name on it. I felt really insulted that they used my time and skills with no credit to me.
I didn't actively do the research or help write the paper, but I felt I was supervising the student since I have the most experience on this topic. Many academics in my field get their names on papers by just giving suggestions.
What should I do? I am planning on taking it to the head of department. | 2019/09/24 | [
"https://academia.stackexchange.com/questions/137554",
"https://academia.stackexchange.com",
"https://academia.stackexchange.com/users/114370/"
] | >
> I am planing in taking it to the head of department.
>
>
>
Let me assure you that this is a bad idea. 99 times out of 100 the department head will not intervene in these matters. Moreover even if they do (again, super unlikely), and you get things your way with this paper, I assure you that this will forever mar your relationship with your advisor. I would be extremely upset if one of my students went over my head like this.
How about you have a discussion with your advisor about how you feel? What constitutes author worthy contribution highly varies between research groups, so I would not be so quick to decide that your contribution suffices (nor am I in a better position than **your advisor** to make this call). Maybe you can be more involved in follow ups? In relating this work to your own? As Buffy mentions, you’re not just letting it go because that’s the way it is, it’s also because being adversarial will have far reaching repercussions beyond this one paper!
In my experience, a collaborative approach pays dividends in the long run: Be the person people want to talk research with!
**EDIT:**
To clarify: It is impossible to judge whether X number of hours warrants coauthorship status, as this is very discipline/relationship related. Some PIs think that even a short conversation about the paper and some suggestions warrant coauthorship, others think that unless you actively participate in writing you shouldn't be a coauthor.
Unless something outright unethical is happening (e.g. the OP made major contributions, which is not obvious from the OP), I don't think they have a case, certainly not one department head I've met would intervene in.. | You have numerous replies. I will simply say "no, by my and what I believe are reasonable standards, you are not qualified to be a co-author" and "no you would be very unwise to involve the department head/chairperson." If one of my Ph.D. students felt the way you do, I would counsel them appropriately. If they subsequently went to the Head/Chairperson, I would sanction them (such as tell them to move to a different advisor). |
137,554 | My PhD supervisor (in the field of artificial intelligence) invited me to several meetings with another PhD student. Since I have more knowledge than my supervisor in some topics, I made many suggestions about how this student could improve his methodology. In total, I went to 5 meetings of 3–4 hours each. I could have used this time to do my own research.
When the other student started to write his manuscript, I asked to be an author, since I had contributed directly to the research, but he felt I only deserved to appear in the acknowledgments. So I asked my supervisor to be on the paper and even volunteered to help writing it. My supervisor said “Don't worry about his paper, you have your own things to do, and he is not going to submit this work anytime soon”.
One week later, they submitted the paper to a major conference without my name on it. I felt really insulted that they used my time and skills with no credit to me.
I didn't actively do the research or help write the paper, but I felt I was supervising the student since I have the most experience on this topic. Many academics in my field get their names on papers by just giving suggestions.
What should I do? I am planning on taking it to the head of department. | 2019/09/24 | [
"https://academia.stackexchange.com/questions/137554",
"https://academia.stackexchange.com",
"https://academia.stackexchange.com/users/114370/"
] | Actually, I think you should relax and take your advisor's advice. Collaboration is a good thing, and it is a two-way street. You give a bit and you get a bit. I assume you got an acknowledgement in the paper for your help. I don't think it would be appropriate if you weren't. But authorship is a different thing.
You contributed ideas. Research seminars are often organized to give ideas to researchers but the members don't become co-authors in the normal case.
Congratulate your colleague and, as your advisor suggests, spend your effort on your own work, not raising an objection to someone else's.
But, it is good that you contributed ideas. Do that a lot and you will have a lot of people willing and happy to work with you. Occasionally you may need that help.
Pay it forward. | In the future I’d suggest being clearer about whether a project is joint work earlier in the process. It doesn’t sound to me from your description that you deserve coauthorship, but I do see why you feel shortchanged. The earlier on that you have this conversation the less chance there is for miscommunication and hurt feelings. |
137,554 | My PhD supervisor (in the field of artificial intelligence) invited me to several meetings with another PhD student. Since I have more knowledge than my supervisor in some topics, I made many suggestions about how this student could improve his methodology. In total, I went to 5 meetings of 3–4 hours each. I could have used this time to do my own research.
When the other student started to write his manuscript, I asked to be an author, since I had contributed directly to the research, but he felt I only deserved to appear in the acknowledgments. So I asked my supervisor to be on the paper and even volunteered to help writing it. My supervisor said “Don't worry about his paper, you have your own things to do, and he is not going to submit this work anytime soon”.
One week later, they submitted the paper to a major conference without my name on it. I felt really insulted that they used my time and skills with no credit to me.
I didn't actively do the research or help write the paper, but I felt I was supervising the student since I have the most experience on this topic. Many academics in my field get their names on papers by just giving suggestions.
What should I do? I am planning on taking it to the head of department. | 2019/09/24 | [
"https://academia.stackexchange.com/questions/137554",
"https://academia.stackexchange.com",
"https://academia.stackexchange.com/users/114370/"
] | The other answers cover most of the points but I’d just like to add that submission doesn’t necessarily equate with acceptance. They may have rushed this paper slightly to meet a conference deadline and neglected you in the rush to submit. They may be planning a journal submission after the conference and would like to collaborate with you on this. The supervisor/student may have decided to "take a punt" on this conference, knowing that the paper will be reviewed quickly and that reviewers' comments will be useful even if it is a likely rejection.
Bottom line: don’t take it personally. Consider if you **want** an authorship on a paper that you have had no direct control over. | It's possible that your supervisor and your cuckoo think that you don't deserve co-authorship because they didn't let you edit the paper before submitting it. But the amount of time you spent providing needed advice and guidance in my opinion deserves more than a mere acknowledgement.
That said, raising a stink about this paper isn't going to be helpful to you. You need to finish your own degree, and making an ennemy of your advisor is not the way to get there. In addition, most department chairs are not real managers, and all they'd do with such a request is flee, not try to help you over the opinion of their colleague. So you should probably just let this slide, and maybe try to get an acknowledgement in the final published product.
But you should also pay attention to what this incident says about your advisor. Pursue every possible opportunity to publish with other people! If possible far-away people who don't have any institutional links with him. Be very sure that all help you provide him in your field of expertise will bring you at least co-authorship on whatever the project is, negotiating that up front. Make sure he doesn't just suck you dry for the duration of your studies. Don't outright refuse to cooperate, but be vague and unavailable if necessary. |
41,784 | A coworker and I started within a week of each other. We both interviewed for the same position and he is at a different level since he is a fresh graduate. We never had a good working chemistry and I did not report his faux pas to my manager in the past. Fortunately, we no longer work on the same projects.
Recently, things got worse. He was supposed to get some packages via mail. I also got some packages the same week(both are work related). The office personnel told him that I might have them since I signed for some packages this week. I told him that the received packages were mine (my packages were from a place that does not sell the stuff he wants). He wanted to open packages worth thousands of dollars as if I was lying. I sent an email copying the manager, office personnel and this coworker. The office personnel apologized after realizing that this coworker's package never arrived.
As silly as my previous case sounds, this person has been passing unwarranted criticisms at my work. I brought this up to my manager and he told me that:
>
> He is a very young person, just out of college and he probably does
> not mean the things he utters.
>
>
>
I decided to ignore this coworker but he did not stop there. I don't know how we landed up talking about my personal life but he recently passed a remark about my personal life. He said:
>
> If you don't get married in a year or two, you will end up with
> divorcees or women with children. I am just saying...
>
>
>
a) I consider it is an insult to all women and b) he has no respect for me.
These aren't just 2 incidents. He has made remarks about my weight, eating habits, my work, religion and where I come from. I am appalled by his remarks.
I was concerned that these remarks could have been provoked by me and I asked people close to me whether I am insensitive during my interaction with other people. They told me that they never had any problems with me.
This coworker is insensitive while talking to everyone else in the organization. I have seen him utter stupid things and get snubbed, pass remarks about his own religious practices to others etc.
I have decided to completely ignore this person as I have found myself worked up about this person(It is affecting my personal life. I have caught myself venting my anger on the car while I am driving on the freeway). The problem is that he sits right next to me. I really don't want to greet him or have any form of conversation with this person. I walk in wearing my headphones and pretend that I am listening to loud music.
I don't want to bring this up to my manager as this coworker turns out to be manager's favorite (My manager can't stop singing praises about how much work he does than the rest of us). I don't want to sound like a whiner either. I really don't want to discuss this with my coworker. I firmly believe that it is not my job to teach workplace "no-no" to this person.
If I do ignore and stop talking to this person, I would have to work with this person in the future. I strongly feel that I should stop interacting with this person as I should focus my energy on my work/life. I have been contemplating if I should switch jobs and move on. This job is not working out in several aspects but it is still better than my previous job.
How do I navigate this situation? | 2015/02/22 | [
"https://workplace.stackexchange.com/questions/41784",
"https://workplace.stackexchange.com",
"https://workplace.stackexchange.com/users/32804/"
] | Your resume is your sales brochure. While you shouldn't tell any untruths, there is no need for it to give every piece of information you have. If you don't think listing something you did would help you, then don't put it on.
If that leaves a gap in your employment record, you are going to have to account for that at some stage. A thorough recruiter will ask what you were doing in that time, and you should answer honestly, but the time for that is in an interview. However the jobs you describe don't sound like they would help you at all. This is true especially if they were done before you got your primary qualification in your current field. Nobody will assume that you are trying to hide a criminal record or anything like that. | I think that you should have an "additional work experience" section in your CV, where you can list additional positions and smaller jobs that contributed to your professional development. Warehouses, fast foods, call center... everything will contribute to showing that you worked hard to get where you are and that makes you a responsible person by itself. Before that, in the "work experience" section you can list the relevant work experience. Gaps will be explained in the "additional" section. At the interview you will be able to explain what happened in your life to cause career stops or gaps. |
41,784 | A coworker and I started within a week of each other. We both interviewed for the same position and he is at a different level since he is a fresh graduate. We never had a good working chemistry and I did not report his faux pas to my manager in the past. Fortunately, we no longer work on the same projects.
Recently, things got worse. He was supposed to get some packages via mail. I also got some packages the same week(both are work related). The office personnel told him that I might have them since I signed for some packages this week. I told him that the received packages were mine (my packages were from a place that does not sell the stuff he wants). He wanted to open packages worth thousands of dollars as if I was lying. I sent an email copying the manager, office personnel and this coworker. The office personnel apologized after realizing that this coworker's package never arrived.
As silly as my previous case sounds, this person has been passing unwarranted criticisms at my work. I brought this up to my manager and he told me that:
>
> He is a very young person, just out of college and he probably does
> not mean the things he utters.
>
>
>
I decided to ignore this coworker but he did not stop there. I don't know how we landed up talking about my personal life but he recently passed a remark about my personal life. He said:
>
> If you don't get married in a year or two, you will end up with
> divorcees or women with children. I am just saying...
>
>
>
a) I consider it is an insult to all women and b) he has no respect for me.
These aren't just 2 incidents. He has made remarks about my weight, eating habits, my work, religion and where I come from. I am appalled by his remarks.
I was concerned that these remarks could have been provoked by me and I asked people close to me whether I am insensitive during my interaction with other people. They told me that they never had any problems with me.
This coworker is insensitive while talking to everyone else in the organization. I have seen him utter stupid things and get snubbed, pass remarks about his own religious practices to others etc.
I have decided to completely ignore this person as I have found myself worked up about this person(It is affecting my personal life. I have caught myself venting my anger on the car while I am driving on the freeway). The problem is that he sits right next to me. I really don't want to greet him or have any form of conversation with this person. I walk in wearing my headphones and pretend that I am listening to loud music.
I don't want to bring this up to my manager as this coworker turns out to be manager's favorite (My manager can't stop singing praises about how much work he does than the rest of us). I don't want to sound like a whiner either. I really don't want to discuss this with my coworker. I firmly believe that it is not my job to teach workplace "no-no" to this person.
If I do ignore and stop talking to this person, I would have to work with this person in the future. I strongly feel that I should stop interacting with this person as I should focus my energy on my work/life. I have been contemplating if I should switch jobs and move on. This job is not working out in several aspects but it is still better than my previous job.
How do I navigate this situation? | 2015/02/22 | [
"https://workplace.stackexchange.com/questions/41784",
"https://workplace.stackexchange.com",
"https://workplace.stackexchange.com/users/32804/"
] | I think that you should have an "additional work experience" section in your CV, where you can list additional positions and smaller jobs that contributed to your professional development. Warehouses, fast foods, call center... everything will contribute to showing that you worked hard to get where you are and that makes you a responsible person by itself. Before that, in the "work experience" section you can list the relevant work experience. Gaps will be explained in the "additional" section. At the interview you will be able to explain what happened in your life to cause career stops or gaps. | Leave the graduation year off your CV. That will solve the problem of the possibility of HR extrapolating your age from your experience.
Once you've done that, just put the relevant work experience in. That is, excise all the stuff you did that is in a different field
Note that it is not "dishonest" to keep a CV short, hiring managers *like* that.
Given your age, nobody will care what you were really up to when you were 19-25 anyway. |
41,784 | A coworker and I started within a week of each other. We both interviewed for the same position and he is at a different level since he is a fresh graduate. We never had a good working chemistry and I did not report his faux pas to my manager in the past. Fortunately, we no longer work on the same projects.
Recently, things got worse. He was supposed to get some packages via mail. I also got some packages the same week(both are work related). The office personnel told him that I might have them since I signed for some packages this week. I told him that the received packages were mine (my packages were from a place that does not sell the stuff he wants). He wanted to open packages worth thousands of dollars as if I was lying. I sent an email copying the manager, office personnel and this coworker. The office personnel apologized after realizing that this coworker's package never arrived.
As silly as my previous case sounds, this person has been passing unwarranted criticisms at my work. I brought this up to my manager and he told me that:
>
> He is a very young person, just out of college and he probably does
> not mean the things he utters.
>
>
>
I decided to ignore this coworker but he did not stop there. I don't know how we landed up talking about my personal life but he recently passed a remark about my personal life. He said:
>
> If you don't get married in a year or two, you will end up with
> divorcees or women with children. I am just saying...
>
>
>
a) I consider it is an insult to all women and b) he has no respect for me.
These aren't just 2 incidents. He has made remarks about my weight, eating habits, my work, religion and where I come from. I am appalled by his remarks.
I was concerned that these remarks could have been provoked by me and I asked people close to me whether I am insensitive during my interaction with other people. They told me that they never had any problems with me.
This coworker is insensitive while talking to everyone else in the organization. I have seen him utter stupid things and get snubbed, pass remarks about his own religious practices to others etc.
I have decided to completely ignore this person as I have found myself worked up about this person(It is affecting my personal life. I have caught myself venting my anger on the car while I am driving on the freeway). The problem is that he sits right next to me. I really don't want to greet him or have any form of conversation with this person. I walk in wearing my headphones and pretend that I am listening to loud music.
I don't want to bring this up to my manager as this coworker turns out to be manager's favorite (My manager can't stop singing praises about how much work he does than the rest of us). I don't want to sound like a whiner either. I really don't want to discuss this with my coworker. I firmly believe that it is not my job to teach workplace "no-no" to this person.
If I do ignore and stop talking to this person, I would have to work with this person in the future. I strongly feel that I should stop interacting with this person as I should focus my energy on my work/life. I have been contemplating if I should switch jobs and move on. This job is not working out in several aspects but it is still better than my previous job.
How do I navigate this situation? | 2015/02/22 | [
"https://workplace.stackexchange.com/questions/41784",
"https://workplace.stackexchange.com",
"https://workplace.stackexchange.com/users/32804/"
] | Your resume is your sales brochure. While you shouldn't tell any untruths, there is no need for it to give every piece of information you have. If you don't think listing something you did would help you, then don't put it on.
If that leaves a gap in your employment record, you are going to have to account for that at some stage. A thorough recruiter will ask what you were doing in that time, and you should answer honestly, but the time for that is in an interview. However the jobs you describe don't sound like they would help you at all. This is true especially if they were done before you got your primary qualification in your current field. Nobody will assume that you are trying to hide a criminal record or anything like that. | If you have a degree, your status as a "high school dropout" is irrelevant, just as nobody begrudges the former CEO of Microsoft for being a university dropout. And many people start careers late because it is a second career, or that it took them a while to find the first career. And when I was a hiring manager for a software development team, I mostly didn't care about what people did more than 8 years ago, no matter how old or experienced they were, or whether they were flipping burgers or working in rocket science (I saw both).
All of my high-school and university jobs are not on my resume. And a couple of failed career tangents, and a couple of really bad tech jobs are not there either. My resume has gaps, because I was let go a lot. Why? Number one reason.....start-ups run out of money, and fire people to control costs. Number 2 reason? We have had 2 major multi-year tech recessions since the year 2000. (2002-2004, and 2008-2010). Number 3 reason? My skills didn't match the market demand for a while.
People will have gaps. There is no shame in having a gap. And in spite of gaps, I kept getting hired back. You will too.
Your resume is you telling your future manager a story of how your past performance is going to predict how well you'll work for him. What you did more than 8 years ago is usually irrelevant. And if there are big gaps, don't list them, but be prepared to confidently declare what you did and how it helped you. |
41,784 | A coworker and I started within a week of each other. We both interviewed for the same position and he is at a different level since he is a fresh graduate. We never had a good working chemistry and I did not report his faux pas to my manager in the past. Fortunately, we no longer work on the same projects.
Recently, things got worse. He was supposed to get some packages via mail. I also got some packages the same week(both are work related). The office personnel told him that I might have them since I signed for some packages this week. I told him that the received packages were mine (my packages were from a place that does not sell the stuff he wants). He wanted to open packages worth thousands of dollars as if I was lying. I sent an email copying the manager, office personnel and this coworker. The office personnel apologized after realizing that this coworker's package never arrived.
As silly as my previous case sounds, this person has been passing unwarranted criticisms at my work. I brought this up to my manager and he told me that:
>
> He is a very young person, just out of college and he probably does
> not mean the things he utters.
>
>
>
I decided to ignore this coworker but he did not stop there. I don't know how we landed up talking about my personal life but he recently passed a remark about my personal life. He said:
>
> If you don't get married in a year or two, you will end up with
> divorcees or women with children. I am just saying...
>
>
>
a) I consider it is an insult to all women and b) he has no respect for me.
These aren't just 2 incidents. He has made remarks about my weight, eating habits, my work, religion and where I come from. I am appalled by his remarks.
I was concerned that these remarks could have been provoked by me and I asked people close to me whether I am insensitive during my interaction with other people. They told me that they never had any problems with me.
This coworker is insensitive while talking to everyone else in the organization. I have seen him utter stupid things and get snubbed, pass remarks about his own religious practices to others etc.
I have decided to completely ignore this person as I have found myself worked up about this person(It is affecting my personal life. I have caught myself venting my anger on the car while I am driving on the freeway). The problem is that he sits right next to me. I really don't want to greet him or have any form of conversation with this person. I walk in wearing my headphones and pretend that I am listening to loud music.
I don't want to bring this up to my manager as this coworker turns out to be manager's favorite (My manager can't stop singing praises about how much work he does than the rest of us). I don't want to sound like a whiner either. I really don't want to discuss this with my coworker. I firmly believe that it is not my job to teach workplace "no-no" to this person.
If I do ignore and stop talking to this person, I would have to work with this person in the future. I strongly feel that I should stop interacting with this person as I should focus my energy on my work/life. I have been contemplating if I should switch jobs and move on. This job is not working out in several aspects but it is still better than my previous job.
How do I navigate this situation? | 2015/02/22 | [
"https://workplace.stackexchange.com/questions/41784",
"https://workplace.stackexchange.com",
"https://workplace.stackexchange.com/users/32804/"
] | You should be proud of these jobs. they represent an indicator that you are militant, combatant and defying all difficulties to reach your goal.
you dont have to list these jobs in detail. just saying "Handicraft Job while studying" is a good point and indicator that you are self-motivated, hard-worker and eager to learn | I strongly recommend that your CV includes your complete work and educational history. The old stuff can be very short but it should be there. Otherwise it looks like you have something to hide. If I see any gap in a CV I always ask about it. "I took two years off trying to bike around the world" is a perfectly good gap. "I took two years off and it's none or your business" is not. In this case I have to assume that you did something that was ethically or morally questionable, just to be safe.
The notion that you can hide your age from a potential employer is idiotic. Of course they can and will find out. It's like you gender: it is what it is and it's illegal to discriminate because of it, but you really can't hide it. |
41,784 | A coworker and I started within a week of each other. We both interviewed for the same position and he is at a different level since he is a fresh graduate. We never had a good working chemistry and I did not report his faux pas to my manager in the past. Fortunately, we no longer work on the same projects.
Recently, things got worse. He was supposed to get some packages via mail. I also got some packages the same week(both are work related). The office personnel told him that I might have them since I signed for some packages this week. I told him that the received packages were mine (my packages were from a place that does not sell the stuff he wants). He wanted to open packages worth thousands of dollars as if I was lying. I sent an email copying the manager, office personnel and this coworker. The office personnel apologized after realizing that this coworker's package never arrived.
As silly as my previous case sounds, this person has been passing unwarranted criticisms at my work. I brought this up to my manager and he told me that:
>
> He is a very young person, just out of college and he probably does
> not mean the things he utters.
>
>
>
I decided to ignore this coworker but he did not stop there. I don't know how we landed up talking about my personal life but he recently passed a remark about my personal life. He said:
>
> If you don't get married in a year or two, you will end up with
> divorcees or women with children. I am just saying...
>
>
>
a) I consider it is an insult to all women and b) he has no respect for me.
These aren't just 2 incidents. He has made remarks about my weight, eating habits, my work, religion and where I come from. I am appalled by his remarks.
I was concerned that these remarks could have been provoked by me and I asked people close to me whether I am insensitive during my interaction with other people. They told me that they never had any problems with me.
This coworker is insensitive while talking to everyone else in the organization. I have seen him utter stupid things and get snubbed, pass remarks about his own religious practices to others etc.
I have decided to completely ignore this person as I have found myself worked up about this person(It is affecting my personal life. I have caught myself venting my anger on the car while I am driving on the freeway). The problem is that he sits right next to me. I really don't want to greet him or have any form of conversation with this person. I walk in wearing my headphones and pretend that I am listening to loud music.
I don't want to bring this up to my manager as this coworker turns out to be manager's favorite (My manager can't stop singing praises about how much work he does than the rest of us). I don't want to sound like a whiner either. I really don't want to discuss this with my coworker. I firmly believe that it is not my job to teach workplace "no-no" to this person.
If I do ignore and stop talking to this person, I would have to work with this person in the future. I strongly feel that I should stop interacting with this person as I should focus my energy on my work/life. I have been contemplating if I should switch jobs and move on. This job is not working out in several aspects but it is still better than my previous job.
How do I navigate this situation? | 2015/02/22 | [
"https://workplace.stackexchange.com/questions/41784",
"https://workplace.stackexchange.com",
"https://workplace.stackexchange.com/users/32804/"
] | I think that you should have an "additional work experience" section in your CV, where you can list additional positions and smaller jobs that contributed to your professional development. Warehouses, fast foods, call center... everything will contribute to showing that you worked hard to get where you are and that makes you a responsible person by itself. Before that, in the "work experience" section you can list the relevant work experience. Gaps will be explained in the "additional" section. At the interview you will be able to explain what happened in your life to cause career stops or gaps. | I strongly recommend that your CV includes your complete work and educational history. The old stuff can be very short but it should be there. Otherwise it looks like you have something to hide. If I see any gap in a CV I always ask about it. "I took two years off trying to bike around the world" is a perfectly good gap. "I took two years off and it's none or your business" is not. In this case I have to assume that you did something that was ethically or morally questionable, just to be safe.
The notion that you can hide your age from a potential employer is idiotic. Of course they can and will find out. It's like you gender: it is what it is and it's illegal to discriminate because of it, but you really can't hide it. |
41,784 | A coworker and I started within a week of each other. We both interviewed for the same position and he is at a different level since he is a fresh graduate. We never had a good working chemistry and I did not report his faux pas to my manager in the past. Fortunately, we no longer work on the same projects.
Recently, things got worse. He was supposed to get some packages via mail. I also got some packages the same week(both are work related). The office personnel told him that I might have them since I signed for some packages this week. I told him that the received packages were mine (my packages were from a place that does not sell the stuff he wants). He wanted to open packages worth thousands of dollars as if I was lying. I sent an email copying the manager, office personnel and this coworker. The office personnel apologized after realizing that this coworker's package never arrived.
As silly as my previous case sounds, this person has been passing unwarranted criticisms at my work. I brought this up to my manager and he told me that:
>
> He is a very young person, just out of college and he probably does
> not mean the things he utters.
>
>
>
I decided to ignore this coworker but he did not stop there. I don't know how we landed up talking about my personal life but he recently passed a remark about my personal life. He said:
>
> If you don't get married in a year or two, you will end up with
> divorcees or women with children. I am just saying...
>
>
>
a) I consider it is an insult to all women and b) he has no respect for me.
These aren't just 2 incidents. He has made remarks about my weight, eating habits, my work, religion and where I come from. I am appalled by his remarks.
I was concerned that these remarks could have been provoked by me and I asked people close to me whether I am insensitive during my interaction with other people. They told me that they never had any problems with me.
This coworker is insensitive while talking to everyone else in the organization. I have seen him utter stupid things and get snubbed, pass remarks about his own religious practices to others etc.
I have decided to completely ignore this person as I have found myself worked up about this person(It is affecting my personal life. I have caught myself venting my anger on the car while I am driving on the freeway). The problem is that he sits right next to me. I really don't want to greet him or have any form of conversation with this person. I walk in wearing my headphones and pretend that I am listening to loud music.
I don't want to bring this up to my manager as this coworker turns out to be manager's favorite (My manager can't stop singing praises about how much work he does than the rest of us). I don't want to sound like a whiner either. I really don't want to discuss this with my coworker. I firmly believe that it is not my job to teach workplace "no-no" to this person.
If I do ignore and stop talking to this person, I would have to work with this person in the future. I strongly feel that I should stop interacting with this person as I should focus my energy on my work/life. I have been contemplating if I should switch jobs and move on. This job is not working out in several aspects but it is still better than my previous job.
How do I navigate this situation? | 2015/02/22 | [
"https://workplace.stackexchange.com/questions/41784",
"https://workplace.stackexchange.com",
"https://workplace.stackexchange.com/users/32804/"
] | If you have a degree, your status as a "high school dropout" is irrelevant, just as nobody begrudges the former CEO of Microsoft for being a university dropout. And many people start careers late because it is a second career, or that it took them a while to find the first career. And when I was a hiring manager for a software development team, I mostly didn't care about what people did more than 8 years ago, no matter how old or experienced they were, or whether they were flipping burgers or working in rocket science (I saw both).
All of my high-school and university jobs are not on my resume. And a couple of failed career tangents, and a couple of really bad tech jobs are not there either. My resume has gaps, because I was let go a lot. Why? Number one reason.....start-ups run out of money, and fire people to control costs. Number 2 reason? We have had 2 major multi-year tech recessions since the year 2000. (2002-2004, and 2008-2010). Number 3 reason? My skills didn't match the market demand for a while.
People will have gaps. There is no shame in having a gap. And in spite of gaps, I kept getting hired back. You will too.
Your resume is you telling your future manager a story of how your past performance is going to predict how well you'll work for him. What you did more than 8 years ago is usually irrelevant. And if there are big gaps, don't list them, but be prepared to confidently declare what you did and how it helped you. | Leave the graduation year off your CV. That will solve the problem of the possibility of HR extrapolating your age from your experience.
Once you've done that, just put the relevant work experience in. That is, excise all the stuff you did that is in a different field
Note that it is not "dishonest" to keep a CV short, hiring managers *like* that.
Given your age, nobody will care what you were really up to when you were 19-25 anyway. |
41,784 | A coworker and I started within a week of each other. We both interviewed for the same position and he is at a different level since he is a fresh graduate. We never had a good working chemistry and I did not report his faux pas to my manager in the past. Fortunately, we no longer work on the same projects.
Recently, things got worse. He was supposed to get some packages via mail. I also got some packages the same week(both are work related). The office personnel told him that I might have them since I signed for some packages this week. I told him that the received packages were mine (my packages were from a place that does not sell the stuff he wants). He wanted to open packages worth thousands of dollars as if I was lying. I sent an email copying the manager, office personnel and this coworker. The office personnel apologized after realizing that this coworker's package never arrived.
As silly as my previous case sounds, this person has been passing unwarranted criticisms at my work. I brought this up to my manager and he told me that:
>
> He is a very young person, just out of college and he probably does
> not mean the things he utters.
>
>
>
I decided to ignore this coworker but he did not stop there. I don't know how we landed up talking about my personal life but he recently passed a remark about my personal life. He said:
>
> If you don't get married in a year or two, you will end up with
> divorcees or women with children. I am just saying...
>
>
>
a) I consider it is an insult to all women and b) he has no respect for me.
These aren't just 2 incidents. He has made remarks about my weight, eating habits, my work, religion and where I come from. I am appalled by his remarks.
I was concerned that these remarks could have been provoked by me and I asked people close to me whether I am insensitive during my interaction with other people. They told me that they never had any problems with me.
This coworker is insensitive while talking to everyone else in the organization. I have seen him utter stupid things and get snubbed, pass remarks about his own religious practices to others etc.
I have decided to completely ignore this person as I have found myself worked up about this person(It is affecting my personal life. I have caught myself venting my anger on the car while I am driving on the freeway). The problem is that he sits right next to me. I really don't want to greet him or have any form of conversation with this person. I walk in wearing my headphones and pretend that I am listening to loud music.
I don't want to bring this up to my manager as this coworker turns out to be manager's favorite (My manager can't stop singing praises about how much work he does than the rest of us). I don't want to sound like a whiner either. I really don't want to discuss this with my coworker. I firmly believe that it is not my job to teach workplace "no-no" to this person.
If I do ignore and stop talking to this person, I would have to work with this person in the future. I strongly feel that I should stop interacting with this person as I should focus my energy on my work/life. I have been contemplating if I should switch jobs and move on. This job is not working out in several aspects but it is still better than my previous job.
How do I navigate this situation? | 2015/02/22 | [
"https://workplace.stackexchange.com/questions/41784",
"https://workplace.stackexchange.com",
"https://workplace.stackexchange.com/users/32804/"
] | I think that you should have an "additional work experience" section in your CV, where you can list additional positions and smaller jobs that contributed to your professional development. Warehouses, fast foods, call center... everything will contribute to showing that you worked hard to get where you are and that makes you a responsible person by itself. Before that, in the "work experience" section you can list the relevant work experience. Gaps will be explained in the "additional" section. At the interview you will be able to explain what happened in your life to cause career stops or gaps. | You should be proud of these jobs. they represent an indicator that you are militant, combatant and defying all difficulties to reach your goal.
you dont have to list these jobs in detail. just saying "Handicraft Job while studying" is a good point and indicator that you are self-motivated, hard-worker and eager to learn |
41,784 | A coworker and I started within a week of each other. We both interviewed for the same position and he is at a different level since he is a fresh graduate. We never had a good working chemistry and I did not report his faux pas to my manager in the past. Fortunately, we no longer work on the same projects.
Recently, things got worse. He was supposed to get some packages via mail. I also got some packages the same week(both are work related). The office personnel told him that I might have them since I signed for some packages this week. I told him that the received packages were mine (my packages were from a place that does not sell the stuff he wants). He wanted to open packages worth thousands of dollars as if I was lying. I sent an email copying the manager, office personnel and this coworker. The office personnel apologized after realizing that this coworker's package never arrived.
As silly as my previous case sounds, this person has been passing unwarranted criticisms at my work. I brought this up to my manager and he told me that:
>
> He is a very young person, just out of college and he probably does
> not mean the things he utters.
>
>
>
I decided to ignore this coworker but he did not stop there. I don't know how we landed up talking about my personal life but he recently passed a remark about my personal life. He said:
>
> If you don't get married in a year or two, you will end up with
> divorcees or women with children. I am just saying...
>
>
>
a) I consider it is an insult to all women and b) he has no respect for me.
These aren't just 2 incidents. He has made remarks about my weight, eating habits, my work, religion and where I come from. I am appalled by his remarks.
I was concerned that these remarks could have been provoked by me and I asked people close to me whether I am insensitive during my interaction with other people. They told me that they never had any problems with me.
This coworker is insensitive while talking to everyone else in the organization. I have seen him utter stupid things and get snubbed, pass remarks about his own religious practices to others etc.
I have decided to completely ignore this person as I have found myself worked up about this person(It is affecting my personal life. I have caught myself venting my anger on the car while I am driving on the freeway). The problem is that he sits right next to me. I really don't want to greet him or have any form of conversation with this person. I walk in wearing my headphones and pretend that I am listening to loud music.
I don't want to bring this up to my manager as this coworker turns out to be manager's favorite (My manager can't stop singing praises about how much work he does than the rest of us). I don't want to sound like a whiner either. I really don't want to discuss this with my coworker. I firmly believe that it is not my job to teach workplace "no-no" to this person.
If I do ignore and stop talking to this person, I would have to work with this person in the future. I strongly feel that I should stop interacting with this person as I should focus my energy on my work/life. I have been contemplating if I should switch jobs and move on. This job is not working out in several aspects but it is still better than my previous job.
How do I navigate this situation? | 2015/02/22 | [
"https://workplace.stackexchange.com/questions/41784",
"https://workplace.stackexchange.com",
"https://workplace.stackexchange.com/users/32804/"
] | If you have a degree, your status as a "high school dropout" is irrelevant, just as nobody begrudges the former CEO of Microsoft for being a university dropout. And many people start careers late because it is a second career, or that it took them a while to find the first career. And when I was a hiring manager for a software development team, I mostly didn't care about what people did more than 8 years ago, no matter how old or experienced they were, or whether they were flipping burgers or working in rocket science (I saw both).
All of my high-school and university jobs are not on my resume. And a couple of failed career tangents, and a couple of really bad tech jobs are not there either. My resume has gaps, because I was let go a lot. Why? Number one reason.....start-ups run out of money, and fire people to control costs. Number 2 reason? We have had 2 major multi-year tech recessions since the year 2000. (2002-2004, and 2008-2010). Number 3 reason? My skills didn't match the market demand for a while.
People will have gaps. There is no shame in having a gap. And in spite of gaps, I kept getting hired back. You will too.
Your resume is you telling your future manager a story of how your past performance is going to predict how well you'll work for him. What you did more than 8 years ago is usually irrelevant. And if there are big gaps, don't list them, but be prepared to confidently declare what you did and how it helped you. | I strongly recommend that your CV includes your complete work and educational history. The old stuff can be very short but it should be there. Otherwise it looks like you have something to hide. If I see any gap in a CV I always ask about it. "I took two years off trying to bike around the world" is a perfectly good gap. "I took two years off and it's none or your business" is not. In this case I have to assume that you did something that was ethically or morally questionable, just to be safe.
The notion that you can hide your age from a potential employer is idiotic. Of course they can and will find out. It's like you gender: it is what it is and it's illegal to discriminate because of it, but you really can't hide it. |
41,784 | A coworker and I started within a week of each other. We both interviewed for the same position and he is at a different level since he is a fresh graduate. We never had a good working chemistry and I did not report his faux pas to my manager in the past. Fortunately, we no longer work on the same projects.
Recently, things got worse. He was supposed to get some packages via mail. I also got some packages the same week(both are work related). The office personnel told him that I might have them since I signed for some packages this week. I told him that the received packages were mine (my packages were from a place that does not sell the stuff he wants). He wanted to open packages worth thousands of dollars as if I was lying. I sent an email copying the manager, office personnel and this coworker. The office personnel apologized after realizing that this coworker's package never arrived.
As silly as my previous case sounds, this person has been passing unwarranted criticisms at my work. I brought this up to my manager and he told me that:
>
> He is a very young person, just out of college and he probably does
> not mean the things he utters.
>
>
>
I decided to ignore this coworker but he did not stop there. I don't know how we landed up talking about my personal life but he recently passed a remark about my personal life. He said:
>
> If you don't get married in a year or two, you will end up with
> divorcees or women with children. I am just saying...
>
>
>
a) I consider it is an insult to all women and b) he has no respect for me.
These aren't just 2 incidents. He has made remarks about my weight, eating habits, my work, religion and where I come from. I am appalled by his remarks.
I was concerned that these remarks could have been provoked by me and I asked people close to me whether I am insensitive during my interaction with other people. They told me that they never had any problems with me.
This coworker is insensitive while talking to everyone else in the organization. I have seen him utter stupid things and get snubbed, pass remarks about his own religious practices to others etc.
I have decided to completely ignore this person as I have found myself worked up about this person(It is affecting my personal life. I have caught myself venting my anger on the car while I am driving on the freeway). The problem is that he sits right next to me. I really don't want to greet him or have any form of conversation with this person. I walk in wearing my headphones and pretend that I am listening to loud music.
I don't want to bring this up to my manager as this coworker turns out to be manager's favorite (My manager can't stop singing praises about how much work he does than the rest of us). I don't want to sound like a whiner either. I really don't want to discuss this with my coworker. I firmly believe that it is not my job to teach workplace "no-no" to this person.
If I do ignore and stop talking to this person, I would have to work with this person in the future. I strongly feel that I should stop interacting with this person as I should focus my energy on my work/life. I have been contemplating if I should switch jobs and move on. This job is not working out in several aspects but it is still better than my previous job.
How do I navigate this situation? | 2015/02/22 | [
"https://workplace.stackexchange.com/questions/41784",
"https://workplace.stackexchange.com",
"https://workplace.stackexchange.com/users/32804/"
] | Your resume is your sales brochure. While you shouldn't tell any untruths, there is no need for it to give every piece of information you have. If you don't think listing something you did would help you, then don't put it on.
If that leaves a gap in your employment record, you are going to have to account for that at some stage. A thorough recruiter will ask what you were doing in that time, and you should answer honestly, but the time for that is in an interview. However the jobs you describe don't sound like they would help you at all. This is true especially if they were done before you got your primary qualification in your current field. Nobody will assume that you are trying to hide a criminal record or anything like that. | Leave the graduation year off your CV. That will solve the problem of the possibility of HR extrapolating your age from your experience.
Once you've done that, just put the relevant work experience in. That is, excise all the stuff you did that is in a different field
Note that it is not "dishonest" to keep a CV short, hiring managers *like* that.
Given your age, nobody will care what you were really up to when you were 19-25 anyway. |
41,784 | A coworker and I started within a week of each other. We both interviewed for the same position and he is at a different level since he is a fresh graduate. We never had a good working chemistry and I did not report his faux pas to my manager in the past. Fortunately, we no longer work on the same projects.
Recently, things got worse. He was supposed to get some packages via mail. I also got some packages the same week(both are work related). The office personnel told him that I might have them since I signed for some packages this week. I told him that the received packages were mine (my packages were from a place that does not sell the stuff he wants). He wanted to open packages worth thousands of dollars as if I was lying. I sent an email copying the manager, office personnel and this coworker. The office personnel apologized after realizing that this coworker's package never arrived.
As silly as my previous case sounds, this person has been passing unwarranted criticisms at my work. I brought this up to my manager and he told me that:
>
> He is a very young person, just out of college and he probably does
> not mean the things he utters.
>
>
>
I decided to ignore this coworker but he did not stop there. I don't know how we landed up talking about my personal life but he recently passed a remark about my personal life. He said:
>
> If you don't get married in a year or two, you will end up with
> divorcees or women with children. I am just saying...
>
>
>
a) I consider it is an insult to all women and b) he has no respect for me.
These aren't just 2 incidents. He has made remarks about my weight, eating habits, my work, religion and where I come from. I am appalled by his remarks.
I was concerned that these remarks could have been provoked by me and I asked people close to me whether I am insensitive during my interaction with other people. They told me that they never had any problems with me.
This coworker is insensitive while talking to everyone else in the organization. I have seen him utter stupid things and get snubbed, pass remarks about his own religious practices to others etc.
I have decided to completely ignore this person as I have found myself worked up about this person(It is affecting my personal life. I have caught myself venting my anger on the car while I am driving on the freeway). The problem is that he sits right next to me. I really don't want to greet him or have any form of conversation with this person. I walk in wearing my headphones and pretend that I am listening to loud music.
I don't want to bring this up to my manager as this coworker turns out to be manager's favorite (My manager can't stop singing praises about how much work he does than the rest of us). I don't want to sound like a whiner either. I really don't want to discuss this with my coworker. I firmly believe that it is not my job to teach workplace "no-no" to this person.
If I do ignore and stop talking to this person, I would have to work with this person in the future. I strongly feel that I should stop interacting with this person as I should focus my energy on my work/life. I have been contemplating if I should switch jobs and move on. This job is not working out in several aspects but it is still better than my previous job.
How do I navigate this situation? | 2015/02/22 | [
"https://workplace.stackexchange.com/questions/41784",
"https://workplace.stackexchange.com",
"https://workplace.stackexchange.com/users/32804/"
] | Your resume is your sales brochure. While you shouldn't tell any untruths, there is no need for it to give every piece of information you have. If you don't think listing something you did would help you, then don't put it on.
If that leaves a gap in your employment record, you are going to have to account for that at some stage. A thorough recruiter will ask what you were doing in that time, and you should answer honestly, but the time for that is in an interview. However the jobs you describe don't sound like they would help you at all. This is true especially if they were done before you got your primary qualification in your current field. Nobody will assume that you are trying to hide a criminal record or anything like that. | You should be proud of these jobs. they represent an indicator that you are militant, combatant and defying all difficulties to reach your goal.
you dont have to list these jobs in detail. just saying "Handicraft Job while studying" is a good point and indicator that you are self-motivated, hard-worker and eager to learn |
159,240 | I have just aquired a new hat as a part of the [Winter Bash](http://winterba.sh/) celebrations.
I was wondering, what can be done with my hat?
I have worked out I can wear it, take it off, admire it in my collection of hats, and feel smug about having a hat.
* Are there any other things that this hat can be used for?
* Can I turn it over and use it to busk for rep?
* Do different hats have different uses? | 2012/12/19 | [
"https://meta.stackexchange.com/questions/159240",
"https://meta.stackexchange.com",
"https://meta.stackexchange.com/users/201437/"
] | What about:
* Bragging about it
* Complimenting other users for their hats
* Try to collect them all
* Find a suitable gravatar to fit with the hat
* Thank the developers for including a piece of joy into our life
Remember, the christmas thought, it is not about the food and the presents, it is about caring for each other and having a good time. | No, it's just a decoration to your gravatar. Nothing more, nothing less.
Other users might admire you for having a nice or secret hat.
You might attract more women this way if you choose the proper hat. :-) |
159,240 | I have just aquired a new hat as a part of the [Winter Bash](http://winterba.sh/) celebrations.
I was wondering, what can be done with my hat?
I have worked out I can wear it, take it off, admire it in my collection of hats, and feel smug about having a hat.
* Are there any other things that this hat can be used for?
* Can I turn it over and use it to busk for rep?
* Do different hats have different uses? | 2012/12/19 | [
"https://meta.stackexchange.com/questions/159240",
"https://meta.stackexchange.com",
"https://meta.stackexchange.com/users/201437/"
] | What about:
* Bragging about it
* Complimenting other users for their hats
* Try to collect them all
* Find a suitable gravatar to fit with the hat
* Thank the developers for including a piece of joy into our life
Remember, the christmas thought, it is not about the food and the presents, it is about caring for each other and having a good time. | Read [Winter Bash FAQ](http://winterba.sh/faq) and you will know what you can do. |
1,018 | In connection with the moderator elections, we are holding a Q&A thread for the candidates. Questions collected from an earlier thread have been compiled into this one, which shall now serve as the space for the candidates to provide their answers. Due to the submission count, we have selected all provided questions as well as our back up questions for a total of 10 questions.
As a candidate, your job is simple - post an answer to this question, citing each of the questions and then post your answer to each question given in that same answer. For your convenience, I will include all of the questions in quote format with a break in between each, suitable for you to insert your answers. Just [copy the whole thing after the first set of three dashes](https://graphicdesign.meta.stackexchange.com/revisions/7cc086cb-d8ee-4939-8bef-631d9345c5ff/view-source).
Once all the answers have been compiled, this will serve as a transcript for voters to view the thoughts of their candidates, and will be appropriately linked in the Election page.
Good luck to all of the candidates!
---
>
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
> In your opinion, what do moderators do?
>
>
> | 2014/04/28 | [
"https://graphicdesign.meta.stackexchange.com/questions/1018",
"https://graphicdesign.meta.stackexchange.com",
"https://graphicdesign.meta.stackexchange.com/users/2117/"
] | >
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
>
Our unique position in the design world is the objective Q&A format. There are many great graphic design forums out there, but not all questions lend themselves to the forum format. The capacity to provide answers without the unnecessary discussion fluff that is often found on forums is what I like best about the Stack Exchange format.
Our key strength is definitely our user base. We have a strong group of experienced designers that often thanklessly share their wisdom with others.
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
>
Neutralize the situation (locking a post to prevent further comments if necessary), send out mod messages if appropriate, and discuss anything notable with the rest of the mod team to notify them of "problem areas" and see what we can do to prevent further outbursts.
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
>
I don't see this as an issue for me, I'm capable of balancing my time spent moderating vs as a community member. Many of the moderation duties (review queue, editing, etc) are already part of being a community member anyway.
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
>
I'd try and use the chat mechanism to discuss the problems that I think should be addressed. Arguments in comment threads tend to go on endlessly without resolve; my advice is always to clearly and concisely state your objection or disagreement to something then ignore the temptation to engage in back-and-forth discussion.
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
>
If it's something I feel strongly about, then I'd talk to the other mod and discuss why I disagree. Consistency from the mod team is important, it's better to try and come to an agreement before stepping on each other. If we can't come to an agreement, then it's probably an issue that should be brought up in meta.
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
>
For duplicate questions, I always do a thorough check to make sure the asker will get their answer from the older question. For the rest (unclear, opinionated, too broad, off-topic), I have no issue with a binding close vote if it's an obvious decision, especially if there is an existing meta discussion to refer to.
For questions that I'm "on the fence" about is when it gets tricky. What I try to take into account is that we're a relatively low traffic community, so a binding close vote has much more influence than it would on a site like Stack Overflow. So for these cases, I'm more likely to abstain from casting my vote to let the community to decide. If 3 or 4 others have already voted (and I agree), then I don't mind adding my vote.
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
>
If there's a disagreement, I'd refer to the meta post dictating the community consensus and encourage others to voice their opinion. Our policies should not be written in stone, and if someone disagrees with how we handle certain questions then they should let their voice be heard.
There are certainly some questions that we allow that I don't think are a great fit for our community, but I don't let that get in the way of what has been decided as on-topic for our site.
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
>
This is not an issue for me at all. I'm happy to represent the site in a professional and appropriate matter, with small bits of humor added in here and there to keep things on the bright side.
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
>
I have the patience and am willing to devote the time to serve as a guide to anyone unfamiliar with the site. I'm very familiar with the inner workings of Stack Exchange; if someone needs help with the site then the first person they might look to is a moderator. If I don't already know the answer to a question regarding Stack Exchange platform functionality, I'll be happy to hunt down the answer.
>
> In your opinion, what do moderators do?
>
>
>
Moderators act as a liaison between the community and the Stack Exchange team. If something needs immediate attention, moderators should know how to handle the situation and reach out to an SE employee for assistance if appropriate. They encourage discussion, promote growth, and extinguish fires. And of course, they do everything wrong by nature! ;) | >
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
>
I see us as having **3 Unique Selling Points**
**1. Self-moderation.**
Above all else this is what makes us vastly more unique than any other forum. We have the power to edit, delete and remove the stuff that we, as a community, do not agree with. This gives us a great deal of flexibility and power to keep things on topic and under control. Elsewhere things quickly become flamewars, rehashes of the same arguments, and inconsiderate answers.
**2. Q&A Format**
This is a blessing and a curse for us. It means we have to be focused and get concrete questions that can be given clear answers. Not every design question fits into this paradigm, but it is what distinguishes us. We don't accept every question, which allows us to answer those we do accept very well and often very fast.
**3. The Exchange**
When things aren't Design related we have places to direct others. We're part of a larger ecosystem that allows us to interact with the Photography Exchange, the UX Exchange, StackOverflow, Webmasters, Writing, Cognitive Science and any others. We are separate but also very much interwoven. The way SE has created this network from a user experience and interface standpoint in general works very well compared to a traditional forum where there might be separate "boards" for topics and subtopics.
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
>
I really do not get involved in flame wars, or don't think I ever have. I am very quick to recognize when commentary is becoming quite long and will try to take it to chat. If I were a moderator this would be even easier to help with.
If things did somehow escalate between two members I would want to create a chat with both to see if they can get along. Don't have to be friends but you do have to be respectful.
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
>
I look forward to the opportunity. Those of you that know me may have seen that I'm very often in chat and open to discussions. Its not by coincidence.
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
>
I don't believe this question can accurately be answered. Its very circumstantial. I think the first step would be in trying to evaluate either on my own or in Ink Spot why people are so frequently put off. Then I'd start with a Meta Post to address it. As the saying goes, "it takes two to tango." Unless the person is just blatantly being rude or offensive then I think its more a community issue. I'd want to address it as a community to see what everyone thinks an acceptable commentary is, and isn't.
That's again the biggest strength of this place. Being a moderator is almost the same as being a high reputation regular user. I have no interest in dictating right and wrong, only expediting the general will of the community as a whole.
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
>
Talk to them to see what they felt was wrong with it. We're all mature adults, pretty sure we can solve this as such.
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
>
I would be more cautious, and unless it is very obviously off what the community has decided is acceptable, would wait to see how the community votes before casting my own.
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcoming designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
>
In my opinion a lot of users are too cavalier with their vote to close. A lot of this content can just be downvoted. As a whole I'd again refer to meta posts and prior examples. For ones that I personally don't like I would comment a suggestion for improvement and lead the Askee to guidelines.
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
>
I learned a long time ago that character comes from what you do when nobody is watching. Add a diamond or don't add a diamond; I'll still treat everyone with respect.
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
>
When people first come to the site they may need guidance. I'm very frequently on and always willing to discuss any topic with anyone. I may not know the answer to questions but I can help guide someone in understanding how our community works and what may be right or wrong with their Question, Answer, or Comments.
>
> In your opinion, what do moderators do?
>
>
>
Impose the will of the community. We're like politicians without the corruption. Hopefully, we're also positive ambassadors to promote our community on here and other outlets. |
1,018 | In connection with the moderator elections, we are holding a Q&A thread for the candidates. Questions collected from an earlier thread have been compiled into this one, which shall now serve as the space for the candidates to provide their answers. Due to the submission count, we have selected all provided questions as well as our back up questions for a total of 10 questions.
As a candidate, your job is simple - post an answer to this question, citing each of the questions and then post your answer to each question given in that same answer. For your convenience, I will include all of the questions in quote format with a break in between each, suitable for you to insert your answers. Just [copy the whole thing after the first set of three dashes](https://graphicdesign.meta.stackexchange.com/revisions/7cc086cb-d8ee-4939-8bef-631d9345c5ff/view-source).
Once all the answers have been compiled, this will serve as a transcript for voters to view the thoughts of their candidates, and will be appropriately linked in the Election page.
Good luck to all of the candidates!
---
>
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
> In your opinion, what do moderators do?
>
>
> | 2014/04/28 | [
"https://graphicdesign.meta.stackexchange.com/questions/1018",
"https://graphicdesign.meta.stackexchange.com",
"https://graphicdesign.meta.stackexchange.com/users/2117/"
] | >
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
>
Our unique position in the design world is the objective Q&A format. There are many great graphic design forums out there, but not all questions lend themselves to the forum format. The capacity to provide answers without the unnecessary discussion fluff that is often found on forums is what I like best about the Stack Exchange format.
Our key strength is definitely our user base. We have a strong group of experienced designers that often thanklessly share their wisdom with others.
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
>
Neutralize the situation (locking a post to prevent further comments if necessary), send out mod messages if appropriate, and discuss anything notable with the rest of the mod team to notify them of "problem areas" and see what we can do to prevent further outbursts.
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
>
I don't see this as an issue for me, I'm capable of balancing my time spent moderating vs as a community member. Many of the moderation duties (review queue, editing, etc) are already part of being a community member anyway.
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
>
I'd try and use the chat mechanism to discuss the problems that I think should be addressed. Arguments in comment threads tend to go on endlessly without resolve; my advice is always to clearly and concisely state your objection or disagreement to something then ignore the temptation to engage in back-and-forth discussion.
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
>
If it's something I feel strongly about, then I'd talk to the other mod and discuss why I disagree. Consistency from the mod team is important, it's better to try and come to an agreement before stepping on each other. If we can't come to an agreement, then it's probably an issue that should be brought up in meta.
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
>
For duplicate questions, I always do a thorough check to make sure the asker will get their answer from the older question. For the rest (unclear, opinionated, too broad, off-topic), I have no issue with a binding close vote if it's an obvious decision, especially if there is an existing meta discussion to refer to.
For questions that I'm "on the fence" about is when it gets tricky. What I try to take into account is that we're a relatively low traffic community, so a binding close vote has much more influence than it would on a site like Stack Overflow. So for these cases, I'm more likely to abstain from casting my vote to let the community to decide. If 3 or 4 others have already voted (and I agree), then I don't mind adding my vote.
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
>
If there's a disagreement, I'd refer to the meta post dictating the community consensus and encourage others to voice their opinion. Our policies should not be written in stone, and if someone disagrees with how we handle certain questions then they should let their voice be heard.
There are certainly some questions that we allow that I don't think are a great fit for our community, but I don't let that get in the way of what has been decided as on-topic for our site.
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
>
This is not an issue for me at all. I'm happy to represent the site in a professional and appropriate matter, with small bits of humor added in here and there to keep things on the bright side.
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
>
I have the patience and am willing to devote the time to serve as a guide to anyone unfamiliar with the site. I'm very familiar with the inner workings of Stack Exchange; if someone needs help with the site then the first person they might look to is a moderator. If I don't already know the answer to a question regarding Stack Exchange platform functionality, I'll be happy to hunt down the answer.
>
> In your opinion, what do moderators do?
>
>
>
Moderators act as a liaison between the community and the Stack Exchange team. If something needs immediate attention, moderators should know how to handle the situation and reach out to an SE employee for assistance if appropriate. They encourage discussion, promote growth, and extinguish fires. And of course, they do everything wrong by nature! ;) | >
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
>
A professional site that hold a standard in the way design questions should be asked and answered. Stack targets professionals that can educate themselves while educating others. I do enjoy the network role of members can decide unlike some sites where mods tell you tough, you can actually have a role in how the community grows.
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
>
Step back and look at the situation and possibly migrate everything to the chat and see if we could discuss it in a civil manner for a good resolution. If everyone appears to be getting in a heated debate I would request all commentators and answerees involved to migrate to chat as well. Freeze, lock and purge the comments I didn't see fit for the question.
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
>
I don't find any issues with this and I look forward to other members stepping up.
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
>
Request a private chat and discuss the issues. The user is of value, maybe they are unaware they are causing an issue. Let them know you value them in the community but would like for them to possibly work on being more professional.
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
>
Take it to chat and discuss it with my peers, which I think we already do well. If we all decide we will try to influence the OP to make an edit or if we are all on the same page a mod could make the edit.
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
>
If its a duplicate without any doubts than it will be closed. If its off-topic I would try to encourage an edit but after the third vote I would close it and leave the request for the edit. If the OP is active and is making an effort to edit the question to stay in scope I would re-open it. If the OP appears to have asked a question and disappeared I would moderate the question and allow the community to decide what happens to it.
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
>
I would encourage if you dislike certain types of question then post questions you want more of. Many members of the community try to constantly create questions that would fill certain areas but with the help of others we can have more of a dynamic scope of content through the site. If an issue is brought up we can always discuss it in meta.
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
>
I would take it upon myself to go back and edit and questions/answers that may be questionable or possibly effect the look of a moderator role.
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
>
Gives me the ability to assist when other mods aren't present. Deleting bad answers to spam links or offensive answers that serve no purpose but at times we have a gap between mods so the issue stays for awhile
>
> In your opinion, what do moderators do?
>
>
>
Makes sure the community stays a professional place, questions stay in scope and fit in design, and make sure GD stays in scope with Stack Exchange. |
1,018 | In connection with the moderator elections, we are holding a Q&A thread for the candidates. Questions collected from an earlier thread have been compiled into this one, which shall now serve as the space for the candidates to provide their answers. Due to the submission count, we have selected all provided questions as well as our back up questions for a total of 10 questions.
As a candidate, your job is simple - post an answer to this question, citing each of the questions and then post your answer to each question given in that same answer. For your convenience, I will include all of the questions in quote format with a break in between each, suitable for you to insert your answers. Just [copy the whole thing after the first set of three dashes](https://graphicdesign.meta.stackexchange.com/revisions/7cc086cb-d8ee-4939-8bef-631d9345c5ff/view-source).
Once all the answers have been compiled, this will serve as a transcript for voters to view the thoughts of their candidates, and will be appropriately linked in the Election page.
Good luck to all of the candidates!
---
>
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
> In your opinion, what do moderators do?
>
>
> | 2014/04/28 | [
"https://graphicdesign.meta.stackexchange.com/questions/1018",
"https://graphicdesign.meta.stackexchange.com",
"https://graphicdesign.meta.stackexchange.com/users/2117/"
] | >
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
>
I think what differentiates ourselves from other sites is the amount of effort everyone puts into creating original, useful content. Our key strengths are in my opinion quality, availability... and being part of SE.
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
>
Luckily I am not very 'infuriating'. When I see some war about to take place around me, I mostly try to calm waters. This usually means addressing the people involved via comments or private messages when things get out of control.
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
>
Well, I asked this question myself because I found my own ratio decreased when I became a pro-tem mod, but I found a balance between the two.
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
>
By contacting the person directly and stating the problem. GS and SE is not just about valuable answers, it's also about being helpful and welcoming to new users and being a strong, friendly, design-focused **community**.
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
>
Contact the mod/s and express why I feel it might not have been a good call.
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
>
I always try to wait before casting binding votes before the question/answer has received some attention. For close votes, for example, unless it's a very clear off-topic new question I tend to wait for 3 more votes at least. I always check comments, answers and votes too. So: Gather info, then decide.
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
>
Excellent question. I use meta a lot because I think that's where it's easier to reach an agreement. I don't think we have discussed some of the core issues in a while, so I'd first go for meta. The voting system is a good start, then we could maybe organize some sort of encounter (probably chat + a trello board) to discuss some issues at depth.
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
>
I like this light :)
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
>
Mostly being able to make instant decisions such as deleting offensive comments/answers.
>
> In your opinion, what do moderators do?
>
>
>
[As little as possible](http://blog.stackoverflow.com/2009/05/a-theory-of-moderation/) ;)
I like this definition: Mods are 'human exception handlers'. | >
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
>
I see us as having **3 Unique Selling Points**
**1. Self-moderation.**
Above all else this is what makes us vastly more unique than any other forum. We have the power to edit, delete and remove the stuff that we, as a community, do not agree with. This gives us a great deal of flexibility and power to keep things on topic and under control. Elsewhere things quickly become flamewars, rehashes of the same arguments, and inconsiderate answers.
**2. Q&A Format**
This is a blessing and a curse for us. It means we have to be focused and get concrete questions that can be given clear answers. Not every design question fits into this paradigm, but it is what distinguishes us. We don't accept every question, which allows us to answer those we do accept very well and often very fast.
**3. The Exchange**
When things aren't Design related we have places to direct others. We're part of a larger ecosystem that allows us to interact with the Photography Exchange, the UX Exchange, StackOverflow, Webmasters, Writing, Cognitive Science and any others. We are separate but also very much interwoven. The way SE has created this network from a user experience and interface standpoint in general works very well compared to a traditional forum where there might be separate "boards" for topics and subtopics.
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
>
I really do not get involved in flame wars, or don't think I ever have. I am very quick to recognize when commentary is becoming quite long and will try to take it to chat. If I were a moderator this would be even easier to help with.
If things did somehow escalate between two members I would want to create a chat with both to see if they can get along. Don't have to be friends but you do have to be respectful.
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
>
I look forward to the opportunity. Those of you that know me may have seen that I'm very often in chat and open to discussions. Its not by coincidence.
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
>
I don't believe this question can accurately be answered. Its very circumstantial. I think the first step would be in trying to evaluate either on my own or in Ink Spot why people are so frequently put off. Then I'd start with a Meta Post to address it. As the saying goes, "it takes two to tango." Unless the person is just blatantly being rude or offensive then I think its more a community issue. I'd want to address it as a community to see what everyone thinks an acceptable commentary is, and isn't.
That's again the biggest strength of this place. Being a moderator is almost the same as being a high reputation regular user. I have no interest in dictating right and wrong, only expediting the general will of the community as a whole.
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
>
Talk to them to see what they felt was wrong with it. We're all mature adults, pretty sure we can solve this as such.
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
>
I would be more cautious, and unless it is very obviously off what the community has decided is acceptable, would wait to see how the community votes before casting my own.
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcoming designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
>
In my opinion a lot of users are too cavalier with their vote to close. A lot of this content can just be downvoted. As a whole I'd again refer to meta posts and prior examples. For ones that I personally don't like I would comment a suggestion for improvement and lead the Askee to guidelines.
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
>
I learned a long time ago that character comes from what you do when nobody is watching. Add a diamond or don't add a diamond; I'll still treat everyone with respect.
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
>
When people first come to the site they may need guidance. I'm very frequently on and always willing to discuss any topic with anyone. I may not know the answer to questions but I can help guide someone in understanding how our community works and what may be right or wrong with their Question, Answer, or Comments.
>
> In your opinion, what do moderators do?
>
>
>
Impose the will of the community. We're like politicians without the corruption. Hopefully, we're also positive ambassadors to promote our community on here and other outlets. |
1,018 | In connection with the moderator elections, we are holding a Q&A thread for the candidates. Questions collected from an earlier thread have been compiled into this one, which shall now serve as the space for the candidates to provide their answers. Due to the submission count, we have selected all provided questions as well as our back up questions for a total of 10 questions.
As a candidate, your job is simple - post an answer to this question, citing each of the questions and then post your answer to each question given in that same answer. For your convenience, I will include all of the questions in quote format with a break in between each, suitable for you to insert your answers. Just [copy the whole thing after the first set of three dashes](https://graphicdesign.meta.stackexchange.com/revisions/7cc086cb-d8ee-4939-8bef-631d9345c5ff/view-source).
Once all the answers have been compiled, this will serve as a transcript for voters to view the thoughts of their candidates, and will be appropriately linked in the Election page.
Good luck to all of the candidates!
---
>
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
> In your opinion, what do moderators do?
>
>
> | 2014/04/28 | [
"https://graphicdesign.meta.stackexchange.com/questions/1018",
"https://graphicdesign.meta.stackexchange.com",
"https://graphicdesign.meta.stackexchange.com/users/2117/"
] | >
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
>
**Expertise**: Between us, we have tons of knowledge and experience, and we're willing to share it for free. What's not to like?
**Self-moderation**: The SE model really works for me, in that the community decides for itself what content is valuable and what isn't.
**The Network**: Having not only Graphic Design knowledge at your fingertips, but also User Interaction, English Language and Cooking to name a few.
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
>
As soon as I'd notice I'm getting (strong) emotions involved, I'd take back a couple steps and ask another moderator to step in to help resolve the issue.
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
>
That's okay. I'm already doing quite some moderation through the review queues instead of answering, so I don't expect too much change on that front.
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
>
Take it to chat, at least, and try and discuss the matter. The user is bound to have noticed themselves, and they are probably wondering themselves what's causing all the problems.
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
>
Ask the mod! I think that mods shouldn't reverse each other's actions or have public fights save the rarest of exceptions (and none for the latter). Respectful discussion is key.
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
>
It will mostly delay my decisions. I'd really want to make sure that I'm not doing something the community would really disagree with. I'd be a moderator to carry out the wishes of the community, not contradict them.
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
>
Mostly leave the content be. GDSE is a lot of different things to a lot of people, but it doesn't have to be (and it can't be) everything to everyone. If you don't like a certain kind of content, then don't read it—that's what the 'ignored tags' are for. There's bound to be someone else who loves it, and that someone may very well be a great addition to the community.
Some questions just are not for you.
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
>
I'd lie if I didn't say 'a bit apprehensive'. I'm rather confident that most of my content will pass the additional scrutiny. If not, then point it out, I'm happy to edit.
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
>
I feel that moderatorship strongly implies impartiality, a mostly neutral party anyone can rely on. A high-rep user can still be a jerk (although I don't know any here), while a mod needs at least the impression of responsibility.
>
> In your opinion, what do moderators do?
>
>
>
No more than strictly necessary. I'm with the [Theory of Moderation](http://blog.stackoverflow.com/2009/05/a-theory-of-moderation/) on this one as well: mods are exception handlers. | >
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
>
I see us as having **3 Unique Selling Points**
**1. Self-moderation.**
Above all else this is what makes us vastly more unique than any other forum. We have the power to edit, delete and remove the stuff that we, as a community, do not agree with. This gives us a great deal of flexibility and power to keep things on topic and under control. Elsewhere things quickly become flamewars, rehashes of the same arguments, and inconsiderate answers.
**2. Q&A Format**
This is a blessing and a curse for us. It means we have to be focused and get concrete questions that can be given clear answers. Not every design question fits into this paradigm, but it is what distinguishes us. We don't accept every question, which allows us to answer those we do accept very well and often very fast.
**3. The Exchange**
When things aren't Design related we have places to direct others. We're part of a larger ecosystem that allows us to interact with the Photography Exchange, the UX Exchange, StackOverflow, Webmasters, Writing, Cognitive Science and any others. We are separate but also very much interwoven. The way SE has created this network from a user experience and interface standpoint in general works very well compared to a traditional forum where there might be separate "boards" for topics and subtopics.
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
>
I really do not get involved in flame wars, or don't think I ever have. I am very quick to recognize when commentary is becoming quite long and will try to take it to chat. If I were a moderator this would be even easier to help with.
If things did somehow escalate between two members I would want to create a chat with both to see if they can get along. Don't have to be friends but you do have to be respectful.
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
>
I look forward to the opportunity. Those of you that know me may have seen that I'm very often in chat and open to discussions. Its not by coincidence.
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
>
I don't believe this question can accurately be answered. Its very circumstantial. I think the first step would be in trying to evaluate either on my own or in Ink Spot why people are so frequently put off. Then I'd start with a Meta Post to address it. As the saying goes, "it takes two to tango." Unless the person is just blatantly being rude or offensive then I think its more a community issue. I'd want to address it as a community to see what everyone thinks an acceptable commentary is, and isn't.
That's again the biggest strength of this place. Being a moderator is almost the same as being a high reputation regular user. I have no interest in dictating right and wrong, only expediting the general will of the community as a whole.
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
>
Talk to them to see what they felt was wrong with it. We're all mature adults, pretty sure we can solve this as such.
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
>
I would be more cautious, and unless it is very obviously off what the community has decided is acceptable, would wait to see how the community votes before casting my own.
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcoming designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
>
In my opinion a lot of users are too cavalier with their vote to close. A lot of this content can just be downvoted. As a whole I'd again refer to meta posts and prior examples. For ones that I personally don't like I would comment a suggestion for improvement and lead the Askee to guidelines.
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
>
I learned a long time ago that character comes from what you do when nobody is watching. Add a diamond or don't add a diamond; I'll still treat everyone with respect.
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
>
When people first come to the site they may need guidance. I'm very frequently on and always willing to discuss any topic with anyone. I may not know the answer to questions but I can help guide someone in understanding how our community works and what may be right or wrong with their Question, Answer, or Comments.
>
> In your opinion, what do moderators do?
>
>
>
Impose the will of the community. We're like politicians without the corruption. Hopefully, we're also positive ambassadors to promote our community on here and other outlets. |
1,018 | In connection with the moderator elections, we are holding a Q&A thread for the candidates. Questions collected from an earlier thread have been compiled into this one, which shall now serve as the space for the candidates to provide their answers. Due to the submission count, we have selected all provided questions as well as our back up questions for a total of 10 questions.
As a candidate, your job is simple - post an answer to this question, citing each of the questions and then post your answer to each question given in that same answer. For your convenience, I will include all of the questions in quote format with a break in between each, suitable for you to insert your answers. Just [copy the whole thing after the first set of three dashes](https://graphicdesign.meta.stackexchange.com/revisions/7cc086cb-d8ee-4939-8bef-631d9345c5ff/view-source).
Once all the answers have been compiled, this will serve as a transcript for voters to view the thoughts of their candidates, and will be appropriately linked in the Election page.
Good luck to all of the candidates!
---
>
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
> In your opinion, what do moderators do?
>
>
> | 2014/04/28 | [
"https://graphicdesign.meta.stackexchange.com/questions/1018",
"https://graphicdesign.meta.stackexchange.com",
"https://graphicdesign.meta.stackexchange.com/users/2117/"
] | >
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
>
I think what differentiates ourselves from other sites is the amount of effort everyone puts into creating original, useful content. Our key strengths are in my opinion quality, availability... and being part of SE.
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
>
Luckily I am not very 'infuriating'. When I see some war about to take place around me, I mostly try to calm waters. This usually means addressing the people involved via comments or private messages when things get out of control.
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
>
Well, I asked this question myself because I found my own ratio decreased when I became a pro-tem mod, but I found a balance between the two.
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
>
By contacting the person directly and stating the problem. GS and SE is not just about valuable answers, it's also about being helpful and welcoming to new users and being a strong, friendly, design-focused **community**.
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
>
Contact the mod/s and express why I feel it might not have been a good call.
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
>
I always try to wait before casting binding votes before the question/answer has received some attention. For close votes, for example, unless it's a very clear off-topic new question I tend to wait for 3 more votes at least. I always check comments, answers and votes too. So: Gather info, then decide.
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
>
Excellent question. I use meta a lot because I think that's where it's easier to reach an agreement. I don't think we have discussed some of the core issues in a while, so I'd first go for meta. The voting system is a good start, then we could maybe organize some sort of encounter (probably chat + a trello board) to discuss some issues at depth.
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
>
I like this light :)
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
>
Mostly being able to make instant decisions such as deleting offensive comments/answers.
>
> In your opinion, what do moderators do?
>
>
>
[As little as possible](http://blog.stackoverflow.com/2009/05/a-theory-of-moderation/) ;)
I like this definition: Mods are 'human exception handlers'. | >
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
>
A professional site that hold a standard in the way design questions should be asked and answered. Stack targets professionals that can educate themselves while educating others. I do enjoy the network role of members can decide unlike some sites where mods tell you tough, you can actually have a role in how the community grows.
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
>
Step back and look at the situation and possibly migrate everything to the chat and see if we could discuss it in a civil manner for a good resolution. If everyone appears to be getting in a heated debate I would request all commentators and answerees involved to migrate to chat as well. Freeze, lock and purge the comments I didn't see fit for the question.
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
>
I don't find any issues with this and I look forward to other members stepping up.
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
>
Request a private chat and discuss the issues. The user is of value, maybe they are unaware they are causing an issue. Let them know you value them in the community but would like for them to possibly work on being more professional.
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
>
Take it to chat and discuss it with my peers, which I think we already do well. If we all decide we will try to influence the OP to make an edit or if we are all on the same page a mod could make the edit.
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
>
If its a duplicate without any doubts than it will be closed. If its off-topic I would try to encourage an edit but after the third vote I would close it and leave the request for the edit. If the OP is active and is making an effort to edit the question to stay in scope I would re-open it. If the OP appears to have asked a question and disappeared I would moderate the question and allow the community to decide what happens to it.
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
>
I would encourage if you dislike certain types of question then post questions you want more of. Many members of the community try to constantly create questions that would fill certain areas but with the help of others we can have more of a dynamic scope of content through the site. If an issue is brought up we can always discuss it in meta.
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
>
I would take it upon myself to go back and edit and questions/answers that may be questionable or possibly effect the look of a moderator role.
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
>
Gives me the ability to assist when other mods aren't present. Deleting bad answers to spam links or offensive answers that serve no purpose but at times we have a gap between mods so the issue stays for awhile
>
> In your opinion, what do moderators do?
>
>
>
Makes sure the community stays a professional place, questions stay in scope and fit in design, and make sure GD stays in scope with Stack Exchange. |
1,018 | In connection with the moderator elections, we are holding a Q&A thread for the candidates. Questions collected from an earlier thread have been compiled into this one, which shall now serve as the space for the candidates to provide their answers. Due to the submission count, we have selected all provided questions as well as our back up questions for a total of 10 questions.
As a candidate, your job is simple - post an answer to this question, citing each of the questions and then post your answer to each question given in that same answer. For your convenience, I will include all of the questions in quote format with a break in between each, suitable for you to insert your answers. Just [copy the whole thing after the first set of three dashes](https://graphicdesign.meta.stackexchange.com/revisions/7cc086cb-d8ee-4939-8bef-631d9345c5ff/view-source).
Once all the answers have been compiled, this will serve as a transcript for voters to view the thoughts of their candidates, and will be appropriately linked in the Election page.
Good luck to all of the candidates!
---
>
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
> In your opinion, what do moderators do?
>
>
> | 2014/04/28 | [
"https://graphicdesign.meta.stackexchange.com/questions/1018",
"https://graphicdesign.meta.stackexchange.com",
"https://graphicdesign.meta.stackexchange.com/users/2117/"
] | >
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
>
**Expertise**: Between us, we have tons of knowledge and experience, and we're willing to share it for free. What's not to like?
**Self-moderation**: The SE model really works for me, in that the community decides for itself what content is valuable and what isn't.
**The Network**: Having not only Graphic Design knowledge at your fingertips, but also User Interaction, English Language and Cooking to name a few.
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
>
As soon as I'd notice I'm getting (strong) emotions involved, I'd take back a couple steps and ask another moderator to step in to help resolve the issue.
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
>
That's okay. I'm already doing quite some moderation through the review queues instead of answering, so I don't expect too much change on that front.
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
>
Take it to chat, at least, and try and discuss the matter. The user is bound to have noticed themselves, and they are probably wondering themselves what's causing all the problems.
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
>
Ask the mod! I think that mods shouldn't reverse each other's actions or have public fights save the rarest of exceptions (and none for the latter). Respectful discussion is key.
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
>
It will mostly delay my decisions. I'd really want to make sure that I'm not doing something the community would really disagree with. I'd be a moderator to carry out the wishes of the community, not contradict them.
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
>
Mostly leave the content be. GDSE is a lot of different things to a lot of people, but it doesn't have to be (and it can't be) everything to everyone. If you don't like a certain kind of content, then don't read it—that's what the 'ignored tags' are for. There's bound to be someone else who loves it, and that someone may very well be a great addition to the community.
Some questions just are not for you.
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
>
I'd lie if I didn't say 'a bit apprehensive'. I'm rather confident that most of my content will pass the additional scrutiny. If not, then point it out, I'm happy to edit.
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
>
I feel that moderatorship strongly implies impartiality, a mostly neutral party anyone can rely on. A high-rep user can still be a jerk (although I don't know any here), while a mod needs at least the impression of responsibility.
>
> In your opinion, what do moderators do?
>
>
>
No more than strictly necessary. I'm with the [Theory of Moderation](http://blog.stackoverflow.com/2009/05/a-theory-of-moderation/) on this one as well: mods are exception handlers. | >
> What do you see as being GD.SE's unique position or role in the design world? How do you intend to strengthen that? Or to put it another way, how would/do you 'sell' this site to designers who've never heard of it? What do you see as our USP (Unique Selling Proposition) or key strength?
>
>
>
A professional site that hold a standard in the way design questions should be asked and answered. Stack targets professionals that can educate themselves while educating others. I do enjoy the network role of members can decide unlike some sites where mods tell you tough, you can actually have a role in how the community grows.
>
> If something or someone infuriates you, and there seems to be a boiling flamewar underway, what tactics would you try?
>
>
>
Step back and look at the situation and possibly migrate everything to the chat and see if we could discuss it in a civil manner for a good resolution. If everyone appears to be getting in a heated debate I would request all commentators and answerees involved to migrate to chat as well. Freeze, lock and purge the comments I didn't see fit for the question.
>
> Moderating can sometimes require quite a bit of your time. This might mean you won't be able to, for example, write as many answers as before. How do you feel about it?
>
>
>
I don't find any issues with this and I look forward to other members stepping up.
>
> How would you deal with a user who produced a steady stream of valuable answers, but tends to generate a large number of arguments/flags from comments?
>
>
>
Request a private chat and discuss the issues. The user is of value, maybe they are unaware they are causing an issue. Let them know you value them in the community but would like for them to possibly work on being more professional.
>
> How would you handle a situation where another mod closed/deleted/etc a question that you feel shouldn't have been?
>
>
>
Take it to chat and discuss it with my peers, which I think we already do well. If we all decide we will try to influence the OP to make an edit or if we are all on the same page a mod could make the edit.
>
> Moderator votes are binding, so if elected your open, close, and deletion votes will be final regardless of how many existing votes there are. How will that affect your decision making process when casting your votes?
>
>
>
If its a duplicate without any doubts than it will be closed. If its off-topic I would try to encourage an edit but after the third vote I would close it and leave the request for the edit. If the OP is active and is making an effort to edit the question to stay in scope I would re-open it. If the OP appears to have asked a question and disappeared I would moderate the question and allow the community to decide what happens to it.
>
> We've got a few "wedge issues" - mostly over types of "love it or hate it" content (for example, font identification, critiques, upcmoing designs, how-tos, etc.). What's your plan for these types of question where there's some genuine disagreement and where some people are very positive and others are more negative?
>
>
>
I would encourage if you dislike certain types of question then post questions you want more of. Many members of the community try to constantly create questions that would fill certain areas but with the help of others we can have more of a dynamic scope of content through the site. If an issue is brought up we can always discuss it in meta.
>
> A diamond will be attached to everything you say and have said in the past, including questions, answers and comments. Everything you will do will be seen under a different light. How do you feel about that?
>
>
>
I would take it upon myself to go back and edit and questions/answers that may be questionable or possibly effect the look of a moderator role.
>
> In what way do you feel that being a moderator will make you more effective as opposed to simply reaching 10k or 20k rep?
>
>
>
Gives me the ability to assist when other mods aren't present. Deleting bad answers to spam links or offensive answers that serve no purpose but at times we have a gap between mods so the issue stays for awhile
>
> In your opinion, what do moderators do?
>
>
>
Makes sure the community stays a professional place, questions stay in scope and fit in design, and make sure GD stays in scope with Stack Exchange. |
16,196,588 | Is it a reasonable/responsible idea to store a database result set in the user's session, as opposed to loading it fresh from the database on every page load? I am aware of the availability of caching the generated HTML code in a cache file on the server but that has too many convenience issues in my opinion.
For example, on a shopping page, the brands tab in the main nav has a drop down menu that lists all the brands that currently have products on the site. The query is optimized but it would still have to run at every page load. Instead of doing that I would like to save the result set in the user's session, thus only loading the brands once per session.
Alternatively, I could generate the HTML code for the subnav and store it in a cache file on the server. If the idea of storing the array in the session isn't beneficial to the server's performance, I might be able to see past the convenience issues.
Thanks for all the help! | 2013/04/24 | [
"https://Stackoverflow.com/questions/16196588",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/330098/"
] | Is there any reason you can't use a conventional cache like [Memcached](http://memcached.org/) for this instead of trying to jam it into the session?
The problem with using the session cache in this manner is it creates clutter. Session data should be kept as lean as possible since it's loaded on every request. Dumping in large amounts of data can be a serious drag on performance.
It always seems "convenient" to store things in the session, but unless it's strictly related to the session itself, it's best avoided. | Others adviced to use Memcached. It adds complexity and requires RAM (so it makes MySQL MUCH MUCH MUCH slower if they run on the same server). It's possible that it's the best solution for you, but since I don't know any solution which is "good for everyone", and since I don't know your workload, I just suggest alternatives.
Yes, MySQL query cache has many issues. But it may be good for you.
MEMORY tables could be a good solution too, if you don't have too much stuff to cache.
Storing a cache in session data is probably worse than not caching at all, because data are duplicate for every user, and cleanup occurse only when sessions expire. Don't waste your memory that way. |
16,196,588 | Is it a reasonable/responsible idea to store a database result set in the user's session, as opposed to loading it fresh from the database on every page load? I am aware of the availability of caching the generated HTML code in a cache file on the server but that has too many convenience issues in my opinion.
For example, on a shopping page, the brands tab in the main nav has a drop down menu that lists all the brands that currently have products on the site. The query is optimized but it would still have to run at every page load. Instead of doing that I would like to save the result set in the user's session, thus only loading the brands once per session.
Alternatively, I could generate the HTML code for the subnav and store it in a cache file on the server. If the idea of storing the array in the session isn't beneficial to the server's performance, I might be able to see past the convenience issues.
Thanks for all the help! | 2013/04/24 | [
"https://Stackoverflow.com/questions/16196588",
"https://Stackoverflow.com",
"https://Stackoverflow.com/users/330098/"
] | Yes, it's reasonable and recommended to cache data that doesn't change very often. The fastest SQL query is the one you don't run at all.
One tricky problem is deciding when to refresh the cached version of the data. There's a famous quote about this:
>
> "There are only two hard problems in Computer Science: cache invalidation and naming things."
>
> -- Phil Karlton
>
>
>
As for using the session, I agree with @tadman's answer, the session isn't necessarily the best place for this kind of data. There are other options, including a cache file as you mention, and also in-memory caching like [memcached](http://php.net/manual/en/book.memcached.php) or [APC](http://php.net/manual/en/book.apc.php). | Others adviced to use Memcached. It adds complexity and requires RAM (so it makes MySQL MUCH MUCH MUCH slower if they run on the same server). It's possible that it's the best solution for you, but since I don't know any solution which is "good for everyone", and since I don't know your workload, I just suggest alternatives.
Yes, MySQL query cache has many issues. But it may be good for you.
MEMORY tables could be a good solution too, if you don't have too much stuff to cache.
Storing a cache in session data is probably worse than not caching at all, because data are duplicate for every user, and cleanup occurse only when sessions expire. Don't waste your memory that way. |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.