NBCT

So this is a twitter thread that I posted regarding the NBCT path. Seeing how twitter is on the way down the toilet, I’ll fix some of the typos and put it up here too. Link.

So a week ago I logged into the National Board website and learned that I had scored enough points on the most recent two components to be officially certified as a National Board Certified Teacher.

I viewed this as a Covid project, completed components 1&4 in 2020-2021, and components 2&3 in this past year. It took a lot of work, probably 40 hours each for components 2, 3, and 4. Component 1 was a comp based test on math, and as precalc/calc teacher, didn’t have to study.

Would I recommend this as a path for prof development? No. Hard no.

The writing required is super weird and stilted. The most efficient writing style (essentially required to get a passing score) is a nasty mix of using acronyms to save space, answering (hidden) question prompts, and citing “evidence” that you’ve gathered.

Writing for the sole purpose of a reader who has an endless rubric that they’re scoring your work on.

Tons of danger zones too. Format something wrong? You might get a “NS”, no score, and you would have wasted the $475 for that component and wouldn’t know that fact until 6+ months later. Something screwed up in the upload process? Low score or NS and lost $ and time.

At least the $ and time are paying for comprehensive feedback right? Nope. Feedback from assessors is ONLY from premade comments. Here’s the sum total of feedback from ~80 hours of work and $950 that I received for two components:

(I can’t complain too much about the $, NYS has a grant that pays for almost all of the fees)

Do I feel like I grew professionally after all this work? Nah not really. It was a whole lot of busy work. It was a whole lot of work to figure out what they were looking for. It was a whole lot of work gathering “evidence” of stuff that everyone does.

The worst example of the type of evidence that you need to gather is the kind of evidence that you gather information about your incoming Ss. Who logs conversations with colleagues about incoming Ss? Who emails instead of talking in person because it’s easier to gather info?

Ts applying for NBCT do.

I think @mpershan nailed it in his blog post about NBCT. problemproblems.wordpress.com/2018/03/04/thi…

Oblig screenshot of text from his awesome blog post that I fully co-sign.

There are a whole bunch of support groups for Ts going for NB. I’d strongly recommend joining one for at least the first component that you go for. Understanding what they’re asking for took a long time for me to grok. Facebook groups also were super helpful.

Facebook groups also have _tons_ of horror stories about all the different ways that you can screw up. I feel for the people who weren’t as lucky as I. And it does feel like luck.

I had financial incentives to go for NBCT. It was a bet that I made with my time, and it paid off. It still might worth it for you. But I wouldn’t advise it as an effective path for PD or reflection.

It replaces the need for some people for grad school, so might be worth it for that reason. Still, I’m dead sure that more people start and finish grad school compared to the NBCT path. This is way cheaper though.

One last thing that stinks. The cert is only good for 5 years (used to be 10). After 5 years you have to do some more writing and, while it’s not an onerous as the initial, I’ve heard it’s still a pain. Why do they do this? Would Ts lose all their teaching muscles without it?

Feels like no. Do lawyers have to retake the bar after 5 years? Doctors? Engineers? Anybody? Cynically it feels like a cash grab, but who knows, maybe I’m wrong.

Posted in Full Posts | 1 Comment

Twitter Image Selection Bias

Introduction

A few months back there was a bit of a kerfuffle about how Twitter uses an algorithm to crop images. If you gave Twitter two faces in one image then it would use the algorithm to select a face in the tweet. So to test this algorithm, people would feed it two sets of images of two faces, one face on the left and the other on the right as the first image, and then switched left for right for the second image (or same idea but up and down). The Twitter algorithm appeared to be selecting white faces over black/brown faces. There were many news articles written on this topic. So much so that Twitter responded. And they updated the interface:

Well, did they really fix this bias in cropping images? How can you test it? And can I learn some python in the meantime? Sure!

Process

So how can you “scientifically” study all this? I decided to get a whole bunch of images of faces, stitch them together in all the possible ways, tweet the images (letting the algorithm choose which face it wanted to select), and then go through each image to categorize which face got selected more often.

Human Faces

To make life easier, I grabbed “human” faces from Generated Photos, where they use AI to create pictures of human looking faces (however none of the faces are actual people). This was helpful because they weren’t going to be celebrities, faces that twitter had already seen, and they have selectors for sex, age, and ethnicity. Yes, this was a bit gross. Gender and sex are different, and this website doesn’t acknowledge that, nor do they have a sliding scale, nor do I really want them to have a sliding scale. Same with ethnicity. Sigh.

Anyway, from those categories, I decided on testing [Female/Male] [Adult/Child] [White/Black/Latino/Asian] for the human faces.

Here’s the faces that I used for the Human Faces category:

Super Heros

I was doing a lot of work, so why not do a bit more and add in super heros! Here are the images that were in the super hero category:

Cartoons

Let’s throw in some cartoon images too. I was inspired by this tweet:

So here are the cartoon faces that were used in this project:

(maybe Wall-E and Eve should have been in the super hero category)

Misc

(faces in things from wikipedia)

To Python!

So I had to use Python in two new ways. The first was to make a script to stitch together all the possible images. The second was to tweet out these images.

