Free Essay

None

In:

Submitted By Sonicman5
Words 1930
Pages 8
COMPUTER GRAPHICS

Using Java CS 171G

Outline
• Terminology • Java Graphics Coordinate System • Java Applets

• Drawing a Line
• Changing the Color • Designing Your Own Colors • Drawing other shapes: rectangles, ovals, arcs, and

polygons

1

Terminology: pixel
• A pixel is the smallest visual element on a computer

screen. Essentially, it’s a dot. • The image shown here is the letter S drawn in an area of 20 X 20 square pixels • The more pixels in an image, the smoother the image will appear.

Terminology: resolution
• Resolution: the number of pixels that can be

displayed on a computer monitor. • When the resolution of a monitor is increased, pixels are smaller and closer together, so images appear smaller. • Typical computer monitor and HD television screen resolutions these days are
• 720p: means 1366 pixels across by 768 pixels down • 900p: means 1600 pixels across by 900 pixels down • 1080p: means 1920 pixels across by 1080 pixels down

All of the above are used in HDTVs and newer LCD displays (computer screens).

2

Resolution: Example of 900p
1600 pixels

900 pixels This screen has a total of 1,440,000 pixels

Cartesian Coordinates
• In math class, you learned about the

Cartesian coordinate system. – Uses X (horizontal) and Y (vertical) axes – (0, 0) is at the center (also called the origin) – An increase in X means moving to the right – An increase in Y means moving up. – The Cartesian coordinate system has both positive and negative coordinates

Y x
(0,0)

3

The Java Coordinate System
• Using the Java programming language to draw shapes is

easy. • However, the Java coordinate system is not exactly the same as the Cartesian system. • A computer screen doesn’t have any negative coordinates. • The (0,0) point is located at the top, left corner of the screen.

The Java Coordinate System
• •

An increase in X means moving to the right (same as the Cartesian system). However, an increase in Y means moving down (opposite of the Cartesian system).

• When you draw something in Java, you’re limited by

the screen coordinates. • For example, if the screen has 1600 pixels going across and you want to draw a shape that is 1800 pixels wide, you will not be able to see all of the shape.

4

Java Coordinates
0,0 Y increases → 900 X increases → 1600 pixels

Java Applets
• An applet is a small program that is designed to be

embedded in a web page. • You can use an applet to draw graphics on the screen. • Applets are written in the Java programming language.

5

Java Applets
• Applets are not applications. An application is a program

that runs by itself. • An applet cannot run by itself. It needs another to program to run it… usually a web browser program, like Internet Explorer or Firefox.

Example: Applet program
This is the general structure of an applet program. The instructions are written in Java. Each applet is made up of sections: The largest section is called a class. In this example, the class section contains two other sections: 1) 2) the init section the paint section

6

Example: Applet Program
This is the class. It begins with a “{“ and ends with a “}”

{ and } are called curly braces (or sometimes just braces)

Example: Applet Program
These sections are called methods. There are two methods in this class: init and paint.

7

init and paint methods
• The init method stands for initialization. This method does

some initial work when the applets starts up. For now, we’ll leave the init method empty. • The other important method is the paint method. This method is responsible for all the drawing (drawing lines, circles, and other shapes).

Example: Drawing a Line
• Now, we’ll add a line (a Java instruction) inside the paint

method.

8

Example: Drawing a Line
g.drawLine( 0, 0, 100, 100 );
• Inside the parentheses, there are four numbers. These

numbers are called parameters. They tell the drawLine method where to draw.

Example: Drawing a Line
g.drawLine( 0, 0, 100, 100 );

• The first two parameters give the coordinates of one

endpoint of the line. This line starts at (0,0). • The last two parameters give the coordinates of the other endpoint of the line. This line ends at (100, 100).

9

Example: Drawing a Line
• Where does it draw? – Remember the Graphics coordinate system in Java. (0,0) means the top, left corner of the applet window. • If we run this program in the

web browser or appletviewer, this is what you should see.

Example: Changing the Color
• The line that was drawn is black. Black is the default

drawing color for an applet. • What if we want it to be RED or GREEN? • The answer is simple. We use the g.setColor( ) method. • The instruction to change color must be written before drawing the line.

10

Example: Changing the Color
• Here, we add one more line to change the color to red.

