This page will introduce you to the course material we're building and how the Computer Science Department at Gilmour Academy operates.
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Developing games using GameMaker Studio 2 and drag and drop programming
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Developing games using the Unity framework and the C# programming language
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Introduction to App Development, Kivy, and Intermediate Python.
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
What are the parts that make up a typical computer? Let's take one apart, label its components and talk about what each does.
I can disassemble and reassemble a computer.
I can describe the function of basic PC components.
You will be asked comprehension questions to identify parts of a computer from their images, what their primary purpose is, and what their common problems are
You will be observed disassembling and reassembling a computer and checked that you can identify all the components and that you can reassemble the machine correctly
Imagine a person juggling while singing an old song from their childhood. Part of the juggler's brain is tracking the motion of each ball and the timing of each throw. Another part of the juggler's brain is recalling the song. His stomach is fueling his muscles. His nervous system is communicating controls from his brain to his arms. His eyes are taking in information. His voice is outputting the song. We'll use this as a reference as we go over hardware.
CPUs or processors do math. They are a super complex series of logic gates made unbelievably small. What are logic gates? Imagine a wire with two light switches in a row. Since both switches are on the same wire, both need to be flipped to the ON position in order for power to flow through the line. That's an AND gate. If the wire split into two instead and each fork had its own switch, that would be an OR gate as only one or the other has to be enabled for power to flow. Processors have millions and millions of these complex arrangements made in microscopic sizes.
According to our analogy, the CPU is the part of the juggler's brain that's calculating the path of each ball while also managing all the other signals through his brain. It doesn't cover all the functions of the brain in our analogy, but it is at the center of the comparison.
CPUs use a lot of power and generate heat. Metal wires create a little resistance as electricity flows through them and that energy turns into heat. You must manage the heat that gets created by your CPU using a fan or other cooling system. If your computer collects a lot of dust, it will insolate
If a CPU is older it means it could be generating more heat while executing fewer commands. And if the CPU is slow, that means it must be connected to a whole bunch of other parts that are older and slower too.
In case you're curious and don't mind a little challenge, learn about the Von Neumann Bottleneck and how computer engineers have gotten around it.
Look through Tom's Hardware and read how the experts recommend you shop for components
Create a Quizlet set and practice these terms
No one writes code totally from scratch. All programmers use a variety of preexisting systems that allow for easier development. We write code that interacts with other layers. That's an API or Application Program Interface. We can interact with our operating system, helpful resources or other apps.
The BIOS or Basic Input/Output System is firmware. It's something built right into your motherboard. It helps boot your computer up and gives something for the operating system to run off of.
The OS is a big deal. It serves as a vital intermediary between software and hardware. Instead of having to program every little operation for each device in our computer, we can just use the commands provided by the operating system.
The interpreter allows us to execute our written Python code. It's our interface with the Operating System which is in turn interfacing with our hardware.
Part of what makes Python so great are all the tools and frameworks available. Want to build a web application? Use Flask or Django and you'll be up and running in minutes. Do you want tools for data analysis? Machine learning? Robotics? There's an ocean of open-source tools ready to give your app superpowers.
We're going to take a tour of Python. You are expected to know generally what these things are, you're not yet expected to know how to use them. So no freaking out. We'll play around with some fun projects after a quick look around.
I can make a hello world app in Python.
I can differentiate between compile-time, run-time, and logic errors.
I can describe the basic constructs of programming languages such as variables, conditionals, loops, and flow control.
You will be answering comprehension questions about the layers supporting software execution.
You will be creating and submitting your several small Python apps using trinket.io
Let's go to trinket.io and build some simple stuff, starting with print("Hello, world")
We'll go over each of these concepts in greater detail. For now, let's skim over all the big topics.
The first video deals with the following concepts: Functions, Variables, Operators and Conditionals
Class 1/4
Class 1/11
Class 1 / 20: User defined functions
class 1/24: for / while loops
The first thing we'll tinker with is declaring variables and storing information. Variables in Python are dynamically typed, meaning you can store one type of information in a variable and then switch it without any fuss. Other languages are more strict and don't allow such shenanigans.
We use math symbols for most common operations. But Python has some cool operators. Read!
Conditionals control how the program flows based on input from the user (in an app) or sensors (on a robot.
I can interpret an unfamiliar code base.
I can extend the code to my own project.
You will create an interactive program or game based on existing turtle classes
You will be asked regular comprehension questions about Python.
Create an interactive turtle application of your own design. This can be a game or other interactive program, but it must use at least two of the three types of turtle classes we have outlined (moving turtle, keyboard turtle, clickable turtle).
3 pts - Program works without errors
3pts - Program uses two classes of turtle
3pts - Program is interactive. Users can DO something with the program beyond what we set up in class. Make sure your theme is cohesive!
1pts - Program is cleaned up (unused imports have been deleted, for example)
To finish off the superturtle app, we are going to add the following to our program:
Move the printing of the menu options to the helper function, but run it in main.py (2 points)
Add four_square to the menu options (you should have 1. add turtle, 2. star, 3. four square at this point) and make them execute when called. (2 points)
Add at least 3 new methods to the SuperTurtle class (whatever you want, but they should be obviously different than the things we wrote together.) Add the methods to the main menu and make sure they execute when called. (9 points)
Make sure you have a creative display! (2 points)
In order to complete the Wordle program, there are a few things you need to add:
Make a new method in GamePlay.py which can be called during process_input() with different colors in the different letter situations. Keep your code D.R.Y. (4 points)
Complete the check_game_end() method in Gameplay.py and implement checks throughout your game. Make sure the game actually ends -- remember we have a boolean which controls the end of the game in main.py. (4 points)
Make sure your settings variables are all implemented within your program (for example: when you change background value to a different color, it actually makes the change in your program). (2 points)
Add a minimum of twenty 5 letter words to your word list. (1 point)
Clean up your code. Get rid of methods or imports you didn't use. (1 point)
I can implement the basic constructs of programming languages such as variables, conditionals, loops, and flow control.
I can make a class wrapper that inherits from a library's class.
I can call a method from a library.
Class 1/24 Turtle drawing assignment:
Loops and functions allow skilled programmers to make more efficient code that's easier to maintain.
A for loop has an iterator and a collection that it traverses.
A function has a definition that lists any parameters and has a code block underneath that gets activated when called.
In the example above, the magic_spell
function isn't a part of a Class. It's on its own. If that ability was a part of a player in a game, we'd call it a method instead of function.
We're going to jump into work with a lot of advanced concepts. This is intentional. New programmers are very often intimidated by code they don't understand. I want you to get used to that early on. Enjoy tinkering with a few lines here and there and see how things change. Get comfortable swimming in the deep end.
This class (inherits) from the Turtle class which is available since we imported the turtle library. Instead of writing from turtle import Turtle
I could have also written just import turtle
in which case every time I wanted to use the Turtle class, I would have had to specify the library, such as turtle.Turtle()
The only thing that our SuperTurtle
does that the regular Turtle doesn't is the way it gets constructed. When a new Turtle is created or instantiated, we initialize or __init__
with some default properties.
Follow along as we go over a couple of skills. You aren't expected to be able to do this stuff yourself quite yet.
Make a loop and create a bunch of turtles
Add a new method to the turtle to make it go to a random location and call that method in the constructor
Make a list of colors and make each turtle randomly select a color
Make an empty list and add each turtle to the collection as it's being instantiated
Loop through the turtle collection and modify each
We'll spend some time experimenting with this code, learning by modifying existing code.
A method or function is a group of commands that can be called. If I tell you to please clap, that's me activating or calling the command that's already defined in your head. I may give you additional parameters or arguments like, "clap 5 times loudly". In Python that may input("What's your name?")
but that doesn't save the variable, so we write it as:
name = input("What's your name?")
written as joe.clap(5, "loudly")
They both start with def
and will execute their pre-programmed commands when called. However, we'll refer to a function as something floating outside of a class and a method as an ability built within an object. For example, a method would be if an instance of the Human class, let's call him Joe, had to sneeze: joe.sneeze()
. But a function would be an anonymous helper like therancolor()
function programmed above that just returns a random string in a list of colors.
Look at the documentation, other student examples, and Google searches to modify open-source code and customize your own design. You can use one or many turtles but the end result has to have multiple colors over a fun design.
Let's make our app more interactive. Just like the print("message")
function we've been using, there's another one that takes a string input called input()
input("What's your name?")
will work but that doesn't save the user's response anywhere. So let's create a variable that will store the answer in this example:
name = input("What's your name?")
To make sure we are asked the question over again, we'll put the input within a while True:
loop.
What is the Internet? We need to understand some of the basics to the underlying tech so we can understand why websites work the way they do.
I can describe a brief history of the Internet's origin and impact.
I can write a professionally formatted email.
You will receive comprehension questions about why the Internet was made, the very basics of its technology, how the technology grew, and its significance to society.
The Internet is mankind's greatest achievement. Mr. Adiletta takes a dramatic position on the Internet as a basic human right. The evolution of human intelligence goes beyond the growth of our brain. and into the development of communal stories, into libraries, and then into the Internet. The Internet is a product of human evolution and is the birthright to all people.
The Internet is a part of your mind and you have the right to use your brain.
In his 2000 Presidential campaign, Al Gore rightly took some credit in the creation of the Internet. No, he did not help develop the TCP/IP network. However, after the ARPANET project was complete, the ownership of the underlying technology was in question. It was offered for sale to at least one telecommunications company but they passed on buying the Internet not knowing what it would be good for. Al Gore was a part of a congressional effort to make TCP/IP a public resource. No one owns the Internet because of that. He also helped establish support to connect people--something we have a moral obligation to continue.
After watching this video, take a moment to think about why this video seems silly. It's not just her rockin' hair and vest or the British perspective of the American president. It may be the many, giant screens. But more specifically it's how the changing technology has changed our impressions. She talks about shopping on the internet as a future possibility and not something that everyone does like it's no big deal. Again, take a moment to understand that the Internet is a big deal.
OSI model: The basis of the Internet. This describes how the TCP/IP network started by the Defense Department has evolved.
Domain Name System (DNS): A sort of phone book that changes or resolves domain names into IP addresses
A Record: routes primary domains like google.com
C Record: routes subdomains like mail.google.com
MX Record: routes email addresses. That's why emails @gilmour.org go to a different server than what's hosting the website at gilmour.org
There are many free tools that help you learn about domains. These are very helpful for web designers as you may want to check on the current host of a client interested in a site redesign. Try looking up the record of a few domains using one of these tools:
I can connect to my Raspberry Pi via SSH.
I can deploy an app to a Raspberry Pi.
I can compose a higher-ordered algorithm.
I can update code on my Raspberry Pi.
I can make short, descriptive commit messages.
You will submit a link to your GitHub repo.
You will demonstrate your capacity to control your robot.
You will be asked regular comprehension questions about Raspberry Pis.
This is a PCB with all the basic components found in a personal computer (PC)
Open Replit and start a new project from github
Use your forked github project. You should now see your code on your editor. Explore student.py
and teacher.py
.
Open putty and enter the ip address of your robot. Click open.
login: pi
password: robots1234
Remove the Piggy
folder if it's already there: rm -rf Piggy
Now we'll clone your project on the robot too with git clone https://github.com/YOURUSERNAME/Piggy
Change to your project folder: cd Piggy
Run the app: python3 student.py
Whenyou make changes to your app and want to update the code on your robot, we first need to send the code from our computers to GitHub. This happens in the version control tab by typing in "What did you change" and hitting Commit & Push.
Now we'll remote control our robots using SSH. We'll use Linux commands to pull the updated code down from GitHub.
Open putty and enter the ip address of your robot. Click open.
login: pi
password: robots1234
Note: You will not see the password when typing. This is a security feature!
Make sure you're in the right folder: cd Piggy
Pull your updated code: git pull origin master
Run your app: python3 student.py
If it doesn't run, study the error.
We'll need to configure your class variables.
Sometimes one motor will perform faster than the other, giving the robot a noticeable veer. We can try to correct for this drift by adjusting the motor power.
Check out what commands are available from the API that's provided for you. These are the commands you're inheriting.
Your dance
method should read as close to regular English as possible. The nitty-gritty commands are all kept in the particular methods being called in your dance
algorithm. So your dance
method should just call a handful of moves. Within those moves, you'll use the specific motor commands below and get into the nitty-gritty of robot control.
deg_fwd(angle)
- how many degrees do you want your wheels to rotate? You need to pass the angle
turn_to_deg(angle)
- rotates to the given angle as calculated by the piggy's gyroscope
turn_by_deg(angle)
- turns relative to it's current heading. Positive values rotate right and negative rotate left
fwd
- powers on your robot to drive forward. You'll need to use self.stop()
to power off the motors
right
- by default, self.right()
will give the left motor 90% power and the right 0% which rotates right. You can use kwargs to adjust the power such as self.right(primary=90, counter=-90)
, which will spin the robot in place
left
- same as right but reversed.
back
- same as fwd but in reverse.
servo
- moves the servo (plugged into servo1) to the given value (use 1000 - 2000)
stop
- sets motor power to zero
read_distance
- returns the distance from the distance sensor (plugged into I2C port) in millimeters
get_heading
- returns the gyroscope's value
To shut down your robot, type: sudo shutdown now in the putty window.
Square
Dance
Add safe_to_dance() method which checks surroundings and only dances if it has enough space.
Move to wall and stop
Move to wall and turn around. Move forward again and repeat endlessly.
Move to box and go around it
Before moving around box, figure out which side of closer. If you are closer to the left end of the box, go around left. If you are closer to the right end of the box, go around to the right.
Write a move method which scans slightly to the left and right of the robot as it moves forward.
If it senses a wall straight ahead, it goes around to the closest side as above (put that move in it's own method)
If it senses a wall at the edges of the robot, swerve slightly to miss the wall (this swerve should again be in it's own method).
Coming soon.
You will be submitting scripts demonstrating the following skills.
Experimenting with code given to you is fun and can be very helpful, but let's slow things down now and build some basic skills. Your app should look something like this:
You will send a professional email () taking a position on whether the Internet is a basic human right.
(Codecademy) Get started on the
During the height of the Cold War, the threat of a Soviet attack motivated the funding of a research project to build a web of communications lines. In such a network, if one line was cut by an attack, communications would proceed uninterrupted through alternate lines in the network. The beginnings of our was produced.
Internet Protocol (IP): A system for addressing and routing communication over a network. You can make up all the addresses you want on a private network, but the is the authority of the public's IPs and domains.
Visit the and fork it
Use SSH (on Mac) or (on Windows) to connect to your robot. Install PuTTy if it is not on your computer.
If the servo wasn't mounted perfectly, the midpoint won't be 1500
. But that's rarely the case. We should adjust this to fit your particular robot.
What's happening under the surface of a web page?
I can describe how web pages are displayed on my browser using HTTP and HTML.
I can create a basic HTML page.
You will construct an HTML page from scratch in a guided class activity.
You will complete HTML and CSS courses on codecademy.com
If one person had to be named as the creator of the Internet, it might be Tim Berners-Lee in 1989. More specifically, he created the World Wide Web while working at CERN. It was a way of transferring information over the TCP/IP network talked about in last chapter.
The "Internet" we think of is primarily the contents of our web browser. Trying to find information by tediously scanning film after film was not fun. People like Tim Berners-Lee wanted to link text together. So touching one word might connect you to relevant information without having to manually search for hours.
The most important part of a website remains the hyperlink.
HyperText Transfer Protocol is a set of rules to pass information (like the HTML layout of a web page) over a network. HTML is a markup language. It describes the structure and content of a page. So when you type in an web address like google.com into your browser, you're sending a GET request to the Google server. It responds with an HTML package that your browser renders into a familiar display.
A tag looks like this: <tag> </tag>
The stuff that's between the opening <tag> and the closing </tag> is what's inside that element. The first and most important element in a web page is a hypertext link. If I wanted to make a link that went to Google.com, it would look like this: <a href="google.com">this is my link</a>
The term tag describes the structure of the <opening> and </closing>. The element is what type of object is being built by the tag, (an a
is a hyperlink). The contents of an element is whatever is between the open and closing tag of an element. The property="value"
pair that goes inside of an HTML tag is called an attribute.
Every web page has to have a <!DOCTYPE html>
at the very start to tell your browser that yes, this block of text is HTML and it should render it into a display. The <html>
element does something very similar. Every page you've ever seen online has been the contents of an HTML tag.
The <head>
element isn't seen by the user. The contents of the head allow you to connect other resources to the page, such as fonts or CSS.
CSS has its own style rules. But you drop it into an HTML head like any other HTML, <style>
css goes here </style>
. You can put the CSS in the HTML file, but the better way is to keep your CSS in a separate file. In that case, you use a <link>
element instead to connect the .css file.
Use project management software to be accountable for professional-caliber design work.
I can build a professional-caliber file system.
I can collaborate with my team through a KANBAN board.
While often used for online storage, Google Drive's offline functionality unlocks its potential for design projects. You and your team can work on Adobe AI and Photoshop files without an internet connection by enabling offline access. Shared folders within Drive serve as central hubs for exchanging design files and planning materials like Google Docs. This seamless collaboration ensures everyone stays on the same page, regardless of location or internet availability. This technique is crucial for delivering professional-caliber design work in a collaborative environment.
ProjectName
Loose in the folder can be branding documents, collections of text in Google Doc and other guides.
STOCK
Collect images from allthefreestock.com and other sources. These are raw images that will need to be resized and possibly color-treated.
HTML
Any coding elements get stored in this folder
IMG
Edited images ready for the web.
LOGO
Adobe files and your logo package
RESEARCH
Collect relevant articles, screenshots of other websites for comparison, etc.
Initially developed by Toyota to optimize manufacturing, KANBAN boards have become a popular project management tool across various industries, including design. Their simplicity lies in their visual, three-columned structure: Backlog, In Progress, and Done. This straightforward visualization aids communication and transparency, allowing every team member to grasp the project's status at a glance. KANBAN's power lies in its ability to manage project flow. Tasks move from Backlog to In Progress, signifying active work. Once completed, they shift to Done, signifying progress and freeing up space for new tasks. This system prevents overloading team members and keeps complex projects manageable, even for large-scale design endeavors. Whether collaborating remotely or in person, KANBAN boards ensure transparency, focus, and continuous project flow, propelling your design project toward successful completion.
Every Trello card is a vital piece in our project puzzle. Here's what makes a great one:
Title: Keep it simple and descriptive. Focus on the problem, not the solution ("Broken Link on Homepage" versus "Update Header Navigation").
Description: Explain the issue itself, avoiding descriptions of actions taken. Let the details flow freely so others can understand the scope of the problem.
Visuals: Paint a picture! Paste screenshots directly onto the card to clearly illustrate the issue and where it occurs.
Teamwork: Ensure the right team is aware. Tag the appropriate team members who can tackle this specific problem.
Backlog to In Progress: When the card is ready for action, drag it to the "In Progress" column. Now's the time to assign ownership! Choose the individual(s) directly responsible for working on the issue, not the entire team.
Progress Tracking: Before marking the card "Done," log your activity in the comments section. Share screenshots, code snippets, or any relevant updates to document your progress.
Time Transparency: Be kind to your future self (and colleagues)! Track your work in 15-minute increments. This detailed time log will prove invaluable when creating project invoices.
Remember, clear and concise Trello cards are the key to smooth communication, effective collaboration, and, ultimately, project success. Let's build clear cards and conquer those sprints!
You'll have to make your own cards, but here's some starting ideas:
We'll be using Trello to track your progress and to coordinate a team project. Each task or card must be a specific task that can be achieved preferably within a class period or at least within a week. The measurement or proof of that task's completion should be described in the activity log entry of that Trello card.
Let's talk about the design in web design.
I can describe the difference between raster and vector.
I can describe the difference between serif and sans serif.
I can iterate on my design.
I can use Photoshop's masking layers and quick select tool.
I can create a logo in Adobe Illustrator.
One of the first decisions to make when starting a new project is your font selection. It helps set a lot of the tone for your site. Typically, I select a header font and a body font--something fun for titles and something easy to read for my paragraphs.
Another key mood-setting decision to make is the type of colors you'll use around your site.
Once you've selected your colors, we're going to add a note to your custom CSS like so:
If your image has been zoomed in or stretched too far, and it's a rasterized image, you'll notice the pixels that make up the image. That's a problem. But the solution is not to use a super high-resolution image with a big file size. That'll just make your webpage take forever to load. We need the right resolution each time.
Use vector where you can. Raster, if the image is the right resolution, looks great. The image below can confuse students into thinking raster is always blurry.
Navigation that isn't simple, logical and explanitory
No clear calls to action
Insufficient contrast between text and background or clashing colors
Jumbled, unengaging, or unorganized content
Clutter
Backgrounds and most colors should NOT try to grab your attention. Most of it should be steady, comfortable patterns. Subtly is hard for students eager to splash bright colors on the page. That's why we study examples of great pages. Look how chill most of their decisions are... it makes the touches of bright color really exciting.
Brains love patterns and it can hurt when they're broken. Patterns exist in grammar, color, lines and all sorts of other things too.
Less is more.
There is a constant variation in what's trending in web design styles. Here are three of the most popular. The last, flat, is more related to colors and icons and less known as a style.
Photoshop works with rasterized images (as opposed to vector images). Let's discuss the difference first.
We're going to learn about three basic skills:
Our themes typically come with images perfectly formatted for the area. Instead of taking a new image and trying to crop and adjust it into the right size, I simply edit the original image in Photoshop. Once it's open, I'll drag and drop the new one on top of that.
We add in new adjustment layers to tweak colors. Turning down the brightness on a hero image so that it lets your CTA stand out more is a common technique.
PNG and JPG images
Wide but thin logos (banner format)
Square shaped logos
Large, medium and small file types
Original .ai files as well as exported versions
Reversed colors for dark backgrounds as well as light backgrounds
Find a tutorial that gets close to the effect you want. Follow along and then try to tweak and customize it.
A deep dive into Java programming in preparation for the College Board's Advanced Placement test.
We start to delve into algorithms and basic AI with our first CollegeBoard-issued lab. We will learn about String manipulation so we can have a conversation with our computer.
I can use common String methods to modify a string.
I can evaluate the contents of a String.
I can use a Scanner to take inputs.
I can isolate an object in the user's input and use it in Magpie's response.
CollegeBoard used to have three official projects, Magpie, Elevens, and PicLab. A few years ago, they dropped those four and started four new ones: Celebrity, Consumer Review, DataLab, and Steganography. But I still think Magpie is the best lab for starters.
A bid that can mimic speech.
Check out the chatbot in Activity 1:
Strings are a special data type in Java. They're not primitives but they behave a little differently than most instantiated objects. In many ways, they're an array of primitive char
objects. The biggest difference is that Strings also have many helpful methods to change their formatting, to search and examine the Strings, and lots of other helpful tools.
Create a new class in our project called StringExplorer and drop this code in:
Now we're going to add a few new classes to the project.
Now write a commit message to bookmark these changes and push the new version to GitHub. Then following along with the exercises in Activity 2.
Magpie's current structure and use of .indexOf("something") >= 0
is full of logic errors. It's caps sensitive, it can't tell if you've entered no response at all, and it sees the word "no" inside of "know". Let's do better.
Now we've got to update our getResponse
method to use this instead of indexOf
.
Let's use this chart to walk through what's happening:
Let's use parts of the user's message in our response. Read the details in the student guide. Before proceeding.
Replace the else in our getResponse
method with the following code:
Now below this getResponse
method, let's add in a few methods that are being called by the code above.
Okay, now you're ready to follow along the student guide with the class and ask some questions along the way.
Your team will build a chatbot that will enter into a conversation with other chatbots built in class.
Next, we need to rename the file and the class.
Do not name your chatbot the same as anyone else's in class.
Now that you've created your robot, you can add it to the main method.
File
1 point: Your file has an original name that matches the name in your class definition
name
1 point: Returns a one-word name that roughly matches your class name
greet
2 points: Returns a 25 - 100 word opening statement.
Bonus +1 point: Randomly selects from at least three opening statements
respond
3 points: Checks for three different antagonistic words and does not complete the respond method but instead calls the antagonize
or pacify
method instead
3 points: Checks for three different pacifying words and does not complete the respond method but instead calls the antagonize
or pacify
method instead
5 points: Searches for at least five keywords and responds to the given subject matter.
antagonize
3 points: Searches for at least three keywords and responds in a negative tone to the given subject matter.
pacify
3 points: Searches for at least three keywords and responds in a positive, disarming tone to the given subject matter.
BONUS POINTS
Have your greet method randomly select from at least three opening statements
Successfully use substring on the given prompt/statement
Your bot successfully adapts to antagonistic or pacifying messages from other bots
Let's review some basics before we move onto our next, advanced concept. Now's the time to hit codingbat, SoloLearn, Codecademy, or other training websites to practice. You want the basics down pat so you can focus on new concepts as we move forward.
We will review the basics of object-oriented programming and how Java is configured. This is primarily a build-up of vocabulary. This unit moves quickly as there are limited practical applications.
I can describe the benefits of using the JRE.
I can identify the three types of errors when programming.
I can describe the attributes of Java’s main function, including scope, instantiation, and return value.
Java's strength is also its greatest weakness. The JVM allows the same Java code to run on almost any machine. It does this by hosting a virtual machine, a simulated computer system that facilitates the interpretation of your code.
With his partner Ken Thompson, Dennis Ritchie solved a very big program for programmers. It's hard enough for programmers to design an app. It's just crazy if you have to program an app in assembly, telling the CPU and RAM how to handle each and every little operation. Programming languages like Ritchie's C allow coders to focus more on the app and less on how it has to interact with the machine. It's like the first, really powerful book of spells made for magicians.
When you install an app on your computer, the JIT will interpret the developer's code and set it up to run on the given machine. The install process takes longer and it might not be compatible with every machine, but then the app is ready to run very quickly. Java doesn't play like that. Instead, it interprets the code in real-time while running through a virtual machine. So while it can run pretty much everywhere, there's a bottleneck in how fast it can perform.
Syntax or Compile-time: You can't compile this code. Something is way off and Java won't touch your mess.
Runtime or crash: Something breaks while it's running as if you asked the computer to divide a number by zero.
Logic: Everything runs okay. Nothing crashes. However, the answer you get is just wrong. If your app says 4+4
is 10
, you've got a logic error.
In Java, all code must be written inside methods, and all methods belong to a class. This means that every Java program is essentially a collection of classes, each containing methods that define the behavior of your program.
Classes must be defined inside a file that shares the exact same name as the class. For example, if your class is called MyProgram
, then the file must be named MyProgram.java
.
The entry point of every Java program is the main
method, which tells Java where to begin executing your code.
Every Java app starts the same way, from a static method that returns nothing. Let's introduce these concepts now. Many of these ideas will seem strange, but they'll make more sense as you build up your background knowledge. You'll come back to this section later on and smile. But for right now, let's take a plunge into the deep end of the pool. We'll hurry right back to the basics but let's take a peek at how all Java apps start.
public static void main(String[] args){}
<=[ all Java apps start from that method! ]
Who can access this method or this variable? The main method must always be public
because it's being triggered from outside the class.
Does this method belong to an instance of the class? What's the difference between an instance and a static class? Imagine we're building a game. We've got one file or class that describes a player and another that has helpful functions like drawing a random number. Every person that plays the game gets their own instance of the player class. It tracks each player's health and abilities in the computer's memory. But the helper class can be static, just one master copy--no instance needed.
As the method closes, does it return anything? If so, what type of data is returned? The main method must always return void because it's the point of origin--there's nothing to return data to.
A review of the basics of computing, programming and robotics. We'll build simple Python apps and play with Raspberry Pi's.
We program little turtles to dance on the screen then we play with real robot cars. Learning how to program is an awesome time. I love my job.
Computer Science may be intimidating but like any other field of study, you don't have to learn it all at once. We're skipping so much in this class. Don't worry about it. You'll have enough tools to figure out if you want to invest the time to learn the deeper, more challenging (and more powerful) stuff.
In order to understand basic computer programming, you will need to understand some of the components in your computer. If you understand the basic shape of the environment, the behavior of programming languages will have better context. You won't need to understand exactly how a processor works, but you'll need to know roughly how it fits into the picture so you can solve some common problems.
Solid: https://sololearn.com
I can connect replit to my github repositories
I can clone an existing repository, fork it, and extend the code to my own project.
You will submit a link to your GitHub repo.
You will create a game based on existing turtle classes
You will be asked regular comprehension questions about Python and Github.
Create an interactive turtle application of your own design. This can be a game or other interactive program, but it must use at least two of the three types of turtle classes we have outlined (moving turtle, keyboard turtle, clickable turtle).
3 pts - Program works without errors
3pts - Program uses two classes of turtle
3pts - Program is interactive. Users can DO something with the program.
1pts - Program is cleaned up (unused imports have been deleted, for example)
Webpages have agendas. The author wants the reader to do something, read something, buy something. Especially on a , you need to make the key action item into an exciting call to action button.
Check out about the top five mistakes most common in small companys' websites.
Lots of clear space with well-organized boundaries can create a "clean" feel. .
Let's learn a little about . Now we'll practice masks.
Consistency in colors, branding across all your emails and publications (attention to things like ).
If I can't hire a graphic designer for my client, I start with a template purchased from .
Check out the description from including the . For the technical folks (it'll be more useful later in the year), about the features of Java that the test uses. As of the time of this writing, there are two sections:
(install latest JDK, then install the VS Code Java Extension Pack)
(learn by doing. Loads of mini problems)
best break-down of skills)
Check out the .
Let's drop these two methods into your Magpie class ():
If you'd like to learn more about the history of Computer Science, I to be very charming.
Who made the Java programming language? When and why?.
The JDK is a type of . We'll use tools to build apps like an and an . We're going to have lots of bugs or errors in our code. They will take three different forms...
Best intro: (Python, git, Command Line)
Fun:
Hard, smart:
I wanted to put our own spin on the Data lab from CollegeBoard for this project. Rather than just following the standard lab, we're going to analyze real-world video game sales data that will give you hands-on experience with classes, interfaces, and data processing in Java.
For this project, we'll be using a comprehensive dataset containing information about video games, including sales figures, critic ratings, user scores, and more. I've sourced this dataset from Kaggle: Video Game Sales and Ratings.
This project will give you practical experience with:
Creating and using custom classes
Working with interfaces
Processing CSV data files
Implementing search and analysis algorithms
Visualizing data patterns
Our project requires two main Java classes:
GameDataRow
- Represents a single game record from our dataset
GameDataManager
- Handles loading and analyzing collections of game data
Let's start by looking at how to set up the GameDataRow
class:
The class header public class GameDataRow implements Comparable<GameDataRow>
has several important components:
public
- This access modifier makes the class accessible from outside its package.
class GameDataRow
- Defines a new class named GameDataRow.
implements Comparable<GameDataRow>
- Indicates that this class implements the Comparable interface.
The Comparable interface is part of the Java Collections Framework and enables objects of a class to be compared to each other. When a class implements Comparable, it must provide an implementation of the compareTo()
method:
The compareTo()
method must return:
A negative value if this object should be ordered before the other object
Zero if both objects are equal
A positive value if this object should be ordered after the other object
In our implementation, we're sorting games by global sales in descending order (highest sales first).
While we're only using Comparable in this project, here are other common interfaces you might encounter:
Serializable - Marks a class as capable of being serialized (converted to a byte stream).
Runnable - Used for classes whose instances will be executed by a thread.
ActionListener - Used for handling action events, commonly in GUI applications.
Iterable - Allows an object to be the target of the "for-each loop" statement.
Now, let's determine what properties our GameDataRow
class needs. Our CSV file contains 17 columns of data about each game, and we want to represent each data point as instance variables in our class.
Looking at the structure of our CSV file, we need to create properties that match each column:
Remember that encapsulation is one of the four fundamental OOP concepts, along with inheritance, polymorphism, and abstraction. Encapsulation means bundling data and methods that operate on that data within a single unit (the class) and restricting direct access to some of the object's components.
Notice all our instance variables are marked as private
. This is a key principle of encapsulation:
Private instance variables: By making our instance variables private, we prevent outside classes from directly accessing or modifying them.
Public accessor methods: We provide controlled access through getter methods (and sometimes setter methods).
Data validation: Through these methods, we can validate any changes to ensure they meet our requirements.
Good encapsulation ensures that the internal representation of an object can't be seen from outside the object's definition, which creates a "black box" effect.
We need constructors to initialize our GameDataRow
objects. A well-designed class should have multiple constructors to provide flexibility in object creation:
Notice I've included three constructors:
A primary constructor with all fields
A simplified constructor with only essential fields
A copy constructor to create a deep copy of an existing object
Now we need accessor methods (getters) for all our instance variables. This is a perfect opportunity to use AI responsibly. Rather than typing out all these repetitive methods, you can ask Claude or an IDE's chatbot to generate them for you.
For example, you could say:
Please generate all the accessor methods for the GameDataRow class based on the instance variables.
This isn't plagiarism or cutting corners - it's using a tool to handle the tedious, repetitive aspects of coding so you can focus on the more challenging and creative aspects like designing algorithms and implementing the business logic.
Here's a snippet showing what a few of these accessor methods would look like:
Let's talk about Test-Driven Development (TDD) - a software development approach where you write tests before writing the actual implementation code. This practice has been widely adopted by professional developers because it leads to more reliable, maintainable code.
In TDD, the process follows three simple steps, often called "Red-Green-Refactor":
Write a test that fails (Red)
Write the minimal code to make the test pass (Green)
Improve the code without changing its behavior (Refactor)
For our project, I've prepared a complete main method that serves as a test suite. It will systematically test all the required functionality of your GameDataRow
class and tell you exactly what's missing or not working correctly.
Now that your GameDataRow
class is complete, let's work with collections of games:
Copy the contents of GameDataManager.java
file from this link:
https://gist.github.com/dadiletta/2310e45953e3bcb8db3cf151c7c75d06
Download the video_games.csv
file and place it in your project directory. The location should match the path in the GameDataManager.loadFromCSV()
method call.
https://www.kaggle.com/datasets/thedevastator/video-game-sales-and-ratings?resource=download
Now that we have our class structure and properties defined, it's time to add meaningful functionality to our GameDataRow
class. To complete this class, you'll need to implement several methods that analyze game data in different ways.
I'm providing you with a few utility methods that handle some of the trickier aspects of parsing data from the CSV file, such as handling non-numeric user scores. Let's first look at these provided methods:
I'm giving you these methods because:
The hasUserReviews()
and getUserScoreNumeric()
methods handle data conversion and error checking that might be challenging
The toString()
method is lengthy but straightforward, and implementing it wouldn't teach you much
Now, let's focus on the methods you need to implement:
Return Type: float
This method calculates the average between critic and user scores. However, there's a challenge: critic scores are on a scale of 0-100, while user scores are on a scale of 0-10.
Requirements:
Return a float representing the normalized average score on a scale of 0-10
Normalize the critic score to a 0-10 scale by dividing by 10
Handle cases where one or both scores are missing/invalid
Return the appropriate average or individual score based on what's available
Return 0.0f if no scores are available
Key Considerations:
What constitutes an "available" score? (Hint: check for positive values)
How do you handle the case where only one score type is available?
Hints:
You can paste this code into your method as a starting guide:
Return Type: float[]
This method calculates what percentage of the global sales comes from each region (North America, Europe, Japan, and Other).
Requirements:
Return an array of float values representing percentages for each region
The array should have 4 elements, one for each region
Use the defined constants (NA_REGION, EU_REGION, etc.) for array indices
Handle the case where globalSales is zero to avoid division by zero
Key Considerations:
The formula for calculating percentage is: (regional sales / global sales) * 100
If globalSales is zero, return an array of zeros to avoid division by zero
Return Type: boolean
This method determines whether the game has any sales data available.
Requirements:
Return true if any sales data (regional or global) is available
Return false if all sales fields are zero
Key Considerations:
Check all sales fields (naSales, euSales, jpSales, otherSales, globalSales)
Use logical OR operators to efficiently check multiple conditions
Return Type: boolean
This method determines whether the game has critic review data available.
Requirements:
Return true if the game has both a critic score and a count of critics
Return false if either piece of information is missing or zero
Key Considerations:
Both criticScore and criticCount should be positive values
Return Type: String
This method determines which region has the highest sales for this game.
Requirements:
Compare sales across all regions and find the highest
Return a string representing that region ("North America", "Europe", "Japan", or "Other")
Handle ties by choosing the first region encountered with the maximum value
Key Considerations:
You'll need to track the maximum sales value and the corresponding region
You can use a switch statement to convert from region index to region name (see example below)
Return Type: float
This method returns the sales figures for a specific region.
Requirements:
Accept an int parameter representing the region (use the class constants)
Return the sales figure (as a float) for the specified region
Handle all four possible regions: NA_REGION, EU_REGION, JP_REGION, OTHER_REGION
Key Considerations:
Use a switch statement to select the appropriate sales figure based on the region parameter
A switch statement allows you to select one of many code blocks to be executed. Here's how you might implement the getRegionalSales
method using a switch statement:
The switch statement evaluates the regionIndex
parameter and executes the code block that matches the case. The default
case handles any values that don't match any specified cases.
Return Type: int
You need to implement the compareTo
method from the Comparable
interface.
Requirements:
Override the compareTo method to compare games based on global sales
Higher sales should sort before lower sales (descending order)
Return negative value if this game has higher sales than the other game
Return positive value if this game has lower sales than the other game
Return zero if both games have equal sales
Key Considerations:
Remember that returning a negative value means "this" comes before "other" in the sorted order
Let's add one final method to our GameDataRow
class before moving on to working with collections of game data:
This method introduces an important concept in Java: static members. Unlike instance variables and methods that belong to specific objects, static members belong to the class itself.
Here's what you need to know:
Static variables (like our gamesAnalyzed
counter) are shared across all instances of a class. There's only one copy in memory, regardless of how many objects you create.
Static methods operate at the class level rather than the instance level. They can be called using the class name without creating an object: GameDataRow.getGamesAnalyzed()
.
Cannot use this
in static context: Since static methods don't operate on a specific instance, you cannot use the this
keyword inside them. There's no "current object" to reference! If you try to use this
in a static method, you'll get a compiler error.
Access limitations: Static methods can only directly access other static members (variables or methods). They cannot directly access instance variables or methods without referencing a specific object.
In our case, we're using the static variable gamesAnalyzed
to track how many game objects have been created throughout our program's execution. Each constructor increments this counter, and our static method lets us retrieve the current count.
Now it's time to put your skills to work! Modify the GameDataManager.java
file to add your own custom analysis of the video game data.
Add at least one new method to the GameDataManager
class that performs an interesting analysis. Here are some ideas:
Year Analysis: Which year had the highest average game quality? Most releases?
Developer Success Rate: For developers with multiple games, which ones have the highest average scores?
Cross-Platform Analysis: Which games appeared on the most platforms? Do multi-platform games sell better?
Sales vs. Ratings Correlation: Do higher-rated games generally sell better? Is there a difference between critic and user ratings?
Genre Evolution: How have the popularity of different genres changed over time?
Once you've added your analysis method(s), modify the main
method to call your new method and display the results.
Here's what your custom analysis might look like (don't just copy this - create your own!):
In the main
method, you would add a call to your new analysis:
Your analysis should:
Process data from multiple games
Use loops and conditionals appropriately
Output meaningful results
Include comments explaining your approach
Handle edge cases (like missing data)
In this final activity, you'll explore recursion - a powerful programming technique where a method calls itself to solve a problem by breaking it down into smaller instances of the same problem.
Recursion is a fundamental concept in computer science that provides elegant solutions to certain types of problems. A recursive method has two essential components:
Base case(s): The simplest scenario(s) that can be solved directly without further recursion
Recursive case(s): Where the method calls itself with a simpler version of the problem
Let's examine a simple example - calculating the factorial of a number:
When calculating factorial(5)
:
The method first checks if n equals 0 or 1 (our base case) - it doesn't, so we move to the recursive case
It returns 5 * factorial(4)
Now it calculates factorial(4)
, which is 4 * factorial(3)
This continues until we reach factorial(1)
, which returns 1 (base case)
Then the recursion "unwinds": 1 * 2 * 3 * 4 * 5 = 120
Recursion offers several advantages:
Elegance: Recursive solutions can be concise and elegant for problems that would be complex to solve iteratively
Divide and conquer: Recursion naturally implements divide-and-conquer strategies, breaking down large data sets into smaller pieces
Tree traversal: For hierarchical data structures like trees, recursion provides a natural approach
Problem decomposition: Complex problems become simpler when broken into smaller, similar sub-problems
Looking at our GameDataManager class, several methods could benefit from a recursive approach. For example, finding games within a specific criteria could be implemented using a binary search algorithm rather than the current linear search.
Here's an example of how we could improve the findGamesByTitle
method using a recursive binary search (assuming the games list is sorted by title):
The recursive binary search has a time complexity of O(log n), which is much more efficient than the O(n) time complexity of linear search, especially with large datasets.
Another example would be implementing a recursive merge sort:
Choose one method from your GameDataRow or GameDataManager class that could benefit from a recursive approach
Reimplement it using recursion
Test your implementation and compare it to the original approach
Document your findings: Was the recursive approach more elegant? More efficient? What challenges did you face?
Alternatively, you can implement a new recursive method that performs a complex analysis that would be difficult to do iteratively. Here are some ideas:
Find the most profitable franchise (games with similar names) recursively
Implement a recursive algorithm to categorize games into hierarchical genres (e.g., "RPG > Action RPG")
Create a recursive method to find "hidden gems" - games with high ratings but low sales
Here's an example of how you might implement a recursive method to find the game with the highest critic score within a list of games:
This method uses a divide-and-conquer approach, recursively finding the maximum in each half of the list and then comparing the results. While this specific example might not be more efficient than a simple loop, it demonstrates the recursive pattern that can be applied to more complex problems.
Remember, not all problems are best solved with recursion. Some considerations:
Recursion can lead to stack overflow errors with very large inputs
Recursive solutions sometimes have higher memory usage
Some problems have simpler iterative solutions
Build web pages using HTML/CSS and WordPress all according to modern design principles.
The Internet is the largest idea exchange ever built or conceived. Learning HTML, the language of the web, gives you incredible power to represent yourself or your work, or your clients. Let's start first by gathering our resources.
We won't study much JavaScript in this class but it's one of the best ways to take web design to the next level.
Hard, smart: https://app.codesignal.com/ (select JavaScript)
Fun: https://codecombat.com/ (select JavaScript)
We will be learning programming concepts using GameMaker Studio 2's drag and drop interface as well as some simple GML code. All the concepts will be taught through the creation of games. Through PowerPoint instructions, you will be able to work at your own pace and return to concepts which might be confusing.
Mr. Vanek will be available to help if you have bugs that crop up in your programming and to clarify points in the tutorials.
In each unit, you will be responsible for completing an assignment which builds on the concepts you have learned. Feel free to flex your creative design muscles, especially in the assignment portion of the game. Adding extra features or finding new ways to accomplish them will help your game and your learning.
For the final project of the semester, you will be developing your own game. If you have good ideas for the form the game may take during the course of the semester, be sure to write them down.
Acing your AP test is about testing for bugs in your understanding, studying the fix, then practicing the solution.
We will write our most complex algorithms as we study efficient ways to sort collections of data. Some of these algorithms will require recursion, our most abstract and challenging topic to date.
I can implement selection, insertion and merge sort algorithms.
I can compare sorting algorithms' efficiency.
We've talked about algorithms before, most especially around the shuffling patterns we've used in the Elevens lab.
The bigger the group of data, the more important it is to be efficient. Searching on the web or in a database needs to be awfully fast. We measure the efficiency of a complex search or sort algorithm in Big O notation.
Let's knock out a quick algorithm first, searching. The O(n)
way is just a straight traversal. But we could chop that down to a O(log n)
with a binary search:
The visualization of these patterns / algorithms / methods / whatever, is surprisingly helpful. You can get a feel for how we chunk the computer's task to organize a long list of numbers.
Let's start with a nested loop, a boring old O(n^2)
traversal and sort.
Now between the inner and otter loops, we do a 3-part-swap
Insertion sort has the same worst-case scenario efficiency as selection sort, but it has a much better best-case scenario efficiency.
[0]
Create a class that uses Sortable
and IntegerMonster
. Hopefully, that and the code below is enough for you to figure out what to do next. If not, let's make some extra time to practice/read about inheritance in Java.
Surprise: Your client suddenly changes the SoW and insists that the sort methods' outer loops print the current state of the array neatly on one line. Each array during the sort should be labeled.
What happens if I call a function that calls itself? You can use this as a trick to chunk information in a loop-like flow.
A base case is the critical piece of a recursive function that will terminate the recursive calls, and start the domino effect in the opposite direction.
If we have a base case in place (rhymes!) we can use recursion to solve some tricky problems in an elegant fashion.
This article is a great follow-up to the video below.
Let's start with some numbers to sort:
Check if nums
has hit its base case. Is it already split up? If not, split it up.
Then we send each side to mergeSort. Notice we send the left side first. And the next copy of mergeSort
will break that side up first too--all the way down to the base case.
But down at that last level, when they can't be broken down any further, we'll be left with a few useful ingredients, the (yellow) nums
, the left side, l
, and the right side, r
. Now we'll shove l
and r
back together, in order, and overwrite the contents of nums
. We'll do this in a separate function: merge(nums, l, r, mid, n - mid);
There are all sorts of variations on mergeSort and the merge function. The one from Baeldung is pretty clever and fun to talk over. Check it out:
First notice how they include the post-operation increment, k++
(instead of ++k
). This way, every time k
is used, it increases the index tracker on the parent array. It's a clever touch. Meanwhile, i
is serving similarly as the index tracker for the left side and j
is serving the right side.
The first while loop proceeds until one of the counters hits their max. Then only one of the two remaining while loops will execute, collecting the last number.
Create a class that extends NameManager
and implements all required methods.
I can configure a project folder in a cloud-based file system.
I can customize the elements of an HTML template.
I can publish a completed webpage and share the link with my friends.
I can take feedback on my website and publish an improved draft.
Colors
Let's identify a rule that's being used by our theme and overwrite it.
Let's get back to the Bootstrap documentation and shop for a new component to add to our site.
We all have to edit our work. We need to collect feedback, review, make a list, and add improvements to our project. The more you repeat this process, the better your end product (as well as first draft on your next project).
If you're not frequently having to look things up (and finding W3Schools) you're not trying out enough new things. @media is one I have to repeatedly look up.
Our Bootstrap template uses jQuery, which is a really handy JavaScript library. JavaScript is a programming language that runs right inside your browser. Most of what you do with jQuery can be done in plain-old vanilla JavaScript. We use jQuery to make life a little easier.
Add a <div id="cover"></div>
on the first line of your <body>
. Then at the very bottom, add the following script:
And we'll add the following code to our custom.css.
We start with the fundamentals of logic gates and logical expressions using De Morgan's Law. By looking at transistors, the most granular aspect of CS, we can steadily add layers of abstraction.
I can explain the connection between electricity and logic.
I can interpret logical statements with all common operators, (i.e. and, or, nor, xor, if, iff).
I can simplify a logical expression according to De Morgan's Laws.
I can convert numbers from decimal to binary and to hexadecimal.
I can describe the purpose of instantiation.
I can decide when to instantiate an object or when to use a static class.
I'm absolutely fascinated in how people build logic, systems that react to conditions, into physical devices.
We start with two tricks with circuits:
1) and &&
2) or ||
With tiny transistors and these building blocks, we can assemble our modern technological era. Let's just take a peak:
You'll need to know how to distribute the !
when simplifying logical expressions. This will make more sense as we get into more practical examples.
A "promise" or an "if" within logic is something like:
Let's simplify these statements. Reduce them down to just true
or false
true != true || (true || false)
false && true || true && false || true && false || true
!(true && false)
!(5 > 5)
!(5 <= 5)
5 == 5 && true
Can you see how false
and true
could also be considered to be 0
and 1
? All the sudden, we can make these logic gates, these electrical transistors, store binary data. Computers are pretty cool.
This is an important concept that's most easily introduced when we're not thinking about the code. If you have a recipe to make a cake, that's similar to a class definition. Each time you bake a cake, you're creating a new instance of that cake.
This is by no means a perfect example as things are more complicated... but let's consider Fortnite for a moment. There's just one map. Programmers might refer to this map by its class. If I wanted to call a tornado, at Coney Crossroads, I might type something like, Map.createTornado("Coney Crossroads");
Now let's imagine a programmer wanted to provide a player with some individual powers. I wouldn't want to be so broad as to call the whole Player
class as each player is an individual. I'd want to specify which individual player, something like lancerGuy99.upgradeWeapon();
Where are you going to do your coding? If you try to run your app, what other software is required? How are you going to save or publish your work? Configuring your IDE, dependencies, and VCS is essentially your workspace.
I can create and view a blank Flask app.
Before we get into the structure and mechanics of our code, let’s build the most basic of Flask apps. It’ll help set some context as we then start to learn particular skills. It’s important that you start from scratch as it builds confidence knowing you can start from the ground-up.
Let's look at the most simple possible Flask app.
In case Repl.it isn't cooperating with your browser, here's a simple view of a basic "Hello Flask" app.
If I go to /hello/george
, can you make the screen say, "Hello, George?" How do we pull a variable from the URL on that GET request?
Build another route and switch between two pages.
Use render_template
If you can understand some of the elements that are missing from this simple example, you’ll have a greater appreciation for the core of our Flask app and the many components that we’re about to study.
Our initial application, hello flask, had one singular route @app.route('/')
which is very basic. Just a homepage, that’s it. On the other side, “Flaskinni” includes numerous routes so you see blog and account pages just to name a few. Each route in Flaskinni calls templates with method calls like render_template('index.html')
. These are just as their name suggests, templates or outlines of the final HTML page a user sees. Templates are a big deal (⅓ of our whole MVT structure).
Want to know the difference between ‘GET’ and ‘POST’? You see them mentioned as a kwarg on line 16 in the picture below? Well, you should know the name Tim Berners Lee. GET and POST are two of the HTTP requests that travel over our network and provide us the Internet. Simply put, GET is a request for a page and POST is when the user is submitting a form. Knowing the types of HTTP requests gets really important if you ever decide to use Flask-RESTful to use this web app to power mobile apps, too.
In the Hello Flask application, there is no database or model schema being used. There are no objects like user, admin, blog post in the app. Also in the Hello Flask app, we had no database, but in Flaskinni there is a database, and a schema that shows how the database will be set up. Also in Flaskinni there is code that creates database tables and is able to send the data to the database in the format laid out by the schema.
Our initial Hello Flask application had no interactivity whatsoever as illustrated by the one simple message that is sent to the user. Our app only responds to GET requests, never a POST request. In other words, the user is only getting static information and is never sending information back to the server or requesting more specific information. For example in the Flaskinni application a user can post a blog post or can request or a certain blog post.
Libraries are expansion packs, they're files containing compiled code that allow the app to reference them later in other files. Libraries allow the app the run faster and have more capabilities. Instead of calling methods over and over while writing the app, the user can call the library file. The linking of libraries allows a file to gain the capabilities of the library module without having to define those methods again.
I can describe the MVT components of Flaskinni.
I can describe the thread's steps as my app starts up.
Remember, you can help add comments and docstrings to Flaskinni and submit pull requests. Even beginners can help contribute to open source projects in surprisingly substantial ways.
We've got a handy little method that instantiates our app, loads the settings, and straps on all its expansion packs. Let's start our tour of the code where Flask is spawned. From "Demystifying Flask’s Application Factory":
The reason why the Application Factory is so important has to do with something called Flask's Application Context. Our app's "context" is what takes the assortment of Python files and modules which make up our app and brings them together so that they see and work with one another.
When your app is serving hundreds or thousands of people at a time, your server will run many instances of your app. You may also run your app in different modes, like a text-only shell. An application factory addresses this need by spitting out instances of app
Flaskinni comes with a main
and an api
blueprint. That'll affect your use of url_for
. So if you wanted to make a link to the homepage, it'd be <a href="{{ url_for('main.index') }}">home</a>
Now that Flaskinni is running in your environment, local or cloud-based, let's take a tour.
The T part of our MVT all starts with base.html
. See how much of the documentation you can read before your brain wimps out
The purpose of the base template is to give all the pages in your app common assets. This such as fonts, CSS files, nav bar. Every page must link to the base file. It is kept in the /templates
folder, as base.html
. The base template is like a picture frame, loading common elements like the nav bar, footer, and your little favicon.
This is the whole parent-child thing. The parent is the skeleton of your page. We named it base.html and it has <link>
s to our Google Fonts, CSS files, and sets up nav bars and any other element that’s site-wide. It’s great! Pretty much sets up the whole theme of our site.
To put our pages inside this metaphorical picture frame, we use the command, {% extends "base.html" %}
at the top of every other HTML we put in our templates folder.
The base template extends across all pages, so the website can share HTML code.
We’re going to make a new template that inherits from our base.html so you can experiment with this handy tool. Create a new file in your templates folder called about.html. This page will need hardly any information at all because all the setup is done in the parent. All we need to do is pass some HTML into any block.
Sass makes CSS easier, even if you have to spend a few minutes here and there refreshing yourself on how to use the Sass tricks and how to compile your Sass down to CSS. I personally use a VSCode extension to manage this automatically.
Don't want to learn? There is a lazy way out and that's to edit your CSS directly. No judgments.
Pick out a header and a body font at fonts.google.com
Add them to your collection and get the <link> we’ll use to embed a connection to Google Fonts.
Replace the other <link> to fonts.google.com that was in your base.html file
Add your CSS code to custom.css, something like:
Launch your server
(make sure you’ve got venv activated) source venv/bin/activate
or on Windows: source venv/Scripts/Activate
(use our flask-script to run the server) flask run
Check out your font changes!
If you want to see the new template file in action, we’ve got to build a route to that page. As of this writing, there are only two locations for routes in Flaskinni, the master __init__.py
file and the views.py
file inside the blog module folder. Since our homepage route is in the first file, we’ll put our about route there, too.
We later passed a variable to the template. We dropped <h1> {{ some_variable }} </h1>
in our about.html
file. Nothing shows up until we change the render_template call to something like this:
Congratulations! You just passed your first variable to a template.
We have cool, color-changing notifications in Flaskinni that rely on Bootstrap classes. So if you want to send a good alert message that something worked, you'd say:
flash("Your message has been sent!", "success")
But if something failed, you'd write:
flash("Your message was destroyed by mistake. Whoops!", "danger")
What other Flash notifications are there? How are the flash notifications being built? Let's look at where they come up in the base.html file, trace back the macro that builds the flash messages and then see what other options come with Flaskinni.
Cookies!
Let's talk about how this blog post is queried from our database:
Check out line #20.
We will look more closely at the object-oriented programming and the implications of instantiated objects.
I can describe what it means to be an object-oriented programmer.
I can describe the difference between values and references.
I can build unit tests to check every method in my class definition.
Why don't we list all of our code in one long file? How do we start to organize big projects? We start with objects. Already we've been using a class with a main method as its starting point. All of our methods have been static. What if we wanted to make a game with a lot of monsters? We can define our own Monster
class and create as many instances of that object as we need in the game. We can't use static
methods anymore as a result.
Monster
. Keep your data private, accessible only to methods that allow for more careful controls.
ArrayLists are introduced in this section because they're objects themselves. They illustrate some of the differences we see when working with objects. Instead of arrays when we can access an element just by printing someCollection[x]
, we now need to use someOtherCollection.get(x)
. Let's get into these differences.
Because ArrayLists are only accessible through methods, you can use the same type of access[index]
you can with an array. Here's what a simple traversal looks like with a good ol' array:
Notice how I used length as a property not as an accessor method() and I accessed an element from the collection using [brackets]. Now let's take a look at an ArrayList:
There's a couple important things happening above you should look closely at:
Notice how I declared a List
and then turned it into an ArrayList? It wouldn't have worked if I tried to do new List
because a List
is abstract. It's like mammal. You can tell the computer that you'd like to make a new mammal named x
and it should run the new Dog()
constructor. That's a polymorphic declaration. Use a general ancestor as a type and then be more specific during the constructor.
If you look inside the ArrayList class programmed inside our Java library, you'll notice it has an array at its core. It's a wrapper for an array. So there is a .length
property that's relevant to its internal, private programming. Every time you .add(something)
to an ArrayList it destroys its old array and copies all the content to a new, longer array. So .length
is serious business. Since that's occupied, we use the .size()
accessor method to retrieve the length of an ArrayList.
What's the point of creating our own objects? How does an ArrayList differ from an array in practical implementation? Let's go through an example project to help iIllustrate these concepts.
SecureLists are made up. They're a silly object that provides an extra layer of "security" by storing your list of 12 names in two different objects, an array and an ArrayList. Does that actually provide additional security? No, not really. But let's pretend it does so you have an opportunity to work with an array and an ArrayList simultaneously.
Let's set up your project with the following files:
Slow down. Get your head around these ideas before we lean into the code. Being able to come back and reference these terms as they come up will help you put the whole puzzle together.
I can describe a full-stack application and the tools required to build one using relevant vocabulary.
A stack is all the systems used to run an app. Usually, several computers are involved but that's not a must. Let's look at the various layers in a stack...
Stack: Web stack contains an operating system (OS), a programming language, database software and a Web server. A full-stack developer is someone capable of building an app or solution that addresses each of these components.
Let's understand the layers by discussing the programming languages used in each.
HTML and CSS: This is what you see on your page. HyperText Markup Language, gives content structure and meaning by defining that content as, for example, headings, paragraphs, or images. CSS, or Cascading Style Sheets, is a presentation language created to style the appearance of content—using, for example, fonts or colors.
JavaScript: is a programming language commonly used in web development. It was originally developed by Netscape as a means to add dynamic and interactive elements to websites. It used to be used solely for client-side purposes, but now servers are running apps build using NodeJS. JavaScript has nothing to do with Java.
... but how do we get this HTML / CSS / JS on our client computer?
HTTP Request: the message system that runs the World Wide Web. This is how website information is sent over the Internet. There are many different types of HTTP requests, including GET and POST, one asks for information from the server and the other submits information to the server.
Shell/CLI: In computing, a shell is a user interface for access to an operating system's services. In general, operating system shells use either a command-line interface (CLI) or graphical user interface (GUI). CLI is used to communicate to the shell in the form of text input.
SSL Encryption: (Secure Sockets Layer) is the standard security technology for establishing an encrypted link between a web server and a browser. This link ensures that all data passed between the web server and browsers remain private and integral.
Operating System Service: An Operating System provides services to both the users and to the programs. It provides programs an environment to execute. It provides users the services to execute the programs in a convenient manner.
Okay, we've got a web server receiving signals from our client's computer. Now comes the part where our server runs the app we've built and gives us cool information.
Python: Python is a high-level programming language designed to be easy to read and simple to implement. It is open source, which means it is free to use, even for commercial applications. Python can run on Mac, Windows, and Unix systems and has also been ported to Java and .NET virtual machines. Most Python distributions rely on CPython, which means your code will boil down and run using the C language. Flask is a Python library.
Framework: Framework is described as “an abstraction, in which software providing generic functionality can be selectively changed by additional user-written code, thus providing application-specific software, is a software framework that is designed to support the development of web applications including web services, web resources, and web APIs. Web frameworks provide a standard way to build and deploy web applications. Web frameworks aim to automate the overhead associated with common activities performed in web development. For example, many web frameworks provide libraries for database access, templating frameworks, and session management, and they often promote code reuse. (additional link)
SQL: Structured Query Language, used to request information from a database. SQL has been the favorite query language for database management systems running on minicomputers and mainframes. Increasingly, however, SQL is being supported by PC database systems because it supports distributed databases (databases that are spread out over several computer systems). This enables several users on a local-area network to access the same database simultaneously.
PostgreSQL: is an object-relational database management system (ORDBMS). As a database server, its primary functions are to store data securely and return that data in response to requests from other software applications.
Interpreter: a computer program that directly executes, i.e. performs, instructions written in a programming or scripting language, without requiring them previously to have been compiled into a machine language program.
Flask Application Context: One of the design ideas behind Flask is that there are two different “states” in which code is executed. The application setup state in which the application implicitly is on the module level and request handling.
Imagine two people watching a movie at the same time. Because those two people have different life experiences, they will interpret the movie in a different way. When your app is running, it loads variables and libraries that gives it a particular “experience.” Our application context refers to the references at play.
Module: encapsulates code and data to implement a particular functionality, has an interface that lets clients to access its functionality in an uniform manner, is easily pluggable with another module that expects its interface, is usually packaged in a single unit so that it can be easily deployed.
A module is a loose term. Python uses the term to describe a single file, sometimes just one part of a larger library of tools that you can import and use within your app. If you put a single line of code in a file, you’ve built a module.
Virtual Environment: A folder where a copy of all dependencies is kept separate from the system installation. This allows you to work on several apps without having to manually toggle which version of the language interpreter your system is using. It's a safe and responsible way to develop your apps.
Virtual environment does not include “your app” this is separate. And you may have meant modules, not models. The model refers to the objects and database tables we’ll use in our app. Meanwhile, the libraries or modules that our app depends on in order to run will be installed in our virtual environment.
Libraries: “a collection of implementations of behavior, written in terms of a language, that has a well-defined interface by which the behavior is invoked.”
Dependencies: A dependency is a file that something you are trying to install requires. These are the required libraries and modules for your app to function.
An efficient programmer keeps their dependencies in a virtualenv, but it’s not required to do so. You can install them globally if you’d like, but other apps running on that machine might complicate things. There are other ways to manage dependencies too.
Git Version Control: is a system for tracking changes in computer files and coordinating work on those files among multiple people. Version control is a system that records changes to a file or set of files over time so that you can recall specific versions later.
Throughout the course of the semester how often will we be referring back to older versions of our app?
Object: An item in memory with a variable name, location reference, and the instantiated code provided by some class definition. Objects have individuality, and multiple names (in multiple scopes) can be bound to the same object. This is known as aliasing in other languages. This is usually not appreciated on a first glance at Python, and can be safely ignored when dealing with immutable basic types (numbers, strings, tuples).
Method (Python): A method is a function that “belongs to” an object. (In Python, the term method is not unique to class instances: other object types can have methods as well. For example, list objects have methods called append, insert, remove, sort, and so on. However, in the following discussion, we’ll use the term method exclusively to mean methods of class instance objects, unless explicitly stated otherwise.)
Parameter: In almost all programming languages, functions accept variables that are used in their code, (i.e. f(x) = x + 1). The parameter is simply the variables that are referenced within a method or behavior. This can also be referred to as an argument. A Python module which can contain submodules or recursively, subpackages. Technically, a package is a Python module with an __path__
attribute. parameter. A named entity in a function (or method) definition that specifies an argument (or in some cases, arguments) that the function can accept.
Constructor (init method): In class-based object-oriented programming, a constructor (abbreviation: ctor) is a special type of subroutine called to create an object. It prepares the new object for use, often accepting arguments that the constructor uses to set required member variables.
Inheritance: Inheritance is a feature that represents the "is a" relationship between different classes. Inheritance allows a class to have the same behavior as another class and extend or tailor that behavior to provide special action for specific needs.
DocString Comment: A string literal specified in source code that is used, like a comment, to document a specific segment of code.
In-line comments are written with a # and add extra notes around our app. ‘’’DocString’’’ comments provide more detailed explanations right underneath class and function headers.
In the last section, you learned there's a lot of layers to a stack. But even within our stack's application layer, there's a lot of complexity. If you don't keep organized, your code quickly gets overwhelming and difficult for other people to understand if you need help. But we find that we can sort-of split our code into three areas, 1) code that stores stuff like user data, 2) "logic" code, or rather the stuff that loads data executes actions like making a sale, and 3) the HTML visuals we see when we interact with the app. This pattern was originally called MVC. We use a slight twist on that called MVT.
I can describe the rationale for the MVT design pattern.
There are countless ways to organize the files and code used in an application. How does one choose? How do you plan out the parts of your app? There’s big advantages to following best practices, using a pattern that others can recognize. You may hear people references the Gang of Four (GoF) when referring to their design patterns. MVC is one such pattern, but for reasons I'm still figuring out, Flask uses a conflicting acronym for remarkably similar pattern.
Model: Database schema or rather, what gets stored in memory. But we won't have to learn a database language like SQL just yet. We'll have a tool called an ORM to convert Python into SQL for us. We'll use that to setup our SQL database tables for each object
View: Routes internet traffic. Here's where we connect the /url/someone/typed/
to the Python thinking that will respond to request for that certain webpage. The view is our controller. It's our application logic--our central brain.
Template: HTML with bits of {{ python }}
. It's not just a regular HTML page. Python will render this so we can respond to different conditions. For example, if a user is logged in we can so the "Logout" button but if not, we show the "Login" button. Careful though, avoid putting too much logic here.
Model-View-Controller: (We will be using a modification of this pattern called MVT)
The model (M) is a model or representation of your data. It’s not the actual data, but an interface to the data. The model allows you to pull data from your database without knowing the intricacies of the underlying database. The model usually also provides an abstraction layer with your database, so that you can use the same model with multiple databases.
The view (V) is what you see. It’s the presentation layer for your model. On your computer,the view is what you see in the browser for a Web app, or the UI for a desktop app. The view also provides an interface to collect user input. In our MVT pattern, this becomes T. So MVT and MVC both use the term "view" but for different parents of the same triangle. This seems needlessly cruel to those studying this stuff.
The controller (C) controls the flow of information between the model and the view. It uses programmed logic to decide what information is pulled from the database via the model and what information is passed to the view. It also gets information from the user via the view and implements business logic: either by changing the view, or modifying data through the model, or both. In our MVT pattern, this is the V and will be found in our views.py
file.
If I launched flask shell
I could talk with Python while flask is running app
and I could ask app.models
for all the objects we use around our code. Like app.models.User
. That would be the schema. It's not an actual user that I'm referring to when I say app.models.User
. That's the definition, the skeleton or the schema. The individual records in the User
table will used for the instantiated objects in my code.
Schema is more than just the list of properties (like first_name
and such) and functions of an object in your app. It also describes how objects are connected in your database.
ER Diagrams/UML: Communication diagrams model the interactions between objects in sequence. They describe both the static structure and the dynamic behavior of a system.
Association Table: table that associates two other tables in a many-to-many relationship. Let's say you make a website to manage school clubs. Students can be in many different clubs and clubs can have many different students. Somewhere in our database we need to write down a connection between each Student.id
and each Club.id
. It's the list of connections between two objects. You want to leave the club? Remove the record that links the two id
's.
There's more: Instead of just connecting two objects, what if we wanted to qualify that relationship? Not only do you want to say "this user belongs to this club," but you also want to mark down that she's the president of the club. So now we have a Membership object that can have all sorts of properties that describe your role on the club and what you're allowed to do or not do. Association objects are super cool.
ORM: a technique that lets you query and manipulate data from a database using an object-oriented paradigm. When talking about ORM, most people are referring to a library that implements the Object-Relational Mapping technique, hence the phrase "an ORM". An ORM library is a completely ordinary library written in your language of choice that encapsulates the code needed to manipulate the data, so you don't use SQL anymore; you interact directly with an object in the same language you're using. For example, here is a completely imaginary case with a pseudo language: You have a book class, you want to retrieve all the books of which the author is "Linus". Manually, you would do something like that:
book_list = new List(); sql = "SELECT book FROM library WHERE author = 'Linus'"; data = query(sql); while (row = data.next()) { book = new Book(); book.setAuthor(row.get('author'); book_list.add(book); }
With an ORM library, it would look like this:
book_list = BookTable.query(author="Linus");
The mechanical part is taken care of automatically via the ORM library.
Questions
So object-relational mapping is a programming technique for manipulating data?
Yes, it’s the tool (ours is called SQLALchemy) that keeps us from having to write many SQL commands of our own.
SQL Alchemy: a method of associating user-defined Python classes with database tables, and instances of those classes (objects) with rows in their corresponding tables.
Migration: the process of transferring data between computer storage types or file formats. If we ever want to change our SQL tables to add new information to every record, we’ll need to migrate the data from the old table to the new table. We’ll use a tool called Alembic to do this.
Route: moving data from source to destination. Our Flask controller will take requests to, for example, yourwebsite/home
and match it to the code that builds the home page
Flask Session: Session is the time interval when a client logs into a server and logs out of it. The data, which is needed to be held across this session, is stored in a temporary directory on the server.
Render: generating HTML code from a mix of Python and HTML, this is done in Flask using Jinja2.
Jinja2 Template: a template engine for the Python programming language. It’s the software that takes the mix of HTML and Python and renders it down to just HTML which is then sent to the user.
There's no reason to write every page used in your app on separate html files. Templating allows us to extend or start from a base file that has all the nav bar and footer stuff we need. This is a type of inheritance and it's pretty neat.
Static assets are your images and CSS files and other stuff that doesn't get run like code and have to get served up to your users. We'll find ways of making this process go fast.
I can run Flaskinni after having cloned its code, configured its dependencies in a virtual environment, set up a database, and added an environmental variables file.
A day before some hackathons or events like RailsBridge, experts will host a session to help everyone install the tools they'll need. If you serve pizza, you can call pretty much anything a party.
Whether you're using Windows, macOS, or Linux, you have a responsibility to your teammates that you keep your machine updated and organized. Run system updates, keep files off your desktop, have a system of organizing your project files. Knock this out early so it doesn't jam you up while installing complex programming tools.
Go slowly. Go patiently. Things may not work. You will have to Google stuff, study, maybe ask for help, and solve your problems. Keep hacking at the problem. That's how we all learn best.
Your computer only understands Python code through a compiler or interpreter. Your computer uses bytecode to run the software. Our interpreter changes our beautiful Python code into a jumble of machine instructions. Ensure you use the same version in development as you do in production. That means if your server will run, say, Python 3.10, that's what you use to build the thing.
This is the open-source database tool we're going to use. You'll set up Postgres to host your own private database. It won't be available outside of your computer. It's just so while you work on an app, it can access a practice source of information.
Remember postgres
password. Since my computer's database is only used for building and testing apps, I set the password also to postgres
Mac users should have Xcode and run xcode-select --install
in their terminals. Windows users need to install Git for Windows. This gives you the commands to clone a repository, manage your changes to code, and sync
Once upon a time, Javascript was just used to make pictures slowly spin on a webpage. Now we've got NodeJS letting this language that used to be purely stuck inside a web browser to now run independently on your computer. It's so popular, the npm tool to quickly install awesome new Node packages is a must-have.
Node Package Manager often encourages the installation of amazing CLI installers like choco
or brew
(Mac and Windows respectively). So if you like quickly installing awesome things and can accept the responsibility to do so safely, get one!
https://chocolatey.org/ (Windows) https://brew.sh/ (Mac)
Old-school CSS is a pain to program at a large scale. Sass is much more powerful. Your computer has to have it to run the WebAssembly service built into Flaskinni. If you've got Choco or Brew installed, adding Sass is a breeze.
I recommend these extensions
Custom icons (they make it much easier to see your files)
You can edit your code on the cloud with cool sites like SourceLair. A cloud-based IDE is likely going to be based on Linux. That means you'll need to know a bit about Linux CLI. Linux plays well with coders and a cloud-based IDE makes it easy to share your development progress with people and get feedback faster. That's big.
You can also set up right on your computer. You should know how to do this just so you can practice putting all the pieces together. I prefer to program in the cloud and locally and use GitHub to keep the two environments in sync.
Use VS Code's git tool to pull down the repo from GitHub.com: https://github.com/dadiletta/flaskinni
"Stand up" a database just sounds so much cooler than "set up," but it's the same idea. You can see in settings.py
that Flaskinni by default is going to reach out to a PSQL database named db-flaskinni
on the server 0.0.0.0
. The username and password used to access the database are also loaded there. Changes to this information shouldn't be done in settings.py
but rather a .env
fille. But before we do any of that, fire up pgAdmin and create a database.
Our .env
file doesn't and shouldn't ever get synced to GitHub. It's our secure place to keep the unique variables for each environment where our app will run.
First you use the correct version of Python to launch its venv module to create a folder for our dependencies (also named venv):
Windows: python -m venv venv
Mac: python3 -m venv venv
(as of this writing, Mac still comes with now-defunct Python2, so you need to distinguish between them)
Then we activate the virtual environment so all our required "expansion packs" or dependencies will be installed in our little bubble:
Mac: source venv/bin/activate
Windows: (might need) Set-ExecutionPolicy Unrestricted -Scope Process
.\venv\Scripts\activate
Windows (using bash instead of default Powershell): source venv/Scripts/activate
If you've got a happy little (venv)
before your terminal prompt, you're ready to run:
pip install -r requirements.txt
Did one of the dependencies listed in requirements.txt
fail to install correctly? It's a common problem that must be solved. uWSGI doesn't need to be installed in the development environment so you can #comment
that line out. If psycopg2 is failing to install, you can comment that out and manually install the binary alternative, pip install psycopg2-binary
. Running pip install wheel
may also resolve many of the installation issues.
You're likely going to end up with the wrong version of Flask-Security. So next run:
pip uninstall flask-security
pip uninstall flask-security-too
pip install flask-security-too
After running flask run
in VS Code, you should be able to visit http://127.0.0.1:5000 to see your website.
This is important! Pity the poor programmers that forget to set up their migration tools. Once Flaskinni is up and running the first time, run flask db init
to allow Flask-Migrate to help with any future changes to your models. We'll talk about why that's super important later.
Help! I don't know how to configure Replit's database service with SQLAlchemy. Their technical support doesn't know how to do it. They point me to the forums... and those folks can't crack it, either.
I need to study up on Docker. These are notes that I'll use to redo this section later. Trying new stuff is important, even if you're not moving it into your stack. Docker represents a booming growth in containers, and that's something serious web dev folks need to deploy at scale.
Make sure Docker is installed, running, and logged in.
Clone Flaskinni
git clone http://github.com/dadiletta/flaskinni
Edit the Dockerfile
with environmental variables
docker-compose up --build
You're going to get stuck... a lot. This is where you can distinguish yourself as a programmer. Every problem big and small you hack your way through makes you more legit. So enjoy the grind. It's important to read around the problem and not just through it. Sloppy copying from StackOverflow once you copy and paste the error into Google can get you in trouble. Get background research done to understand some of the bigger concepts. Be willing to reach out for help, but respect that other people are grinding away too. Always show evidence of your research when asking for help as it will build trust with your support network.
Move from a development environment to production
Congratulations! You've poured your creativity and skills into crafting a stunning design project on Replit. While Replit offers a fantastic development environment, the built-in preview webpage has limitations. It can't handle large volumes of users and might have occasional downtime, potentially affecting your project's visibility.
To overcome these limitations and showcase your work to the world, we'll take the next step: deployment. Don't worry; the process is a snap.
Flask has been helping our projects by adding our navbar and footer and such to every page. But now we want to export a copy of the site that doesn't require this fancy tool. That's essentially what we'll be doing by flattening your website. This means converting your project into a static HTML format, eliminating the need for constant server interaction. This static version will be much faster, more reliable, and accessible to a broader audience.
To achieve this flattening magic, I'll use a tool called Frozen-Flask. It's a powerful script specializing in creating static Flask application versions. Once your project is flattened, we'll proceed to the deployment stage. This is where your project finds its permanent home on the World Wide Web: a hosting platform called Netlify.
Think of Netlify as your website's personalized apartment building. It provides the infrastructure and resources needed for your project to be live and accessible 24/7.
Create an account on the site and verify your email address
Once logged in, you'll see an area indicated by a dotted line where you can drop a folder
If your folder isn't uploading, you may images or other files that are too large. Downsize your images or move unneeded files outside of the bootstrap_project folder
Edit your site details so you can change the URL from its randomly-issued name
Submit the URL so it can be graded. Remember, if you make further changes, you need to re-publish your site using the following instructions:
You've been seeing your page update on your local machine. That's not on the Internet and the link in your browser won't work on anyone else's machine as it refers to a file on your computer. But we can deploy the website to free host using Netlify.
All stock content replaced
A color palette implemented uniformly throughout the page and corresponds with the subject of the site
Custom header and body fonts that corresponds
CSS file formatted into sections with color palette written in a comment at the top
CSS rules overwriting theme styles like btn
and bg
A new section added to the navbar and the body with smooth scroll working to that location
A new Bootstrap component taken from the documentation
A new CSS class and ID implemented in the CSS and HTML
Images (not in conflict with copyright law) successfully added to img folder and added to site
We will learn to solve simple problems with Java programming. We will create all sorts of variables, test their limitations and exercise basic control flow.
I can declare variables of common Java data types and assign values.
I can control the flow of my app with loops, conditionals and method calls.
I can write efficient conditionals and return comparisons in my methods.
I can describe the difference between logic, run time and compile time errors.
Primitives are objects that live entirely in stack memory (they're lowercase like int
and not like String
) . We'll go over the difference between stack and heap memory later. For now, just think of stack memory as the lightweight stuff that's really fast-access. Take a look at the types of Java primitives.
CompoundCapitalize
name of classes
camelCase
variables and methods
ALLCAPS
variables marked as final
, meaning they can't change
snake_case
is typically used only in Python and I miss it every time I work in Java or C#
Operator
Description
Example (a=10, b=20)
+ (Addition)
Adds values on either side of the operator.
a + b will give 30
- (Subtraction)
Subtracts right-hand operand from left-hand operand.
a - b will give -10
* (Multiplication)
Multiplies values on either side of the operator.
a * b will give 200
/ (Division)
Divides left-hand operand by right-hand operand.
b / a will give 2
% (Modulus)
Divides left-hand operand by right-hand operand and returns the remainder.
b % a will give 0
++ (Increment)
Increases the value of operand by 1.
b++ gives 21
-- (Decrement)
Decreases the value of operand by 1.
b-- gives 19
What's 9 / 4
? In Java, it's just2
, but if you wrote it like 9.0 / 2
, then the answer would be 2.5. If you don't introduce a decimal to the operation, if you only give Java literal int
s , it'll match that format and ignore decimals.
We evaluate / test data and produce a true
or false
value.
Operator
Description
Example (a=10, b=15)
Result
==
Equality operator
a==b
false
!=
Not Equal to operator
a!=b
true
>
Greater than
a>b
false
<
Less than
a<b
true
>=
Greater than or equal to
a>=b
false
<=
Less than or equal to
a<=b
true
This comes up all the time in problems. It's a useful trick to avoid crashing your apps, too.
A fundamental element of flow control is whether or not you want to execute a block of code. We use a conditional or if statement to test something. That test will result in a true
or false
value. If it's true, we'll execute the block of code. If it's false, we'll skip to the end of the block of code.
Loops are how we repeat commands or loop through items in a collection.
Most for loops look something like this:
The for statement has a declaration, condition and increment. But you can skip the declaration if you'd like. Let's say you want the counter to have a wider scope (so it can be accessed outside of the loop) like this:
Let's say I have an array or collection of numbers like this: int[] numberArray = [5, 10, 15, 20, 25];
Each number in that group has an address or index (that starts at 0). If I wanted to print the number 10 for example, I could write System.out.println(numberArray[1]);
So if I wanted to loop through (called iterating or traversing) all the items in this array, I could use a normal for loop like this:
But there's an easier form of the for loop that's meant to easily traverse through a collection. We'll go over some of the pros and cons of this method later.
The do-while is rarely used but it's handy if you want to make sure the steps run the first time before the loop condition is tested. Read more.
You can declare and initialize an int like int x = 5;
Similarly, you can create an array that contains three ints like this: int[] x = {5, 10, 15};
x.length; // note: this isn't a method like it is in the String class.
x[0]; // this will print "5" in my example
x[x.length-1]; // this will print "15" in my example
Loop through every element in the array
Check if an element is found in an array
Make an array of other types of objects
This is a part of control flow. The thread, the computer's train of thought, is being sent over to work through a set of commands called a method or function (either name works in this class).
Use a Bootstrap template to produce a stunning webpage.
I can build a hero with a call to action.
I can implement a color palette via CSS.
I can build a responsive Bootstrap website.
I can implement Bootstrap classes and components into a website.
Read about it. Twitter publishes a front-end framework that has significantly impacted web designers. It's great, and you'll spend a lot of time with its documentation.
Responsive design isn't just about websites looking good on different screens; it's about delivering an optimal user experience on any device. Imagine navigating a complex website on a tiny phone instead of a spacious desktop – the frustration is real! Responsive design solves this by adapting the website's layout, content, and functionality to various screen sizes, ensuring a seamless user journey.
Bootstrap's Grid System:
Bootstrap, a popular framework, makes responsive design accessible. Based on 12 columns, its grid system provides a flexible layout structure. In your example, <div class="col-md-6">
and <div class="col-lg-6">
define elements that occupy 6 columns on medium and large screens, respectively.
Breakpoints and Device Adaptation:
The magic happens with breakpoints and specific screen widths where the layout adjusts. Bootstrap uses predefined breakpoints for @media
queries, essentially saying, "When the screen size reaches X, apply these styles." Your task with the inspector window is to find these breakpoints! Look for @media
rules defining styles for lg
, md
, and sm
(small) screens. Notice how Bootstrap adjusts the number of columns these classes occupy at each breakpoint.
Exploring Device-Specific Adjustments:
While Bootstrap offers a solid foundation, sometimes device-specific tweaks are necessary. For example, on smaller screens, you might:
Collapse content sections by default and use buttons or icons to reveal them.
Increase font sizes for better readability.
Simplify navigation menus or switch to hamburger menus for better accessibility.
Optimize images for faster loading times.
Beyond Bootstrap:
Remember, Bootstrap is a tool, not a silver bullet. You might need to go beyond its base styles as your projects evolve. This is where understanding CSS media queries and flexbox becomes crucial for more granular control over responsive layouts.
Beyond Screen Size:
While the screen size is the primary factor, a responsive design also considers other aspects:
Device orientation: Portrait and landscape modes on phones and tablets require different layouts.
Resolution: High-resolution displays might necessitate adjustments for image quality and text sizes.
Network speed: Consider loading optimizations for users with slower connections.
The Importance of Testing:
Responsive design isn't a one-and-done task. Rigorous testing on various devices and screen sizes is crucial. Use browser emulators and real devices to identify and fix any layout issues and ensure a consistent user experience across platforms.
Here's another fun exercise. Let's open up https://codepen.io/ again, set up Bootstrap, and customize a button. Check out some simple examples from the ever-helpful W3schools: https://www.w3schools.com/csS/css3_buttons.asp
Look at some of the coolest CSS buttons.
Replit: Our Cloud-Based IDE
What is Replit? Replit is an online platform that acts as an Integrated Development Environment (IDE). Think of it as a workspace in your browser where you can write code, run your website, and collaborate with others in real time.
How does it work in class? Instead of downloading templates, each student will have a pre-provisioned copy of the chosen StartBootstrap template ready to use in Replit. This eliminates the need for individual downloads and setups.
Pros of using Replit:
Convenience: No setup required, access your project from any device with internet.
Collaboration: Work with classmates on your website in real time.
Pre-configured environment: Everything you need to start coding is already set up.
Cloud storage: No need to worry about losing your work; it's automatically saved online.
Cons of using Replit:
Limited customization: Replit may have limitations compared to desktop IDEs like VS Code in terms of customization and plugin options.
Offline access: You need an internet connection to access your project in Replit.
,VS Code with Downloaded Template:
What is VS Code? VS Code is a popular, downloadable code editor for your computer. It provides powerful features like syntax highlighting, code completion, and debugging tools.
Using VS Code: You can download the StartBootstrap template yourself and open it in VS Code for editing.
Pros of using VS Code:
More customization: VS Code offers extensive customization options with plugins and themes, catering to your preferred development style.
Offline access: Work on your website even without an internet connection.
Advanced features: Powerful debugging tools and code analysis features for more in-depth development.
Cons of using VS Code:
Setup required: You must download and install VS Code and the template.
No real-time collaboration: Working with classmates requires additional tools or sharing downloaded files.
Storage management: You're responsible for saving and backing up your project files.
The Choice is Yours!
Both options have their merits, and the best choice depends on your personal preferences and learning style.
For beginners: Replit's easy access and collaboration features might be ideal.
For experienced programmers: VS Code's customization and offline capabilities could be more appealing.
Visit StartBootstrap (https://startbootstrap.com/) and browse their collection of free templates.
Choose a template that suits your project's needs.
Click on the template's preview page and find the download button.
Select the option to download the zipped file.
Save the downloaded file to a convenient location on your computer.
Open VS Code.
Go to File > Open Folder.
Select the unzipped folder containing the downloaded template.
Click Open. This will open the entire template structure within VS Code.
Within VS Code:
Go to File > New File.
Name the file custom.css.
Save the file in the appropriate location within your project folder (usually the root directory).
In VS Code:
Right-click on the index.html file and select Open with > Live Server.
This will launch a local preview of the website in your default browser.
Edit the HTML and CSS files directly within VS Code to customize the website.
Update your custom.css file with desired styles.
Save your changes.
The Live Server preview will automatically refresh, reflecting your latest edits.
Use the template's structure and provided classes as a starting point.
Add your own content and modify the HTML as needed.
Refer to the template's documentation for available components and their usage.
Use your custom.css file to personalize the design further.
Keep making changes, saving, and refreshing to see your progress unfold.
Regularly save your project folder to Google Drive for backup and collaboration.
Explore Bootstrap's extensive documentation and online resources to learn more about its features and customization options.
Remember, practice makes perfect! Start with this guide, experiment, and have fun creating your unique website!
In the same folder, create a new file: custom.css
. Next we'll need to connect the css file to the folder html file.
We introduce our first complex algorithms and start to pull back the scaffolding a bit. Students will get their first real experience designing aggregate objects with encapsulated properties.
I can secure my class variables with encapsulation.
I can create a constructor to initialize an object.
I can override a parent method.
I can build unit tests for all methods in an aggregate object.
Polymorphism is my favorite CS term because it sounds so much fancier than it really is (sort of a theme here). In class we'll build an abstract class called Shape with some encaspulated instance variables like length
and width
, abstract methods like .area()
. Then we'll inherit from those methods when we create types of shapes like Circle, Rectangle, Triangle and so on. Let's look closer at why this is an example of inheritance and polymorphism.
Creating a parent class called Shape
that all your shapes will inherit means that the common properties and functions can live in one place. If new features or changes needed to happen across all the elements in your app, you would have a logical place to check.
Let's take a look at a shortened Shape
class:
All the encapsulation shown between lines 3 - 14 should be familiar by now. Seek additional practice including your teacher's office hours if not. The cool new thing here is line 17. Because the parent is declaring this method, all its children (i.e class Circle extends Shape {
)will have to build their own area method. The Circle
class will return 3.14 * (length * length);
for its area()
implementation.
Because all of my app's shapes will have a common parent, I can create a collection of Shape
like:
ArrayList<Shape> myShapes = new ArrayList<>();
That allows me to to loop through the whole collection and report out their areas:
What if I wanted to build a huge space game with thousands of types of ships. I'd make rules for cargo ships and warships. There may be times when I want multiple inheritances to be applied. Well there are some limits here in Java. You can have multiple vertical levels, like Ship --> Warship --> Battleship but a single ship can't inherit from two places simultaneously. Instead, there are Interfaces.
Please download the guide to this old project from CollegeBoard.
Let's create a simple Card
object and test its encapsulated properties.
Now we'll build our aggregate object, the Deck
.
This algorithm uses a lot of structures we'll see when we have to start sorting items rather than shuffling. The problem with a perfect shuffle is that after 4 passes, all the cards are back in the original order.
In Activity 4, we'll add the shuffler method to the Deck
class. It's the same process but we'll adapt using arrays to ArrayLists. We'll just skip activities 5 and 6 outright as we'll cover that material elsewhere. In case you're curious, the one cool thing we skip over for now is assert statements in Java:
You will need to add this folder to your codebase.
Loops
Searching / counting while traversing an array and an ArrayList
Traverse to find max and mins:
public static int findLargest(int[] nums){
Interact with an ArrayList
public static void makeLowerCase(ArrayList<String> commands){
Keep count
public static int countNames(ArrayList<String> names, String target){
Shuffle methods:
public static void selectShuffle(int[] nums){
public static void perfectShuffle(Card[] cards){
Nested loops
Find common elements between two collections:
public static ArrayList<String> findCommonNames(String[] roster1, String[] roster2){
Classes
Encapsulation with accessor and mutator methods
Implementing an abstract class (with encapsulation)
OOP: When should you move properties and methods to an abstract layer?
Name three properties or methods that would be suitable for a Human
class and three that would go on an abstract Mammal
class.
How do you declare an abstract class and an abstract method?
Declare an abstract class called Athlete
, give it private properties of name
, number
, position
, and is_active
.
Make a constructor.
Make accessor methods for each property.
How do you declare a class to inherit the properties from an abstract class?
Create classes called SoccerAthlete
and BasketballAthlete
that both inherit from Athlete
.
Give each class a toString
method that returns the String, "My name is {name} and I'm a {position} in soccer. I'm #{number}." Only if they're active.
If they're inactive, the returning String should read, "I used to be play basketball as a {position}."
How can you take advantage of polymorphism?
Create a runner class with a main method that creates an array of Athlete
s. Loop through them and have each one introduce themselves.
Submit a completed NumSet class:
Your Elevens test will be a semi-randomized selection of multiple choice questions all taken from the same sources used for our Do Nows. There will be one free response question similar to the homework. Both of these parts of the test reflect the two portions of the AP test. Therefore, the best way to study would be to review AP practice problems from our relevant topics:
Redo homework assignments and previous drills
This site's Chapters 3-9: https://runestone.academy/runestone/books/published/apcsareview/index.html
Take a practice test: http://ice.cc.gatech.edu/apexam_final/index.jsp
Do some Codingbat: https://codingbat.com/java/AP-1
Publish your Flask app to a web server. This is a challenging process often with unique challenges for every app. We'll get there.
We’re going to use Digital Ocean to host our app. I also considered Heroku. If we were better with Docker, I’d also consider using Azure or Google Cloud. So don’t be afraid to look around at other options besides the stuff I spell out here. You really can figure this stuff on your own and chart a different path if you're willing to grind it out
Register a domain and point your domain’s to DigitalOcean’s nameservers: https://www.digitalocean.com/community/tutorials/how-to-point-to-digitalocean-nameservers-from-common-domain-registrars https://www.digitalocean.com/community/tutorials/an-introduction-to-digitalocean-dns
Setup your server’s basic settings: https://www.digitalocean.com/community/tutorials/initial-server-setup-with-ubuntu-18-04 This includes our ufw firewall: https://www.digitalocean.com/community/tutorials/how-to-setup-a-firewall-with-ufw-on-an-ubuntu-and-debian-cloud-server. Don't forget to disable root ssh login.
Setup python (check on your version of ubuntu). You're not trying to get a demo app online, we're mostly using commands like sudo apt install python3.7-dev
: https://www.digitalocean.com/community/tutorials/how-to-install-python-3-and-set-up-a-programming-environment-on-ubuntu-18-04-quickstart
Make sure we have the basics for our database (install, install, install!):
https://stackoverflow.com/questions/28253681/you-need-to-install-postgresql-server-dev-x-y-for-building-a-server-side-extensi
Once you get your venv activated, don't forget pip install --upgrade pip wheel
Install and configure nginx, your webserver (remember the overview from the beginning of class): https://www.digitalocean.com/community/tutorials/how-to-install-nginx-on-ubuntu-16-04 -[ at this point you should be able to go to http://your-domain and see a blank, nginx page ]-
Update your git repository and your requirements.txt (video guide). We’ve got to package your app ready to ship. Calling the deployment of software “shipping” is really cool and people think you’re cool when you say it. So instead of "setting up my app on a remote server" we can say, "shipping a new version." Nice.
Pull your app’s repo and setup your dependencies before serving up your app: https://www.digitalocean.com/community/tutorials/how-to-serve-flask-applications-with-uswgi-and-nginx-on-ubuntu-18-04 Notes to complement the Digital Ocean guide:
If admin rights are needed, you may need a command like this:
sudo -H /home/myuser/venv/bin/python -m pip install -r requirements.txt
My wsgi.py file:
from myapp import app
if __name__ == "__main__":
app.run(host='0.0.0.0')
There are many critical files in this process, but the one that ties them all together is:
sudo nano /etc/systemd/system/flaskinni.service
Helpful articles if you’re running into some trouble: https://stackoverflow.com/questions/39937071/uwsgi-configuration-with-flaskapp
I use sudo cat /var/log/syslog
frequently to see the errors being reported by the uWSGI service
and use sudo less /var/log/nginx/error.log
to see the errors just from nginx (they'll otherwise be mixed in with the syslog)
If everything is working up to this point, your project will load a 500 error. Track down the error and it should be reporting that the connection to the database has failed.
sudo nano /etc/nginx/sites-available/myproject
sudo ln -s /etc/nginx/sites-available/myproject /etc/nginx/sites-enabled
Setup postresql on your server (adjust to the version of Ubuntu you're using)
Postgres starts with a super user with the somewhat unoriginal name of postgres. You can use your admin powers to switch to that user by typing sudo -iu postgres
and now you can use psql
and you'll have full control to setup a new user. Read up on how to add a new user in psql. The lazy, slightly dangerous way is to createuser -P -s -e user_name
Once you've created your user in psql, update your .env
file with the user and password.
We've got to test to make sure your database user can log into the database you've created. If your database user also exists in Linux, you can do the same sudo -iu
trick we did before and then open up psql
. This command will allow you to be more specific:
psql user_name -h 127.0.0.1 -d db_name
You may end up using ALTER USER user_name WITH PASSWORD 'new_password';
from the postgres user.
Change the passwords and hash codes used in .env
and remember that changes to secret keys or salt could break passwords currently saved in your database. For random strings to use as secret keys for apps, use a line of code like this to make one:
Secure your HTTP connection: https://www.digitalocean.com/community/tutorials/how-to-secure-nginx-with-let-s-encrypt-on-ubuntu-16-04
sudo apt install python-certbot-nginx
sudo certbot --nginx -d mysite.net
Practice deploying updates. Add, commit, and push from your development environment and pulling over SSH. Make a change to the database and use migrations to update your models without losing data.
Making changes to your application
After building a cool new feature on Cloud9
git add .
git commit -m “fixed the thing”
git push origin master
Then SSH to your server, navigate to your folder and git pull origin master
If you modified any db.Column
then, you need to track that migration on your db. Reading the Flask-Migrate documentation is how you can best safeguard your users’ data.
Get ready to handle errors: http://flask.pocoo.org/docs/1.0/errorhandling/
Sentry.io is an awesome tool to get notifications of any error happening on your server
If you don't start visualizing things before you're knee-deep in code, your product will lack a cohesive visual style and an intuitive workflow. Building an app starts with colors, logos and most importantly, wireframes.
I can develop a brand identify for my product including logos, color pallets, fonts, and tone of voice.
I can outline the workflow of my app in a wireframe.
Setup a local folder using something like Google Drive to collaborate with your team. Download a theme. Start a PowerPoint or Google Slides document to take notes, build a scrapbook of visual designs that can help you shape the message you’re trying to send.
Rather than design our own HTML layout and polish the finer details and effects, we’re going to use a theme. We’ll look at paid themes and free themes. You must make sure your theme is based on Bootstrap, preferably the most recent version. You want to make sure that the theme has a variety of elements and layouts that will allow you to mockup pages quickly.
Never make changes to theme.css, style.css or whatever your file is called that governs the primary rules of your theme. We will override the rules using different files. That way we can more easily upgrade the theme in the future. The custom.css
file (that hopefully you're using Sass to produce) in our <head>
after the theme’s CSS. That way, our rules will overwrite the theme’s. We’ll have the final say.
Implementing a new theme is tricky business. You'll have to rebuild your static assets and modify all the templates. The base.html file will need the most amount of work as it will need to reflect We talk about that more next chapter.
Building your app, your team, and your company requires a lot of drive. A brand identity is a flag on a battlefield for your soldiers to rally.
Go to the websites of some major brand names you know and look at the colors used. If you did deep enough, you'll find a variety of button colors, but most things follow a pretty consistent pattern. It's time to set up such a pattern inside our CSS.
http://coolors.co These palettes can help you color your logo
https://color.adobe.com/create/color-wheel/ expand the 5 colors you get from coolors
https://colors.eva.design/ Eva will help you fill in any gaps on the standard Bootstrap colors (primary, success, info, warning, danger)
http://designmodo.github.io/Flat-UI/ When in doubt, use Flat design
Hopefully you have a _variables.scss
file where you can drop all your color palette. Many themes include these assets. Flaskinni's default theme comes from startbootstrap so you can take advantage of the Sass structure to quickly implement your colors.
If you're using SourceLair, you may need to upgrade Sass so it can handle recent Bootstrap templates. So first run npm install -g sass
so you can then run:
sass app/static/scss/custom.scss:app/static/css/custom.min.css
The code below are example MacOS settings for the Live Sass Compiler extension for VS Code.
You'll need a header and a body font at least. Sometimes a logo font is used as the headers, sometimes not. You may want to pick out your logo first and then find complementary fonts afterwards.
Start sketching ideas on your branding document. It can be very powerful to have a logo designed early in project development as it sets styles, colors and gives you something to reference when discussing your project.
Shutterstock.com -- start building collections of images you might want to use
Add images to your branding document. Scrapbook images that you don’t intend or are unable to buy and use but speak to the type of look and feel you want (or want to avoid). Have a different section for images that you may want to purchase and use later on. Free images you can start to download and organize into your team’s project folder. Paid images you can start to save in bookmarks, links on your slides, or in other ways.
The wire-framing that needs to be added to your branding document is essentially just shapes illustrating what your app can do. You could use Google Slides in a real hurry. Ideally though, you should use the wire-framing process not only to determine all the steps your users will need to take, but also how you'll organize the interface. You're making UI decisions as well as UX.
I try to start by first looking through the pages that come with my HTML theme and see what sort of layout, widgets and objects are readily accessible. Keep them in mind when designing your wire-frames. After this early phase, we will be building full HTML mockups to illustrate these wire-frames.
Building HTML mockups is much, much slower than Adobe XD. You ought to sketch out your apps before you code HTML elements. But designing the HTML elements using the theme assets you'll have in production takes you from planning the outline of the user experience (UX) to the mechanics of the actual interface (UI).
Before you advance, be sure you’re making steady progress through the Flask Udemy course (and getting help when stuck)
During this phase of your project, you can implement a new cosmetic layer. This will help setup the visual tone of your project while buying us some more time while we learn fundamentals. We will also add a new folder inside app/
that will store your routes
I can implement a new HTML theme into a web app's base template.
I can create my own blueprint and prepare to expand my database schema.
We’ve got to build our base.html. That one file is the frame to our whole app. It’s a key HTML file in the T of our MVT. We’ll need to carefully setup the <head>
’s attached files, the <body>
and any wrapper/container structure your theme might be using, the <nav>
bar, the {% block container %}
where all other pages will be inserted, and your footer.
Our next task is to apply your theme’s design to the built-in login page. Applying a cosmetic, HTML layer to your application is sometimes referred to as “skinning.” The login’s template is provided by our Flask-Security plugin installed in Flaskinni. If you were to delete one of the template files, the app would default to the built-in Flask-Security template. By having the files in our templates folder, we override the built-in look of the pages.
Your theme, whether you got it for free or paid for it, will have a pattern to how it organizes the HTML each page (some themes use a series of containers, others <section>
s, for example). Implementing a theme is about transferring static assets (like images and files) and separating the parts of your HTML code that are common on every page (and putting that in the base.html) and what is unique to the individual page (and putting that in individual template files).
If you haven't learned about flash notices yet for homework, you can read about them, or talk about them in class. Assuming you get the idea and see how Flaskinni uses them, let's now rewire the system so it looks good in your HTML template. Maybe we'll use a dismissible Bootstrap alert but maybe want to tie into some fancier features that come with some themes.
Figure out where all of these messages are listed in their container. Replace the stock objects, (probably will be li
elements) and that will be generated instead by this line: {% include "security/_messages.html" %}
Note: When an HTML file is unable to stand up on its own because it's just a partial element, we put an underscore and the start of its filename.
Here's a demonstration showing the implementation of Flaskinni's old theme.
The different parts of your app should be kept in separate sections or blueprints. It'll make it easier to take one cool blog feature from one site and add it to another project later on. It also keeps your code more organized and easier to work on.
The stuff we have to add to create a new blueprint can be divided up into the MVT (which I'll address in reverse). But first, do you know the name of your blueprint? It should be an easy shorthand because you'll be typing it a lot like so: {{ url_for('why_is_my_blueprint_name_so_long.dashboard') }}
This example uses a blueprint named "project" which is a pretty lame name. Hopefully you can do better.
Inside the templates/
folder, create a new folder with your blueprint's name. I almost always use a _cards.html
full of macros ready to build cards for all sorts of objects in my app. Might as well add that now, too. For all the new pages you add to your app, you should use use a blank_page.html that you can copy and paste then rename.
Create a new folder within the app/
folder. Like always, spaces and capitals are a bad idea in folder names. Inside that folder create an __init__.py
file. In the file, you'll need to customize this code for a folder name unoriginally titled project/
:
We keep a separate folder for our models. I typically have quite a few files. We'll talk more about building your schema next chapter. For now, know that any new classes you make need to be imported in the __init__.py
file. That keeps our imports more organized.
When our app factory in app/__init__.py
puts together an instance of our software, it registers our blueprints and imports our models. The app factory is the knot that holds everything together. So the final step is to register our blueprint there. You're now ready to start taking Flaskinni's application logic in a whole new direction.
In the next section, we’re about to build database schema. You must understand that anytime you tinker with a models.py
file, (from the /inni folder or elsewhere) then you’ve altered your schema and now your database is likely now out of sync. For example, let’s say you wanted to combine User.first_name with User.last_name so there was just one field, User.name. The SQL tables that stored that information can’t adjust to your modified Python code so easily. All of the existing records (i.e. the rows in your tables) will need to now be migrated to a the new set of columns you’ve constructed. That can be really tricky!
The right way to handle this situation is discussed in the next section. Let’s look at the lazy, dangerous way of keeping your database up-to-date through gross destruction. DANGER: This will destroy all saved user data. You have a sacred mission to keep this safe and private. This practice is only tolerable at this very early stage of development when we’re learning how to form effective and efficient database schemas. So if you can say to yourself, “who cares? There’s no data here and never has been,” then this might be the right way to update your database.
Check private.py
for the name of the database being used in our app: BLOG_DATABASE_NAME. In this example, it’s called, “db”.
psql
\l
drop database db;
\l
create database db;
\q
Once your database has been configured and your tables all have columns, making changes is tough. Sure, rows (aka “records”) can be added and deleted without any major problem. But changing the schema so that an object, or table, has new properties (columns in your tables) is much more difficult. Changing the columns in your database tables is a delicate process. Fortunately there are tools like Flask-Migrate to help migrate the data from one version of the table to the next.
These commands are different and likely to change in the future. Think about it: we're not using our Flask app. Instead, we're using some tool that detects changes in our database and automates the migration of our data in our old table to our new table. Delicate stuff! Before we'd use Flask-Script as an intermediate. Now we use Click to access terminal commands that will migrate our database.
If you do it to one, you've got to do it to them all
Typically, we don’t work on just one database at a time. Most projects have a staging version and a production version and both have their own databases. If you make a change to one, you'll have to migrate the other. That’s why we have Flask-Migrate! Don’t start this process until your teacher has told you your database schema is largely stabilized, (this should happen at the end of the next section of this guide).
Must read: https://flask-migrate.readthedocs.io/en/latest/
Getting started:
flask db init
-- this command you'll only do the first time
flask db migrate
-- this command detects any changes and builds a migration strategy to change your database
flask db upgrade
-- this command executes the migration
From here on out, your project is going to vary from everyone else’s. Once your models are done, you’ve now got to build out each view and template that will serve the workflow of your MVP. Work with your teacher to identify what your MVP needs to do, (we’ll call this your requirements based off of the SRS stage of the IEEE software lifecycle). Once we work out what exactly you’re building in your module, we’ll populate your Trello backlog with loads of tasks. And as we solve those weird tasks, we’ll start to build the collection of topics below.
I can research and hack together an MVP.
http://flask.pocoo.org/docs/1.0/patterns/viewdecorators/
The term decorators in programming refers to a sort of flag or notice put at the start of a method to signal some sort of special treatment. We use @login_required to trigger Flask-Security’s verification that the user is carrying the encrypted token from our system given to a confirmed user. I would imagine verification of authority and privileges is the most common reason to use a decorator in Flask. We use them in Java to notify the system we’re overriding a parent’s method.
The form is our primary method of collecting information from the user. Depending on your application's need, you may need to looking closely into wtforms. Meanwhile, here are a few recipes that have been requested.
When filling out a form, you may want to have a drop-down of a user's friends or some other set of data unique to that user. How can you provide those dynamic options within a form template?
The most typically recommended answer is the QuerySelectField.
And what if you want one drop-down to populate the options of another dropdown?
Just use a SelectField
with no real options and populate them after you build the form.
https://stackoverflow.com/questions/46921823/dynamic-choices-wtforms-flask-selectfield
Examples:
http://screencast-o-matic.com/watch/cFfb2obVJJ (placeholders)
http://docs.sqlalchemy.org/en/latest/orm/backref.html#relationships-backref
Two back_populates equals one backref. Using backref declares a two-way relationship. It’s more efficient than dropping a back_populates on both ends of the relationship but I prefer it because I’ve been confused too many times staring at a class wondering about its relationships unaware that another class has declared a relationship backref in a different file.
http://docs.sqlalchemy.org/en/latest/orm/loading_relationships.htmlLet’s say you want to query the database for a user’s contacts with a built-in relationship such as current_user.contacts. You can get a list back from the database with just that one command. However, what if you know you’ll always need additional filters on that query. You don’t want the results quite so fast, instead you’d like the SQLAlchemy query not to complete its task but rather to keep the search open and ready for additional filtering or sorting.
This is a really useful skill we should go over as it helps us test and figure out where things go wrong.
flask shell
if python just said it doesn't know what that is, then you need this line:
from extensions import db
from user.models import User
my_users = User.query.all()
look at your user(s):
my_users
my_users[0].email
my_users[0].first_name
Let's make sure we can login directly to our database. You can skip this step if you're, say, in the midst of a hackathon, the app is working, and you've got to keep moving. In the long-run, it's critical you know how to flex control over your database directly.
If you're using Terminal, bash or PowerShell, you should be able to type psql
to open a command-line version of PostgreSQL. You can also use a friendlier interface like pgAdmin, though I recommend making the effort to explore both. You'll need to specify your user when accessing psql. Specifying your user can vary a lot depending on how you approach it. Good thing you know how to Google.
Linux:
sudo service postgresql start
psql
(try listing the current databases) \l
(if you need to quit) \q
If you’re the superuser using sudo -i
then you’ll be on the root account (don’t do that). Postgres has a built-in admin you can log into with su - postgres
and then psql
(you shouldn’t need that but it’s useful).
You can edit accounts' psql access and credentials with stuff like:
ALTER ROLE ubuntu WITH PASSWORD 'ubuntu';
You probably won’t need this very often, but it’s important to know if you want to understand how your app works. Launch psql
and be very careful as you tiptoe through our database:
(connect to our database, which in this example is named “db”) \c db
(check out the tables in our database) \dt
(see what we’ve got in our post table) SELECT * FROM post;
If there are no posts, we’re going to create the first one, which will have the ID of zero. If there are posts already, we’re going to create one with the next highest number.
(let’s add a new record of a post)
INSERT INTO post (id, user_id, title, subtitle, body, slug, live) VALUES (0, 0, “Some title”, “Some subtitle”, “Some body”, “someslug”, True);
(let’s quit psql) \q
Launch your app and check it out. Not pretty, right?
(go back into psql and connect to our db then let’s delete what we made)
DELETE FROM post WHERE id=0;
(make sure it’s gone) SELECT * FROM post;
https://pythonhosted.org/Flask-Mail/
This line needs to be in your settings.py:
SECURITY_EMAIL_SENDER = private.ADMIN_EMAIL
Just as we keep a custom.css file, your project should have a custom.js function. Something like this could be very handy. Now you can just add class=”confirmation” attribute to any <a></a> and it’ll have a JS-powered confirmation window.
Actions of our app are triggered by routes in our view. If you type in the url of your site, /index,
your browser sends a GET request to that route to the homepage route in your app. Your browser loads the page. But what if you want to avoid refreshing the page? What if you want to send a message from a modal window and press submit without losing your spot on the current page?
<a onclick="hidePaidBills()" href="javascript:void(0);" data-toggle="tooltip" data-placement="top" title="hide paid"><i class="fa fa-eye"></i></a>
https://www.twilio.com/docs/sms/quickstart/python
We use VirtualEnv as a sort of bubble that contains our version of Python, Flask, and all the many other libraries used. Each library is likely to see improvements and security fixes. It’s important to keep this codebase updated but it’s an awfully risky process. Updates might change how some of the libraries work and may force you to change or cause new bugs. Best practice is to keep a previous version of your requirements.txt handy and to build thorough unit tests.
Before asking pip to do a lot of work, you may want it upgrade it first: pip install --upgrade pip
Update all libraries (copied from StackOverflow)
sudo -H python3 -m pip freeze --local | grep -v '^-e' | cut -d = -f 1 | xargs -n1 sudo python3 -m pip install -U
If you don't want to overdo it with the sudo nonsense: pip freeze --local | grep -v '^-e' | cut -d = -f 1 | xargs -n1 pip install -U
Create a requirements document:
pip freeze > requirements.txt
Test to make sure the app works. If it doesn't, undo changes tracked by git to get you your previous version of the requirements.txt
. Reinstall your dependencies based on all the previously recorded versions.
Inside Flaskinni's docs/
folder are files produced by Sphinx.
Enable the support of the Google-style docstrings which are much easier to read:
http://flask.pocoo.org/docs/0.12/testing/
The most responsible way to build software is to start with unit tests. A script will mimic various types of users as they test every function on your site. The unit test will report when something acts differently than expected. I struggle with keeping to this discipline. A more sophisticated implementation of Flask’s unit test system will be the best sign of my own professional growth in this area.
By now you should have created your module or blueprint’s folder in your project’s directory and another in your templates. Now, we'll talk about what we should add into the models/ folder
I can create an ERD/UML to describe the data that will be stored in my app.
I can write new relational database objects and successfully stand up my database.
Here's a semi-accurate diagram of Flaskinni's starting objects. Make a copy of this document and share it with your team. Compare your UML's and your wireframes, to make sure all the data you need in your app is stored in a logical hierarchy.
Fipplr allows businesses to log work, manage invoices, and accept payment. This set of tools can be used by freelancers and employers. Fipplr works similarly to many other accounting tools but its simplicity and guided structure protects young entrepreneurs.
https://www.codementor.io/sheena/understanding-sqlalchemy-cheat-sheet-du107lawl
Invoice Count:
Invoice.query.count()
len(Invoice.query.all())
Count how many invoices have been submitted system-wide
Paid/Unpaid:
Invoice.query.filter(Invoice.date_paid != None).all()
Check to see if an invoice has been officially paid. This will be a simple boolean check to see if it has been paid or not. Eventually, you will be able to filter paid and unpaid but to begin, it will just be paid.
Project List:
Project.query.join(Project_User).filter(Project_User.user_id==current_user.id).all()
Print the list of all your current working (live) projects. For employers, this list would include the project name and who is assigned to it. For freelancers, it will list all the projects you are assigned to.
Client/Employer List:
[Function name]
Find the full list of your clients. For employers, each client would be your subcontractors. For freelancers it will list all the clients that have hired you.
Company List:
Company.query.join(Company_User).filter(Company_User.user_id==current_user.id).all()
All companies a user is connected to.
Invoiced Work Check:
Query: [Function name]
Find the full list of work officially invoiced (submitted). If work is not invoiced pull up a separate list. In total there will be two lists, one for the officially invoiced (submitted) work and another for the unofficially invoiced (submitted) work.
Star Sight is a collaborative story editor with a growing array of tools to help writers. You can control access to your work, track your characters, and roll dice to help make decisions. Stories also support rich media so your work can stand out.
Database architecture, the way we build and connect elements in an app, often goes unappreciated by the average user. It’s a complex software engineering challenge that’s unique to every problem being solved. In this example we have some of the following relationships:
Story_Chapter
User_Story: A user has its own attributes (First and last name, email, and ID). A story also has its own attributes (A series it belongs to, and its own ID). In order to connect these two things, a helper table is created and used by pairing the ID of the user and the story it’s associated with.Its an additional object that connects to the two. It told to, it also gives the user permission to give other users access to a particular story.
https://www.codementor.io/sheena/understanding-sqlalchemy-cheat-sheet-du107lawl
https://www.codepowered.com/manuals/SQLAlchemy-0.6.9-doc/html/orm/query.html
Story.query.join(Story_User).filter(User.id==current_user.id).all()
All stories the current user has
Chapter.query.join(Character_Story).filter(Character.id==x.id).all()
All chapters that have a certain character
Series.query.join(Story).join(Story_User).filter(User.id==1).all()
All series that the current user has
User.query.join(Story_User)).all()
All users that have stories linked in the Story_User join table
User.query.except_(User.query.join(Story_User)).all()
All users that don’t have stories
Overhaul Repair is an app that allows users to sign up to request a mail-in phone repair service. This web app will allow users to create accounts to monitor their device status and also add their devices into the account, allowing users to easily create repair orders from previously added devices. The app will also include an admin only finance management system.
https://www.codementor.io/sheena/understanding-sqlalchemy-cheat-sheet-du107lawl
https://stackoverflow.com/questions/4926757/sqlalchemy-query-where-a-column-contains-a-substring
Query: Task.query.filter(Task.date_completed==None)
Explanation: Query searching through all phones that have unsolved open issues
Query: Task.query.order_by(Task.price)
Explanation: Order all tasks by price
Query:
Explanation: All phones that have completed repairs
Query: Device.query.filter(device. odel_number.contains(‘A1’))
Explanation:
Query: Message.query.filter(Message.user_id.contains('Robert Hayek'))
Explanation: All messages sent by employees
Tgene is a website that connects the Gilmour Academy molecular genetics lab to others around the world. My app allows the students and lab instructor, Doctor Edward Turk, to write and upload blog posts, pictures, and research about the current work being done in the lab. Through this shared information, collaboration can occur between labs through a contact feature to get teachers and researchers in touch. Collaboration also includes the sale of plasmids from the Gilmour Academy lab to other schools. Tgene is a project that allows Gilmour Academy high school molecular genetics class to share their research, work, and plasmids to other students and researchers across the country.
Class for my register form that allows me to register as an admin
Query: Moneyplasmid = DBSession.query(Plasmid).filter(plasmid.price)
Explanation: Returns all plasmids that cost money
Query: Freeplasmid= DBSession.query(Plasmid).filter(plasmid.price<1)
Explanation: Returns all plasmids that are free/ link to assistance
Query: PlasmidOrder=DBSession.query(Plasmid).order_by(Plasmid.price)
Explanation: Query all plasmids ordered by price
Query: Plasmidall= DBSession.query(plasmid)
For plasmid in Plasmid:
print plasmid.name
Explanation: Query all available plasmids for sale (free and $$)
plasmidgene = DBSession.query(Book).filter_by(gene_id=str)
Query that shows all the plasmids bought that include a specific gene (sort by genes)
An app to organize announcements for school clubs and teams and to efficiently communicate them to students. Our platform is a way for groups to connect with users. Members can subscribe to groups to stay up to date on what is going on with a group. Groups can post announcements and members can comments and react to them.
https://www.codementor.io/sheena/understanding-sqlalchemy-cheat-sheet-du107lawl
Lists all the groups a certain user is in
Group.query.join(Membership).filter(Membership.user_id == 2).all()
Lists all of the announcement for a particular school base on school id
Announcement.query.filter(Announcement.school_id == 2).all()
Lists all of the groups at a particular school
Group.query.filter(Group.school_id == 2).all()
# Gives all the announcements that a certain user has made
Announcement.query.filter_by(user_id=2).all()
# Gives all of the announcements of a particular group
Announcement.query.filter(Announcement.group_id == 2).all()
Membership.query.filter(Membership.user_id==current_user.id, Membership.role=='Leader').all()
# NOT WORKING---- Gives all of the announcements for a particular user based on their groups
Announcement.query.join(Group.query.join(Membership)).filter(Membership.user_id == 2).all()
.filter(Membership.user_id == 2).all()
Group.query.join(Membership).filter(Announcement.query.filter_by(user_id=2).all()
Assuming you’re responsible enough to use some sort of project management tool like Trello, use the UML or ERD you’ve sketched as a reference to build out your todo list. For almost every table you’ve created in your database, you’ll probably need:
A form built in your forms.py that defines each field a user will fill out
A .html template where that form can be displayed. This form will be used to create a new object as well as editing an existing object
A route and function in your views.py for both the new and edit mode of your object form
A link that will trigger the creation of a new object or editing an existing object
The point here is to think through the absolute minimal displays required to add and manage your data. Then layer in some basic commands next to that table of data.
https://www.python.org/dev/peps/pep-0257/#what-is-a-docstring
Once your models.py
file is complete and your app is running, the first route I recommend building is /superadmin.
We'll build control tables, here's how we load the data for the first one, users.
There's a few ways to trigger a database query. I like to call the object statically so I can explain to students about those terms. You'll more often see db.session.query(Post)
.
More info for the try-hards.
Produce a full-stack web application in Python's Flask framework. While this is difficult and complex, it'll be a rewarding challenge.
This section of Gilmour Academy's Computer Science Department's GitBook is also the official documentation of the Flaskinni open-source project. If you would like to skip the background information about web applications, you can proceed straight to 4: Install Flaskinni.
Web Development is my favorite area of Computer Science to study. Programming at the hub of all information gives you a bird’s eye view of how business operations fit together. If an organization has mobile apps, websites, and some sort of critical information for their business, then web developers are the people holding systems together. There's so much happening in this field, too. In fact, we've got to be careful that all this cool tech doesn't overwhelm you.
Little kids like to keep asking, “Why?”
A thread of inquiry can always get more detailed. It never stops. You can keep digging deeper. Sooner or later we just accept the idea of something and stop asking questions. For example, I know hardly any of the electrical engineering involved to build a stick of RAM but I would still claim I know what RAM is. I’ve just accepted that there’s a thing called RAM and it works like so and I’m okay not knowing any more details than that for right now.
We are going to narrow our focus to building a Python Flask app using templates and a pre-built starting point. We can build really cool things but it means that we’re going to brush over big concepts that are totally worth studying. Sometimes it’s hard to feel like you understand something if you can’t take the time to closely examine all of the pieces and principles involved. Write down questions, don’t stifle your curiosity, but be patient as we setup lots of abstract ideas that we won’t be able to satisfactorily investigate for a while. TLDR: Be patient and keep a running list of concepts and questions to research later.
Guided Training: Do your homework! Actually grind out the projects in tutorials. Learn the rules of new languages.
Publishing: How do we get our Flask app online?
Code Combat (Python)
Books at give superpowers
We will build our own photo editing tools as we study more complex nested loops to traverse and mutate 2D arrays.
I can remove a column from a 2D array in Java.
I can write 2D array methods for the PicLab.
Convert 128 to binary
Covert 225 to binary
Convert 11010111 from base 2 to base 10
This is a byte.
Max red, green and blue (255, 255, 255) is white. No red, green and blue (0, 0, 0) is black. Sometimes we add a fourth byte to control alpha layer (transparency). rgba(255, 255, 255, 255)
is opaque black.
Two digits in base 16, hexadecimal, can describe 0 - 255. Eight digits can contain rgba. #FF0000FF
is opaque black.
What is the row index for the top left corner of the picture?
What is the column index for the top left corner of the picture?
The width of the picture is 640. What is the right most column index?
The height of the picture is 480. What is the bottom most row index?
Imagine a circumstance where you might use an interface and an abstract class. Create and implement the interface and abstract class. Instantiate objects that extend these. Create a polymorphic container or method.
Calculate the sum of an indicated column from an extremely rare occurrence of a 2D ArrayList:
public static int sumColumn(int col, List<List<Integer>> grid){
Remove a row from a 2D array:
public static String[][] removeRow(int row, String[][] names){
Calculate the sum of an entire 2D array:
public static double sum(double[][] grid){
Count the number of occurrences of a given number in a 2D array
public static int count(int[][] grid, int target){
Add a new column to a 2D array of Pixels with the average color at the end of the image
public static Pixel[][] addAverageColumn(Pixel[][] picture){
// each Pixel has .getColor() which gives a single int
// return an array that's one column wider, containing the average of every color in that row
// you can set the color of a pixel by using .setColor() and passing the method the average of that row's .getColor()
}
Convert an RGB value like 220, 175, 205 to a hex value
We have an array of Friends, Friends[] friends
, and we want to make sure that each of our friends has the items they requested from the store. Friend.getItems()
returns an array of Item objects (Item implements the Comparable
interface so you can use .equals()
to compare two items). If the Item is not on the shopping list, we'll add it to an ArrayList<Item>
called requests
. The Item class also has a publicly accessible boolean that marks if the Item has been claimed: Item.claimed
.
public ArrayList<Item> checkShoppingList(Friends[] friends, ArrayList<Item> list){
Please turn in the planning sheet answers by filling them out in a google doc and sharing it with me or by handing a printed sheet to me at the start of class.
Have a strong theme or genre. (2 points)
Run smoothly and as intended. (8 points)
Have at least three animated multi-frame sprites. (3 points)
Use 5 rooms (or utilize a procedurally generated room.) (5 points)
Get progressively more difficult. (2 points)
Be winnable and losable by the player. (2 points)
Use variables to control aspects of dynamic game play (i.e.; parts of your game should change in some way throughout the game. Power-ups, Getting new inventory/ materials, or level gain are examples of this.) (3 points)
We will be learning C# programming and Unity development during this course. All the concepts will be taught through the creation of games. Through tutorials, you will be able to work at your own pace and return to concepts which might be confusing. Mr. Vanek will be available to help if you have bugs that crop up in your programming and to clarify points in the tutorials.
In each unit, you will be responsible for completing an assignment which builds on the concepts you have learned. Feel free to flex your creative design muscles, especially in the assignment portion of the game. Adding extra features or finding new ways to accomplish them will help your game and your learning.
For the final project of the semester, you will be developing your own game. If you have good ideas for the form the game may take during the course of the semester, be sure to write them down.
For the final project, you will be designing and executing a game of your own design. This will be a proof of concept game. The importance is placed on the game's design and programming, not on how it looks. Make sure that levels are playable before working too much on art assets.
The final project needs to fulfill the following requirements:
The program runs with no bugs that break the game.
The game should be FUN. This is a game, after all.
The project should have a minimum of two workings animation with transitions between them.
The project should have a minimum of three levels or be procedurally generated. Levels should have transitions between them.
The project should use some aspect of user interface (text) either via instructions or heads up display.
The project should have a good use of materials and / or material assets from the asset store.
This course focuses on what it means to make art in the modern world. Students will use the latest technology to explore digital painting, sculpting using computer controlled wood cutters and 3D printers, and interactive works using programmable electronics motors and sensors.
We will be looking at the user interface for Unity, how to navigate, where to find different aspects of our programs.
Building a game is a huge task. Unity organizes the many elements in our game, connecting objects with scripted actions. We must learn how a user interfaces with all Unity's powerful capabilities. \
Unity has changed
The software has been updated frequently since the recording of this video. Be patient and attentive to the new layout as well as changes in class procedures
Learning Targets
I can find and create primitive shapes in the hierarchy
I can find components of my objects
I can find my game asset folder
I can navigate the game space
Create and manipulate at least 5 objects.
1) Create five levels in which the player needs to explore in a controlled way. The level should have a start point and an end point. Think about how far / high characters can jump to keep parts blocked off.
Make sure you control how the players can progress through the level with terrain. You should use Probuilder, MagicaVoxel, or both to design your level. You can also use other resources such as physics materials.
2) Add at least one "hidden area" to your level.
3) Add at least one area which requires an item to progress.
4) Create one power up for your character (different than the progression item).
5) Use slime enemies in the environment. If your player touches a slime, restart the level (or if you are feeling like a bit of a challenge, make checkpoints and move the player to the last touched checkpoint).
6) Create at least one additional "humanoid" enemy complete with animations. Make sure the player can interact with the enemies in some way (attack, avoid, etc)
The above file is for the Tank Particles 1 video if you don't have access to Photoshop or Illustrator.
Make sure all tutorial sections have been completed and all features are implemented correctly.
Add the following to your game:
1: Make the tanks a target with appropriate health. (Video was added above for this assignment) 2: Add a non-destructible wall with metallic material.
3: Create one extra piece of destructible terrain. 4: Add a secondary fire weapon (missile, artillery, machine gun, laser, mine, etc) with it's own particle system. 5: Make a power up that lasts for a limited amount of time and affects some aspect of the game (speed, fire rate, damage, etc). 6: Create three separate arenas with realistic materials for everything. 7: Create a start screen for your game. When a player hits Start, randomize the arenas and begin the game. 8: Add a win screen to the game and prompt players to restart once they both hit X.
9: Turn in the game through GitHub (make sure you set it up with a Unity GitIgnore).
We will be installing Unity Game Development Engine to develop your games.
For your assignment, you will need to build on the ball roller game in the following ways:
Create at least three extra levels (for a total of five).
Make your game say "You Win" when you beat the final level.
Different colored power up with different point value from the ones we built.
Stop the timer and disable game controls if the game is over. (Hint: You will need a boolean (bool) type variable to control whether the game has ended and link those to if - statements within your game)
Create an death box or script under your level that will restart your level if the player falls off our hits it. If you are creating a death box, you will need at box collider, but not necessarily a renderer or material You can create invisible collisions.
Make a sharable build of your game using the instructions below.
I can create and use int, float and bool variables.
I can correctly change the value of a variable through code.
I understand when to use public and private variables.
I can access inputs and apply them to player movement.
I can implement if statements in C#.
I can write and call my own methods in C#
I understand and correctly use Start, Update, FixedUpdate and LateUpdate functions.
I can link components to variables.
I can determine how many of a GameObject exist in a scene.
I can organize and program based on my build index.
I can change scenes within my game through code.
I can create and manipulate several different 3D primatives.
I understand and can use several different components.
I can add text elements to the game screen.
I understand when to add RigidBody components and when not to.
I can use RigidBody components to interact with Unity’s physics system.
I can create and apply materials to objects.
This page will be updated with videos to offer greater clarity or detail about Unity concepts. This is also the repository for student requested videos which are outside the classroom content.
This page describes how to get setup for distance learning, spring 2020.
Download the fusion 360 software from the link below and install it on your computer. You will have to create an Autodesk account. Please use your Gilmour email.
In your group, you will create a community of buildings which should relate to each other and a theme of your choosing.
Your building should:
serve a different purpose in your group's community. (1 points)
be integrated into the community via the chosen theme. (2 points)
be in scale to the rest of your group's models (10mm = 1ft, for example). (2 points)
be modeled from primitives as well as sketch shapes. (4 points)
use several of the modify tools. (2 points)
include details that are unique to different sides of the building (as a person walks around it, it changes / has unique features). (3 points)
have appropriate textures for final renderings. (2 points)
include 4 finished renders of the building, each communicating a different detail. (4 points)
Design and create an invention using parametric modeling.
Your design should:
Be parametric (add parameters first, make sure your design doesn't break when you change them) (3 points)
Have at least three pieces that come together to function. (6 points)
be 3D printable (no overhangs, flat base for printing) (2 points)
have no piece greater than 200mm in a direction. (2 points)
Include final renders (2 points)
You will be turning in 3 things for this project, the fusion file, the printable STL files, and multiple angle renders of the finished design.
The guide to getting involved in our school's FIRST Technology Challenge team.
Whether you're joining Gilmour's Moonshots or a different FIRST Technology Challenge (FTC) team, we hope this guide will ease the process.
Jump In Early: Don't wait! Attend team meetings, observe our workshops, and get a feel for different roles. Identify areas that ignite your interest and offer your help.
Choose Your Path: Our team operates through various sub-groups, each playing a crucial role in our robot's success:
Marketing Team: Be the face of the team, recruit new members, manage logistics, and prepare presentations for judges. Hone your communication and organizational skills.
Software Team: Dive into the world of coding, working alongside hardware engineers and the drive team. Maintain our codebase, troubleshoot issues, and post questions on online forums to expand your knowledge.
Hardware Team: Design and build robot components using CAD software, 3D printing, and various hand tools. Develop hands-on engineering skills and fix technical issues during competitions.
Drive Team: Take the spotlight by operating the robot during competitions. Strategize gameplays, execute maneuvers based on calls, and practice extensively to become a well-coordinated unit
Moonshots' website: https://ga-moonshots.netlify.app/
FTC official website: https://www.firstinspires.org/robotics/ftc
FTCLib documentation: https://docs.ftclib.org/ftclib/
FTCSim: https://ftcsim.org/
Much of the CAD work discussed in this section uses skills built in our 3D Modeling & Fabrication class.
Variables: Words that can store data. A variable might store a number, a word, a sentence or a list of things.
Operators: Basic math symbols for addition, subtraction, multiplication and division (+, -, *, /)
Functions: Commands which let us do things within the programs. Some functions are built in and some will be created by us!
Input: Getting information from outside the program. This might come from someone using your program in the case of an app, or from sensor data in the case of a robot.
Changing Variable Types: Sometimes we have to change variable types to allow them to interact. We do this with functions int() and str(). Remember that variables need to be alike if we want them to be able to interact!
Conditionals: Conditionals let us check for when something happens or when something is true. The most common of these is an if statement (which can be expanded to an if/else or and if / elif / else statement).
Boolean: A boolean is a specific type of variable, a True or False variable.
Kivy uses widgets as the basic building block for GUIs (Graphical User Interfaces). Widgets are objects which can be layed out on your screen and which perform specific tasks. Some examples are input fields, buttons and drop down menus. In this section, you will find an example of widgets we will use in the class as well as specific parameters which can control individual widgets. If you feel like digging deeper into your options, the kivy documentation can be found here.
The label widget is used to create text on your screen.
text: "Hello World"
Displays "Hello World" on the interface
color: 1, 0, 0, 1
Color takes 4 numbers from 0 - 1. These correspond to RGB and Alpha
font_size: 32
Sets the font to 32 pt
markup: True
Allows you to add markups such as bold, italics, font in your text
[b] Bold [/b], [i] italics[/i], [font=times] Change the font to times [/font]
[s] strikethrough [/s], [u] underline [/u], [color=#hexcolor] change color [/color]
size_hint: 0.5, 0.5
changes the size of the text box in relation to horizontal width of the window and vertical height of the window.
size: 200, 200
Changes the size of the text BOX, not the text.
The files that drive FTCLib
Before looking under the hood of our code, programmers should study the Command pattern's goals of organized, non-blocking code. We've done that ✅. You don't need to go past this point. We hardly ever need to touch these files. Programmers can contribute to a team by knowing how Command
and Subsystem
work together and how to run their code. Proceeding on means you want the next level. You're comfortable and open-minded about how this all works.
The secret to understanding how we turned FTC's code into a Command pattern is how the following two files connect. They sit in our utils folder, working their magic--we may never need to touch them. Let's start with Robot.java
.
This file acts as an invisible layer, providing essential functionalities:
Shared State: The isDisabled
static variable is a central flag accessible throughout your code, indicating robot state (enabled/disabled). The disable()
and enable()
methods allow external control over the robot's state during transitions between autonomous and teleop periods.
Command Control Center: Methods like reset()
, run()
, schedule()
, and register()
grant access to the CommandScheduler
, the mastermind behind command execution and resource management. Think of it as the conductor of your robot's actions.
isDisabled
: Expanding State VariablesRemember, the way the isDisabled
variable controls state is not how we need to track our robot's current status. It doesn't need a static variable; we'll have easy access to the instance of our robot. We're not restricted to booleans. We'll use custom state variables of all sorts--here's an example that uses enums to represent various robot conditions:
Here's the most straightforward connection point between Command and FTC. This file is our translator.
CommandOpMode
runs LinearOpMode
's critical method runOpMode()
method. That's it 🤯. Sure, we can also post telemetry
updates, but the real essential bit is just that stupid run()
call. That keeps our CommandScheduler working while satisfying the requirements for FTC gameplay.
The reset()
method within both Robot
and CommandOpMode
plays a crucial role in managing Commands during various FTC gameplay scenarios. Here are some practical examples of when you might utilize it:
1. Autonomous Period Transitions:
Switching Strategies: During autonomous, imagine your robot first performs a pre-determined path using a pre-scheduled set of Commands. If external sensors detect an unexpected obstacle, you can call reset()
in Robot
or CommandOpMode
to clear all running Commands and initiate a new set of Commands for obstacle avoidance or adaptation.
Recovering from Errors: If a sensor reading is deemed unreliable or a Command encounters an error, resetting can clear the current action and allow you to initiate a new Command for recovery or safe shutdown.
2. Teleop Period:
Button-Triggered Resets: Consider a button press on your gamepad that triggers reset()
in CommandOpMode
. This could be used to:
Cancel an ongoing movement Command if the driver wants to stop abruptly.
Reset arm or claw positions to known starting points for precise manipulation.
Restart a specific Command sequence for a repeated action.
3. Testing and Debugging:
Isolating Command Behavior: During testing, you might use reset()
after each test run to isolate specific Commands and verify their functionality without interference from previous actions.
Reproducing Issues: If your robot exhibits unexpected behavior, strategically placing reset()
calls can help reproduce the issue for easier debugging and troubleshooting.
The composition of hardware components and their basic helper functions
An FTCLib Subsystem is like a part of your robot that controls specific tasks, such as driving, lifting an arm, or shooting a game element. Each subsystem has its own job and knows how to control the motors, sensors, or other components related to that job. By breaking the robot into subsystems, your code becomes easier to manage and update because each part is responsible for its own actions. Think of it like different departments in a company—each one has a clear purpose, making the whole robot work smoothly together.
The advantage of using subsystems in FTCLib is that it allows for smooth control of multiple parts of your robot at once. Organizing your code this way allows you to run several subsystems without everything happening in one big block. This means one thread can manage multiple subsystems simultaneously without commands blocking each other. For example, the robot can move and operate its arm, and if a new command interrupts a current action—like stopping the drive to shoot a game element—it can smoothly switch tasks without delays or confusion.
Hardware and Setup:
The Arm
subsystem in our example demonstrates essential aspects of subsystem creation:
Hardware References: Declares member variables like motor
, wristServo
, etc., linking them to hardware names from a centralized place for these "magic strings," such as HardwareNames
.
Motor Configuration: Sets up the motor
for precise position control using MotorEx
, defining parameters like PID coefficients and tolerances.
Servo Initialization: Retrieves servo objects from the hardwareMap
and sets their initial positions.
Helpful Methods:
Subsystems often include convenience methods to control hardware directly. The Arm
class provides examples:
travelMode()
: Sets the arm for driving by closing the claw, adjusting the wrist, and storing the new wrist position.
wristUp()
/wristDown()
: Increment/decrement the wrist servo position within set limits.
openClaw()
/closeClaw()
: Manipulate the claw servo based on an isOpen
boolean flag.
toggleOpen()
/toggleRoll()
: Implement button-pressable actions using conditional logic.
State Management:
Subsystems can maintain internal state using variables like isOpen
for the claw. The toString()
method provides a human-readable snapshot of the subsystem's current state (servo positions in this case).
Where do state variables go?
There are state variables like wristAng
and isOpen
in this subsystem. Does every subsystem get unique state variables? Should we consolidate them into the MyRobot
file? These are organizational guidelines that are flexible and will need to be discussed so all programmers know how things ought to be organized.
Beyond Commands:
Remember, not every action needs a dedicated Command. Servos like the wrist can be adjusted directly using methods like wristUp()
. They're instantaneous and aren't a threat to block off other commands. So here's how we can bind these to a button (more details in Running Your Code).
Next Steps:
While this explanation covers the basics of subsystems, exploring the provided Robot
OpMode will reveal how these subsystems are integrated and controlled within your robot's overall behavior. Remember, effectively utilizing subsystems is vital in writing well-structured and maintainable robot code in FTCLib.
A function-by-function discussion of a Command's essential components
Commands are the heart of FTCLib, promoting clean and organized robot code. Before we get too technical, let's dissect a basic Command example, exploring its critical sections.
When crafting a Command, the constructor serves as its architect, defining essential elements before the Command's execution:
1. Establishing Requirements:
Timeout: Specifies the maximum duration for the Command's execution, ensuring it doesn't run indefinitely. This is a default feature but can be eliminated for commands that run by default (like the DriveCommand
)
Subsystem Dependencies: Identifies which robot subsystems (e.g., drive, arm, elevator) are crucial for the Command's operation. This declaration is accomplished through the addRequirements(subsystem)
call. That subsystem will cancel any other commands when this one is run.
Handy References: Creates shortcuts to frequently used robot components, streamlining code and enhancing readability. Connection to our robot object allows us to check on its state variables.
2. Pre-Execution Setup:
The constructor executes during robot setup, preparing the Command before its actual launch. This separation from the initialize()
method, which runs immediately before execution, allows for careful configuration and resource management.
The initialize()
method acts as the Command's launchpad, performing critical setup tasks right before execution:
1. Setting the Stage:
Timer Activation: Initializes the timeout timer using timer.start()
to enforce the Command's duration.
Target Calculation:
FTCLib: Calculates the encoder target position for precise motor control. See examples here: https://docs.ftclib.org/ftclib/features/hardware/motors
RoadRunner: Constructs an Action object using actionBuilder
for complex trajectories.
2. Key Considerations:
Once and Done: initialize()
executes only once before the Command's execution loop begins.
Preparation Focus: Its primary responsibility lies in configuring initial values, targets, and action plans, setting the stage for successful execution.
Essential Reminder:
Although initialize()
lays the groundwork, the execute()
method, covered next, drives the Command's actions and interacts with the robot's physical systems. This non-blocking and concurrent nature can be a new concept for high school programmers.
The execute()
method is the Command's heart and soul, translating plans into action.
1. The Execution Loop:
Imagine execute()
as a conductor, continuously calling the shots throughout the Command's lifespan. It doesn't have a set duration; it will keep getting called until its isFinished()
method signals completion. However, it's crucial to avoid blocking calls like while
loops or sleep()
that would halt the entire robot program.
2. Concurrent Commands: Sharing the Stage Gracefully:
Remember our analogy of multiple Commands as athletes? They might perform simultaneously, especially if they don't require the same resources. execute()
needs to consider this possibility, ensuring smooth cooperation and avoiding conflicts.
3. Key Principles:
Non-Blocking: Steer clear of blocking calls that would freeze the robot program. Instead, favor short, focused actions within execute()
and rely on isFinished()
for termination.
Concurrent-Friendly: Design your execute()
logic to function correctly even when other Commands are running concurrently, as long as they don't interfere with the required resources.
4. Understanding the Challenge:
This non-blocking and concurrent nature can be a new concept for high school programmers. Here's an analogy to help:
Imagine juggling. Each Command is a ball you keep in the air. You can't hold onto any ball for too long (blocking call), or you'll drop the others (other Commands needing resources). But by quickly tossing and catching each ball (short actions), you can keep them all going simultaneously (concurrently).
Remember:
execute()
is the action stage, but design it wisely to avoid blocking and ensure smooth cooperation with other concurrent Commands. It's like the insides of the while loops we're avoiding because they're blocking (and the condition of this avoided while loops is the isFinished
)
Embrace non-blocking techniques and keep your execute()
methods focused and efficient for optimal robot performance.
The final act of our Command play unfolds in these two methods:
Think of isFinished()
as the stage manager, waiting for the right moment to signal the end of the Command's performance. Similar to the condition in a while
loop, it continuously evaluates whether the Command has achieved its goal. If isFinished()
returns true
, the curtain falls, and the Command gracefully exits.
Key Considerations:
Exit Criteria: Define clear conditions for completion within isFinished()
. Common criteria include:
Time elapsing (using the timer started in initialize()
)
Sensor readings reaching desired values
External signals (e.g., button press)
Concurrent Awareness: Remember other Commands might be waiting in the wings. Ensure your isFinished()
logic doesn't hold onto resources unnecessarily, preventing other Commands from running.
The end()
method serves as the post-performance cleanup crew, ensuring everything is left tidy after the Command finishes, whether naturally or interrupted by another Command.
Key Considerations:
Power Down: Stop motors, reset servos, and release any acquired resources.
State Management: If using an ENUM to track subsystem state, ensure it reflects the actual final state, especially if interrupted. Update the ENUM variable accordingly in end()
.
Cleanup Thoroughness: Leave the robot and subsystems ready for the next Command without lingering effects.
Conceptual overview of the "what" and "why" of Command pattern
The Command pattern is a fundamental design principle FTCLib uses, and understanding it will significantly enhance your coding experience. This page delves into the "what" and "why" behind this pattern, equipping you to write efficient and maintainable robot code.
https://docs.ftclib.org/ftclib/
The Command pattern boasts a rich history dating back to the late 1970s and early 1980s. The concept emerged within the Smalltalk and Xerox PARC communities, documented in publications like Anneliese Schürr's 1992 paper "Separation of Concerns and the Command Pattern." Initially focused on graphical user interfaces (GUIs), the pattern's flexibility was adopted in various software development domains.
Its popularity soared with the rise of design patterns in the 1990s, solidified by Erich Gamma et al.'s influential book "Design Patterns: Elements of Reusable Object-Oriented Software." This widespread recognition cemented the Command pattern as a valuable tool for promoting loose coupling, reusability, and maintainability in object-oriented programming.
The Command pattern originates from software design principles and offers a structured way to manage robot actions. Instead of writing long, blocking code sections, you create independent classes called Commands. Each Command encapsulates your robot's specific task, like driving forward, turning, or activating a mechanism.
Traditional robot programming often involves lengthy code blocks that execute sequentially, potentially hindering responsiveness and multitasking. If your robot is stuck inside of a loop that gradually moves a motor, it's not doing other things. It's blocked until you move on.
Non-blocking commands eliminate the need to do one thing at a time by having repeatedly called execute
functions that run until their isFinished
condition is reached. This allows the robot to perform multiple actions simultaneously. This means smoother operation and the ability to react to real-time events effectively.
Commands are designed for reusability. You can create a generic RotateCommand
and adapt it for different distances or speeds across various parts of your code. This reduces code duplication and simplifies maintenance.
FTCLib encourages modularity with separate Command files. This translates to clear ownership and promotes a collaborative development environment. Team members can work on their specific Commands without worrying about conflicts in common code sections. Version control systems like Git become even more valuable as team members push their Command commits independently.
FTCLib does much more than implement the Command pattern. We've got ourselves an extensive toolbox to elevate our robot programming:
Finer Motor Control:
Motor Wrappers: Simplify motor control with pre-built classes handling direction, speed, and encoder feedback.
PID Control Helpers: Fine-tune motor movements with built-in PID controllers for precise control.
Navigation Expertise:
Odometry Support: Implement robust navigation using odometry wheels. FTCLib calculates robot pose from encoder readings, simplifying movement and autonomous routines.
Path Following: Define and execute pre-defined paths for complex maneuvers and automated navigation.
Visionary Solutions:
EasyOpenCV Integration: Seamlessly incorporate computer vision tasks. Detect objects, track targets, and analyze the environment using EasyOpenCV's intuitive tools.
Camera Support: Access and manage multiple cameras on your robot, expanding your visual perception capabilities.
Sensor Fusion Power:
Sensor Wrappers: Interact easily with various sensors like gyros, accelerometers, and ultrasonic sensors. Access their data effortlessly for informed decision-making.
Data Fusion: Combine data from multiple sensors to better understand your robot's environment, enabling intelligent responses.
Additional Gems:
Telemetry: Log and display robot data on the Driver Station for debugging, monitoring, and optimization.
Logging: Record robot behavior for analysis and performance improvements.
Scheduling: Manage task execution precisely with the built-in scheduler, ensuring coordinated robot actions.
Our team uses Java to program our robots. Many of the coding skills can be learned from our AP Computer Science course.
Where our commands meet our subsystems
From the little Android driver station, here's where we select our autonomous or teleop opModes. Our autonomous entry point can have some options to indicate where the robot is starting on the field and any decisions about scoring that need to be made.
The teleop kick-off is much simpler:
These two opModes go to the same place but get there using different constructors. The robot knows whether to run autonomous or teleop based on which constructor is being called.
This is where Commands get lined up for autonomous mode or bound to controller inputs in teleop. MyRobot
is a soulless filename; typically, we'll rename this file each year after our robot.
One for teleop, requiring only the opMode
object.
Another for autonomous, taking additional parameters so we know our starting position and what script to run (isRed
, isLeft
, goForBoard
)
Once our drive train drive
is registered, we give it a default command, DriveCommand
defaultCommand
is a special command assigned to a subsystem that continuously runs unless interrupted by another higher-priority command.
The DriveCommand
will constantly watch joystick inputs as well as apply dead zones and field-orientated drive
If you press a button that triggers another command for the drive system (e.g., rotating), that command will interrupt the DriveCommand
temporarily until it finishes.
Once the other command finishes, the DriveCommand
automatically resumes as the defaultCommand
, listening to joystick inputs again.
The MyRobot
code demonstrates different ways to connect gamepad buttons with robot actions using FTCLib. Here's a breakdown of the standard methods and how they translate to gameplay scenarios:
1. whenPressed
:
Definition: Executes a command once when the button is initially pressed.
Example: Pressing the A button on Gamepad 1 toggles the driving mode.
FTC Gameplay:
Use this for actions that only need to happen once per button press, like activating a boost ability or triggering a quick arm movement.
2. whenReleased
:
Definition: Executes a command once when the button is released.
Example: Releasing the B button on Gamepad 2 closes the arm claw.
FTC Gameplay:
This is useful for actions that occur when you stop pressing the button, like stopping arm movement or ending a special ability.
3. whileHeld
:
Definition: Continuously executes a command while the button is held down.
Example: Holding the d-pad on Gamepad 2 raises or lowers the arm's wrist.
4. toggleWhenActive
:
Definition: Starts/stops a command each time the button is pressed, regardless of previous state.
Example: Not used in the provided code, but it could be used for toggling a light or other on/off functionality.
FTC Gameplay:
This is helpful for quickly activating and deactivating abilities without keeping the button held down.
Here's an example of how to link a button with a command using whileHeld
:
This code creates a button listener for the up d-pad on Gamepad 2. When held down, it continuously executes a command that raises the arm's wrist.
initAuto
In MyRobot
's initAuto
function, the autonomous script takes shape. But how do you structure your commands? Let's delve into the options:
1. Sequential Commands:
Commands execute one after another, completing before the next starts.
Think of it as a step-by-step recipe: scan for the prop, turn towards it, open the claw, move closer, etc.
Benefits:
Easy to understand and troubleshoot.
Ensures each action finishes cleanly before proceeding.
Drawbacks:
Might be slower if some actions could happen simultaneously.
Less flexibility for complex maneuvers involving interactions or timing dependencies.
2. Concurrent Commands:
Multiple commands run simultaneously, sharing resources and potentially interacting dynamically.
Imagine multitasking: turning while moving closer or raising the wrist while opening the claw.
Benefits:
Can be more efficient if actions don't rely on each other's completion.
Offers greater flexibility for intricate robot behaviors.
Drawbacks:
Requires careful planning to avoid conflicts and ensure smooth coordination.
Debugging can be more challenging.
Writing the Script:
initAuto
provides flexibility:
Within initAuto
: You can build your entire autonomous sequence directly in our robot file using a new SequentialCommandGroup()
with nested commands. This approach keeps everything centralized and concise.
Separate File: Files are kept shorter if we keep the autonomous procedure in its own SequentialCommandGroup file. This means a programmer tasked with this job could push changes to our GitHub repo with less concern for conflicts. 🤝