I made a new Twitter account and after several emails back and forth, was able to get keys to access the API and have a python program tweet out images. The Twitter account that I created is: @testbias

Here’s the code from the stitching together of images:

#human images from:h ttps://generated.photos/
#faces in things from: https://en.wikipedia.org/wiki/Pareidolia
#superhero images from google image search
#image loading script: https://stackoverflow.com/questions/30227466/combine-several-images-horizontally-with-python


import sys
from PIL import Image

imagesFileNames = []

#load in images of "people" (actually AI created images, not real people)
ethnicity = ["asian","black","latino","white"]
age = ["adult","child"]
gender = ["male","female"]

for e in ethnicity:
  for a in age:
    for g in gender:
      imagesFileNames.append("./sourceImages/" + str(e)+str(a)+str(g)+".jpg")

#load in images of supers
for i in range(1,12):
  imagesFileNames.append("./sourceImages/" + "super"+str(i)+".jpg")

#load in images of cartoons
for i in range(1,11):
  imagesFileNames.append("./sourceImages/" + "cartoon"+str(i)+".jpg")

#load in images of facesinthings
for i in range(1,4):
  imagesFileNames.append("./sourceImages/" + "facesinthings"+str(i)+".jpg")


for i in range(0,len(imagesFileNames)-1):
  for j in range(i+1,len(imagesFileNames)-1):
    images = [Image.open(x) for x in [imagesFileNames[i], imagesFileNames[j]]]
    widths, heights = zip(*(i.size for i in images))

    total_width = sum(widths)
    max_height = max(heights)

    new_im = Image.new('RGB', (total_width, max_height))

    x_offset = 0
    for im in images:
      new_im.paste(im, (x_offset,0))
      x_offset += im.size[0]

    new_im.save("./outputImages/" + str(i) + "_" + str(j) + ".jpg")
      

And here’s the code for tweeting out all the possible images:

import tweepy
import time

def main():
    twitter_auth_keys = {
        "consumer_key"        : "BLAHBLAHBLAH",
        "consumer_secret"     : "BLAHBLAHBLAH",
        "access_token"        : "BLAHBLAHBLAH",
        "access_token_secret" : "BLAHBLAHBLAH"
    }

    auth = tweepy.OAuthHandler(
            twitter_auth_keys['consumer_key'],
            twitter_auth_keys['consumer_secret']
            )
    auth.set_access_token(
            twitter_auth_keys['access_token'],
            twitter_auth_keys['access_token_secret']
            )
    api = tweepy.API(auth)

    count = 0

    for i in range(0,39):
        for j in range(i+1,39):
            # Load images
            media1 = api.media_upload("./outputImages2/" + str(i) + "_" + str(j) + ".jpg")
            media2 = api.media_upload("./outputImages2/" + str(j) + "_" + str(i) + ".jpg")

            # Post tweet with image
            tweet = str(i) + " vs " + str(j)
            post_result = api.update_status(status=tweet, media_ids=[media1.media_id,media2.media_id])
            print(tweet)
            time.sleep(1)
            #sleep for 15 minutes if at 100 tweets
            count += 1
            if (count == 100):
                time.sleep(1*60*15)
                count = 0


if __name__ == "__main__":
    main()

Results!

So this all ended up as one big spreadsheet to see who “won” and “lost” (this took a _lot_ of scrolling).

So for the first breakdown, I looked at just the human faces:

Takeaways? Hard to tell. Looks like Twitter’s crop algorithm slightly favors “male” faces over “female” faces. It seems to favor children faces over adult faces, and Asian faces over the others. But this was one picture of each “type” of face. To do this kind of testing properly, you’d need access to the API (unthrottled), and a whole bunch of other access. Only Twitter has that (for now). I think it’s hard to conclude that there isn’t SOMETHING going on here, but further research is needed.

How “should” they be choosing how to crop an image? Simple! If there are two faces, randomly pick between them. Done. Or always pick the left or top face. Done.

Further Results

Super heros. These are probably images that the algorithm would recognize as they are in popular culture:

T’Challa sweeps it! Hulk has a poor showing. Both Miles Morales and Peter Parker are selected more often when they are showing their faces. Jar-Jar has a surprising number of wins.

Cartoons. Now one caveat, I made the twitter bio pic for @testbias a picture of Homer Simpson, so that might have messed up the results.

So Eve does poorly, as does Chihiro and Huey. Homer sweeps it. But Lenny. Why Lenny! Was it because of the original tweet where Lenny beat Carl? Maybe!

All the Results

Homer takes it. But this might have been my fault since Homer is the twitter account’s bio pic.

Bart Simpson, Lisa Simpson, Carl Carlson and T’Challa take positions 2-5. Faces in things (rock face), Lenny Leonard, and the Hulk take the bottom three spots. Full spreadsheet of results is found here.

Miscellaneous Interesting Battles

Baby Yoda (Grogu) vs Yoda

Hulk vs Thor

Spider-man(Miles) vs Spider-man(Peter)

Thanos vs Thor

Thanos vs Jar-Jar

Hulk vs Yoda (battle of the greens)

Posted in Full Posts | Tagged , , | Leave a comment

COVID19 – End of the Year Reflections

