AP Notes, Outlines, Study Guides, Vocabulary, Practice Exams and more!

AP Computer Science Flashcards

Alvead

Terms : Hide Images
6458989643BitBinary Digit, the single unit of information in a computer.0
6458989644Bit ratethe number of bits that are processed in a unit of time1
6458989645ProtocolA set of rules used for transmitting data.2
6458989646Routera computer designed to receive and redirect packets of information based upon the addressing information (IP address)3
6458989647PacketsSmall chunks of information that have been chunks of information formed from large chunks of information4
6458989648TCP (Transmission Control Protocol)Provides reliable, ordered and error checked delivery stream of packets on the Internet.5
6458989649DNS (Domain Name Service)the service that translates URLs to IP addresses6
6458989650HTTP (Hypertext Transfer Protocol)The protocol used for sending and receiving web pages -ASCII text- based protocol -At the same level as DNS7
6458989651CompressionRepresents the same data using fewer bits8
6458989652Pixelthe fundamental unit of a digital image a) short for picture element b) typically a tiny square or dot which contains a single point of color or larger image9
6458989653Metadatadata that describes other data a) Examples: size of number, number of colors, or resolution (how clear the image is)10
6458989654Internet PacketThe packet contains the data that needs to be sent, but also other data like the to and from address, and packet number.11
6458989655Lossless Compressiona data compression algorithm that allows the original data to be perfectly reconstructed from the compressed data.12
6458989656Lossy Compression(or irreversible compression) a data compression method that uses inexact approximations, discarding some data to represent the content. Most commonly seen in image formats like .jpg.13
6458989657Top Down Design ApproachA design process that begins by specifying complex pieces and then dividing them into smaller pieces.14
6458989658AbstractionPulling out specific differences to make one solution work for multiple problems. -a mental tool that allows us to ignore low-level details when they are unnecessary. -this ability to ignore small details is what allows us to develop complex encodings and protocols.15
6458989659AssumptionThe information collected that gave us a false representation of data.16
6458989660Digital Dividethe gulf between those who have ready access to computers and the Internet, and those who do not.17
6458989661Programming LanguageInstructional "code" where each has a precise, unambiguous meaning.18
6458989662SequencingSequencing is the application of each step of an algorithm in the order in which the statements are given.19
6458989663SelectionSelection uses a [true-false] condition to determine which of two parts of an algorithm is used.20
6458989664IterationIteration is the repetition of a part of an algorithm until a certain condition is met or for a specified number of times. In a computer program, a common form of iterations is a loop, which repeats code to determine values for multiple variables or sometimes just a single variable (adding up multiple values together).21
6458989665AlgorithmA precise sequence of instructions for processes that can be executed only by the computer.22
6458989666Functiona piece of code that you can call over and over again23
6458989667APIa collection of commands made available to a programmer24
6458989668Documentationa description of the behavior of a command, function, library, API, etc.25
6458989669Librarya collection of commands / functions, typically with a shared purpose26
6458989670ParameterAn extra piece of information that you pass to the function to customize it for a specific need.27
6458989671AppletA graphical Java program that runs in a web browser or applet viewer28
6458989672ApplicationA stand-alone Java program stored in and executed on the user's local computer29
6458989673BitFrom "binary digit." Smallest unit of computer memory, taking on only two values, 0 or 1.30
6458989674ByteEight bits. Similarly, megabyte and gigabyte31
6458989675BytecodePortable(machine-independent) code, intermediate between source code and maching language. It is produced by the Java compiler and interpreted(executed) by the JVM32
6458989676CPUCentral Processing Unit33
6458989677DebuggerA program that helps find errors by tracing the values of variables in a program34
6458989678GUIGraphical User Interface35
6458989679Packagerelated classes grouped together36
6458989680Compilerconverts source code into bytecode37
6458989681statickeyword used for methods that will not access any objects of a class38
6458989682variablean identifer that points at a value of a certain type39
6458989683MAX_VALUEmaximum value an int can hold40
6458989684MIN_VALUEminimum value an int can hold41
6458989685floating-point numbernumbers that have a decimal (ex. double)42
6458989686arithmetic operators+, -, *, /, %43
6458989687relational operators==, !=, >, <, >=, <=44
6458989688boolean expressionsstatements that evaluate to true or false45
6458989689logical operators!, &&, ||46
6458989690Short-circut evalutationevaluation automatically stops as soon as the value of the entire expression is known47
6458989691Assignment operators=, +=, -+, *=, /=, %=48
6458989692Increment operator++49
6458989693decrement operator--50
6458989694operator precedence(highest to lowest)(1) !, ++, -- (right to left!) (2) *, /, % (3) +, - (4) >, <, <=, >= (5) ==, != (6) && (7) || (8) =, +=, -=, *=, /=, %= (right to left)51
6458989695escape sequence\n, \", \\52
6458989696objectdefined with a class and characterized by its state and behavior53
6458989697enacapsulationcombining an object's data and methods into a class54
6458989698overloaded methodstwo or more methods in the same class that have the same name but different parameter lists55
6458989699inheritancedefines a relationship between objects that share characteristics56
6458989700Rules for Subclasses-can add new instance variables -can add new methods -can override inherited methods -cannot redefine public methods as private -cannot override static methods of a superclass -define its own constructor -cannot directly access the private members of its superclass, must use acessor and mutator methods57
6458989701polymorphismthe mechanism of selecting the appropriate method for a particular object in a clas heirarchy58
6458989702doubleA Java reserved word that represents a primitive floating point numeric type, stored using 64 bits in IEEE 754 format. Ex. 4.2359
6458989703intA java reserved word for a primitive dat type, stored using 32 bits in two's complement format. Ex. 560
6458989704booleanA Java reserved word for a logical primitive data type that can only take the values "True" or "False".61
6458989705string literalA primitive value used in a program. Ex. ("Hello")62
6458989706castingMost general form of converting in Java Ex. dollars = (int) money63
6458989707narrowing conversionA conversion from one data type into another in which information could be lost. Converting from "double" to an "int" is a narrowing conversion64
6458989708strongly typedAssigned values must correspond to the declared type.65
6458989709//Comments a line of code in Java that will not be run with the program. More of a side note. //Hello66
6458989710%Remainder operator.67
6458989711Operator Precedence HierarchyThe order in which operators are evaluated in an expression.68
6458989712primitive dataCharacters with letters, or numbers: int, double, booleans69
6458989713constantA value that cannot be changed. Used to make more code more readable and to make changes easier. Defined in Java using the "final" modifier.70
6458989714finalA Java reserved word that is a modifier for classes, methods, and variables. A "final" variable is a constant71
6458989715voidA Java reserved word that indicates that no value is returned.72
6458989716mainMethod that appears within a class, it invokes other methods.73
6458989717System.out.println()Displays text for the user: Ex. System.out.println("Hello") Hello74
6458989718publicA Java reserved word for a visibility modifier. A public class or interface can be used anywhere. A public method or variable is inherited by all subclasses and is accessible anywhere.75
6458989719privateA Java reserved word for a visibility modifier. Private methods and variables are NOT inherited by subclasses and can only be accessed in the class in which they have been declared.76
6458989720staticA Java reserved word that describes methods and variables. A static method is also called a class method and can be referred without an instance of the class. A static variable is also called a class variable and is common to all instances of a class; Data and methods can be used without instantiation of their own class.77
6458989721Assignment StatementUses the equal sign to give the object property on the left of the equal sign the value on the right of the equal sign.78
6458989722VariableAn identifier in a program that represents a memory location in which a data value is stored.79
6458989723Escape SequenceIn Java characters beginning with the backslash character (\), used to indicate a special situation when printing values. For example, the escape sequence \t means that a horizontal tab should be printed; Special way to represent characters in a String.80
6458989724class1) A Java reserver word used to define a class 2) The blueprint of an object - the model that defines the variables and methods an object will contain when instantiated.81
6458989725object1) The basic software part in an Object-Oriented program. 2) An encapsulated collection of data variables and methods. 3) An instance of class. Has state and behavior.82
6458989726MethodA named group of declarations and programming statements that can be invoked (executed) when needed. A Method is part of a class. Alters an objects State.83
6458989727Object Reference VariableA variable that holds a reference to an object, but not the object itself. Stores the address where the object is stored i memory. Variable name for the Object.84
6458989728AbstractionThe idea of hiding details. If the right details are hidden at the right times, abstraction can make programming simpler and better focused.85
6458989729Object-Oriented ProgrammingAn approach to software design and implementation that is centered around Objects and Classes.86
6458989730ConcatenationPuts together two or more Character strings. To link together in a series. Ex. ("Hello " + Name )87
6458989731EncapsulationThe characteristic of an object that limits access to its variables and methods. All interaction with the object occurs through an interface. Each object protects and manages its own information.88
6458989732InheritanceThe ability to create a new class from an existing one. Inherited variables and methods of the original (parent) class are available in the new (child) class as if they were declared locally.89
6458989733PolymorphismA technique for involving different methods at different times. all Java method invocations can be polymathic because the invoke the method of an object type, not the reference type. (Multiple children of the same parents)90
6458989734AttributeA Characteristic. Properties of an object.91
6458989735StateThe state of being an object, defined by the values of its dat. Fields92
6458989736BehaviorWhat an object does, defined by its methods. Methods or Functions93
6458989737ConstructorA method that is run when an object is instantiated, usually to initialize that object's instance variables.94
6458989738instantiateThe process of creating a new object and assigning it a value.95
6458989739membersProperties and methods of a class.96
6458989740invokeevoke or call forth, with or as if by magic97
6458989741ParameterA value passed through a method when invoke.98