• Make sure you type the word Color with a uppercase C

(Color not color). • Java is case-sensitive. Capital letters and small letters are not the same thing to Java.

Example: Changing the Color
• There are 13 Java colors to choose Color.red Color.green Color.white Color.blue Color.gray Color.lightGray Color.black Color.cyan Color.pink

from:
Color.yellow Color.orange Color.darkGray Color.magenta

11

Designing Your Own Colors
• Colors in Java are represented using combinations of red,

green, blue. (Abbreviated RGB) • Each of the three color components is given an intensity between 0 and 255. 0 means no light. 255 means the brightest light possible. • Example RGB values for Java Colors:
Color.red = (255,0,0) 255 red, no green, no blue Color.green = (0,255,0) no red, 255 green, no blue Color.blue = (0,0,255) no red, no green, 255 blue

Designing Your Own Colors
• Here is a link to a web page that gives RGB values for

lots of different colors.
• http://www.tayloredmktg.com/rgb/

• Remember that Java only has 13 colors already built in.
• If you want to use other colors to draw, you have to create

your own Color name.

12

Designing Your Own Colors
• First, give the new color a name: Color rose = new Color(255,105,180); – rose is the name of the custom color. – You can use other names if you want. • Then, use your color name in a setColor statement. g.setColor(rose);
More info: names in Java must start with a letter, cannot contain spaces or symbols, and cannot be words that Java has reserved.

Designing Your Own Colors
• Suppose we wanted to draw the same polygon we had earlier, but filled

with brown. import javax.swing.*; import java.awt.*; public class MyApplet extends JApplet { public void paint(Graphics g) { Color brown = new Color(165, 80, 40); g.setColor(brown); int [] xcoords = {25, 145, 200, 145, 25}; int [] ycoords = {25, 25, 85, 145, 145}; g.fillPolygon(xcoords, ycoords, 5); } }

13

Drawing Shapes: A Rectangle
• To draw a rectangle, we just

replace the drawLine with drawRect(x, y, width, height) • X and Y are the coordinates of the top, left corner of the rectangle.

• This draws only the border of the

specified rectangle.
• The image to the right shows how

this applet would look.

Drawing Shapes: A Filled Rectangle
• We can also draw a filled rectangle. • As you saw before, the color is

specified by setColor before the shape is drawn.

• Instead of drawRect, we use fillRect to

create a filled rectangle.

14

Drawing Shapes: An Oval
• Drawing an oval is similar to drawing a

rectangle. You just write g.drawOval(x, y, width, height); • X and Y are the coordinates of the top, left corner of an imaginary rectangle around the oval. • An example

• This will draw an orange, unfilled oval.

Drawing Shapes: A Filled Oval
• Using the same technique as filling a

rectangle g.fillOval( 10, 10, 50, 100 ); • We write fillOval instead of drawOval. • An example

• This will draw a cyan, filled oval.

15

Your Turn
Now it’s your turn. Get a piece of graph paper and some colored pencils. Sketch out what you think this applet will draw.

Your Turn
Here’s what the applet will look like. Did your drawing look like this?

16

Drawing Shapes: Arcs
g.drawArc( x, y, width, height, startAngle, arcAngle);
This instruction tells Java to draw a portion of a circle or oval. startAngle is in degrees (remember your trigonometry?) arcAngle tells how many degrees the arc will cover.

Drawing Shapes: Arcs
• This example will draw part of a

circle (an arc).

• The arc starts at 45° and covers

270° (3/4 of a circle). • Notice that the arc is drawn in black (the default color) because we didn’t set a color.

17

Drawing Shapes: A Filled Arc
• This time we will use fillArc rather than drawArc

• The arc is filled and blue. • It starts at 45° and ends at 270°.

Drawing Shapes: Polygons
• A polygon is a series of connected lines. A polygon is

always a closed figure. The end point of the last segment is connected to the starting point.
• Rectangles, triangles, and squares are polygons

• What is the minimum number of lines can a polygon

have?

18

Drawing Shapes: Polygons
• In order to draw a polygon, you must define a set of points

(the vertices) that define the lines of the polygon. • Example: Let’s draw a polygon with five lines. This means we have to define 5 points. • Assume the points are:
Point 1 Point 2 Point 3 Point 4 Point 5 (25, 25) (145, 25) (200, 85) (145, 145) (25, 145)