End of the year. Finally. Sixty plus school days out, from March 12th until June 12th.

Who knows what the fall will bring? More of the same, full distance learning? Some days in school, some distance? Totally back in person?

Full of questions. So I asked the students a series of questions, so that the poor students stuck in Mr. Anderson’s (virtual) classroom will be just a little better off next year. First question:

Let’s say that you didn’t know me, and you got stuck with me next year for Math or Tech class. How can I build a relationship with you over a distance? How can I get to know you and you to get to know me so that we can build a relationship so that we can set up the best learning environment? This is a tough question, I know. 

Wonderful responses. Instead of rewording I’ll let them directly speak for themselves. Here’s a selected set of direct student quotes.

  • Google meets are a great way to interact with students, and (even though I didn’t use them) I think having virtual office hours is a good resource for students.  If you want to form relationships with your students you could have occasional/optional “game nights” to get people to do something fun, math related, and engage them.
  • Maybe a form or document for both you and students to fill out about themselves
  • you can askme if im doing ok everyday, try to make me laugh, cause this social distancing is not really doing to well with some people.
  • I would hold a whole class google meet and make a presentation about you. Like talking about your family your hobbies etc. Just your students will get to know you a little better. Then you can ask students a little about them like share their name and one thing they like.
  • Set up small maybe even one on one meetings, like the ones we did preparing for fourth quarter. Require the students to have cameras on so you are able to match voices with faces and try to learn more about them and their learning style. 
  • Express your passions and hobbies early on, too which the students can fill out a google form too with their passions and hobbies.
  • right at the beginning do google meets/ video calls so they can get to know your voice and the face/ personality attached to it. 
  • I think the best thing to do is a google form like this with a bunch of questions to get to know your students.  
  • I guess maybe make a video about yourself, describing why you wanted to teach math and tech classes and some pictures of stuff you like to do.
  • Maybe a video introducing yourself
  • I think it would be nice if you posted lesson videos weekly for the assignment explaining it and used some sort of comment feature to respond to questions so that we don’t have to wait for a google to figure it out. But doing mandatory google meets is also a good idea o get to know the class. 
  • Maybe give the students a clearer understanding of what to do and how to do that same thing. 
  • Required google meets, maybe forms to ask about who they are, what they like and what their favorite math subject is
  • I think having google meets to get to know people instead of work meets would be good. Other than that, I’m not sure
  • I would make MANDATORY zoom calls so you can talk to everybody and meet them and ask them all their favorite… or how their summers’ were. I fit isn’t mandatory kids might not show up.
  • For sure do google meets to meet everyone and maybe if you have the time meet with each kid individualy for a short time just to talk to them a little.
  • I think in order to build a good relationship online the best thing to do would be group google meets or one on one meets. Also, I think I feel more of a connection when I can watch videos of my teacher doing the notes and going through them.
  • The best way to build a relationship is to show to your students that you are there for them. Tell them that yes, grades are important, but what comes first is mental health and that you are there for them. 
  • i felt as though i was able to form a relationship with you this year pretty quickly, more quickly than with the majority of my teachers. honestly, i think that little essay thing we had to do at the beginning of the year about our experiences with math helped the most with that, because you gave us our writing back with personalized comments that made it seem like you actually cared (?) about who we were as people and how we learned. i hope that answers things adequately for you.

Relationship building from the students:
Tell them about yourself. Learn about who they are. Show you care.

(these are good for any year, don’t just save it for a pandemic.)

What about what we did in class worked well for distance learning?

Students, on the whole, loved Deltamath (Algebra 2 and PreCalc) and found it to be very supportive with the built in videos. We had already been using Deltamath for weekly homework assignments, so it wasn’t a new experience for the Alg2 and PreCalc kids. When I did make my own videos of working out solutions with my voice, they liked that even more. Now were they learning from Deltamath over this time? No not a ton, much of it was review from the rest of the year, so it was doing something different then practicing brand new learning.

Here’s some direct student quotes: 

  • Delta math helps a lot because it provides examples and videos that walk you through it. 
  • I like the delta maths especially when there was a lesson that went along with the delta math and you could watch the video and answer the questions that go along with the lesson.
  • i liked having flexible deadlines and being able to set my own work schedule
  • In class we started at the beginning of the year using deltamath and desmos so I think with already having those websites available helped.
  • The deltamath assignments were nice because it was only once a week and I felt like it helped me to learn the topics pretty well.
  • Personally it is very very hard for me to distance learn, but I believe that google meets and deltamaths were helpful because they allowed for questions/examples were provided.

Another thing that, on the whole, worked for most students was the class setup of having weekly assignments assigned once a week and due at the end of the week. So instead of daily assignments and daily required google meets, like in some of their other classes.
<teacher brain>Does this mean that they actually learned more? Or does this mean that they really just liked it that we had less work?</teacher brain>
I dunno, I think they had a fair amount of work each week, true use of the word “fair”. Did they learn? I dunno. No idea.

What about what we did in class DID NOT work well for distance learning? 

This, as usual, is a bit more muddled. A minority of students mentioned that deltamath didn’t work that well for them. Also some students mentioned that the videos didn’t work that well for them, because having a single video to watch over and over didn’t help answer their questions (and then they couldn’t come to office hours?).