AP list 2 Flashcards

Terms : Hide Images
4829801850Abasementhumiliation; degradation0
4829802246Billowingswelling; fluttering; waving1
4829802673Cowerrecoil in fear or servility; shrink away from2
4829803145Enhanceimprove; make better or clearer3
4829803661Haranguenoisy, attacking speech4
4829804048Labyrintha maze5
4829804575Nullifyto counter; make unimportant6
4829805048Plaintiffpetitioner (in a court of law)7
4829805817Repletefull8
4829808309Tangiblecan be touched9
4829808310Abrogatecancel; deny; repeal10
4829808799Blasphemyspeech which offends religious sentiments11
4829809578Crediblebelievable12
4829810140Enigmapuzzle; mystery13
4829811370Harbingersindicators; bringers of warnings14
4829811941Labyrinthinecomplicated; highly convoluted15
4829815013Nuzzlecuddle; snuggle16
4829815745Plauditstatement giving strong praise17
4829816367Reprehensibleshameful; very bad18
4829816368Tardyslow; late; overdue; delayed19

AP Biotechnology Flashcards

Campbell & Reece 8th ed. of AP Biology, 2011-2012

Terms : Hide Images
5987110066recombinant DNA2 strands of DNA engineered to mesh together to make a new strand0
5987110067biotechnologymanipulation of organisms or their components to make useful products1
5987110068genetic engineeringthe direct manipulation of genes for practical purposes2
5987110069plasmidcircular DNA that replicates separately from the bacterial chromosome3
5987110070gene cloningmaking multiple copies of a single gene4
5987110071restriction enzymesthey snip sugar phosphate backbones to create "sticky ends"5
5987110072restriction sitethe specific cutting site of a plasmid6
5987110073restriction fragmenta DNA segment that results from the cutting of a restriction enzyme7
5987110074sticky endthe end off of a restriction fragment8
5987110075DNA ligaseglues restriction fragments together9
5987110076cloning vectorA gene carrier/plasmid that transfers DNA from a foreign cell or test tube to another cell10
5987110077genomic librarya complete set of plasmid-carrying cell clones, each carrying copies of a particular segment from the initial genome11
5987110078bacterial artificial chromosome (BAC)another type of vector; allows for easier replication/manipulation as the number of genes is reduced to a smaller size12
5987110079complementary DNA (cDNA)a complementary, single-stranded, DNA molecule to another mRNA or DNA; composed by mRNA via reverse transcriptase13
5987110080cDNA librarya collection of cDNAs14
5987110081nucleic acid hybridizationthe process of detecting a certain gene by adding a radioactive probe composed of complementary nucleotides15
5987110082nucleic acid probean artificially synthesized nucleotide complement used in nucleic acid hybridization16
5987110083expression vectorallows a cloned eukaryotic gene to function in a bacterial host; a cloning vector that contains a highly active bacterial promoter upstream of a restriction site where the eukaryotic gene can be inserted into the correct reading frame17
5987110084yeast artificial chromosome (YAC)essentials of a eukaryotic chromosome (DNA origin of replication, centromere, and 2 telomeres) inserted with foreign DNA to help a eukaryotic gene function18
5987110085electroporationthe act of sending an electric pulse to a cell in membrane saturated solution to allow DNA to enter19
5987110086polymerase chain reaction (PCR)the act of amplifying a target DNA sequence; consists of denaturation, cooling with primers, and the DNA pol adding of nucleotides20
5987110087gel electrophoresisthe process of separating nucleic acids/proteins based on size, electrical charge, and other physical properties21
5987110088southern blottinga process involving both gel electrophoresis and nucleic acid hybridization to detect a specific nucleotide sequence of a specific gene on DNA22
5987110089northern blottinga process involving both gel electrophoresis and nucleic acid hybridization to detect a specific nucleotide sequence of a specific gene on mRNA23
5987110090reverse transcriptase-polymerase chain reaction (RT-PCR)a process using cDNA, PCR, and gel electrophoresis to compare gene expression between samples24
5987110091in situ hybridizationusage of placing probes in an organism with fluorescent dyes to determine which tissues/cells are expressing certain genes25
5987110092DNA microarray assaya collection of many small, single-stranded DNA fragments in a glass slide that would ideally represent all genes of an organism26
5987110093in vitro mutagenesisthe process of determining the function of a gene by disabling it via mutation27
5987110094RNA interference (RNAi)a synthetic, double-stranded RNA acting as a sequence of a particular gene to block translation of a specific protein28
5987110095totipotentdescribes a cell that can dedifferentiate29
5987110096nuclear transplantationthe process of transplanting a nucleus from a differentiated cell into an unfertilized/fertilized egg30
5987110097pluripotentthe capability of differentiating into different cell types31
5987110098stem cellan unspecialized cell that can reproduce indefinitely and differentiate into specialized cells of one or more types32
5987110099single nucleotide polymorphism (SNP)where a single base pair site is varied33
5987110100restriction fragment length polymorphism (RFLP)an SNP that exists on the restriction site for a particular enzyme making it unrecognizable causing different restriction fragments to show during gel electrophoresis34
5987110101gene therapyintroducing genes into an afflicted individual for therapeutic purposes35
5987110102transgenican organism that has genes from another organism of the same or different species36
5987110103genetic profilean individual's set of unique genetic markers37
5987110104short tandem repeats (STRs)tandemly repeated 2-5 base sequences in specific regions of the genome38
5987110105Ti plasmida plasmid of tumor-inducing bacterium that integrates its T DNA into a chromosome of a host plant; used in genetic (plant) engineering)39
5987110106genetically modified (GM) organismsan organism that has artificially acquired one or more genes from another of the same or different species40

