Vacation Reminders

Friday, December 25, 2009
Woohoo! Bakasyon na, pero may school work pa rin. Actually matagal nang bakasyon. :-j

Paki-add nalang yung deadline dates. Hi, David. :>

Health

- 20 minute video about Alchohol and Smoking

Bio
- Mythbusters output

Compsci
- Application/Game Project (by pair)

Chem
- YMSAT!

Is there anything else? :))
Paki-dagdag nalang.
I'm still in vacation mood. :P
Read On 1 comments

CHRISTMAS PARTY, GRENADES

Wednesday, December 16, 2009
GUYS :> Christmas party and sleepover details. Like woah.

FOR FRIDAY. After Paskorus, there's some time because Ma'am Kiel has a previous engagement to attend to. Those in the mood and with permission to sleepover at her place must wait until around 8pm to proceed there (preferrably in carpool groups). In the meanwhile, here are some suggestions: Christmas shopping, UP Lantern Parade, watch a movie, study for next year. :))

Then. When we get there, however many we are, we.... watch a movie (sequel to Drag Me to Hell --> Drag Me to Physics, and the companion movie Drag Me to Chem), play poker, I suppose, and maybe go caroling. Maybe.

Overnight, and then we trek together to Pisay (unless you want to make quick trips home to get ready for Saturday). THERE IS NO OFFICIAL TIME ON SATURDAY, but our class party is meant to be at 12nn. So in the meanwhile, those who slept over and consequently came to Pisay early may go to Trinoma for more shopping. Or to bring back the food.

Which brings us to the party. For food, we're going to have the Boodle/Poodle/Moodle/Buddle/whatever style feast, which means banana leaves and your shiny hands. \:D/ Someone please figure out the banana leaf details or something @-)

Then we will most likely have another icing fight (bring extra clothes and towels for clean up), and maybe a water balloon fight. We haven't worked it out yet, okay :-j Maybe it'll be a surprise!!! :))

We end in the afternoon or early evening.

COMMENT BELOW IF YOU ARE ATTENDING THE SLEEPOVER AND IF YOU ARE GOING TO BE PRESENT AT THE PARTY. ANYTHING YOU CAN SUGGEST OR CONTRIBUTE WILL BE WELL APPRECIATED, LIKE WOAH.
Read On 2 comments

AT Machine

Wednesday, December 16, 2009
import java.util.*;
import java.io.*;

public class ATM {
Vector balance;
Vector name;
Vector password;
File file = new File("data.txt");

public ATM(){
balance = new Vector();
name = new Vector();
password = new Vector();
//init();
}

public void init(){
int option = 0;

loadFile();

Scanner in = new Scanner(System.in);

do {
System.out.println("[1] Create new Account");
System.out.println("[2] Access Existing Account");
System.out.println("[3] Exit");

System.out.print("> ");

String input = in.nextLine();

try {
option = Integer.parseInt(input);
} catch (Exception e){
option = 0;
}


if(option > 3 || option < 1){
System.out.println("Invalid input.");
continue;
}

if(option == 1){
create();
}

if(option == 2){
open();
}
} while (option != 3);

in.close();
writeFile();
}

private void create(){
Scanner in = new Scanner(System.in);

System.out.print("Enter Account Name: ");

String actname = in.nextLine();

if(accountSearch(actname)>=0){
System.out.println("Account Already Exists.");
} else {

name.add(actname);

System.out.print("Enter Password: ");
password.add(in.nextLine());

balance.add(0.0);
System.out.println("Account " + name.lastElement() + " created!");
}

in.close();
}

private void open(){
Scanner in = new Scanner(System.in);

System.out.print("Enter Account Name: ");

int accountNumber = accountSearch(in.nextLine());

if(accountNumber >= 0){
System.out.print("Enter Password: ");
if(password.get(accountNumber).equals(in.nextLine())){

int option = 0;
double amount = 0;

do {
System.out.println("[1] Deposit Funds");
System.out.println("[2] Withdraw Funds");
System.out.println("[3] Balance Inquiry");
System.out.println("[4] Exit");

System.out.print("> ");
option = in.nextInt();

if(option > 4 || option < 1){
System.out.println("Invalid input.");
continue;
}

if(option == 1){
deposit(accountNumber);
}

if(option == 2){
withdraw(accountNumber);
}

if(option == 3){
balance(accountNumber);
}
} while (option != 4);
} else {
System.out.println("Account and password does not match.");
}
} else {
System.out.println("Account Name does not exist!");
}


in.close();
}

private void deposit(int accountNumber){
double amount = 0;
Scanner in = new Scanner(System.in);

System.out.print("Enter amount to deposit: ");
String amt = in.nextLine();

try {
amount = Double.parseDouble(amt);
} catch (Exception e){
System.out.println("Invalid input.");
}

double bal = balance.get(accountNumber);
bal = bal + amount;
balance.set(accountNumber,bal);

in.close();


}

private void withdraw(int accountNumber){
double amount = 0;

Scanner in = new Scanner(System.in);

System.out.print("Enter amount to withdraw: ");
String amt = in.nextLine();

try{
amount = Double.parseDouble(amt);
} catch (Exception e) {
System.out.println("You must input a number.");
}

double bal = balance.get(accountNumber);

if(amount > bal){
System.out.println("Insufficient funds.");
} else {
bal = bal - amount;
balance.set(accountNumber,bal);
}

in.close();


}

private void balance(int accountNumber){
double bal = balance.get(accountNumber);
System.out.println("Balance is " + bal + ".");


}

private int accountSearch(String s){
for(int i=0;i if(s.equalsIgnoreCase(name.get(i))){
return i;
}
}

return -1;
}

private void loadFile(){

Scanner inFile = null;

try {
inFile = new Scanner(file);
String acct = "";
String pass = "";
double bal = 0;

while (inFile.hasNextLine()){ //loops through the file as long as there is a next line
String line = inFile.nextLine(); //reads the next lineof the file

acct = line.substring(0,line.indexOf("|")); //extracts all characters to the left of the |
pass =
line.substring(line.indexOf("|")+1,line.indexOf("|",line.indexOf("|")+1));
//extracts all chars between the two | symbols
bal =
Double.parseDouble(line.substring(line.lastIndexOf("|")+1,line.length()));
//extraces all chars from the second | to the end of the line thenparses it

name.add(acct); //add to vector of names
password.add(pass); //add to vector of passwords
balance.add(bal); //add to vector of balances
}

inFile.close();
} catch (Exception e) {
System.out.println("Could not find file.");
}
}

private void writeFile(){

FileOutputStream fos = null;
DataOutputStream dos = null;

try {
fos = new FileOutputStream(file,false); //true to append,false to overwrite
dos = new DataOutputStream(fos);

for(int i=0;i dos.writeBytes(name.get(i) + "|" + password.get(i) +
"|" + balance.get(i) + "\n");
// write data to file in this format: name|password|balance
}

fos.close();
dos.close();

} catch (Exception e) {
System.out.println("Could not write file.");
}
}
}
Read On 0 comments

Out of the Frying Pan

Friday, December 11, 2009
Hell week is over. Next week is our last week of school for the year, and then it's off to the too-short Christmas break. Gah, gift shopping.

Why did I start posting again?

STR
-submit the R&D by 9 tonight
-submit hardcopy of Task List for fourth quarter on Monday

FIL
-free verse revision on Monday
-last three/four reporters on Monday

MATH
-your "tan"gible gift
-congratulations to those who came out of the LT alive. The rest of us, yeah, it's time for a long nap. T_T

CHEM
-YMSAT project

SOCSCI
-the signs to put up around campus, plus the floorplan

HEALTH
-alcohol + smoking videos

BIO
-mythbusters due on Tuesday

ENG
-Memoirs of a Geisha. Yung reviewer, baka umabot pa, depende kung mamarathon ko bukas ung libro. Otherwise, i'm asking for everyone's help to make chapter summaries. Kahit isang chapter lang feel niyo. Tapos share tayo lahat.

Those planning to do chapter summaries in their spare time, if any, include the ff:
@new characters intro-ed + descriptions
@returning characters
@major events (preferrably with Cause and Effect)
@vocab
@places
@quotes (optional)

PERIODIC TEST SCHEDULES

Wednesday, Dec 16 - Physics and SocSci
Thursday, Dec 17 - Chemistry and English
Friday, Dec 18 - Math and Bio

Sleepover-Christmas Party details to be discussed.

PROM FEES. PEOPLE, DEADLINE IS MONDAY. PHP2000. PLEASE, PLEASE, SHOW SOME SIGNS OF PAYING SOON. LIKE WOAH.

Also, those planning to do signs for SocSci, please also consider making a caption or haiku for the Dec-Jan caf signs. Size is half a sheet of bond paper (we used powerpoint for the previous signs). Brownies!!! (which i must update)

PASKORUS. One week left. I wasn't able to reserve the audi for Monday but with any luck we can get Thursday.
Read On 9 comments

2 Weeks Before Perio

Saturday, December 05, 2009
STR
- Proposal due on Monday, December 7, 9PM
- Chemical + Microbiological list due on Wednesday, December 9, 12NN
- Tasklist + Planned Write-up of Results and Discussion and Conclusion due on Friday, December 11

Bio
- Long test onTuesday, December 8

Fil
- Freeverse due on Wednesday, December 9
- Writing period on Monday

Physics
- Worksheet due on Monday, December 7
- Long test on Thursday, December 10

Math
- Quiz Kwingle (interclass)
- Long test on Tuesday, December 8