Another minority of students mentioned Desmos activities for what didn’t work. We had done probably a dozen activities in class while we were in person, and they weren’t used to doing a Desmos activity without feedback about how they were doing as they progressed through the activity. When I assigned these activities, I certainly used the new Teacher to Student comment features, but I didn’t think that many of them were checking back in with the activity a day later to see my feedback even if I directly asked them to check for comments. I think I need to improve how to run these Desmos activities from afar. There are other features that would help too, like a student preview of the teacher dashboard for a screen…. I’m not sure.

Here’s some direct student quotes:

  • I didn’t really like desmos because there was no video help and if you were confused you couldnt complete the assigment.
  • I think it all worked out pretty well sometimes it was just hard to find the motivation to do the work so the work got to be difficult at times.
  • The math videos online, I think the videos of you explaining them were better.
  • The lack of a set class schedule, but I know that wasn’t really your decision, it was the school’s. I kind of need that sense of structure to function in school.
  • I think there needed to be more periodic due dates. I tended to just sit down the day before and work for several hours once every 2 weeks. That really hurt me cause when I didn’t space it out, I didn’t have time to ask you questions and wait for a response. I had to bash my head against a wall until I figured it out. 
  • the weekly quizzes we had done in class wouldnt work too great for distance learning, it would be too much on the students and it can be stressful as it is even when we went to school physically. It felt a bit non ending
  • I wasn’t able to learn from the videos, they moved too fast and I couldn’t absorb the information
  • The google meets were not a necessity for people that didn’t have questions. I think there should have been a few mandatory ones.
  • Desmos. Some of the questions were so hard so I’d just skip them and then I’d feel I didn’t learn much. Especially the marbleslides one. I feel its a good concept, but there’s better sites to do it than Desmos.
  • i didn’t really like doing desmos out of class as much as i liked it in class
  • i didn’t really like the desmos because I felt that it kind of was too open-ended and I can infer what I was suppose to learn but I wasn’t 100% sure. It also was kind of hard to know the right answers + what to do at some points. 

Anything else you want to tell me?

Gonna miss these kids. Lots more like that. Really repetitive.

  • I am going to miss you next year, so thank you for being such an incredible teacher.  I promise to come back to visit if and when possible.
  • Youre a really fun teacher and I hope I can get you again senior year 🙂
  • When I say you are the best math teacher I’ve had by far, I genuinely mean it. My grades weren’t even that good this year in math and still hold that statement true.
  • I enjoyed this year’s class. It was pretty different than most of my classes and it allowed my to learn better due to the way we do things. Some things were almost self taught which was good for me. 
  • Just wanted to say that I thoroughly enjoyed my time in your class and was expecting a typical math teacher that just went through the motions but was pleasantly surprised. I really liked that change up and hope more teachers can be like you and use your teaching style. Thanks for a great year once again and have a nice summer.
  • I remember once I didn’t understand something while you were giving a lesson on it. I asked you a question and you explained, but I still didn’t understand it. I asked a question again, and you explained it, but I still didn’t get it. So I asked another one and you explained it, and finally I understood. I vaguely remember other students saying something like: “Bruh how do you not understand it?” while that was going on. Thank you for helping me through it. 
  • This year was a lot of fun, I really loved coming to PreCalc each day because I knew I’d have a good laugh and learn something interesting. I have a deeper appreciation for math and made closer friends this year in this class. I’m sad we won’t all get to see each other again, but hopefully next year will be just as fun! Thank you for all you’ve done to help me and others!
  • we are gonna miss you! Also please if we ask you a question stop telling us to ask a friend. WE ARE ALL CONFUSED MOST OF THE TIMEEEEE
  • Thank you Mr. Anderson for making my least favorite subject in one of my hardest years better overall for me. 
Posted in Full Posts | Tagged , | Leave a comment

COVID19 – A Day in the Life

This is a Day in the Life of post in the 6th week of our Corona Virus School break. I wrote a previous Day in the Life post six years ago and it can be found here. Here is the #mtbos call for similar posts, also from a long time ago. The idea for this post is to record what it’s like to be a teacher in the middle of this craziness, specifically a teacher with young kids at home.

Background: I am a math / computer science teacher at a suburban high school in upstate NY, I’m married to a elementary school librarian, and we have three kids: Ca, a second grader, S, a kindergartner, and Ce a two year old. We acknowledge that we are quite privileged, we have a very comfortable home, both have jobs that are flexible, and our kids are fantastic and mostly compliant.

Wake up 6:30, boys (Ca and S) up at 7, Ce up at 7:15. This is later than before the craziness, shifted about an hour back. All three kids downstairs, put away clean dishes, make coffee. My wife sleeps in, she’s naturally a night owl, and I’m a morning person. Boys start off playing nicely together, Ce needed to “help” me. Then boys start rough housing, but I’m making breakfast and Ce is playing nicely, so a quick talk and they relax just enough so I can finish making breakfast.

Kids are eating (with much loudness, but eating none-the-less). I start by writing down the school schedule for boys on separate whiteboards by checking their separate clever.com, google classroom, and google doc schedules for the day. Full schedule for both, probably between 2 to 3 hours of schoolwork each.