AP list 5 Flashcards

Terms : Hide Images
5287461865Accoladetribute, honor, praise0
5287461866Bolstersupport, prop up1
5287462906Crypticpuzzling, enigmatic2
5287463956Ephemeralshort-lived3
5287465111Hedonista pleasure seeker4
5287466000Lamentationexpression of regret or sorrow5
5287466887Obliteratedestroy, demolish, eradicate6
5287467439Plummetfall suddenly and steeply7
5287468288Resolutiondetermination8
5287469183Tenativenot certain9
5287470516Acquiesceto agree to, give in to10
5287471551Bombastarrogant, pompous language11
5287472007Curtailcut short12
5287472798Epicuresomeone who appreciates good food and drink13
5287473455Heedlisten to14
5287473456Lampoonridicule, spoof15
5287474564Oblivioustotally unaware16
5287475317podiumraised platform17
5287476202Resonantechoing18
5287476945Tenuousflimsy, not solid19

AP 06_Homeostasis Flashcards

Terms : Hide Images
10421294754Positive feedback loopsAn organisms response to a stimulus that reinforces a stimulus, leading to an even greater response. (More gets you more)0
10421294755Negative feedback loopAn organisms response to a stimulus that reduces the initial stimulus. (Reverses the stimulus). (More gets you less)1
10421294756Positive feedback loop examplesChild Labor in mammals: Stimulus: Pressure on the cervix Signal: Oxycontin released from brain Response: Uterine wall contractions, push baby down creating more pressure on the cervix. (More gets you more)2
10421294757example of Negative feedback loopsStimulus: Body exercise Signal: Temperature rises Response: Sweating cools body, returning temp to set point. (More gets you less)3
10421294758HomeostasisMaintaining an internal stable environment. This is accomplished through recognition of a stimulus, sending a signal, and the organism initiating a physiological response, resulting in an adjustment that will bring the internal environment back to a set point.4
10421294759Thermoregulation strategy: EctothermyOrganisms that generate little metabolic heat and therefore must gain heat from external sources. Responses to changing temps are often behavioral (sunning, burrowing) Ectothermic animals: most invertebrates, amphibians, reptiles)5
10421294760Thermoregulation strategy: EndothermyOrganisms that are warmed mostly be the heat generated through their metabolism. Responses to changing temps are often physiological (sweating, panting, shivering)6
10421294761FeedbackThe mechanism behind how biological systems homeostasis. The response may be to amplify (+), or decrease (-) the biological signal7
10421294762Feedback loopEffector may amplify (+) (positive feedback) or reduce (-) (negative feedback) signal8
10421294763ThermoregulationHow animals maintain internal temperature within a tolerable range. It may involve physiological changes (such as sweating or shivering) OR behaviors (such as burrowing or sunning)9
10421294764When a fruit ripens, it release ethylene which is taken up by surrounding fruit. This causes the fruits to produce more ethylene. Positive or negayive feedback?Ethylene causes more ethylene to be produced. More gets you more Positive Feedback10
10421294765Countercurrent exchangeExchange of substances between two fluids moving in opposite directions. Reduces heat loss in the circulation of blood. Warm blood from the core, en route to the extremities, transfers heat to colder blood returning from the extremities, to warm the blood re-entering the core.11
10421294766Metabolic RateTotal amount of energy an organism uses in a unit of time. Metabolic rates are generally higher for endotherms (generate their own heat) than for ectotherms (rely on outside sources for heat).12
10421294767How is body size related to metabolic rate?Metabolic rate in inversely related to body size among similar animals (i.e. mammals). Elephants have lower metabolic rate per gram of body mass, whereas mice have a much higher metabolic rate per gram.13
10421294768Reproductive StrategiesSexual and asexual reproduction14
10421294769Reproductive Strategy: Sexual reproductionCreation of offspring by the fusion of sperm and egg (or haploid gametes) to form a zygote.15
10421294770Reproductive Strategy: Asexual Reproductionreproduction in which all genes come from one parent. No fusion of egg and sperm. Modes of asexual reproduction include Fission, budding, fragmentation (regeneration of body parts), parthenogenesis (female produces eggs that develop without fertilization)16
10421294771Advantages of asexual reproductionproduction of more offspring identical to the parent Often used when energy/resources are low17
10421294772Advantages of sexual reproductionOffspring results in recombination (mixing up) of genes, creating more variation = more likely to produce beneficial adaptations. Requires resources and energy.18
10421294773What is the relationship between changing climate conditions and sexual reproduction?Sexual cycles are often tied to changing seasons. If seasonal temp is an important cue, climate change may decrease reproductive success. Global climate change has resulted in many examples of energy resources emerging earlier in season, such as sprouting green plants and hatching insects. Species that depend on these resources for successful reproduction may not be ready for this early emergence, miss the resource, and suffer negative reproductive consequences.19

