Flat Preloader Icon

It's Study Time

Categories
Uncategorized

Frequently asked questions by Students

How can I be the topper in my class?

  1. Create a study schedule: Make a plan of what you need to study and when. Stick to the schedule and use it to prioritize your time.
  2. Stay organized: Keep your notes, textbooks, and other study materials in order. This will make it easier to find what you need when you need it.
  3. Take effective notes: During class, make sure to take detailed and organized notes. These will be a valuable resource when studying later.
  4. Practice active learning: Instead of passively reading your notes or textbooks, actively engage with the material. Try teaching the material to someone else, or creating flashcards to test your own understanding.
  5. Seek help when needed: If you are struggling with a particular concept, don’t be afraid to ask for help. Talk to your teacher or a tutor for extra support.
  6. Get enough sleep: Your brain needs rest to consolidate information, so make sure to get enough sleep each night.
  7. Stay motivated: Keep yourself motivated by setting specific and achievable goals. Reward yourself when you reach them.
  8. Participate in class: Participate in class discussions, ask questions, and contribute to group work. This will help you understand and retain the material better.

It’s important to remember that becoming a topper in your class is not just about getting good grades, but also developing good study habits, having a positive attitude, and being a well-rounded student.

How to cope with the exam pressure?

  1. Stay organized: Make a study schedule, prioritize your time, and plan your study sessions. This will help you stay on top of your work and reduce stress.
  2. Take care of yourself: Make sure to get enough sleep, eat well, and exercise regularly. These are important for maintaining your physical and mental well-being.
  3. Manage your time effectively: Avoid procrastination and manage your time effectively. Break down your study sessions into smaller, manageable chunks.
  4. Practice relaxation techniques: Learn relaxation techniques like deep breathing, yoga, or meditation to calm your mind and reduce stress.
  5. Stay positive: Keep a positive attitude, remind yourself of your strengths and past successes, and don’t be too hard on yourself.
  6. Get support: Talk to your family, friends, or a counselor. They can provide you with emotional support and help you manage stress.
  7. Prioritize your mental and emotional well-being: It’s important to take care of yourself and not let the pressure get the best of you.
  8. Don’t compare yourself to others: Every student has their own pace of learning, don’t compare yourself to others and focus on your own progress.

Remember, it’s normal to feel stress and pressure during exams. By following these tips and finding what works best for you, you can learn to manage the pressure and perform your best on exams.

How to deal with bullies in the school?

Dealing with bullies in school can be difficult and stressful. Here are some ways you can handle the situation:

  1. Speak up: Let the bully know that their behavior is unacceptable and that it makes you feel hurt or uncomfortable. Try to stay calm and assertive, and don’t engage in an argument.
  2. Document the bullying: Keep a record of when and where the bullying occurs, and what is said or done. This can be helpful if you need to report the behavior to a teacher, counselor or principal.
  3. Seek help: Talk to a teacher, counselor, or school administrator. They can provide support and help you find ways to deal with the bully.
  4. Build a support network: Surround yourself with friends who will support you and help you feel safe.
  5. Practice self-care: Take care of yourself by getting enough sleep, eating well, and engaging in activities that you enjoy.
  6. Learn self-defense: If you feel physically threatened, consider taking a self-defense class to learn how to protect yourself.
  7. Stand together: Bullies often target those who appear isolated or vulnerable. When more students stand together against bullying, it becomes harder for the bully to find a target.
  8. Learn to walk away: If you find yourself in a situation where a bully is trying to provoke you, it is important to walk away and not get into an argument or fight.

It’s important to remember that it’s not your fault that you are being bullied, and that you have the right to feel safe and respected at school. You don’t have to deal with this alone, and there are people who can help you.

Why do I dislike mathematics?

There can be many reasons why someone may dislike mathematics. Here are a few possible reasons:

  1. Difficulty understanding the material: If you find it hard to understand mathematical concepts, you may feel frustrated and discouraged.
  2. Poor teaching methods: If you have had bad experiences with math teachers or poor teaching methods, this can make it hard to enjoy the subject.
  3. Lack of interest: Not everyone has the same interests, and some people may simply not enjoy math as much as other subjects.
  4. Poor self-confidence: If you don’t believe in your own abilities, you may dislike math because you think you can’t do well in it.
  5. Negative past experiences: If you have had negative experiences with math in the past, such as failing a test or being scolded by a teacher, it can make it harder to enjoy the subject.
  6. Math anxiety: Some people may feel anxious or stressed when it comes to math, which can make it hard to enjoy the subject.