Respond to one email from my student before interrupted again.

My wife comes downstairs with Ce (I sent her upstairs to “help” my wife get ready) and we go over the schedule for the day, what meetings, when? workout?

We get kids started on schoolwork, I’m sitting next to Ca who’s doing reflex math (practice of his math addition and subtraction facts), S on other side doing math review sheet, but needs to be read every set of instructions for every problem. 

Write DM to Michael Pershan egging him on to do this challenge, get interrupted by all three kids a total of five times for the first DM, three times for the second DM.

Wife with Ce eating breakfast (finally, this is the third attempt). I have a 9:45 meeting starting up, so leaving the three kids with my wife. I go upstairs to quiet(er) spot and have a PLC meeting for 45 min. Not too much new information.

After meeting, try to answer another email, but I hear a commotion downstairs, so I go down to help wrangle kids. Wife has meeting currently going on, Ce is in room but playing happily, S is working on raz kids (online reading platform with “quizzes” at the end), but when I check on him was actually done and was just looking at himself in the selfie camera, and Ca is independently reading on couch. They have more stuff to do on their list, and I tag off kids with my wife and she goes upstairs to continue with her meeting, get Ca started on three digit + and – and give two piles of coins to count up. I made up some story about how I earned this much money and he earned that much, so how much more money did I earn? If we go in together can we get that awesome LEGO set? I’m skipping the assigned lesson and doing my own to combine two of his lessons, three digit addition and subtraction, and working with money. Teaching my own kids math is a great part for me about this break. Love it. Get S started on his A-Z scavenger hunt (needs to write down items from the house that start with the letters A to Z). Ce wants to be read to, threatening a full meltdown, so I start reading to her and Ca is calling from kitchen that he’s done, and throws out some sum, but not sure if it’s correct. I ask him to put change in jar and bring whiteboard to me…

(12 min later)

… he does.

Subtraction is good, its actually a 4 digit minus a 3 digit and has borrowed from the first 1 to the second one, 1182 – 561 or something. Get to talk about how the “11” represents either 11 hundreds, or 1 thousand and 1 hundred. Show him way to think about it without borrowing from the 1 in the thousands place to the 1 in the hundreds place (hence getting an 11 again). We move on to the addition, can we afford that LEGO set? He adds correctly in his head, and I ask how he knew it, and he explains nicely. I’m impressed. 

Clearly boys need to go outside and burn off energy. This is yet another spot where we’re privileged and lucky. We have a nice chunk of land and the weather is nice. This would all be so much harder in November / December. Ca wants to use his rollerblades (for the second time ever, got them last fall) so I run out to garage to get some safety equipment. 

Get him all dressed, skates don’t fit, but he’s out and skating. My wife comes down and can help out with Ce. I get my rollerblades and skate around too. S very jealous, but Ca takes skates off 10 min later because his feet hurt, so now S is skating around in those skates, and Ca is happy too. Meanwhile, my wife and Ce are upstairs going through clothes for Ce. Ce comes outside and is somehow occupying herself. My wife comes outside, and I run inside to make lunch. Call them inside to eat lunch, put on a Binging with Babish video for them to watch while eating lunch, it’s about homemade ice cream sandwiches. This is another great thing about this break, we love to cook anyway, but there are so many great resources online to support them learning how to cook too. We then set the kids up for their respective quiet times, each in different rooms. My wife gets a workout in and I start writing this post. At 1:30, I have scheduled office hours, so I login but nobody shows up. Office hours started off quite a bit busier at the beginning of this weirdness, but has been very lightly attended lately. I have plans to see their lovely faces more often, so I’m not that worried just yet. Good news, it’s relatively quiet, so can get some school work done. I go to a currently running desmos activity for PreCalc and continue leaving feedback to activity.  (while during quiet time, I hear dropping of … something from Ce room, doesn’t seem dire, so ignore). Two minutes later she’s called me into to fetch a book or something.

Leave more feedback in the desmos activity (love this feature).

Wife gets back from workout, immediately starts work on her stuff after she checks in with S to make sure he’s not actually napping, and I check in on Ce and Ca to make sure they aren’t actually napping. Ca and S have dropped their naps a while ago, and Ce would nap at her child care place, but has dropped it on most days. We encourage them not to nap (unless they seem super tired) because if they do nap, then they’re up and awake until after 9, and we just need some time to ourselves!

Check deltamath for PreCalc and Alg2. For the PreCalc weekly assignment, about 1/3 have started and completed, 2/3 haven’t started yet (it’s Thursday afternoon, they have until Sunday night)

For alg2, 10% completed, 20% started, 70% haven’t started yet. I’m sensing trouble here.

Write tweet to Zach (founder of deltamath) wondering if it were possible to see how long people have spent on an assignment because it’d be interesting to get an idea about how long they’re spending on the assignment because it’d be nice to know and I’m curious.