• Each point has (x,y) coordinates

Drawing Shapes: Polygons
• In order to draw a polygon in Java, we need to define all

the points that will be connected. • First, make a list of the x coordinates (in order) • Next, make a list of the y coordinates (in order) • Then, add instructions to the applet to store these lists of coordinates.

19

Drawing Shapes: Polygons
• A list of values is called an array. • To define an array for the x coordinates, we write:

int int

xcoords [ ] = {25, 145, 200, 145, 25}; ycoords [ ] = {25, 25, 85, 145, 145};

• To define an array for the y coordinates, we write:

Note: the arrays can be named whatever you want. I chose xcoords and ycoords because those are meaningful names.

Drawing Shapes: Polygons
• Now we can include these arrays in our program to draw a polygon. import javax.swing.*; import java.awt.*; public class MyApplet extends JApplet { public void paint(Graphics g) { int xcoords [ ] = {25, 145, 200, 145, 25}; int ycoords [ ] = {25, 25, 85, 145, 145}; g.drawPolygon(xcoords, ycoords, 5); } }

• The third parameter to the drawPolygon method is the

number of vertices in the polygon.

20

Drawing Shapes: Filled polygons
• To create a filled polygon just replace drawPolygon with

fillPolygon. import javax.swing.*; import java.awt.*; public class MyApplet extends JApplet { public void paint(Graphics g) { int [] x = {25, 145, 200, 145, 25}; int [] y = {25, 25, 85, 145, 145}; g.fillPolygon(x, y, 5); } }

Drawing Text on the Applet
• Text can be displayed on an applet with the drawString

method. • To display the word "Hello" near the left side of the applet window, you would use the following:
g.drawString ( "Hello", 10, 50 );

Text you want to display, surrounded by double quotes.

X-coordinate of the bottom, left corner of the text.

Y-coordinate of the bottom, left corner of the text.

21

End of Graphics in Java
• You’re now ready to begin the Graphics lab assignments. • After you have finished the lab assignments, take the

Graphics quiz.

22

Similar Documents

Premium Essay

Foreshadowing In Agatha Christie's And Then There Were None

..."It is perfectly clear. Mr. Owen is one of us….” (Christie 150). These famous words from Agatha Christie’s novel, And Then There Were None, would define the murder mystery genre for generations to come. Her use of many literary devices, such as foreshadowing, symbolism, and similes, allowed her to truly express herself. Agatha Christie utilized the gramophone as foreshadowing for the identity of the killer, the 10 solider boys as a motif for the characters’ deaths, and the seaweed as a symbol of guilt and regret all to add suspense to her novel, And Then There Were None. The gramophone in Agatha Christie’s novel, And Then There Were None, foreshadowed who among them was Mr. Owen, thus adding suspense to the story. Near the beginning of the book, all of the characters gather to eat dinner, when suddenly a...

Words: 850 - Pages: 4

Premium Essay

And Then There Were Nonr Summary

...And Then There Were None Agatha Christie ← Plot Overview → Eight people, all strangers to each other, are invited to Indian Island, off the English coast. Vera Claythorne, a former governess, thinks she has been hired as a secretary; Philip Lombard, an adventurer, and William Blore, an ex-detective, think they have been hired to look out for trouble over the weekend; Dr. Armstrong thinks he has been hired to look after the wife of the island’s owner. Emily Brent, General Macarthur, Tony Marston, and Judge Wargrave think they are going to visit old friends. When they arrive on the island, the guests are greeted by Mr. and Mrs. Rogers, the butler and housekeeper, who report that the host, someone they call Mr. Owen, will not arrive until the next day. That evening, as all the guests gather in the drawing room after an excellent dinner, they hear a recorded voice accusing each of them of a specific murder committed in the past and never uncovered. They compare notes and realize that none of them, including the servants, knows “Mr. Owen,” which suggests that they were brought here according to someone’s strange plan. As they discuss what to do, Tony Marston chokes on poisoned whiskey and dies. Frightened, the party retreats to bed, where almost everyone is plagued by guilt and memories of their crimes. Vera Claythorne notices the similarity between the death of Marston and the first verse of a nursery rhyme, “Ten Little Indians,” that hangs in each bedroom. The next morning...