It’s important to understand that everyone has different strengths and interests, and that’s okay. If you find that you dislike math, it may be helpful to talk to a teacher or a counselor to see if there’s a way to improve your understanding and confidence in the subject.

Categories
Uncategorized

Fizz Buzz program in JavaScript

Fizz Buzz is one of the simplest but frequestly asked program in all laguage interviews.

The question goes like below.
-Write a program that prints the numbers from 1 to n. While printing the number if the number is divisible by 3 print ‘Fizz’ and when the number is divisible by 5 print ‘Buzz’. When the number is divisible by both 3 & 5 it should print FizzBuzz.

Lets write the program in JavaScript

//The simplest form which is self explanatory
for (let i = 1; i <= 20; i++) {
    if (i % 15 == 0) {
        console.log('FizzBuzz');
    } else if (i % 3 == 0) {
        console.log('Fizz');
    } else if (i % 5 == 0) {
        console.log('Buzz');
    } else {
        console.log(i);
    }
}
//Lets make it little shorter. Now the program is like below

for (let i = 0; i < 100; ) {
    let isFizz = ++i % 3 ? '' : 'Fizz';
    let isBuzz = i % 5 ? '' : 'buzz';

    console.log(isFizz + isBuzz || i);
}

This can be written in shorter form like below

for (let i = 0; i < 100; ) { console.log((++i % 3 ? '' : 'Fizz')+ 
(i % 5 ? '' : 'buzz') || i); }
Categories
Uncategorized

Hoisting in JavaScript

Hoisting in JavaScript is the process in which the interpreter moves the declaration of variables, functions or classes to the top of their scope, before the execution of the code.

Hoisting of function is a very useful way to call it even its written after the code like below.

//Hoisted function call
console.log(hoistedMethodCall());

function hoistedMethodCall (){
    console.log("Hoisted method is called even before its declared");
}
//Hoisted variable usage

    console.log(hoistedVariable);

    var hoistedVariable;

    hoistedVariable= 10;

    console.log(hoistedVariable);

//Output
undefined
10
 console.log(undefinedVariable);

//Output

Uncaught ReferenceError: undefinedVariable is not defined
Categories
JavaScript Uncategorized

Currying in JavaScript

Currying converts a multi argument function to sequence of function calls with single arguments. Like below

//In normal function syntax

const multiply = function (a, b){
    return a * b;
};
const output = multiply(2, 3);
console.log(output);

//In Arrow function syntax

const multiply = (a, b) => a * b;

const output = multiply(2, 3);
console.log(output);

To

//In normal function syntax

cont multiply = function (a) {
    return function (b) {
        return a * b;
    };
};

const output = multiply(2)(3);
console.log(output);
// 6
//In Arrow function syntax

const multiply = a => b => a * b;

const output = multiply(2)(3);
console.log(output);
// 6

To the naked eye currying looks like converting a very simple function like in the first function to a little complex function unnecessarily. But there are usecases which will make this very useful.

Lets dive in. Lets say, I have a function requirement with three arguments. And the first argument remains same for few calls. In that case, I will have to pass the same argument again and again for each call. Currying can be a great way to avoid that.

Lets take the example of logging a series of messages into console with time after an even is fired. Obviously I would like to log the same time for all the logging in the series.

Lets code that

const logData = time => id => message => {
    console.log(`Time is ${time} and data is ${id} and ${message}`);
};

const logDataWithTime = logData(new Date());

logDataWithTime(1234)('Dummy Message 1');
logDataWithTime(1235)('Dummy Message 2');
logDataWithTime(1236)('Dummy Message 3');