Check classroom for other alg2 assignment, it’s a google doc set of questions on some fantastic Stats videos, Against All Odds. 2/28 turned in, check those two assignments, they’re ok. The technology is failing us here because it requires graph paper to make a useful box plot, especially if you want to compare two box plots, but google drawings does not make any of that powerful or easy. 0/28 turned in from other section. Not time to panic yet, but it’s not a good sign that so few alg2 students have started the either of the two assignments that I’ve assigned this week.

Ok, move on to another class, Computer Science Discoveries. Only 5 of 15 have started assignment, write a reminder post on classroom to hopefully get some more stuff in motion.

Ok, move on to the last class, App Design. They’re working on a big app of their own design, will have several weeks to work on their app, so they fill in a journal to buy prednisone online UK keep me in the loop for their progress. Journal entries are very spare this week, uh oh, write reminder comments for all but one student. It doesn’t mean that work isn’t getting done, but I have no insight to that, I can’t see what their actually working on, I have to only rely on this document. Make mental note to check on this tomorrow.

Start planning for next week for all four preps. I normally have three preps, but took a fourth prep this year. Yikes, that was a bad bet, four preps have made life significantly more difficult over this weirdness, my two computer programming classes are singletons, so nobody to bounce ideas off of.

Precalc H – overarching plan, design deltamath work, (interrupt by Ce), design book talk on chapter 1 of a book that we’re reading together, Infinite Powers, (interrupt by Ce who wants out of quiet time, so I lie and tell her 3 min, but will hopefully be more like 15).

Brainstorm for how to keep (get?) kids engaged in all my classes… coming up a bit blank, but there’s a wonderful tweet by Avery Pickford that’ll help.

Meanwhile gather yet another fun idea, this time from Bowman Dickson:

Ok, it’s 3:30 and quiet time is done. Here’s the sum total of the work that I’ve gotten done today:

  • 1.5 hours of meetings time today (and only half that with actual people)
  • 1.5 hours of giving feedback, checking up, writing emails
  • 1.5 hours planning for future

BUT, much of this time is interrupted by the kids, or might get interrupted by the kids. I relish having a set amount of time to get work done, but I can’t do the same kind of work if I might get interrupted. (2 min after this sentence is written, a series of yells and “owws” put me back in action)

Another thing that makes this all difficult is that one of us is on duty with kids at all times. We also are doing the best we can with this all, so it’s pretty much one parent with all the kids from 8-3 or so, so the other one can work. Quiet time is the only chance that both of us doesn’t have to be involved with kids, but even then, many many days there are interruptions from one of the children every 10 min over the two hours of quiet time.

The next set of things is actually pretty normal for what happens on a usual day. Kids go outside and play, I get a workout in (my wife and I have been good about supporting each other with finding workout time, and I think that’s a big reason that we’re doing ok), we make food, kids eat food (sort of), bath time, reading, and everyone is quiet at 8pm. That’s a big block of time, 4-8pm, but there is really no space to do anything other than just doing life (and no time for anything related to school).

After 8? BURNED OUT. We’ve been watching different TV shows, some old, some new, some trashy, some quality. It’s our first time to talk to each other without a child interrupting all day. We love it. It’s something to look forward to every day.

I’m writing this all as sort of a stream of conscience journal entry so I can remember what it was like trying to “teach” in this weird time with little kids at home. I don’t even have it bad either. I know teachers with little kids at home but only one parent. I know teachers at home whose spouse has lost their job. I know (lots) of teachers who live in a city with small kids, and finding good outdoor spaces is very tough. Not to mention families who have actually GOTTEN SICK. Yikes. My grass is super green right now.

Posted in Full Posts | Tagged | Leave a comment

COVID19 – Meetings with Students

Once again, here’s a lightly edited twitter thread about my experiences teaching in the COVID19 craziness. This is the fifth week that we’ve been away from students.

This week I asked the students to attend a small group (<=5) 10 min meeting with me to talk about our past and our future for the class. Since we’re asynchronous, this is the first time that I’ve “required” them to go to a google meet. I assigned no other work this week. There were three days of google meets scheduled, this took up pretty much all the time that I can put forth for school work during the day (with the other meetings and such also scheduled). You can check Zoom App Altarnatives here.

Of my ~100 students, ~70 showed up to the pre-scheduled meeting. At the end of the day I sent out an email to the students who missed and if they responded back then I gave them another time to meet up. This stretched the meetings out to a fourth day. That covered ~20 students who were successful on the second try. At the end of the week I sent out emails to the last ~10 students, parents, (and special ed Ts) who didn’t respond to my emails and didn’t get any of the info that we talked about in the meet. Will call home next week if there is still no word.

It was great talking to the students, some of them for the first time since March 13th, even if it was quick. I write all this to talk about how much effort this relatively small payoff is costing me. I didn’t assign any work this week, I didn’t run any office hours.

I heard about their lives, how they’re working extra hours because they can make some extra $ and help their family. How they’re babysitting for their siblings. How they’re babysitting for health care provider’s kids from the neighborhood. How they actually miss school. How they’ve shifted their awake times back several hours (median amount is probably ~4 hours). How they are getting wildly different amounts of info from their other teachers, order prednisone for dogs online some had heard about the new grading policies from all their teachers, some none. I had several other meetings for school this week, I have a whole bunch of prep that I’ve done for next week (still not done), and I have some grading to do, as well as set the Q3 grade.