Words: 4161 - Pages: 17

Premium Essay

Novel

...And Then There Were None by AGATHA CHRISTIE CHAPTER 1 IN THE CORNER of a first-class smoking carriage, Mr. Justice Wargrave, lately retired from the bench, puffed at a cigar and ran an interested eye through the political news in the Times. He laid the paper down and glanced out of the window. They were running now through Somerset. He glanced at his watch-another two hours to go. He went over in his mind all that had appeared in the papers about Indian Island. There had been its original purchase by an American millionaire who was crazy about yachting-and an account of the luxurious modern house he had built on this little island off the Devon coast. The unfortunate fact that the new third wife of the American millionaire was a bad sailor had led to the subsequent putting up of the house and island for sale. Various glowing advertisements of it had appeared in the papers. Then came the first bald statement that it had been bought-by a Mr. Owen. After that the rurnours of the gossip writers had started. Indian Island had really been bought by Miss Gabrielle Turl, the Hollywood film star! She wanted to spend some months there free from all publicity! Busy Bee had hinted delicately that it was to be an abode for Royalty??! Mr. Merryweather had had it whispered to him that it had been bought for a honeymoon-Young Lord L-- had surrendered to Cupid at last! Jonas knew for a fact that it had been purchased by the Admiralty with a view to carrying out some very hush hush experiments...

Words: 53558 - Pages: 215

Free Essay

None

...None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to any work but this. None I don’t want to give you rights to...

Words: 1132 - Pages: 5

Premium Essay

None

...Memory Systems Exam PSYCH 640 October 6, 2014 Gaston Weisz   Student Name: Class: Cognitive Psychology 640 [Memory Systems Test] Achieved Score: Possible High Score: 100 MULTIPLE CHOICE QUESTIONS 1. What type of memory stores information for about 30 seconds? A. Working Memory B. Long Term Memory C. Short Term Memory D. None of the Above E. All of the Above 2. What is the estimated amount of neurons in the human brain? F. 1 Trillion G. 450 Billion H. 100 billion I. 895 million J. 1,000 trillion 3. What is the correct explanation for encoding memory? A. Encoding in psychology is taking information into the mind and coding it with brain code and storing the information for later retrieval B. Encoding memory is when memory is recalled to working memory for use and access, then returned to long term memory when the information is no longer required C. Encoding in psychology is the transformation, as well as the transfer of information into a memory system that requires selective attention which is the focusing of awareness on a particular set of stimuli or events. D. Encoding memory is when your brain applies “1’s and 0’s” to information that is collected and placed in long term memory or discarded depending on if the memory is rehearsed or discarded • True or False questions: True False 1. Can a false memory seem real and be perceived as a genuine memory? True False 2. Is long term memory controlled by the hippocampus portion...

Words: 316 - Pages: 2

Free Essay

None

...KEEP THIS BOOKLET FOR YOUR RECORDS Assistance Application Information Booklet Welcome to the State of Michigan Department of Human Services (DHS) We have programs to help you and/or your household (everyone living in your home) with food, medical care, child care, cash and emergencies. We can also tell you about other programs and resources that may help meet your needs. We look forward to helping you and your household. If you need help with reading, writing, hearing, etc., please tell us. If you need an interpreter, we will provide one or you may bring your own. Steps to Assistance - Apply online for assistance programs at www.michigan.gov/mibridges. You may bring, mail or fax your assistance application to the DHS office in your area. You can find the address and phone number to the office in your area in your phone book under the state government section, or online at www.michigan.gov/dhs-countyoffices. 2 - Read this booklet and keep it. It tells you about our programs and has important information. When you sign the assistance application, you agree to the rules in this booklet. 3 - Answer the questions on the assistance application. We need your answers to decide what help you may receive. You can apply for all or some of our programs. 4 - For some programs we may need to ask for more information (proof). We will let you know what we need. 5 - We will send you a letter in the mail telling you if you are approved or denied. Keep this letter. It has important information...

Words: 19332 - Pages: 78

Premium Essay

None