AP Biology Math Review Flashcards

Math terms and concepts

Terms : Hide Images
6762057582p + q = 1Hardy-Weinberg equation for allele frequency0
6762057583p2 + 2pq + q2 = 1Hardy-Weinberg equation for genotype frequency1
6762057584pIn Hardy-weinberg equations, the frequency of the dominant allele in the population2
6762057585qIn Hardy-weinberg equations, the frequency of the recessive allele in the population3
6762057586p2 (p squared)In Hardy-weinberg equations, the percentage of homozygous dominant individuals4
67620575872pqIn Hardy-weinberg equations, the percentage of heterozygous individuals5
6762057588q2 (q squared)In Hardy-weinberg equations, the percentage of homozygous recessive individuals6
6762100188dN/dt = B - DThe equation for population growth7
6762115274Standard ErrorA statistical term that measures the accuracy with which a sample represents a population.8
6762144020MeanThe average value9
6762158100Chi Square AnalysisA measurement of how expectations compare to results.10
6762165556Degrees of FreedomIn chi square analysis, the number of distinct possible outcomes minus one11
6762174632RangeValue obtained by subtracting the smallest observation (sample minimum) from the greatest (sample maximum)12
6762181424MedianThe middle value that separates the greater and lesser halves of a data set13
6763591777ModeThe value that occurs most frequently in a data set14
6763623044NIn population growth equations, the population size15
6763626876Exponential growthGrowing multiplicatively16
6763639145Logistic growthWhen growth rate decreases as population reaches a carrying capacity17
6763652331Carrying capacityThe maximum number of individuals in a population that the environment can support. When a population is here birth rate will equal death rate.18
6763665188BIn the population growth equation, the number of births in a population19
6763665189bIn the population growth rate equation, the birth rate of a population20
6763666732DIn the population growth equation, the number of deaths in a population21
6763666733dIn the population growth rate equation, the death rate of a population22