This was worth the time and effort. I write all this as confirmation about this teaching job being WAY harder now. This tweet absolutely nails it:

AND (!!!!) I teach mostly juniors and seniors at a relatively well off suburban school. I can’t imagine what it’s like at other districts.

Posted in Full Posts | Tagged | Leave a comment

COVID19 Update

Hello forgotten blog. I’ll go back to forgetting about you, but I wrote a lot of text into your flashier cousin, Twitter, and here it is copied, pasted, and lightly edited.

I’ve been asking the students to fill out weekly feedback forms. What is going on? Do you need anything? What is working? What can we do better? etc.
Here’s the form sent out a couple of days ago.

Takeaways:

  1. The kids are mostly stressed or bored. Many specifically mention being stressed AND bored. Not many are loving it (mostly a duh, but it’s interesting to see that there are some who love it.) Some are anxious and are worried about the health of their family.
  2. They self report having a LOT of work. I don’t know if the teachers at our school (including myself) are having trouble portioning out the appropriate amount of work, but this kind of agreement is substantial. (5 is tons of work, 1 is very little)
  1. The students who are responding* don’t need much from me. They have pretty much everything they need. *But they aren’t all responding. So a lot of effort needs to be put forth by me to make sure those who aren’t responding are doing ok. This is not a trivial amt of work. 
    I’d say a good 1/4 of my time spent on school each week is spent manually tracking down Ss, and why they haven’t been connecting, and how I can help. Sometimes their internet is out for a week. Sometimes they were grounded and had no access to internet (not kidding). 
    Sometimes I’ll email with questions: how are you doing? are you stuck? can I help?
    and get nothing back, but then a couple of hours later I notice that work is getting handed after a week of silence. (????) I’m having a hard time with this whole game.
  2. For the most part what we’re doing in class (asynchronous week long lesson plans, with brief lesson videos, and 2 or 3 assignments given out on Monday and due the next Sunday, and then office hours available every day) is working for them (once again, for those who responded). 
    They like the weekly assignments, easier to keep track of and portion out. They like the office hours (although they are barely using them). They like that we haven’t had synchronous lessons. 
  3. What are other teachers doing that they’d like me to do more of? A couple of the Ss said that they’d want one synchro lesson per week, and although this is a small %, I think I’m with them. 
    That’s about it. This is such a new environment for everyone, that I can’t fault them for not thinking meta enough to know what is working and what isn’t. Seriously. How would they know if something is working besides whether or not they like it?
  4. I love this last question. I get nothing from about half, but the other half is fantastic. I hear about what they’re watching on TV. About new pets. About exercise routines that they’ve picked up. About being nervous about their parent in health care who is now working with covid patients. About being sad about not seeing their friends. About being sad that prom isn’t gonna happen. About how they’ve been practicing their driving and are getting good. About being proud having just finished a long english paper. About wanting me to tell their other teachers to “chill dude”, they have tons of work. About how their family is driving them nuts, but also they’re enjoying their family for the most part. About what they’re cooking. About how they just need a break (despite our spring break being taken away). About how they actually miss school and can’t believe they just typed that. …

    It’s a wonderful field. And since I didn’t make it anonymous like I do most feedback forms, I’ve written a dozen follow up emails checking up based on things that they’ve written in the form. My biggest frustration is getting a small slice of them to engage. They are busy, but I want my slice of their attention. It’s that whole adage, I get 80% of the payoff from 20% of the energy. But to get that last 20% of the payoff, it’s 80% of my energy. I’m left with a zillion Qs that normally drive my classroom but feel much more unanswered with all this change. Are they learning math? Are they enjoying math? How can I improve? Are they learning from and helping others (this one is a certainty – not anywhere near as much)? 
Posted in Full Posts | Tagged | Leave a comment

PAEMST!

This is an update to my previous PAEMST post.

In the middle of October I took a trip with my wife to DC and participated in the PAEMST (Presidential Awards for Excellence in Math and Science Teaching) awards conference for three days. It was a great trip, the 7-12 awardees from 2017 and the K-6 awardees from 2018 were combined into one conference, so with one math and one science from each year and the fifty states plus US territories and the USDoD schools, there were about 210 fantastic teachers involved. Way too much to write up in a blog post, but it was an amazing experience.

The four NY PAEMST awardees. From L to R: your humble narrator (7-12 math), Elizabeth Guzzetta (7-12 science), Marianne Strayton (K-6 math), and Anneliese Bopp (K-6 science).
7-12 Awardees
K-6 and 7-12 awardees
Of course, I couldn’t help but do some math on some really pretty hyperbolas from the lights in the Washington Hilton.

Posted in Full Posts | Leave a comment

Mathematic Mistake – Car Talk Puzzler