English
- Reports on In a Bamboo Grove on Tuesday, December 8
- Essay about "The end justifies the means" due on Wednesday, December 9. Please confirm?

Compsci
- ATM Program

Chem
- Probset on Monday, December 7

Health
- Videos about Alchohol + Smoking!

Paskorus
- Take care of your voices, again.
- Refreshing nalang yung Tuloy na Tuloy, focus tayo sa new piece.
- Choreo will most likely be the hands thing kapag sa 3rd Floor Audi.
- Attend practices, please?

Others
- Exchange gift bunutan on Monday! 8D
Read On 4 comments

Musical Mayhem

Friday, December 04, 2009
Okay. Instructions and facts.

_____________________

Stage One: Meeting place will be at McDo Philcoa, at 9am, since we cannot practice at Pisay without the permit.

notes: if you are in the dorm, there is a group of people commuting together (hannah, marj, gab, ancer, renz, poco). those unfamiliar with mcdo philcoa may join them, but you must inform them to wait for you. otherwise, go straight.

_____________________

Stage Two: From McDo, we will all walk the short distance to Ma'am Kiel's place at UP village. Then, practice.

notes: if you have ma'am kiel's address, please add it to the comments below.
_____________________

Stage 3: Practice. Bring your copies of the piece and make sure you've got the voice. We are not having lunch there, okay?
_____________________

Stage 4: We will take taxi's in groups of about five each to SM North.

notes: maam kiel did the math, of course. roughly 60 pesos daw for a taxi ride, divided between five people = 12 pesos each. it's supposedly our cheapest alternative. alla is also offering her car for about five people (marti and milan will be there /:) haha)
_____________________

The Fifth Stage: Lunch and the movie-musical. Depending on what time we arrive, we might have to merge the two :))

notes: we are likely having guests from Lithium to cover our two extra tickets. be nice to karen and binky, if ever. :-bd FOR THOSE WHO WILL NOT ATTEND THE PRACTICE, you are to meet us outside cinema 9 at around 1:30. weirdly enough, nars says that this cinema is reserved for paranormal activity @_@

____________________

Stage Six: Return. You have the option of being fetched at SM north, commuting home, or returning to Pisay in jeeps or carpools, whichever is available and practical.

______________________________________

Okay, I'm listening to Bang the Doldrums, so I don't know if I typed everything in right :-j if i was bangag and i missed something, please comment.
Read On 6 comments

Physics HW!

Wednesday, December 02, 2009

1. A jet plane traveling 1800 km/h (500 m/s) pulls out a dive by moving in an arc of radius 6.00 km. What is the plane’s acceleration, in terms of g’s?

2. A child on a merry-go-round is moving with a speed of 1.35 m/s when 1.20 m from the center of the merry-go-round. Calculate (a) the centripetal acceleration of the child, (b) the net horizontal force exerted on the child (mass = 25.0 kg).

5. A flat puck (mass M) is rotated in a circle on a frictionless air hockey tabletop, and is held in this orbit by a light chord which is connected to a dangling mass (mass m) through a central hole. Show that the speed of the puck is given by v = squareroot(mgR/M).

8. A ball on the end of a string is cleverly revolved at a uniform rate in a vertical circle of radius 85.0 cm. If its speed is 4.15 m/s and its mass is 0.300 kg, calculate the tension in the string when the ball is (a) at the top of its path and, (b) at the bottom of its path.

Read On 1 comments

Socsci Optional Work

Monday, November 30, 2009
November 30, 2009

Dear Be, K, Mg, Rb, and Sr,

I would like to announce that for those who have no OW yet for the 3rd Qtr, you may opt to attend a forum with info below:

GINHAWA presents BIYAYA NG BUHAY
A Community Ritual for Blessing the Self, Blessing the Earth

Celebration of interconnection
Climate Change: from a wholeness perspective
Creativity amidst chaos
Commitment to ecological well-being

December 06, 2009
Sunday 4:00-6:00 pm
Environmental Studies Institute (ESI)
Miriam College, QC

Free Admission
Donations go for continuing environmental education
and healing work

For Inquiries and Reservation (limited seating only)
call GINHAWA
100 K-6th St., East Kamias, QC
441-0658 / 0928-5545824 / 0928-5545825

email: ginhawa@gmail.com

Requirements: certification of attendance (ask the sponsors to sign this) and a written report of and reaction paper to the entire activity

Due date: December 09, 2009
7:30 am (KOKO KRUNCH BOXES)
Read On 2 comments

Weekend Reminders

Saturday, November 28, 2009
Sorry, I wasn't able to post it earlier. It feels so short and kulang. Comment to make dagdag. :| Paskorus hangover. :P



STR
- Clearbook + Notebook
- Challenging Exercise! Read your manuals beforehand.

Fil
- Poem Revision due on Wednesday, December 2.
- Reportings

Bio
- Mythbusters
- The Thin Man

SS
- Quiz about the Middle Ages
- Make-up class on Tuesday (PE Time)

English
- Essay about The End Justifies the Means
- Online submission of your nature essay (joarghs@yahoo.com ; Surname.Strontium.doc)
- Long test about The Golden Footprints on Wednesday, December 2.

Health
- Video due on January 7th.

Paskorus
- Finals is on December 18th. We have two weeks to practice.
- Suggest a song. We will be choosing the final piece on Tuesday. The list is available on the Sr Multiply as well as the actual song.
Read On 3 comments

SOS

Thursday, November 26, 2009
November 26, 2009

Dear Students, Parents, Teachers and Staff,
The father of a 2nd year student was shot and killed last Saturday evening. Mr. Eladio P. Tiglao, father of Angelica (II-Jasmin) was a taxi driver working that Saturday evening. Police found him lying dead with two gunshot wounds on a road in Cavite. His remains now lie in state at St. Peter’s Memorial Chapel along Quezon Avenue.

Mr. Tiglao was the sole breadwinner in the family. He left behind five children (2 are in high school and 3 are in grade school – all public schools). The family is in dire need of help.

We in the Student Alliance would like to request the PSHS community for assistance to the family. As in the past, let us pool our efforts once again to help those in great need.

For any financial help, kindly give it to the following Batch Advisers (who will issue Student Alliance receipts):

1st year – Ms. Liz Sagucio
2nd year – Mrs. Herminigilda Salac
3rd year – Ms. Ana Chupungco
4th year – Ms. Rose Butaran

They will be accepting donations in behalf of the SA from November 27 – December 4, 2009. Check donations can be deposited to the following account:

Name of Bank and Branch: BPI Timog-Circle Branch
Panay Avenue, Quezon City

Account Name: Student Alliance
Philippine Science High School

Account Number: 0273-0941-21

Thank you very much for your untiring support and generosity.



Very truly yours,

Dr. Cristina B. Cristobal / Mrs. Ivy S. Abella
Student Alliance Advisers

Athena Aherrera
Student Alliance President

Mrs. Virginia P. Andres
CISD Chief
Read On 0 comments

CS Practest (Review + Reminders!)

Thursday, November 26, 2009
Er, yeah.

I got an email from Sir Paolo.

Hi guys! Sorry but i wont be able to be there tomorrow for the
practical test so here are some more pointers and answers to questions
you might ask:

1. BlueJ in the new lab is located in C:\CS3 and so is Java
(C:\Sun\SDK\jdk\bin\java)
2. Save your file inside your sections folder inside the BlueJ folder.
Kung wala pang section folder, create a new one.
3. The test is open notes so print all the codes you need
4. Coverage is inheritance and abstract classes ONLY. So be sure you
know how to use super!
5. If you're using arrays or vectors during the test, you're probably
doing something wrong.
6. The test is long but managable. Don't be stuck in one particular
part. If you can't make one of the classes/methods work, move on to
the next one muna.

GOODLUCK!!! See you on Tuesday/Wednesday...

- Sir Paolo :D


public abstract class Polygon {

public abstract double perimeter();

public abstract double area();

}

import java.util.*;

public class Triangle extends Polygon {

double side1;
double side2;
double side3;

public Triangle(double s1, double s2, double s3){
side1 = s1;
side2 = s2;
side3 = s3;
}

public double perimeter(){
return side1 + side2 + side3;
}

public double area(){
double s = perimeter() / 2;

return Math.sqrt(s*(s-side1)*(s-side2)*(s-side3));
}
}

import java.util.*;

public class Equilateral extends Triangle {

public Equilateral(double side){
super(side,side,side);
}

public double perimeter(){
return side3*3;
}

public double area(){
return side1 * Math.sqrt(3)/4;
}
}

public class Isosceles extends Triangle {

public Isosceles(double s1,double s2){
super(s1,s1,s2);
}

public double perimeter(){
return side1*2 + side3;
}
}

public class Scalene extends Triangle{
//walang laman
}

public abstract class RegularPolygon extends Polygon {
int numberOfSides;
double length;

public RegularPolygon(int n, double l){
length = l;
numberOfSides = n;
}

public double perimeter(){
return length * numberOfSides;
}

public abstract double area();
}
Read On 0 comments

CS Homework + Scanner + Buffer

Monday, November 23, 2009
Supposedly, you're to ask the user for the Array size and the Elements.

And output the following:
1 - Minimum Value
2 - Maximum Value
3 - Mean / Average Value

For bonus points:
4 - Median
5 - Mode

SCANNER

import java.util.Scanner;

public class InputByScanner {

public static void main(String[] args) {

String name;
int age;
Scanner in = new Scanner(System.in);

System.out.print("Input Name: ");
name = in.nextLine();
System.out.print("Input Age: ");
age =in.nextInt();

in.close();

// Prints name and age to the console
System.out.println("Name :"+name);
System.out.println("Age :"+age);

}
}