/*
Time is Wed Jan 05 2022 06:25:49 GMT+0530 (India Standard Time) and data is 1234 and Dummy Message 1
Time is Wed Jan 05 2022 06:25:49 GMT+0530 (India Standard Time) and data is 1235 and Dummy Message 2
Time is Wed Jan 05 2022 06:25:49 GMT+0530 (India Standard Time) and data is 1236 and Dummy Message 3 
*/

As you can see in the above example we do not have to pass the date/time to the function again and again for each call.

How does this work?

Its simple to understand if you take one function at a time. If you look into the first function it creates a lexical scope for the variable a and returns another function like below. As the returned function has access to variable a, it will be like below to understand.

return function (b) {
        return 2 * b;
    };
//2 inplace of a that was passed in the first function

There many applications of currying in JavaScript like in events, logging etc.

Categories
Uncategorized

What do parents expect from school?

It’s not an easy process for a child to go through the transition from staying at home to go to schools for a good number of hours every day. This is also not an easy task for the parents to stay away from their child for a long time because of the anxiety of their child’s well-being in school.

Here are a few points each parent wants from the school and the school management for the well-being of their child as well as for themselves.

Schools should be safe

In this age of society, where we do not know who stays next to our house, it’s sometimes scary to think our child stays for a considerable time in schools with strangers. Disgusting news every now and then from schools and around the country makes us more nervous.

Every parent wants, the school campus should be safe and secure. It should be equipped with CCTV and scare away bad people. Transportation medium should have all the safety features with a well-trained driver and a helper.

Schools should impart happiness on children

This is the most important thing every parent wants from school. School should promote a bully-free environment (from the teachers as well as from fellow students). It is scientifically proved that; a bullied child becomes aggressive at the later stage of life and may cause multiple psychological problems to the poor soul.

Sports program

The sports program is not for showcasing. It is observed that in many schools, they try their best to train only a few children so that they could get a few medals for the school. This mentality can be destructive for children. It’s not the medals for the school that matters for any parents, rather it’s the training program for every child that helps in their health and mental well-being. Pay equal attention to each student for the sports program.

Of course, no one can deny providing all necessary facilities for the star performers to excel in their respective fields which also bring a good reputation for the school.

Let the parents involved in the development of their child

It’s not very uncommon in many schools that when parents ask anything about the child/school they get an answer “We are here, no need to worry”. We took admission because we know you are there. That does not mean parents should not enquire about the school and their child. Keep them involved throughout for the peace of mind of parents as well as of school management.

Extracurricular activities

Childhood and Teenage is the time when the child gets a direction on which field he/she can excel. It’s expected from school that, it involves all children in different extracurricular activities. Debate, painting, drawing, public speaking, dancing, star gazing, bird watching, tree planting, volunteering, helping the less-fortunate, team-leading etc. to name a few give a multitude of benefits to students and each student should be given fair chance to participate in all activities.

Parents expect that teachers notice the hidden talents in the child and encourage/facilitate them to excel in that.

Facilities in the schools

It is observed that while taking admission, school talks about vast facilities available in the school. But at the later point, it is realized that most of them are rarely allowed to be used. Parents expect a clear idea about the facilities provided by the schools.

If the child is in preschool

  • It’s expected that the premises are very clean and hygienic.
  • Each child is carefully observed and for anything which could affect other children, should be addressed immediately. Like, fever, cough, injuries should be reported to the parents immediately and advised to keep such students away to avoid any infection to other children in the batch.

For middle school

  • while allowing usage of facilities, a system should be in place to keep a close eye on students to keep away from any mishap.

For high school students

A proper guideline should be available and students are made to follow along with supervision while using facilities, to avoid any unwarranted incidents.

Well-furnished Library

Each school is expected to have a well-equipped library. Libraries are not for increasing the beauty of the school. Let the students use it as much as possible. Have enough section of books for each age group. Allow them to borrow as many books they could read without affecting their regular studies. It’s observed that library usage in schools are too restricted in many schools which intern restricts the curios minds in tender age.

High-quality education

It’s easy to showcase the high standard books used but are the teaching staff well trained and experienced to handle the assigned age group? Each parent expects that our children are not guinea-pigs to experiment on with unexperienced and unqualified teachers. Make sure the teaching staff exceed all parameters to teach a class.

Moderate Expenses

