Home/General/Page 14
Lost your password? Please enter your email address. You will receive a link and will create a new password via email.
Please briefly explain why you feel this question should be reported.
Please briefly explain why you feel this answer should be reported.
Please briefly explain why you feel this user should be reported.
Does educating the females and giving them the equal rights ensures women empowerment?
Firstly I am not ok with the question it self."educating woman" it is a biased thought why because education is a invaluable treasure it should be given to all irrespective of gender. It is systemised now a days we educating woman, we respect woman, these kind of sugar coated words are only in the mRead more
Firstly I am not ok with the question it self.”educating woman” it is a biased thought why because education is a invaluable treasure it should be given to all irrespective of gender. It is systemised now a days we educating woman, we respect woman, these kind of sugar coated words are only in the magazines and articles. But the actual situation of women especially Indian women,it just the opposite.now a days education is added as a additional value of swayamwara.and it also used to bargain the dowry.and so on..and “giving them equal rights..”are you kidding me?, who take their rights in the first place? It’s very sad but the truth is there were some men (not all) obviously for their convenient make women as their maid almost. She needs to do all the house hold chores, maintain kids, manage home,etc. but why women not speaking about all these things all these days? It’s actually a brilliant tactics of our ancestors.they just insist that, if a woman can’t able to fulfill these things the sanctity of their feminity, the religious honour of their family, the honour of their parampara all will go at risk.so just like that we can’t change any thing in the tradition as “we are in the most traditional country”.instead we can educate our sons, brothers, fathers, colleagues, that education is not an option for women it’s a right . If we did this thing successfully,the equal rights will come automatically.eventually the empowerment too..
See lessHow is 20th-century women’s lifestyle far different from 19th-century?
The most important development that occurs in bettering the position of any section of society is done by increasing their reach to quality education. 20th century promoted higher education for women. This not only allowed them to pursue degrees but also get professionally trained in various fields,Read more
The most important development that occurs in bettering the position of any section of society is done by increasing their reach to quality education. 20th century promoted higher education for women. This not only allowed them to pursue degrees but also get professionally trained in various fields, as compared to what it was in the 19th century.
Another development was that women started challenging the traditional gender roles. This led to major shifts in lifestyles and greater social acceptance of women pursuing careers. In the 19th century, as we know, the expectations of women’s roles as merely wives and mothers were very rigid.
With the coming of the 20th century, women started gaining significant legal rights too. The right to vote or suffrage was where it all started, slowly gaining the right to own property, and even equal pay for equal work.
The improvements in the reproductive rights of women which came with access to contraception and better control over their own bodies was another major change.
The 20th century also saw a dramatic shift in women’s clothing where more practical and less restrictive clothing gained popularity. This reflected greater personal freedom and mobility as compared to the elaborate fashions of the 19th century.
See lessHow do you handle failure?
Failure is Not a Permanent Condition This is cause & effect theory anything in the world is exists today that is the result of all actions that were done before in your life. Keep a healthy and good directions in a life journey is a permanent solution. dr albert quates in your book think like aRead more
Failure is Not a Permanent Condition
This is cause & effect theory anything in the world is exists today that is the result of all actions that were done before in your life. Keep a healthy and good directions in a life journey is a permanent solution. dr albert quates in your book think like a winner
See less…..change your thinking change your life in every segments of life. Actions are most important in every field. Change your thinking change your actions change your actions change your results change your results change your life.
Describe the difference between deep copy and shallow copy in Java. When should you use each?
In Java, a shallow copy generates a new object instance and replicates the previous object's field values to the new one. However, if the field contains a reference to another object, only the reference is copied, not the object. This signifies that both the original and cloned items have referencesRead more
In Java, a shallow copy generates a new object instance and replicates the previous object’s field values to the new one. However, if the field contains a reference to another object, only the reference is copied, not the object. This signifies that both the original and cloned items have references to the identical objects. Shallow copy is faster and takes up less memory, making it ideal for objects that only include simple data types or immutable objects.
Example:
java
Person person2 = (Person) person1.clone(); // Shallow copy
A deep copy produces a new object instance and recursively duplicates all objects referenced by the original object, guaranteeing that the duplicated object is fully separate from the original. This approach is slower and requires more memory, but it is necessary when the object contains references to mutable objects and modifications must not affect the original object.
Example:
java
Person cloned = (Person) super.clone();
cloned.address = (Address) address.clone(); // Deep copy
Use shallow copy for performance when shared references are acceptable. Use deep copy when complete independence of the copied objects is required.
See lessHow does the Android activity lifecycle work? Explain how you would handle configuration changes, such as screen rotations, without losing user data or state.
The Android activity lifecycle consists of several states: onCreate(), onStart(), onResume(), onPause(), onStop(), and onDestroy(). These states manage the activity's creation, visibility, interaction, and destruction. To handle configuration changes like screen rotations without losing user data orRead more
The Android activity lifecycle consists of several states: onCreate(), onStart(), onResume(), onPause(), onStop(), and onDestroy(). These states manage the activity’s creation, visibility, interaction, and destruction.
To handle configuration changes like screen rotations without losing user data or state, you can use the onSaveInstanceState() and onRestoreInstanceState() methods. onSaveInstanceState() is called before the activity is destroyed, allowing you to save data to a Bundle. onRestoreInstanceState() or onCreate() can then retrieve this data when the activity is recreated.
Alternatively, you can use the ViewModel architecture component, which is designed to store and manage UI-related data in a lifecycle-conscious way. ViewModel objects survive configuration changes, meaning they retain data even if the activity is destroyed and recreated.
See lessExplain how Java’s type erasure mechanism works in generics. How can you create a generic class that safely works with different types while avoiding Class Cast Exception at runtime?
Java’s type erasure mechanism in generics ensures compatibility with older Java versions by removing generic type information during compilation. This process involves replacing all generic type parameters with their bounds (or `Object` if unbounded) and inserting necessary casts for type safety. FoRead more
Java’s type erasure mechanism in generics ensures compatibility with older Java versions by removing generic type information during compilation. This process involves replacing all generic type parameters with their bounds (or `Object` if unbounded) and inserting necessary casts for type safety. For example, a generic class like `Box<T>`:
public class Box<T> {
private T item;
public void set(T item) { this.item = item; }
public T get() { return item; }
}
after type erasure, it becomes:
public class Box {
private Object item;
public void set(Object item) { this.item = item; }
public Object get() { return item; }
}
To avoid `ClassCastException` and ensure type safety, follow these guidelines:
1. Bounded Type Parameters: Limit types with bounds to ensure correct usage.
public class NumberBox<T extends Number> { … }
2. Use Generics with Collections: Enforce type safety.
List<String> strings = new ArrayList<>();
3. Type Inference with Diamond Operator: Let the compiler infer types.
Box<String> stringBox = new Box<>();
4. Generic Methods: Ensure type-safe operations.
public static <T> void addItemToList(List<T> list, T item) { list.add(item); }
5. Avoid Raw Types: Prevent unsafe casts.
Box<String> box = new Box<>();
By adhering to these practices, you can create type-safe generic classes and methods in Java.
See lessIs Feminism and women empowerment and liberalization the same?
Feminism, women's empowerment, and liberalization are connected but separate concepts. Feminism is a social, political, and economic movement that advocates for women's rights and gender equality, as well as the elimination of structural discrimination. Women's empowerment focuses on giving women moRead more
Feminism, women’s empowerment, and liberalization are connected but separate concepts. Feminism is a social, political, and economic movement that advocates for women’s rights and gender equality, as well as the elimination of structural discrimination. Women’s empowerment focuses on giving women more power and influence over their own lives by encouraging education, employment, and decision-making chances. In a larger sense, liberalization refers to making policies more open and less restrictive, including economic, social, and political dimensions. In terms of gender, it may entail reducing restrictions that restrict women’s liberties. While all three strive to promote women’s position and rights, feminism is the overall movement, women empowerment is a specific component of that movement, and liberalization is a larger policy approach that can help feminists.
See lessIs the new NEP reformation beneficial for students?
There are always two sides of a coin. There are advantages as well as disadvantages of NEP. Advantages - Updated education as per current market trends, implementation of MDC and VAC,skill development, flexible learning etc Disadvantages - Easy and basic level of education, implementation challengesRead more
There are always two sides of a coin. There are advantages as well as disadvantages of NEP.
Advantages – Updated education as per current market trends, implementation of MDC and VAC,skill development, flexible learning etc
Disadvantages – Easy and basic level of education, implementation challenges, narrowing subject choices
See lessWhich Indian scientist has brought in a considerable revolution in the field of health care and medicine?
One prominent Indian scientist who has brought a considerable revolution in the field of healthcare and medicine is Dr. A.P.J. Abdul Kalam, although he is more widely known for his contributions to aerospace and defense technology, he made significant contributions to healthcare as well. Dr. Kalam wRead more
One prominent Indian scientist who has brought a considerable revolution in the field of healthcare and medicine is Dr. A.P.J. Abdul Kalam, although he is more widely known for his contributions to aerospace and defense technology, he made significant contributions to healthcare as well. Dr. Kalam worked on the development of low-cost healthcare devices.
See lessWhat are your thoughts on parasocial relationship with celebrities? Do you think it's harmful?
Parasocial relationships with celebrities, where fans feel a one-sided emotional connection, can have both positive and negative effects. Positively, they can provide inspiration, comfort, and a sense of belonging. However, they can become harmful when they lead to unrealistic expectations, excessivRead more
Parasocial relationships with celebrities, where fans feel a one-sided emotional connection, can have both positive and negative effects. Positively, they can provide inspiration, comfort, and a sense of belonging. However, they can become harmful when they lead to unrealistic expectations, excessive time investment, or neglect of real-life relationships. The key is balance; enjoying and admiring celebrities can be healthy, but it’s important to maintain perspective and prioritize genuine, reciprocal relationships. Understanding the nature of parasocial interactions can help individuals manage their impact on mental health and social well-being.
See less