BUFFER

import java.io.*;


public class InputByBufferReader {

public static void main(String args[]) throws IOException {
String s = "";

InputStreamReader isr = new InputStreamReader(System.in);
BufferedReader in = new BufferedReader(isr);

do{

System.out.print("Input: ");

s = in.readLine();

System.out.println("You typed: " + s);
}while(!s.equalsIgnoreCase("exit"));

in.close();
}
}
Read On 0 comments

HW List for the Week

Sunday, November 22, 2009
I'm sorry that I wasn't able to post during the weekend. :(
Retreat was tiring. I slept from 6 to 6. XD

STR
- Reportings!
- Hypothesis HW due on Wednesday, November 25

Chem
- Probset due on Monday, November 23
- Longtest!

Physics
- Worksheet due on Wednesday, November 25
- Long test on Thursday, November 26

Fil
- Poem Reports

Socsci
- Makabayan!

English
- Essay due on Thursday, November 26
- Submit on Tuesday for the bonus points.

Bio
- Pair work due on Tuesday, November 24
- Mythbusters!

CS
- Exercise (to be posted later) due on Tuesday, November 24

Paskorus!
- FRIDAY na yung eliminations, during the UB. We will have compulsory dismissal practices from now on.
- Ma'am Kiel organized a schedule for our practices. I'll post them later when I get home because I didn't bring them with me to the school.
- COSTUME COMMITTEE! Announce niyo na yung costume para makakuha yung externs for the dormers.
- CHOREO is like 10% done. Help us with your suggestions, especially since the chorus is repeated three times, we need a little bit variety.
- TAKE CARE OF YOUR VOICES OKAY.

PS. Ma'am Kiel's palanca. :> :> :> :>
Read On 0 comments

Physics HW!

Tuesday, November 17, 2009
1. A cyclist of mass 70.0 kg is freewheeling down a hill inclined at 15.0° to the horizontal.
He keeps his brakes on so that he travels at a steady speed of 6.0 m/s. The brakes
provide the only force opposing the motion.
! a. Draw an FBD showing the forces acting on the cyclist.
! b. Calculate the component of his weight acting down the hill.
! c. Calculate the braking force.
! d. Calculate the work done by the brakes in 3.0 s.

2. A car of mass 1500 kg is traveling at 30.0 m/s.
! a. What is its kinetic energy?
! b. It slows to 10.0 m/s. What is the KE now?
! c. What is the change in kinetic energy?
! d. If it takes 80.0 meters to slow down by this amount, what is the average braking
force?

3. A diver of mass 50.0 kg climbs up to a diving platform 1.25 m high.
! a. What is her weight, in N?
! b. What is her change in potential energy?
! c. Where does this energy come from?
! d. She walks off the platform and falls down. What is her KE as she hits the water?
! e. What is her speed as she hits the water?
Read On 0 comments

Paskorus Thursday Schedule

Monday, November 16, 2009
The last practice was utterly... :(

You guys know the tune already but we obviously have to work on the blending. Here's the schedule for Thursday along with Ma'am Kiel. We're going to polish up our voices. :>

Ma'am Kiel made the schedule, btw. We have to start on time if we plan on keeping this up. We don't want any latecomers. You know who you are. >_> :P

Practice will probably be in the 2nd floor backlanding.

8:20 - 8:40 || Soprano + Alto (with Dom as Tenor and Bass)
8:40 - 9:00 || Tenor + Bass (with Elise as Soprano and Candy as Alto)
9:00 - 9:10 || Runthrough

We will also be having practices during lunch break. We'll divide into two groups because of the difference in elective schedules. I'm not sure about those with UB scheds for electives.

Choreography would be taught next week. For now, we really should focus on our blending. :>
Read On 2 comments

Brownies

Saturday, November 14, 2009
Okay. I'm posting the list of brownie points so far. Remember, you get pluses for several things, which include but are not limited to:

-attending practices
-submitting designs or formal suggestions
-making important announcements
-posting on the blog (chatterbox doesn't count unless it's something big)
-volunteering services for class or teachers
-reporting a special issue
-advanced payment for funds (although this hasn't been accounted for yet, Micah has not produced a list of expenses and such)
-approaching tutors
-tutoring (smaller points for indiv, larger points for larger groups)
-joining a competition
-winning a competition
-attending class functions such as the sleepover or trick-or-treat, or batch day

Okay, drum roll.

1 - 170
2 - 185
4 - 119
5 - 151
6 - 188
7 - 150
8 - 125
9 - 145
10 - 151
14 - 165
15 - 148
16 - 136
17 - 125
18 - 135
19 - 80
21 - 215
22 - 106
23 - 207
25 - 100
26 - 193
27 - 198
28 - 195
29 - 185

3 - 146
11 - 216
12 - 226
20 - 174
24 - 273

Assuming you guys all pay class funds (DUDES. PAY CLASS FUNDS), at the end of the year, you can exchange your points for prizes. :D Officers have a different set of rewards.

If you think that you deserve more points than are shown, feel free to comment. Include a reason, a particular good deed which i may have missed (normally i get the major ones, if ever i forget anything, it's usually the little things like making an announcement in class).
Read On 3 comments

Physics! (+ Reminders)

Saturday, November 14, 2009
STR
- 3 Min. Presentations starting from Group 5

CS
- Individual written exercise

Fil
- Revisions of poems
- Poem reports

English
- Essay! Choose any nature scene and explain how and why it describes you. Usual english essay formats apply.

Chem
- Probset is on Wednesday, November 18.

Physics


3. (I) How much work did the movers do (horizontally) pushing a 150 kg crate 12.3 m across a rough floor without acceleration, if the effective coefficient of friction was 0.70? Answer: 1.3 x 104 J.

5. (I) How high will a 0.325 kg rock go if thrown straight up by someone who does 115 J of work on it? Neglect air resistance.

9 (II) Eight Books, each 4.6 cm thick with mass 1.8 kg lie flat on a table. How much work is required to stack them one on top of another?

10. (II) A 280 kg piano slides 4.3 m down a 30 degree incline and is kept from accelerating by a man who is pushing back on it parallel to the incline. The effective coefficient of kinetic friction is 0.40. Calculate (a) the force exerted by the man, (b) the work done by the man on the piano, (c) the work done by the friction force, (d) the work done by the force of gravity, and (e) the net work done on the piano.

Read On 1 comments

SRsly. The Sleepover will Push Through

Thursday, November 05, 2009
We are having the sleepover at Claud's, because Ma'am Kiel's place needs a breather after good old Santi swept through. Address is 53 Nathan Str, White Plains, QC. Landline is 911-4880.

Candy, Claud, and Elise are offering transpo for whoever can go. Claud's leaves first at around 6pm. Elise follows soon after. Candy is the last trip and leaves at around seven, so there's time to catch up.

Candy: Plus we have to stop over for the food, so we'll really be late in arriving at Claud's house.

THINGS TO BRING:

-clothes {shirts, shorts/skirts, socks, underwear}
(pantulog if you plan on sleeping, pwedeng sleeveless :> bawal ung mga revealing stuff, and that goes for both guys and s)
-slippers/sandals

-towel
-bath supplies {tissue paper, toothpaste, toothbrush, soap, shampoo, and again, toothpaste}

-sleeping bags
-pillows

-consent form (handwritten or typed out, signed by parent or guardian, dorm manager for those concerned)

-Php50.00 contribution for food

-games, dvd's, Vance book for review? whatever you like.

NO ALCOHOL.(meron na sina claud) NO . NO MATERIALS. NO FIREARMS. NO PEANUTBUTTER.

We are ordering dinner, so bring money. Breakfast will be provided.
Latest time for departure on Saturday is 3pm, although I don't think anyone is staying that long. Besides, as much as possible, dapat hanggang breakfast lang ang kain dun. Wag na natin sila abalahin ng lunch.

We're gonna watch movies and play games and stuff. Pero sa evening, dapat mas tahimik na kasi siyempre may matutulog na. (tayo hindi :P) I don't know what to put here anymore. I probably missed something important @-) pacomment na lang.

------------------------------------------


Candy na 'to.

DINNER! What do you guys want for dinner? Something the whole class can agree to. My mom says, maximum of three yung options. :)) Hindi pwedeng masyadong magkakaiba.
Read On 3 comments

Intrams Reminders!

Sunday, November 01, 2009
Attire: (In order of priority) iTeam shirt, Sr shirt, any black shirt; Shorts or Maong pants (as long as it's not very short shorts); Rubber shoes

Sports: Basketball, Volleyball, Soccer, Badminton, Table Tennis and Ultimate Challenge.

Bigay niyo sa akin kung ano yung sports na sasalihan niyo, so I can list them down and post it here. :>

Prepare consent forms from your parent/guardian. Kahit isa nalang sa lahat ng sports na sasalihan mo. Handwritten or printed is okay.

Sched

Tuesday is Paskorus day + Ultimate Challenge. Refer to previous day for the schedule.
Wag magalit kung walang hanggang Paskorus ang Tuesday, ah. :P

Wednesday

8:00 - 8:50 AM - Volleyball Boys (Pink)
8:40 - 9:20 AM - Basketball s (Pink)
8:50 - 9:40 AM - Basketball Boys (Pink)
9:40 - 10:30 AM - Soccer Boys and s (Pink)
10:30 - 11:20 AM - Volleyball s (Pink)
11:20 - 12:10 PM - Soccer Boys and s (Yellow)
12:10 - 1:00 PM - LUNCH
1:00 - 1:50 PM - Basketball Boys (Yellow)
1:30 - 2:10 PM - Basketball s (Yellow)
1:50 - 2:40 PM - Volleyball Boys (Yellow)
2:40 - 3:30 PM - Volleyball s (Yellow)

Thursday
8:00 - 8:50 AM - Basketball Boys (Red)
8:40 - 9:20 AM - Basketball s Semifinals
8:50 - 9:40 AM - Soccer Boys and s (Red)
9:40 - 10:30 AM - Volleyball s (Red)
10:30 - 11:20 AM - Volleyball Boys (Red)
11:20 - 12:10 PM -
12:10 - 1:00 PM - LUNCH
1:00 - 1:50 PM - Semifinals
1:30 - 2:10 PM - Semifinals
1:50 - 2:40 PM -
2:40 - 3:30 PM -

Table Tennis - 12:50 - 4:10 PM

Friday
8:00 - 8:50 AM - Basketball Boys (Battle for Third)
8:50 - 9:40 AM - Basketball Boys (Championships) + Volleyball s (Battle for Third)
9:40 - 10:30 AM - Volleyball s (Championships) + Volleyball Boys (Battle for Third)
10:30 - 11:20 AM - Volleyball Boys (Championships)
11:20 - 12:20 PM - LUNCH
12:20 - 1:10 PM - Soccer (Battle for Third)
1:10 - 2:00 PM - Soccer (Championships)
2:00 - 3:00 PM - Awarding
3:00 onwards - Clean-up

Table Tennis: 8:00 onwards

Rules

ROUND ROBIN
All ball games will follow the Round Robin System
Each team will play against all teams in given bracket
The two teams with the highest number of wins will advance to the semi-finals
The team will be paired up with another team from the other bracket
The standard elimination system will be used for succeeding games

(We are in Bracket A along with Yellow, Red, and Pink.)

SOCCER

Mixed Game (girls-boys, 20 minutes each)
At least one person per batch must play at all times
Team Loses by default if not at playing area on time

VOLLEYBALL
Best out of 3 sets
Race to 18 points per set, Deuce Rules Apply
At least one person per batch at all times
Team Loses by default if not at playing area on time

BASKETBALL BOYS
10 minutes per quarter, running time (1st to 3rd)
10 minutes stop-time for 4th quarter
EACH person may only play two quarters, including 4th quarter
Only ONE varsity member may play at all times, excluding 4th quarter
Only TWO varsity members may be present in the 4th quarter
At least one person per batch must play at all times, excluding 4th quarter
Team Loses by default if not at playing area on time

BASKETBALL S
5 minutes per quarter, stop-time
EACH person can only play two quarters, excluding 4th quarter
At least one person per batch must play at all times, excluding 4th quarter
Team Loses by default if not at playing area on time

BADMINTON~TABLE TENNIS
Double Eliminations (Loser + Winner Bracket; Draw lots for opponents)
Race to 21 points per game, Deuce Rules Apply
Singles Tournament Only (Men & Women)
One Representative for each tournament per house (No seniors for Badminton)



Go, go, Sr!
Read On 1 comments

Reminders. Sleepover. :(

Saturday, October 31, 2009
Sorry about posting this late. I was kind of sick.
BTW. I noticed maraming nagka-sipon at ubo sa Sr. Paki-sabi naman kung okay na kayo. :>

STR
- 3-minute-reporting
- Green record book and clearbook

Bio
- I'm not sure about this, but when we visited Lithium last Thursday, they had a quiz bee going on. Be prepared, just in case.

Fil
- Poem reports!

Math
- Longtest (Trigonometric functions + graphing) is postponed to the 1st or 2nd meeting after the Intrams
- Check out Ma'am Kiel's website for updates. Downloads are also available.

‘Morning everyone! Just a quick note to re-announce:

Starting next week, Math 4 remedials will be held every Tuesday from 4:15 – 5pm at SHB 405.
Students with grades of 2.75 and below are required to attend.
Those who got exactly 2.5 may also come.

Consultation schedule and venue are still the same:
* M – F 3:20 – 4:10pm and
* T – F 10:50 – 11:40am, Math Faculty.


Chem
- Long test is postponed. Not sure about the date.
- Labreps are due on the week after Intrams.

Eng
- Next tournament quiz will be on Wednesday, November 11.

SS
- Quiz about what you took notes on in your fillers.

Others
- Sleepover is postponed, okay. NOT CANCELLED. I'll cry if it was.
- Here's the sched for Intrams week.

Tuesday

07:30 - 8:30AM – Voice Workshop (ASTB Hall)

08:30 - 09:30AM – Paskorus Practice

09:30 - 10:30AM – Stage Workshop (3rd Floor Audi)

10:30AM - 2:00PM – Paskorus Practice (w/o lunch break :-j)

2:00 - 4:00PM – Ultimate Challenge (Field)

Clean ups will be on Friday, 3 PM.

Awarding will be during the Flag Ceremony on Monday, November 9.

- Paskorus attendance is noted. I'll ask David to email the midis of your respective voice tracks so you can listen to it and get used to the tune.
- Anything else I missed?

Don't tell me that sky's the limit when there are footprints on the moon.
Read On 0 comments

SLEEPOVER

Wednesday, October 28, 2009
FRIDAY - TRICK OR TREATING + SLEEPOVER

Guys, preliminary reminders.

We leave at 6, so that the Coti people will be able to make it. Carpool system. So far, only CANDY has volunteered transpo, for five people. We would superstrontium appreciate it if you could help ship some people to Ma'am Kiel's. Please comment to offer your services. Mention number of people you can accomodate and if you can make a return trip to Pisay.

REPLY SLIPS, people. They are due Thursday. Friday at the latest, okay?

Bring SLEEPING BAGS and your fuh-luffiest pillows. We'll likely be on the floor. The girls though, might be able to negotiate sharing/taking turns on 2 beds. So yeah. 10 girls, 2 beds. /:) =))

You may opt to bring bath/toilet supplies. Kung maliligo kayo, bring your own towels, soap, shampoo, toothbrush, and TOOTHPASTE. :D

More details to follow.
Read On 0 comments

REVERSE TRICK OR TREAT

Wednesday, October 28, 2009
GUYS. David here. We're going to have our Halloween Scream (srsly, Ma'am kiel thought of that) from tomorrow until saturday. Here's a rundown of activities.



THURSDAY - REVERSE TRICK OR TREATING

Who: Us, III-Strontium :D

When: 8:20-9:10 (we have to ask to be dismissed earlier so that we can change and then meet at the backlobby. wear your costumes. if no costume, then you MUST wear one of the following in this order of priority: Strontium Shirt, iTeam Shirt, or plain black. no need to change pants)

So here's what's going to happen:

We're going to meet at the backlob and have a very quick run-through for about 10-- mins. Then we split into three groups (12 + 12 + 5) The first group of 12 will cover the SHB 3rd and 4th floors. The second group of 12 will cover the SHB first floor and the ASTB. The last group of 5 will replace the old caf signs with the new signs, which Chari should have finished and Ma'am Kiel should be printing.

Groupings as follows, so far:

SHB
2nd Year side: Domz, Ancer, JI, Gab, Marj (need 1 more, at least one in costume)
1st Year side: Golda, Jethro, David, Alla (need 2 more, at least one with costume)

ASTB: Yvanne (need 5 more)
SHB 1st Floor: Candy, Patty, Hannah, Reg (need 2 more, at least one with costume)

Caf: J, Noel, Terence, Nars, Renz

Comment below to add yourself to a group. FIRST COME FIRST SERVE. Each group must have at least one person in costume.

Claud can't go :O we're one person short!!! that also means yvanne and marj won't have costumes :((

Now, PROCEDURE.

If anyone asks, we are reverse trick or treating to celebrate Halloween while promoting PISAY LINIS. Here's how the trick or treat groups will operate. First, ask permission from the teacher to briefly step inside the room, either with a note or just verbally (your choice, based on teacher). Then, one person (NOT IN COSTUME) will introduce the group by saying "We are from 3-Sr, and we're here for our Halloween Scream (again, Ma'am thought of that)". Then another person, this time IN COSTUME, will say our slogan.

"Huwag pag-HALLOWEEN ang kalat. Segregate."

At the same time, some people will be holding one of the banners that the dormers should have made/ should be making. The rest will hand out the candy that Ma'am Kiel will buy from the pumpkin bags we'll be carrying. One candy per person. Before you leave the room, encourage them to segregate and throw thrash in the right place. Leave one paper bag (that Ma'am Kiel will buy) in the room for them to put the wrappers in. You will collect these bags on the return trip.

Finally, we should have finished all the rooms before time is up. ALL GROUPS will meet back at the backlobby just as the second bell rings. That way, all the people going to their classes will see us in our costumes/shirts, waving our banners and stuff. That's our last hoorah.

After that, I'm sure Sir Paolo won't mind if we're still dressed that way for ComSci. :D

READ AND REREAD PEOPLE. FAMILIARIZE. Message me on YM for other stuff. Please, please tell me ASAFP (as soon as freaking possible) if you have costume. Then comment below for groupings. GO GO GO PEOPLE. GO STRONTIUM!!!
Read On 5 comments

such a short break :|

Saturday, October 24, 2009
chari here. candy can't post the requirement list since she was absent and busy with the Robo. just add na lang if i missed something.

math
-HW: Vance p. 128 #s 28, 32, 36
-seatwork on Monday
-Long test: Oct. 30, Friday

fil
- presentation. (the presentation is one- to- sawa daw so get ready Villanueva, Tan, Villacruel, Severino and others na pwede pang macover ng time)
*2 oral
*2 masining

chem
- probset: Oct.28, Wednesday
Long test: Oct.30, Friday

Physics
- read chapter 6

PE
- dance presentation

Health
- Baby Book

English
- presentation per group
*name
*positions
*motto
*logo
*presentation

:D
Read On 6 comments

Farmer/Plant Exercise

Saturday, October 24, 2009
Emailed by Sir Paolo.
:">


public class Plant{
int height;
int value; //Selling price. Increases as plant grows
String type; //Type of Plant (ex. Apple, Banana, Carrot)

public Plant(){
type = "Generic Plant";
height = 0;
}

public Plant(int h){
height = h;
type = "Generic Plant";
}

public void grow(){
height = height + 10;
value = value + 100;
}

public void grow(int h){
height = height + h;
value = value + 10 * h;
}

public int getHeight(){
return height;
}

public int getValue(){
return value;
}

public String getType(){
return type;
}
}

public class FruitPlant extends Plant{
int numberOfFruit;
int fruitValue;

public FruitPlant(){
super();
type = "Generic Fruit Plant";
}

public void grow(){
super.grow();
numberOfFruit++;
}

public void grow(int i){
super.grow(i);
bearFruit();
}

public void bearFruit(){
numberOfFruit++;
}

public int harvestFruit(){
if(numberOfFruit>0){
numberOfFruit--;
return fruitValue;
} else {
return 0;
}
}

public int numberOfFruit(){
return numberOfFruit;
}
}





Read On 0 comments

Plant Java program

Thursday, October 22, 2009
public class Plant{
int height;
int value;
String type;

public Plant(){
height = 0;
type = "Generic Plant";
}

public Plant(int h){
height = h;
type = "Generic Plant";
}

public void Grow(){
height = height + 10;
value = value + 100;
}

public void Grow(int h){
height = height + h;
value = value + 100 * h;
}

public int getValue(){
return value;
}

public int getHeight(){
return height;
}

public String getType(){
return type;
}
}

para sa mga nakalimot o di nkapagsave sa mga USB (tulad ko kaya kailangan ko tuloy isipin kung anu nga ung program)
Read On 1 comments

Perio week is over!

Friday, October 16, 2009
... but school still isn't.

STR
- Methodology + Network Charts + Gantt's Chart due on Tuesday, October 20.

Bio
- Presentations about Body Defenses on Friday, October 23..
- GRADES! Get your grades!

English
- Board game due on Friday, October 23.
- Tuesday meeting will be for the board game. :>
- 3rd quarter's reading assignment is Memoirs of a Geisha by Arthur Golden.

PE
- Dance presentation will NOT be on the 23rd of October. Practice, people. ;]

Socsci
- OPTIONAL WORK!

Record “Urbanisasyong Paurong” from "The Correspondents by Karen Davila"
ANC - Saturday, 5 am
ANC - Sunday, 10:30 am


Health
- Baby book due on Monday, October 26.

Others
- HAPPY BIRTHDAY ELIHU! When's the Sr party? Halloween costumes! *rawr*
- Caf shifts! October caf signs. :>
Read On 0 comments

TKGW Reviewer

Sunday, October 11, 2009
You have to read the book, otherwise you won't understand about half of this thing. This won't even help you a bit if you didn't read the book.



Thank you, David. :)
Read On 1 comments

Perio Reminders!

Friday, October 09, 2009
Tuesday
- Chemistry

o Nomenclature
o Balancing Chemical Equations
o Predicting Products
o Stoichiometry
o Gas Laws

- English

o The Kitchen God's Wife

David is making chapter summaries. Wait for it. :>
Meanwhile, Sparknotes!


Thursday
- Math4

o Polynomial and Rational Functions
o Circles
o Trigonomentry

- Bio

o Levels of Biological Organization + Form Fits Function
o Multicellularity
o Plant and Animal Tissues
o Bioenergetics and Digestion
o Human Digestion
o Transport
o Circulation
o Respiration

Notebooks will be checked on Oct 14th as well. Please place them in the trays that will be provided for your class. I will be collecting the trays at 1030AM. Include the EOQReflections below, these count for 5 points of your NB score for the third collection:

1. What was your favorite topic this semester? Why?
2. Which misconceptions did you have that were corrected by discussions or activities?
3. What other questions/clarifications do you have on the topics discussed?
4. Which concepts were you able to appreciate/apply?
5. On a scale from 1-10 (10 being the highest), rate your contribution to your lab group and your contribution to your Mythbusters team. Justify your rating.



Thursday
- Physics

o Kinematics
o Force
o Vectors
o Friction
o Impulse and Momentum

- SocSci

o Geography of the World + Directions
o Greece
o Maya
o Geography: Mesoamericans
o Geography: Rome


STR
- Network charts! Make sure you've had your Activity Lists approved already.

Socsci
- Extra class during PE period.
I-ted shall rule.

Math4
- Long Quiz

Health
- Babybook due on the 26th!

English
- Board game due on the 23rd!
Read On 2 comments
Read On 1 comments

CS Additional Problems

Monday, October 05, 2009
Due Thursday night.
(by group)

I. Finish Card and Deck

You can download solutions from the web. Here and Here

II. Create a new class: Player

Attributes: Hand (array of cards)
Behaviors:
1.) Draw (object)
2.) Cards in hand (returns number of cards)
3.) toString (same as deck)
Read On 0 comments