It’s very easy to inflate expenses and ask parents to pay for it. A good school does not ask for money from parents every now and then for newly discovered activities or so. Please note, parents have limitations on inflating budget too. Give clear cut expense idea to parents and if possible, give each expense details in writing from the beginning.

The reputation of the school

No parent will ever want to send their child to a bad reputed school. Keep the school reputation high. A reputed school brings peace of minds to parents as it assures their wards in good hands.

Let Parents connect to the school

Let the parents feel connected to the school.

  • Revolting parents only bring bad reputation to the school in long term. Let them be part of the school family.
  • Recent pandemic has exposed many loopholes in school management with their exorbitant claim of fees leading to many revolting parents. If expenses are there keep parents in the loop.
  • Be gentle while dealing with parents. They are human being too. Also, you can say you are showing favour to the parents by educating their child, but remember, they also show you a favour by funding your life. It’s not one-way road ever for both schools and parents.
  • Train your front office receptionist to be gentle and not be harsh on curious parents.

A Happy teacher is a Good teacher

Every parent wants that teacher in charge of their ward is a happy person. A happy, smiling teacher enjoys his/her job the most and delivers the best possible education for the children. Angry teachers were only good in ancient stories. Not in the modern age.

Categories
Uncategorized

New Version is Released

ItsStudyTime.com version 2.0

We are pleased to announce; we have a new version of ItsStudyTime.com live.

We had started this as a small project six months back for a single child to ease her revision/practice efforts and now we are proud to see, hundreds of children are using it, revising through it.

New features:

1. A new and enhanced leaderboard:

Your child will be greeted with a score after the quiz is over and a leaderboard will be presented with the score details of other students in the class. Instant test results encourage students to perform better.

2. Seamless Subjects and Lessons arrangements:

The new design arranges the subjects and lessons in a seamless manner, removing the clutters. With a left side menu, now it’s super easy to access subjects and lessons in a single place. Now multi-level linking and clicking are removed — a cleaner approach for the benefits of the students.

3. Faster server:

Now with a better-powered server, response time will be better than before. A faster server helps in the quicker study.

4. Regular updates:

We have added a new feature to send emails on the progress of students. We will keep you updated with your child’s progress on study regularly. We help Informed parents take better decisions.

5. Thousands of new Questions:

We have added thousands of new and curated questions for the practice/revision of your child. We have reviewed previous questions by experts to remove any errors/mistakes for the benefits of children – curated questions for the children.

6. New feature to report a question:

When a child/parent believes that there is an issue in the question, they can easily report it for the review by our editors and fix it. In case of a non-issue, we will send an explanation of why it’s correct— a still better environment to practice and clear doubts.

7. Previous years question papers and worksheets:

You do not have to look for previous years question papers and worksheets. We are adding all these on availability basis in the materials section of the class for easy access — less struggle for the parents to help their children.
8. Ex-teachers are now editors to curate the question sets:
Few similar-minded, experienced ex-teachers have joined hands to curate questions and create contents. Better contents every day for children!

9. A dedicated developer:

We have a dedicated developer helping us to change features/pages faster. An ever-changing portal for betterment!

10. All this for free

Its free for the children to revise and excel in class.

1. All in our team members are like-minded and everyone wants to help the children. You will be amazed to see the spirit of the small but enthusiastic team.
2. We have kept all the expenses minimal.
3. The main motto of starting this was to help students in excelling in their studies without burning a hole in their parent’s pocket.

Did you know:

1. When you pay Rs 80,000/Year as fees to the school, you pay roughly Rs 70 for every hour to the school. (I know you pay much more when everything is included, let’s consider this amount for easy calculations)

Rs 80,000 ÷ 230 (schools days/year) ÷ 5 (classes/day)

If the current lockdown situation continues for a year, you will be paying nearly Rs 120/for every hour your child studies through an online class provided by the school.

Rs 80,000 ÷ 230 (schools days/year) ÷ 3 (classes/day)

2. A reputed tuition teacher charges Rs 2000 every month for eight classes in a month. That is like Rs 250 for every class they take.

We will be excited to hear your suggestion and would also be equally eager to address your concern. Please send us an email or send us a message on WhatsApp or Call us.