AP Psychology - Research Methods Flashcards

Terms : Hide Images
6034897445MeanThe average in a set of numbers0
6034897446MedianThe middle number in a set of numbers1
6034897447ModeMost frequently re-occuring number in a set of numbers2
6034897448Standard DeviationUsed to show and measure the variation in data3
6034897449Histograms/Bar GraphsA graph that shows the frequency between two things4
6034897450OperationalizationThe process of defining a measurement that isn't necessarily measurable5
6034897451TheoryA list of ideas that are used to explain predictions and to make predictions6
6034897452HypothesisAn educated guess on what the outcome will be that supports the theory7
6034897453ResearchThe actual collection of the data being tested. The test of the hypothesis8
6034897454Descriptive ResearchUsed to describe behavior and characteristics of the population. Usually Naturalistic Observation, Case Studies, and Surveys9
6034897455Longitudinal studiesTake long periods of time, hence "long". Used to show the changes in a person over a long period of time. These take a long time, they're expensive, and because of the long amount of time, you may lose participants (death) which makes it all a waste10
6034897456Cross-sectional studiesObserve and classify the changes in different types of people and different groups at the same time. This is sometimes at a disadvantage because unidentified variables can get involved11
6034897457Naturalistic observationThe process of observing and classifying, not explaining, behavior of people in a natural setting (at home, parks, a mall). The people are being observed without interference between the observer and the one being observed. The bad thing about it is observer bias, it's time consuming, and you don't have control over the environment.12
6034897458Observer BiasWhen the researcher them self alters or changes the results of the study. For example, a teacher studying differences in math skills between boys and girls might spend more time teaching boys because he/she believes that boys are better at math.13
6034897459Case StudyKind of the same as naturalistic observation, except a case study has a deeper study on a certain topic with less people. For example, health. You usually can't replicate these and because of the small amount of people, it takes away generalization.14
6034897460SurveyAKA the interactive method, a survey is used to get large amounts of data in a short amount of time, either though an interview or a questionnaire. These are very inexpensive, however, people may lie because they know they're a part of an experiment, and it doesn't represent the entire population. It also leads to more advanced research.15
6034897461Hawthorne EffectThis is when you know you're being watched so you act differently, usually for the better, however you may act worse because you're under pressure. For example, a teacher knows they're being evaluated so that day they act on their A game and do the best they can in front of the interviewer.16
6034897462Cohort EffectWhen an entire group of people get eliminated from an experiment. For example, either young, old, skinny, fat, tall, short, etc.17
6034897463Social Desirability BiasThis is when the person who is being observed acts how they think the observer wants them to act. For example, if someone is being experimented on for the use of drugs, however they are in a room with fat people, they may think it's for weight loss and try to lose weight because that's what they think it's all about.18
6034897464Experimenter BiasThis is when the experimenter messes with the results of the experiment in order to make the outcome how they wanted it to be. The experimenter's actions influence the outcome.19
6034897465Selection BiasThis is when the proper form of randomness is not achieved. In order to fix this one may want to use a random number generator instead of trying to randomize it themselves because everyone may not be getting a fair chance of being selected.20
6034897466Sampling BiasThis is when the group of people you experiment on do not represent the topic that's being experimented.21
6034897467Correlational ResearchThe process of examining how variables are naturally related to the real world. This only shows the relation between two things, not how they were caused (Cannot determine causality, only correlation. For example, you can't say less sleep causes more stress or vice versa). This is good because you can explore relations in a natural environment, and provide a base for future experiments.22
6034897468Causality ProblemThis shows the relation between two things, not how they were caused. You cannot determine causality, you can only determine correlation. For example, you can't say less sleep causes more stress or vice versa.23
6034897469Directionality ProblemThis refers to the possibility that Variable A is causing changes in Variable B, or that Variable B is causing changes in Variable A. It could go in either direction.24
6034897470Third Variable ProblemWhen two variables appear to be related to each other but there is another unknown variable (the third variable) that is the real source of the link between the other two variables. For example, you're getting less sleep because of more stress, but could that be caused by your new job?25
6034897471Correlational CoefficientsThe numerical relationship between the variables. The scale goes from -1.00 to +1.00. An example of positive correlation (0 to +1.00) is time spent studying and grades. An example of negative Correlation (0 to -1.00) is the time spent playing video games and grades.26
6034897472ScatterplotsThe visual representation on the variables and how they correlate with each other.27
6034897473Experimental ResearchThis is the manipulation of one variable to examine the effect on the second variable.28
6034897474Experimental GroupThe group of people being experimented on, or those who are receiving the treatment.29
6034897475Control GroupThe group not being experimented on, or those who are not receiving the treatment.30
6034897476Placebo Effect"The sugar pill". A group of people receive a pill (or any other forms) that they continue to take to cure whatever needs to be cured, and their minds are tricked into actually thinking it works, so they believe that it's actually doing what is said to be doing however it's not.31
6034897477Double-Blind StudiesA medical study in which both the groups participating and the researchers are unaware of when and what the experimental medication or procedure has been given. Double-blinded studies are often used when initial studies shows particular promise. The experimenters don't know who is in what group and the subjects don't know which group they are in. This helps fix the placebo effect.32
6034897478Independent Variables (IV)The variable that is controlled. It is a variable that stands alone and isn't changed by the other variables you are trying to measure. For example, someone's age might be an independent variable. Other factors (such as what they eat, how much they go to school, how much television they watch) aren't going to change a person's age.33
6034897479Dependent Variables (DV)The variable that is measured. It is something that depends on other factors. For example, a test score could be a dependent variable because it could change depending on several factors such as how much you studied and how much sleep you got the night before you took the test.34
6034897480Confounding Variables (CV)AKA the extraneous variables, these variables cannot be controlled by the researcher and could influence any change in the Dependent Variables (DV). This is the third variable the mediator variable that can adversely affect the relation between the independent variable and dependent variable which then causes a bias to the experiment.35
6034897481Random SamplingThis requires that every person in the population has an equal chance of being selected. It is very simple, stratified, and convenient. The goal of this is to generalize findings from the sample to the population.36
6034897482Random AssignmentThis requires that every member of the sample has an equal likelihood of being assigned to the experimental group. It balances out the unknown factors, making them equally likely to appear in both groups. It also prevents selection bias.37
6034897483Statistical SignificanceWhen a statistic is significant, it simply means that you are very sure that the statistic is reliable. It doesn't mean the finding is important or that it has any decision-making utility. For example, suppose we give 1,000 people an IQ test, and we ask if there is a significant difference between male and female scores. The mean score for males is 98 and the mean score for females is 100. We use an independent groups t-test and find that the difference is significant at the .001 level. The difference between 98 and 100 on an IQ test is a very small difference that it's not important. If there is an apparent relationship between IV and DV in a large sample, there are two possible options: 1. This occurred by chance 2. This occurred because of a real relationship38
6034897484P-ValuesThe p-value is a function of the observed sample results (a statistic) that is used for testing a statistical hypothesis. For example, if p < .05 (5%) is typical threshold to determine "chance". If the probability that this occurred by chance is less than 5%, we can say that the change in the IV likely caused the change in the DV.39
6034897485Internal ValidityThis refers to how well an experiment is done, especially whether it avoids confounding (more than one possible independent variable [cause] acting at the same time). The less chance for confounding in a study, the higher its internal validity is. The extent to which change in the IV causes change in the DV.40
6034897486External ValidityThe validity of generalized (causal) inferences in scientific research. The degree to which the findings can be generalized outside the laboratory.41
6034897487ReplicationIf the experiment can be replicated and have the same or nearly the same results then it is a valid and well done experiment.42
60348974885 Criteria for Human Research1. Coercion: participation must be voluntary. 2. Informed consent: participants must know they are involved in research OR be deceived in a non-harmful way. 3. Confidentiality: identities must not be revealed 4. Risk awareness: participants must not be placed at significant psychological or physical risk (TBD by IRB). 5. Debrief: participants must be debriefed afterward43
6034897489Institutional Review BoardBefore studies begin, they have to be reviewed by this board to show that it is ethical and follows the 5 criteria.44
6034897490Experiments on Humans and AnimalsMust adhere to strict guidelines from federal laws and regulations, APA's Ethical Principles of Psychologists, and studies including animals must adhere to policies in the Animal Welfare Act. These experiments may lead to more harm than good, for example an unethical experiment is inducing trauma in some soldiers so that you could compare PTSD in different groups.45

Pages

Subscribe to CourseNotes RSS

Need Help?

We hope your visit has been a productive one. If you're having any problems, or would like to give some feedback, we'd love to hear from you.

For general help, questions, and suggestions, try our dedicated support forums.

If you need to contact the Course-Notes.Org web experience team, please use our contact form.

Need Notes?

While we strive to provide the most comprehensive notes for as many high school textbooks as possible, there are certainly going to be some that we miss. Drop us a note and let us know which textbooks you need. Be sure to include which edition of the textbook you are using! If we see enough demand, we'll do whatever we can to get those notes up on the site for you!