New Reminders

Tuesday, September 29, 2009
Even though we have a week more to go before classes resume, let's not forget our homeworks and cram on the night before.

I won't be including most of the deadlines, as they might have changed. I'll update this page as soon as the teachers confirm the deadline.

STR
- Final Group RRL (atleast 18 sources)
- Compilation of sources + Bibliography sheet (single spaced, alphabetical)

Bio
- Long test on Circulation and Respiration
- Guide questions are found here.

Fil
- Short Story (atleast seven pages, double spaced)

Physics
- Momentum Worksheet (do not answer the last page)
- Long test about Momentum and Impulse

Math4
- Click here for the reviewer written by Alla T.
- Speed Test

PE
- Practice your dance steps.

English
- Quiz on Country Boy Quits School and The Light of My Eye.
- Read The Kitchen God's Wife for the perio.
- Ramayana+Art of War board game.

Compsci
- Practical test's denominator will be the highest score of the class.
- Since Rubidium took the test individually, Sir Paolo will do something to balance out the difficulty.
- The test was supposedly open notes and open internet. Domz said that Ma'am X didn't allow access to the internet? :|

SocSci
- Reaction paper to Maya
- Filler HW
- What's this I hear about a dance and a song?
- Parents' signatures at the back of your fillers.

Health
- Baby books