RAY: Everyone, almost everyone remembers the Pythagorean Theorem. A squared, plus B squared, equals C squared. And there are numbers like three, four and five; five, 12, 13 which satisfy that little equation.
Many hundreds of years ago a French mathematician by the name of Fermat said, this only works for squares. There is no A cubed plus B cubed, which equals C cubed. There is no A to the fourth plus B to the fourth that equals C to the fourth. Etc.
As luck would have it, a young mathematician issues a statement that he has three numbers which prove Fermat’s theorem is incorrect. He calls a press conference. Now, he doesn’t want to divulge everything right away. He wants to dramatize, build a little bit, does he not?
So he gives them all three numbers. But he doesn’t tell the power.
A equals 91.
B equals 56.
C equals 121.
So, it just so happens that at this little impromptu press conference, there are all these science reporters from all the po-dunky little newspapers that are around this town. And one of the guys, one of the reporters has his 10-year-old kid with him, because this happens to be a holiday. He’s off from school. And the kid very sheepishly stands up and raises his hand, and he said, I hate to disagree with you, sir, but you’re wrong. The question is, how did he know?

https://www.cartalk.com/puzzler/mathematic-mistake
Posted in interesting stuff | Tagged , | Leave a comment

Classroom Top Four – #4 Interests and Interesting Things

Previous entries: #1 Course Evaluations#2 Whiteboards and Furniture, and #3 Teacher Technology Use.

This one is short and sweet. And it totally depends on you. Share your nerdy math things with the students. Please. Students at any level should see how you enjoy the subject that you teach, and how you’re interested in math other than the math that you’re required by your school to teach. I can’t know what you are interested in, but I share a ton of math art with my students. Often it’s things that I’ve created, but that isn’t required. I share some of the best math art things that I find on twitter. A fair amount of my classes have a “oh and here’s something that my nerdy math twitter people were talking about…” moment.

Oh and if you have a twitter account and it’s shareable to your students (no inappropriate things for students), consider talking about it. I don’t have lot of current students who follow my twitter account, but I do have a fair amount of former students who follow me on twitter and while a hundred days go by without any contact, it’s an amazing feeling when they share something that they learned in college and thought about something that we did in class that was related.

Everyone is a fanatic about something. Share that with the students. Many of them are still growing into what they want to nerd out about and you can be part of that.

Posted in Full Posts | Leave a comment

Classroom Top Four – #3 Teacher Technology Use

Ok, here we are after a full year between Classroom Top Four #2 and #3. Wow. Good news is that I have more refined opinions on this specific topic, partly because I changed schools and the friction of the change has made me more thoughtful about what I’d want in an ideal classroom.

Previous entries: #1 Course Evaluations and #2 Whiteboards and Furniture

This post is about the teacher use of technology in the classroom. Student use of tech is a different challenge. 

My favorite setup:

  • A projector. Large, clear, bright display on some flat surface on a wall. Large, clear, and bright is so important. Yet so hard to achieve in a school (seemingly). Oh and it needs a remote with a “freeze” button.
  • An Apple TV connected directly to the digital projector. No network necessary (not using the streaming media features at all). HDMI only please, no VGA conversion.  Sounds like a small nerdy request, but it’s important.
  • An iPad with an Apple Pencil. This tablet easily mirrors to an Apple TV that in the same room (neither need internet access for this, technology magic makes it happen, but I’d want internet on the iPad).
  • Notability app. Super powerful and easy to use software for making hand written notes, marking up images, and exporting pdfs to google drive.

Notes:

  • The full Apple setup totally isn’t required, but I think it’s the best current setup. I’ve been happy with an android tablet (that came with a real stylus), some random box to mirror it to the projector, and some app that did a similar task to notability. At each step there were some more hiccups, the mirroring connection was more buggy, the writing app was a bit more janky, and the export to google drive took 8 clicks instead of 3. I’m no expert though, there certainly may be improvements in all these areas.
  • Writing with a real stylus on a tablet is super important. You need to be able to put your palm down on the tablet and have the tablet just read the stylus’s input. When it’s done right, it’s almost as natural as writing on a sheet of paper, but it has so many more benefits compared to paper. Also this is super important for:
  • You need to have the students write on the tablet without thinking. It shouldn’t be a learning curve. You freeze the projector, give a student the tablet and stylus and say “solve this problem for me please” while everyone else in class is working on the same (or similar) problem.
  • No Interactive White Board. Sorry Smartboard/Activboard etc. I don’t block half the room with my projected tablet. I can walk around the room and be present where classroom management requires me to be. I can give the tablet to a student so that they can (somewhat anonymously) share their work.
  • Take pictures of student work and project them. Mark them up and discuss. No need for names, just “here’s some wonderful work that I captured from your class.” You know the kinds of kids that will be all “yo, that’s my work!” and the kids who’d rather be not called out. This gives them that option, and its soooo easy to do this in notability. Plus button, take picture, insert, crop and resize all takes < 20 seconds.
  • Export your notes at the end of every class to a shared google drive folder and make sure the link to the google drive is in somewhere they can find it (best place for me? the about section of their google classroom). Done. Why not? Yes it doesn’t totally capture the class, but nothing ever does, and it’s a great solution for students who miss class, who’d rather not write and just pay attention, etc.
  • Put Monument Valley on the tablet and give it to students who finish a test early and are just mindlessly scrolling instagram or snapchat.
  • Use the Desmos app, or some other app and take screenshots of things that you’d like to mark up in the software.

What am I missing?

Posted in Full Posts | Leave a comment