...distribution. The timeframe for this strategy is the end of the week to the vice president. With such a short time to complete this complex tasking would require a formal communication channel, in which to explain the direction to the team with the requirement and with the tasking deadline. Therefore, the final presentation is due Thursday, for the meeting with the vice president on Friday. The presentation to the vice president will occur on Friday will dictate a formal communication channel. Scenario number two, is a role of a travel agency manager, in which first thing in the morning, the username and password to company application system does not allow anyone to access the application. This immediately caused a work stoppage, to where none of the travel agents could perform assigned responsibilities, affecting existing, and new customers. An informal communication channel, of a telephone call to the IT Department, determined the cause to the username and password problem. Because there was no formal communication put in place by the travel agency, this dictates an informal communication channel. The IT Department determined the...

Words: 614 - Pages: 3

Free Essay

None

...None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things can ever work anymore, ever again. None of these things...

Words: 321 - Pages: 2

Premium Essay

None

...Carl robins works as a recruiter at a new campus for ABC, Inc. However, even though his only worked there for six months his faces serious problems and has found himself in quite a predicament. After hiring fifteen new trainees for his operational supervisor, and scheduling an orientation for new hires to take place in mid-June. After assuring his supervisor Monica Carrolls that the work she ask would be done by the time she wanted, he stated noticing everything was going wrong and time was running out. Soon he realized that the paper work his supervisor asked for was not completed and files were missing. The missing files consisted of several missing applications that weren’t completed on the new trainee’s transcripts. Also he found out none of them had been sent to the clinic for a mandatory drug screen. At this point his frustration was through the roof but, the bad news did not end there only continued. Soon he found out, after reviewing the scheduling log for the training room he notice that there was yet another problem. The training room where he is to hold the orientation for the new trainees is booked up and reserved for the entire month. Alternatives Fighting procrastination is an...

Words: 682 - Pages: 3

Free Essay

None

...with a reality that isn’t changeable. This world; which is contingent; is imperfect in an aesthetic moral way. This goes after reality, because it’s awesome and unique. This phase refers back to Plato, where’s the concept, that the world is “real” and more “factual”; plus, the fantasy world we live in, as of our embodied frame of mind. Our universe has many correct forms. With relations to this, it’s hard to explain correctly; so how they’re not both in common, be kin in any other way. How can you tell from the “really real”, and the “want to be real”? You can examine the perception, which will show the lines of metaphysics realness, and not the outcome of regular skills. With skills, we find objects and forces, that are perceptional, and none perceptional; that we can keep intake. We find a universe that’s always changing. Idols are conceived, breathed, and ended. The solar system is after an agenda course as everything in it. In life, we’re models of constellations, and goes after our fate. You know everything is different because it’s in a current. Within our sense skills, this is the knowledge of oue universe. B. Is The Physical World Real, More or Less Than The Spiritual or Psychological The physical universe is more realer than either, because the physical is concerned on seeing and observing things. With the spirit you doesn’t see it, it’s what embeds the soul, and believing by faith. The psychological is within your mentality, because it causes you to imagine and...

Words: 977 - Pages: 4

Free Essay

None

...Elemental Geosystems, 5e (Christopherson) Chapter 1 Foundations of Geography 1) Geography is described as A) an Earth science. B) a human science. C) a physical science. D) a spatial science. Answer: D 2) The word spatial refers to A) the nature and character of physical space. B) items that relate specifically to society. C) things that are unique and special. D) eras of time. Answer: A 3) A principal methodology governing geographic inquiry A) is behavioral analysis. B) involves spatial analysis. C) uses chronological organization. D) is field work. Answer: B 4) Which of the following best describes the current emphasis in the field of physical geography? A) understanding soil development B) modeling economic interrelationships among countries C) studying weather D) understanding how Earth's systems interact to produce natural phenomena Answer: D 5) Which of the following most accurately characterizes the goal of geography? A) the production of maps B) memorization of the names of places on world and regional maps C) memorization of the imports and exports of a country D) understanding why a place has the characteristics that it does Answer: D 6) Which of the following terms...

Words: 5034 - Pages: 21

Premium Essay

None