Others
- Classes resume on October 5, Monday.
- There will be special activities and possible shortening of periods.
- Officers! Meeting with Ma'am Kiel on Monday.

- So far, Patty and Yvanne suffered the worst during the flood.
Read On 5 comments

NO CLASSES!

Saturday, September 26, 2009
WALANG PASOK BUKAS!
Dahil kailangan linisin ang Pisay campus sapagkat hindi ito naligtas sa bangis ni Ondoy.

Sinu-sino sa inyo ang nabiktima ng baha?

Sina Patty, inabot ng tubig ang kalahati ng 2nd floor ng bahay nila. May mga sasakyan sila na tinangay ng agos ng baha.

Sina Alla, bumaha rin ang 2nd floor.

Ako, 1st floor lang, less than a foot.

Bigay naman kayo ng updates. Para naman malaman kung ano lagay niyo.


Read On 6 comments

I Dreamt There Were Fish in the Trees

Friday, September 25, 2009
oh, wait. this isn't my Livejournal. haha. hey guys, it's david again. sorry it took so long to post the homework list. nagbabaha kasi ung first floor ng bahay namin. sharing. :-j

STR
-group RRL (for format, follow the same margins as the indiv rrl, if someone has better info, please comment)

BIO
-LT next week
-don't lose your groupworks about circulation
-we might have an open notes quiz, says a reliable source.

FIL
-short story (maybe if we all don't appear in his class..... XD)

PHYSICS
-worksheet. don't answer the last page daw, accdg to Domz (brownies)
-LT next week

HOMEROOM
-class picture taking. bring Sr shirt
-Caf freaking shifts :-"

PE
-dance, baby.

MATH
-speed test. practice getting the radians and stuff.

CHEM
-our topic is blurr. read up, i guess.

ENG
-don't forget about the board game
-probable quizzes on two of the readings (i don't remember which)
-if someone is done with The Kitchen God's Wife, please lend it to me. gagawa ako ng mga detailed chapter summaries with explanations of symbolisms and stuff :>

COMSCI
-there. there. we all know how bad the practest turned out to be. the good news is, we have very high ratings for the Alice part of the quarter.....

SOCSCI
-masakit ang ulo ko... learn the dance and the song. waiting for J and Marj's number. :D
-if you haven't finished the homeworks....
-get your stuff signed. ung sa likod ng notebook

HEALTH
-baby book. ours could be raised by monkeys. :> :-"

CreW
-workshop essay
-informal "God" essay
-character sketch

Photog
-i believe you have some pictures and an essay???

Labtech
-you guys are always doing something. @_@

FoodSci
-bring me food. yeah.
Read On 7 comments

Another set of homeworks~!

Friday, September 18, 2009
And I'm posting from the robolab... again. (Patty's here too. Yay!)

STR
- 3 RRL sources due on Tuesday, September 22.

Bio
- Mythbusters, people! Due on Tuesday, September 22.
- Homework (Handouts by group) is due after the discussion.
- Leave one question for the person with the least number of recitation points.

Fil
- Good luck, Jazz!
- Short story is due on Monday, September 28.

Physics
- Giancoli, 5th ed. Numbers 3,15,16,17


3. (III) Calculate the force exerted on a rocket, given that the propelling gases are expelled at a rate of 1300 kg/s with a speed of 40,000 m/s (at the moment of takeoff).

15. (I) A 0.145-kg baseball pitched at 39.0 m/s is hit on a horizontal line drive straight back toward the pitcher 52.0 m/s. If the contat time between bat and ball is 1.00x10-3s, calculate the average force between the ball and bat during contact.

16.) (II) A golf ball of mass 0.045 kg is hit off the tee at a speed of 45m/s. The golf club was in contact with the ball for 5.0x10-3s. Find (a) the impulse imparted to the golf ball, and (b) the average force exerted on the ball by the golf club.

17.) (II) A tennis ball of mass m = 0.060kg and speed v = 25 m/s strikes a wall at a 45° angle and rebounds with the same speed at 45°. What is the impulse given the wall?

Figure to be added.

PE
- yes, PE!

Group 1
- Dom
- Hannah
- Alla
- Yvanne
- Candy
- Patty
- Jethro
- Enzo
- Chester
- Micah
- Renz
- Gab
- Elihu
- Domz
- Marj

Group 2
- Elise
- Claud
- Chari
- Reg
- Terence
- Golda
- JI
- J
- Noel
- Poco
- Ancer
- David
- Nars
- Kent


English
- Ramayana and Art of War based board game.

SS
- Yung handout na binigay ni Micah.
- Yung handout na in-email ni David, at binigay ni Micah.
- Halata bang hindi ko pa siya tinitignan? :P

1.) Bakit pinamagatang "Maya: The Blood of Kings" ang dokumentary?
2.) Saan pinapalagay nagmula at dumaan ang mga sinaunang katutubong Amerikano?
3.) Ano ang tawag sa anyo ng pagsusulat ng mga Maya?
4.) Paanong magkatulad ang naging karanasan ng mga Maya at taga-Ehipto sa kamay ng mga Kristyano?

or

4.) Ano ang naging papel ng mga Kristyano sa paninira ng kultura/relikya/kasulatan ng nakaraan? Magbigay ng mga halimbawa.
5.) Ayon sa kalkulasyon ng mga Maya, kailan ang "moment of Maya creation"?
6.) Kailan diumano magugunaw ang mundo?
7.) Bakit madaling natanggap ng mga makabagong Maya ang Kristiyanismo?


Chem
- Long test is on Wednesday, September 23.

CS
- Practical test on Friday, September 25.
- Email your array exercise to Sir!

HR
- Email your personality quiz results to Ma'am Kiel on Monday, September 21.

Health
- Group1: Dizon, Albao, Deximo, Tan, Salcedo, Dy Echo
- Group2: Preclaro, Calubad, Bernardo, Villanueva, Dacalos, Sarmiento
- Group3: Bonifacio, Labalan, Jamon, Ples, Adre, Calabia
- Group4: Beleran, Cuesta, Villacruel, Cabanto, Austria, Ecat
- Group5: Ragudo, Severino, Dungo, Bautista, Cabauatan


Ayan. Sino yung magaling sumayaw sa class niyo? Two people, sila yung leader. Tapos bunutan nalang. Then group for health project: 5 groups. Bunutan dn. Yung baby book isang imaginary baby, tapos ilalagay lahat ng needs ng baby from the time na mabuo until 6 years old. Lalagay din kung ano nangyayari sa baby during that time. Like mga first walk chorva. Paki tell sa K na rin.

- Text ni Ma'am Jen kay Golda.
Read On 9 comments

CD + Player

Thursday, September 17, 2009
public class CD {
//attributes
String name;
String[] tracks;

public CD(String s){
name = s;
}

public CD(String s, String[] tracklist){
tracks = tracklist;
name = s;
}

public void setTracks(String[] tracklist){
tracks = tracklist;
}

public String play(int tracknum){
if(tracks.length > 0){
return tracks[tracknum];
} else {
return "CD has no tracks";
}
}

public int getTracks(){
return tracks.length;
}
}


public class CDPlayer {
//attributes
int track_num = 0;
String status = "stop";
CD CDin;

public void play(){
if(CDin != null){
status = "play";
System.out.println("Now playing:" + CDin.play(track_num));
} else {
System.out.println("There is no CD in the Player!");
}
}

public void stop(){
status = "stop";
}

public void pause(){
if(CDin != null){
status = "pause";
} else {
System.out.println("There is no CD in the Player!");
}
}

public void load(CD newcd){
CDin = newcd;
}

public void forward(){
if(CDin != null){
track_num++;

if(track_num > CDin.getTracks()-1){
track_num = 0;
}

if(status == "play"){
System.out.println("Now playing:" + CDin.play(track_num));
}
} else {
System.out.println("There is no CD in the Player!");
}
}

public void rewind(){
if(CDin != null){
track_num--;

if(track_num < 1){
track_num = CDin.getTracks()-1;
}

if(status == "play"){
System.out.println("Now playing:" + CDin.play(track_num));
}
} else {
System.out.println("There is no CD in the Player!");
}
}
}
Read On 0 comments

Arrays

Tuesday, September 15, 2009
Kelangan ko na magconsult, I swear. XD


public class Arrays
{
int[] arrayOfTenIntegers = new int[10];
Point[] arrayOfTenPoints = new Point[5];

int[] xc = {12,321,54,12,53};
int[] yc = {32,38,21,31,123};

public void initInts(){
for(int x=0;x<10;x++){
arrayOfTenIntegers[x] = x+1;
}
}


public void initPoints(){
for(int x=0;x<5;x++){
Point p = new Point(xc[x],yc[x]);
arrayOfTenPoints[x] = p;
}
}

public double getTotalDistance(){
double distance = 0;

for(int x=0;x<4;x++){
distance = distance +
arrayOfTenPoints[x].distanceTo(arrayOfTenPoints[x+1]);
}

return distance;
}
}
Read On 0 comments

CD + Player (Incomplete)

Friday, September 11, 2009
public class CD
{
// attributes
int tracks;
String name;

/**
* Constructor for objects of class CD
*/
public CD(String n, int x)
{
name = n;
tracks = x;
}

public int getTrack(){
return tracks;
}
}


public class CDplayer {
String status;
int track_num = 1;
CD myCD;

public void load(CD cd1){
myCD = cd1;
}

public void play(){
status = "play";
}

public void forward(){
track_num = track_num + 1;
if(track_num > myCD.getTrack()){
track_num = 1;
}
}

}
Read On 0 comments

Weekend Reminders (again)!

Friday, September 11, 2009
Walalang. I'm posting from the Robolab. XD

STR
- 3 RRL sources due on Monday, September 14.
- Individual RRL write-up due on Wednesday, September 16.


Details to be updated...

Email submissions (achupungco@gmail.com) only!
Filename: Sr-XX RRL(lastname)


Bio
- Quiz on Human Circulation next meeting.
- Notebook to be submitted sometime this week.
- Answer this question: Why are veins colored blue? on your notebook and get 1 recit point.
- Write down good questions on your notebook and get corresponding recit points.

Fil
- Next reporters: PLES and PRECLARO
- Short story due on Friday, October 2.

Math
- Longtest about Circles on Tuesday, September 15.
- HW!


1.) Find the equation of the circle touching the line x-2y=3 at (-1, -2) and having r2 = 5

2.) Find an equation of the circle concentric with the circle x2+y2-6x+2y-15 = 0 and tangent to the line 5x+12y+10 = 0


Chem
- Probset on Wednesday, September 16.
- Longtest on Tuesday, September 22.

Eng
- Essay about The Tao Te Ching due on Tuesday, September 15.
- Submit tomorrow and you still get a bonus point.

CompSci
- Practical test (by pair) on Thursday, September 24.

SocSci
- HW on Chapter 3-4 (xeroxed)
- Did Micah distribute the papers? Click here to download. Thanks to Beryllium for this. :)
- Fillers should be PINK.

Others
- Retreat payments due on Friday, September 18.
- Bacon tomorrow from 8:30 onwards!
- ACLE talk from 10:30-12:00
- SR PARTEY FROM 12:00 ONWARDS.
Read On 10 comments

Circle Code

Thursday, September 10, 2009
import java.util.*;

public class Circle {
//Attributes
Point center;
double radius;

public Circle(){
center = new Point();
radius = 1;
}

public Circle(double x, double y, double r){
center = new Point(x,y);
radius = r;
}

public Circle(Point p, double r){
radius = r;
center = p;
}

public Circle(LineSegment diameter){
center = diameter.midpoint();
radius = diameter.length()/2;
}

public String getEquation(){
String s = "(x -" + center.getX() + ")^2";
s = s + " + (y -" + center.getY() + ")^2";
s = s + " = " + radius* radius;

return s;
}
}
Read On 0 comments

ACLE reminders

Wednesday, September 09, 2009
David here. I know I should make announcements like this in class, but I don't have much of a voice and we don't really seem to get the chance. :-j

This saturday, should the weather get a grip, the ACLE will continue. We're all encouraged (and by that I mean required) to attend. The activity is from 7:30 to 3pm.