...WEAKNESSES OF THE BIG BANG THEORY According to Marmet (2005) , the big bang theory believes that the universe originated from an extremely dense concentration of material. The original expansion of this material is called the big bang theory. Moskowits (2010) describes the big bang theory as an assertion that the universe began extremely hot and dense. Around 14 billion years ago, space itself expanded and cooled down eventually allowing atoms to form and clump together to build the stars and galaxies we see today. Taylor (2012) says According to the Big Bang theory, all matter and all space was originally part of an infinitesimally small point called the Singularity. The theory says nothing about where that singularity came from. It is assumed to have come about by a random quantum event. The theory was first proposed in the 1930s, based on Edwin Hubble's discovery that distant galaxies are receding. Hubble measured the distances to a large number of galaxies which was based on the observed brightness of certain stars within them, he went on to collate these distances with their electromagnetic spectra. As it turned out, more distant galaxies had the features in their spectral lines shifted to lower frequencies in a linear manner: that is, more distant galaxies exhibit greater redshifts. The only known mechanism for generating a spectral shift is the Doppler effect, which means that distant galaxies are receding from us. Another dominant idea connects the dots between the...

Words: 1683 - Pages: 7

Premium Essay

None

...can we look at? 1. Purpose: to predict what’s going to happen in the future 2. Look at recent performance, outlook, changes in the company, changes in the market(s) the company is in, and other indicators. b. Working on Bank of America, what was challenging about, for example, finding Weighted Cost of Capital? 1. It was difficult to find because of the many different markets and submarkets that each have their own cost of capital. 2. The percent of each of these that BoA has was difficult to find. III. Homework Problems a. 9-5 1. Part A: Find Total Debt i. Assets – Equity (Common Stock + Retained Earnings) – Accts. Payable = Total Debt Side note: Equity also includes preferred stock, but this company has none ii. $1,200,000 – $720,000 – $375,000 = $105,000 2. Part B: AFN = (A*/S0) ΔS – (L*/S0) ΔS -MS1 (RR) i. A* = Assets = $1,200,000 ii....

Words: 667 - Pages: 3

Premium Essay

None

...Title Name SCI 207: Dependence of man on the environment Instructor Date Title Abstract In these experiments that we have conducted, we used oil, vinegar, laundry soap, and soil to simulate contaminated groundwater. We then constructed a variety of filters to attempt to clean the ground water and make it drinkable. We also tested various bottled and tap water for certain chemicals. Introduction Many areas have water containing impurities from natural or artificial sources. These impurities may cause health problems, damage equipment or plumbing, or make the water undesirable due to taste, odor, appearance, or staining. Those impurities which cause health problems should be attended to immediately; other problems caused by water impurities can be corrected if they are a nuisance. Before beginning any treatment plan, have water tested by an independent laboratory to determine the specific impurities and level of contamination. This will help you select the most effective and economical treatment method. (Ross, Parrott, Woods, 2009) The reason why we conducted this experiment is to test the filtration to remove oil, vinegar, and laundry detergent has on soil before it reaches groundwater. These chemicals go to our local water supply, but first it goes through the soil. Materials and Methods The materials and methods section should provide a brief description of the specialized materials used in your experiment and...

Words: 687 - Pages: 3

Free Essay

None

...Psychoanalytic Psychology 2004, Vol. 21, No. 3, 353–370 Copyright 2004 by the Educational Publishing Foundation 0736-9735/04/$12.00 DOI: 10.1037/0736-9735.21.3.353 THE UNEXPECTED LEGACY OF DIVORCE Report of a 25-Year Study Judith S. Wallerstein, PhD Judith Wallerstein Center for the Family in Transition and University of California, Berkeley Julia M. Lewis, PhD San Francisco State University This follow-up study of 131 children, who were 3–18 years old when their parents divorced in the early 1970s, marks the culmination of 25 years of research. The use of extensive clinical interviews allowed for exploration in great depth of their thoughts, feelings, and behaviors as they negotiated childhood, adolescence, young adulthood, and adulthood. At the 25-year follow-up, a comparison group of their peers from the same community was added. Described in rich clinical detail, the findings highlight the unexpected gulf between growing up in intact versus divorced families, and the difficulties children of divorce encounter in achieving love, sexual intimacy, and commitment to marriage and parenthood. These findings have significant implications for new clinical and educational interventions. The study we report here begins with the first no-fault divorce legislation in the nation and tracks a group of 131 California children whose parents divorced in the early 1970s. They were seen at regular intervals over the 25-year span that followed. When we first met our ...

Words: 10773 - Pages: 44