Basically, it'll be like a Bazaar/Expo. Companies and Organizations will be visiting to show off their products and relate their success stories.

Sign-up for a particular talk starts tomorrow, Thursday, from 10:50 to 12:50 at the second floor area. On Saturday, we are required to attend the talk we signed up for at 10:30, until 12:00. From 12:00 onwards it's free-for-all, so we can go around.

You have the option of sampling their wares. 10% of all the money gathered from sold products goes to the Pisay outreach, which the second years are handling. Try and buy a couple of things to help them out, okay? :D

No word yet on attire. I'm guessing uniform, so have extra polos/blice and pants/skirts ironed out.

Thanks. And again, the outreach. /:)



PS. Will someone please give Kent a xerox of the class directory? :-j

PPS. CLASS FUNDS, KIDS. :>
Read On 1 comments

Intrams is over.

Saturday, September 05, 2009
... and school is not.

WALANG PASOK SA MONDAY!
Sad ako. :(


English
- Group Tasks!
- The scribe will read the passage first, and the leader will do the actual task.
- Essay due on September 15.

Choose one of the poems from Lao Tzu's Tao Te Ching.
In 300 (±10%) words, interpret the poem and relate it to your personal life or to the society. Provide a title for the essay.

Name and Section on the upper left hand corner and the date on the upper right hand corner.
Word count at the end of the essay.

Font: Arial, Garamond, Times New Roman, Bookman, Antiqua
Font Size: 12
Double-spaced.

STR
- 2 more RRL sources due on Wednesday, September 9.

Physics
- Part 2 of the LT about Projectile Motion and Friction on Thursday, September 10.

The list is becoming shorter each week. :|
I have a bad feeling my memory's melting away...

Others
- Party on the 18th!
- THE LAYOUT IS HALF-FINISHED NA. =)) Look forward to your pics, people. :-"
- Tell me, or update the list yourself, kung may kulang.
Read On 12 comments

CS Point and Line Segments Program

Thursday, September 03, 2009
In-email ni Sir Paolo, kasi hindi in-email ni Domz. :>



import java.util.*;

public class Point {

//ATTRIBUTES
double x;
double y;

public Point(){
x = 0;
y = 0;
}

public Point(double a, double b){
x = a;
y = b;
}

public double getX(){
return x;
}

public double getY(){
return y;
}

public void move(double a,double b){
x = a;
y = b;
}

public double distanceTo(Point p){
double distance =
Math.pow(x - p.getX(),2) +
Math.pow(y - p.getY(),2);

return Math.sqrt(distance);
}

public double distanceTo(double a,double b){
double distance =
Math.pow(x - a,2) +
Math.pow(y - b,2);

return Math.sqrt(distance);
}
}



public class LineSegment {
//ATTRIBUTES
Point endpoint1;
Point endpoint2;

public LineSegment(Point a, Point b){
endpoint1 = a;
endpoint2 = b;
}

public double length(){
return endpoint2.distanceTo(endpoint1);
}

public Point midpoint(){
double x =
(endpoint1.getX() + endpoint2.getX())/2;

double y =
(endpoint1.getY() + endpoint2.getY())/2;

Point midpoint = new Point(x,y);

return midpoint;
}

public double slope(){
double rise =
endpoint1.getY() - endpoint2.getY();

double run =
endpoint1.getX() - endpoint2.getX();

return rise/run;
}

public String getLine(){
String s =
"Y = ";
s = s + slope() + "(X) - ";
s =s + (slope()*endpoint1.getX() + endpoint1.getY());

return s;

}
}
Read On 0 comments

INTRAMS REMINDERS

Thursday, September 03, 2009
David here. Let's cut to the chase.

1. When you arrive in school, you're supposed to be in UNIFORM. We can only change into sports attire (black shirt and shorts/pants) at 12:45.

2. Strontium - final practice to be held at the gym parking lot at roughly 7am. Intrams starts at 12:45, in the field (good weather) or in the gym (bad weather).

3. PLAYERS need to fill out a PARENT'S CONSENT FORM. For dormers, you might've already guessed that it's the dorm manager's job to sign you up.

4. To use the bathroom, it appears that we need to ask permission. How awkward. T_T

5. In good weather, there will be four games: basketball (inside court for girls and outside for guys), soccer (field), volleyball (near or around parking lots) and darts (flob). For bad weather? There's supposed to be some sort of separate paper with details, but they didn't give me anything.

6. Domain for intrams: x/x is an element of the set containing "field", "gym", and "shb first floor bathrooms". Caf trips are limited to eating. Speaking of which, there are going to be concessionaries and chit booths for food.


CHANTS:

Arvin x3
Siya ay captain namin
Gino x3
Ay naku napakagwapo @_@

Who's gonna win this war?
Sr!
Who's gonna raise the bar?
Sr!
Who's gonna go real far?
Sr!
Who's gonna rock?
We are!
Sr!

camia x3
kahit kami'y puti
sa loob namin
itim pa rin kami

opal x3
kami'y manunupalpal

iTeam x3
kami ay magiling
kahit mali ang spelling
Si Sir Duli ay maka-iTeam
Read On 3 comments

Ma'am Paz! :(

Sunday, August 30, 2009
One thing you'll learn in life,
Is not to waste emotion,
On things you cannot change.
You can either waste your tears,
Because she's gone.
Or you can smile to the fact,
that she ever lived.

So mourn and grieve now,
For a cold, lifeless body.
But what matter most,
Was that person who once lived.
Who taught us about immortality,
At the west of the Nile.
We were all blessed to know you,
If only for a little while.


Alam kong bitin yung poem.
-Aardvark
Read On 5 comments

Sizes!

Saturday, August 29, 2009
Here are the list of your sizes! Yung may angal, sabihin kaagad. I won't be able to entertain you guys after 12PM, okay?

XSMALL
- Bernardo
- Cuesta

SMALL
- Beleran
- Deximo
- Dungo
- Tan
- Granada

MEDIUM + Small (guys)
- Dacalos
- Labalan
- Severino
- Cabanto
- Calubad
- Dy Echo
- Preclaro
- Villacruel

MEDIUM (GUYS)
- Austria
- Cabauatan
- Calabia
- Ecat
- Ples
- Ragudo
- Salcedo

Large (guys) + Patty
- Adre
- Bautista
- Jamon
- Sarmiento
- Bonifacio ** ( PATTY I DON'T KNOW WHERE TO PUT YOU T_T )

Extra Sizes (we bought another set for these guys. XD Masyadong maliit yung nabili na XL for them. :| )
- Albao
- Dizon
- Villanueva
Read On 2 comments

Homeworks!

Friday, August 28, 2009
Hay nako...

Chem
- Probset on Tuesday!
- Longtest on Thursday!

- Nomenclature
- Predicting products
- Redux Reaction Balancing

Socsci
- Continuation of the quiz-bee styled game.
- Read your book and handouts, people!

STR
- 2 RRL sources due on Wednesday, September 2
- Long brown envelopes to those who haven't submitted yet, like me.

Fil
- Written report due on Wednesday, September 2
- Next reporters: Dy Echo and Tan

This is short. @_@
Read On 9 comments

Shirt Updates

Friday, August 28, 2009
David here. At around 5:15, Dom, Chari, Yvanne, Jethro and I all took a ride on one small tricycle to trinoma. From there, Dom and Chari hiked over to SM north and the remaining three entered trinoma. Purpose: find cheap black shirts for printing.

We (me, jethro, yvanne) found some cheap black shirts of good quality. problem is, they don't have much stock. we got the lady's number and told her we'd text the sizes and numbers.

current options:

a. if the landmark lady texts back saying they have enough shirts in stock, then someone has to go to trinoma tomorrow to pay for them and pick them up. the money is with micah, and the design is with one of the creative team members. then there's the matter of finding the printer.

b. yvanne is looking for shirts too. problem is, we don't know when we'll get them, and they don't know a printer. yet.

c. candy found a printer but they charge 600. so she's looking for more.

d. i'm going to look around with my parents too. they said there are probably some around where the printers are also the ones to supply the shirts.

we have options. but none of them are sure.

to be honest, it doesn't seem like the shirt will make it to the opening of intrams. we don't even have all the payments yet.

if you guys can offer any help, that would be very appreciated.
Read On 4 comments

Because Candy Can't Be Online Today

Wednesday, August 26, 2009
Hey guys. David here. We all did such a fantastic job with the Math LT. As a reward, we have Physics and Chem homework. T_T :((

PHYSICS – p.109

#55 – (II) A roller coaster reaches the top of the steepest hill with a speed of 6.0 km/h. It then descends the hill, which is at an average angle of 45 degrees and is 45.0m long. What will its speed be when it reaches the bottom? Assume friction coefficient = 0.12.

#56 – (II) An 18.0-kg box is released on a 37.0 degree incline and accelerates down the incline at 0.270 m/s2. Find the friction force impeding its motion. How large is the coefficient of friction?

#60 – (III) The 70-kg climber is supported in the "chimney" by the friction forces exerted on his shoes and back. The static coefficients of friction between his shoes and the wall, and between his back and the wall, are 0.80 and 0.60, respectively. What is the minimum normal force he must exert? Assume the walls are vertical and that friction forces are both at a maximum. (I know, wth)

CHEM

Use Ion-Electron method to balance this equation:
HClO2 --> ClO2+ Cl-

ANNOUNCEMENT:
Meron daw Math LT retake. Dunno when that is though. Details are vague. Will update when I’ve texted Ma’am Kiel.

PAYMENT FOR SHIRTS: Magbayad na bukas dahil Friday gigimmick na ang officers para maghanap ng shirts at printer. Split into teams. The team that finds the cheapest shirt wins points (which of course do not count toward the regular prize).

SATURDAY PRACTICE: Di pa ‘to sure. Pero magtanong-tanong na rin, just in case. We’re pushing for the venue to be Pisay.
Read On 4 comments

SHIRT UPDATES

Tuesday, August 25, 2009
Costs announced: Printing is 100+. A good quality shirt is around 150. So we're capping the payment at 300 PESOS.

Candy and Micah will start collecting fees tomorrow.

And officers...gimmick tayo \:D/ kailangan maghanap ng shirts and printer... :)) No, iniisip ko pa kung saan. Usap tayo bukas :p
Read On 0 comments

CS Car Program

Tuesday, August 25, 2009
The java program Sir Paolo typed up during our CS period today. I was trying so hard not to use "kanina".

I still don't understand why he also sent Chester a copy. :-j


import java.util.*;

public class Car2 {

int position_x;
int position_y;
String direction = "up";

public void moveForward(int amount) {
if(direction == "up"){
position_y = position_y + amount;
} else if(direction == "right") {
position_x = position_x + amount;
} else if(direction == "down") {
position_y = position_y - amount;
} else if(direction == "left") {
position_x = position_x - amount;
}
}

public void moveBackward(int amount) {
if(direction == "up"){
position_y = position_y - amount;
} else if(direction == "right") {
position_x = position_x - amount;
} else if(direction == "down") {
position_y = position_y + amount;
} else if(direction == "left") {
position_x = position_x + amount;
}
}

public void turnRight(){
if(direction == "up"){
direction = "right";
} else if(direction == "right") {
direction = "down";
} else if(direction == "down") {
direction = "left";
} else if(direction == "left") {
direction = "up";
}
}

public void turnLeft(){
if(direction == "up"){
direction = "left";
} else if(direction == "right") {
direction = "up";
} else if(direction == "down") {
direction = "right";
} else if(direction == "left") {
direction = "down";
}
}

public double getDisplacement(){
double displacement = (position_x * position_x) + (position_y * position_y);
return Math.sqrt(displacement);
}
}
Read On 0 comments

Recap

Monday, August 24, 2009
So, we had a meeting for the class shirt today. In my opinion, it went pretty well, since we did get SOMETHING done :)) Leave comments about how you think the meetings can be improved. Polite comments, mind you - Candy's gone berserk about codenames :>

We are going to have: a class shirt.
We are not going to have: a class jersey.
We will instead have: a House jersey (bahala na ung mga pare natin sa fourth year)

Our shirt's main color is: Black.
Our shirt's secondary color/s is/are: Silver (1st choice), Gold (2nd choice)
Our shirt's design will be something like:

Name rhymes as text in front, around four lines. Check the blog post about name rhymes and change yours while you can.

A logo to be drawn up by the Creative Team at the back.

Payment mode: KKB (if you still don't know, it means Kanya-kanyang bayad)
Production mode: papagawa (sayang ung strontium shirt bonding day) :(

Due date for logo: Thursday - Friday. CREATIVE TEAM, please get to it...
Release: Sometime next week, before intrams.

You will be informed of the cost as soon as the details are in place.

Last note: WHO HAS THE PAPER WITH THE SIZE SURVEY???

Last-er note: BROWNIE POINTS. Be good little cherubs and whisper of your classmates' good deeds, so that they can get the rewards they deserve in the end :p

-david
Read On 6 comments

Get to Know Your Tutors

Saturday, August 22, 2009
Because I'm willing to bet you've already lost your directory.


Physics - Abednego Adre. ym: "flamelinker" no cp.

Bio/Eng - David Ples. ym: "soul_geyser" cp: 09062720141

Math - Elihu Sarmiento. ym: "elihusarmiento" no cp.

ComSci - Candy Dacalos. ym: "sentimental_keropi" cp withheld.

SocSci - Patty Bonifacio. ym: "i07_shs" cp: 09179752916

Chem - Domz Albao. ym: "domalb2007" cp: 09165411589

This entry is directed specifically at JI. Stop asking me so many questions. Joke.

May STR tutor ba??? XD
Read On 3 comments

just dance.. :>

Thursday, August 20, 2009
okay!! so kanina, i had a meeting with Lithium people and other people regarding sa opening number natin sa intrams.. :D

so para mabilis, eto ung napiling songs.. :>

1. Patron Tequila
2. Just Dace
3. Past That Dutch
4. Get Down
5. Bye Bye Bye
6. Circus

so, madaming napagpiliang songs (hindi ko na imemention sa sobrang dami :P), but eto ung mga "napili" (weew dami noh??!!)... Binky Buensuceso will mix the songs then si Hideo Enomoto ung sa choreo :D hindi pa daw sure na lahat yan gagamitin kaya wag muna kau magfreak-out.. :))

so that's all!! good weekend!!! :"> yvannneeeeee.....

P.S. search nyo na lang sa net if you don't know the songs.. ^^
Read On 7 comments

Long weekend! [Updated, 22 August, 10:13AM]

Thursday, August 20, 2009
Not yet home, so I'm using my mom's phone to type this up. Excited, eh. XD

STR
- Quiz on Monday about... the things we discussed. :>
- Capsule proposal due on Monday, August 24.

I. Title of Project
II. Real-life Problem
III. Proposed Solution
IV. Specifications (bullet form)
V. Significance of the Study
VI. Theoretical Framework
VII. Bibliography

1-2 pages, not necessarily double spaced.

Place at the top of the page:
Sr-XX (group code)
1. Member 1
2. Member 2
3. Member 3

Bio
- Bonus work, due on Monday, is now available for download at the Bio site. It would help in reviewing for the LT.
- Long test on Monday, August 24.

Fil
- Dungo and Calabia are next in line for reporting.
- Written report is due on Friday, August 28.
- Work on your original stories. :> Porket matagal pa yung deadline...

Physics
- Read on 3-5 to 3-7 of your book. :>
- Giancolli, 5th Ed

21.)(II) A fire hose held near the ground shoots water at a speed of 6.5 m/s. At what angle(s) should the nozzle point in order that the water land 2.0 m away? Why are there two different angles?

27.)(II) A ball thrown horizontally at 22.2 m/s from the roof of a building lands 36.0 m from the base of the building. How high is the building?

31.)(II) The pilot of an airplane traveling 160 km/h wants to drop supplies to flood victims isolated on a patch of land 160 m below. The supplies should be dropped how many seconds before the plane is directly overhead?

34.)(II) A projectile is fired with an initial speed of 40.0 m/s. Plot on graph paper its trajectory for initial projection angles of θ = 15°, 30°, 45°, 60°, 75°, and 90°. Plot at least 10 points for each curve.

35.)(II) A projectile is fired with an initial speed of 75.2 m/s at an angle of 34.5° above the horizontal on a long flat firing range. Determine (a) the maximum height reached by the projectile, (b) the total time in the air, (c) the total horizontal distance covered (that is, the range), and (d) the velocity of the projectile 1.50s after firing.


Math
- Longtest about Polynomial Functions and Rational Functions on Tuesday, August 25.

PE
- Standby for Yvanne's post. Apparently, there are five/six songs that we are going to dance to. D:

Chem
- Write the Redux thing for Al + Fe2O3 --> Al2O3 + Fe

Eng
- Analects of Confucius group task.
- Summarize your assigned chapters into three to seven sentences. Reports are to be done by your respective room monitors.
- Prepare a short skit that shows how your chapter is applied in real life.

Socsci
- Longtest about Egypt and... others on Tuesday, August 25.
- Notes can be found on Ma'am Paz's site.
- Or you can download most of the files here with what PPB (no space, lowercase) stands for in Strontium. Hi, Noel, Terence and Nars! :-"

Health
- Take home perio!

Answer the first two numbers. Then choose two items from numbers 3 to 5 and answer it. You have to answer each number with a minimum of 10 sentences. Each number is worth 20 points.

1. Which among the four (4) characteristics of a loving person can you omit in a person whom you will have a relationship with. Justify. (I won’t accept none of the 4 characteristics as an answer. You should choose one.)

2. Among the items in the social skills which of the following is very important for you in order to easily build a healthy relationship with others. Justify your answer.

3. If you will have to date during the prom how will you treat him/her the whole night so that both of you will have a great night? (Bonus: Who do you want to be your date during the prom? It should be from batch 2010 or 2011 only)

4. What is your dream date? (Be sure to take note of the dating skills and guidelines) Describe how and where will you spend your time with your date (Bonus: If you will give the name of the person… it should be a student from PSHS-MC)

5. Among the items in the respect checklist below give two items you can omit on the person you will be dating. Justiify your answer.

Note: This exam is due on Monday, August 24, 2009 till 12:00 noon only at the gym. Write your answers on intermediate pad. Fold your paper into two (crosswise) and staple the three sides so no one can read your answers especially on the bonus items. (hehehehe) You may also email your answers at jjpbalangue_pshs@Yahoo.com till 11:59 pm, August 23, 2009 (file name: health3-sectionclassnumber, ex. health3-Sr30)


Others
- Release of Class Standings is on August 26, Wednesday!
- Brownie points are being collected, you know. :-" Although hindi masyadong strict about it.
- Sr Shirt! A poll has opened!
- INTRAMS! Come on, people. Go grab your adrenaline rush and sign up for the sports.
- Yung jersey, pwedeng KKB nalang.
Read On 9 comments

Chem2

Recent Entries

Recent Comments