From 0559ac1dc8a542d088906c901bba7eed19048f3f Mon Sep 17 00:00:00 2001 From: DustinLin Date: Sat, 28 Nov 2020 09:24:22 -0800 Subject: [PATCH 1/2] Transfered main web scraper to .py file, ran it again to update courses. --- Major_Map.py | 150 +++++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 150 insertions(+) create mode 100644 Major_Map.py diff --git a/Major_Map.py b/Major_Map.py new file mode 100644 index 0000000..b3d1c46 --- /dev/null +++ b/Major_Map.py @@ -0,0 +1,150 @@ +from bs4 import BeautifulSoup +import json +import requests +import pandas as pd +import numpy as np +import re #regex +import networkx as nx +import matplotlib.pyplot as plt +import plotly.graph_objects as go +from utils.tools import replace_all, extract_course_catalog + + + + +#department IDs for the course catalog pages, data structs are a set btw +department = {'ANTH','BIOI','BIOL','CHEM','CHIN','CLAS','CCS','COGS','COMM','CGS','CAT','DSC','DSGN','DOC','ECON','EDS','ENG','BENG','CSE','ECE','MAE','NANO','SE','ENVR','ESYS','ETHN','FMPH','FILM','GLBH','HIST','HDS','HR','HUM','INTL','JAPN','JWSP','LATI','LAWS','LING','LIT','MGT','MATH','MUS','PHIL','PHYS','POLI','PSYC','RELI','SCIS','SIO','SOC','THEA','TWS','USP','VIS'} + +#These preface department course numberings, since deparments sometimes have multiple ID's within (e.g. biology) +dept_id = {'ANTH','BIOI','BIOL', 'BILD', 'BIBC', 'BICD', 'BIEB', 'BIMM', 'BIPN', 'BISP', 'CHEM','CHIN','CLAS','CCS','COGS','COMM','CGS','CAT','DSC','DSGN','DOC','ECON','EDS','ENG','BENG','CSE','ECE','MAE','NANO','SE','ENVR','ESYS','ETHN','FMPH','FILM','GLBH','HIST','HDS','HDP','HR','HUM','INTL','JAPN','JWSP','LATI','LAWS','LING','LIT','MGT','MATH','MUS','PHIL','PHYS','POLI','PSYC','RELI','SCIS','SIO','SOC','THEA','TWS','USP','VIS'} + + + + +for dept in department: + names, descriptions = extract_course_catalog(dept) #descriptions include prereqs + df = pd.DataFrame(columns=['Course Name', 'Course Description', 'Course Units']) #Pandas not part of current pipeline but may be useful later + courses = {} + + for course, description in zip(names, descriptions): + course, description = course.getText(), description.getText() #Extract text from beautifulsoup objects + + course_id = course[course.index(' ')+1:course.index('.')] # Getting course ID to filter out grad courses later. + + course_name_verbose = course[course.index('.')+2:course.index('(')-1] #Extracting course name (without ID) + + #Non course prerequisites to append to end of description + if "consent" in description.lower().split(): #consent of instructor + consent_flag = True + else: + consent_flag = False + + if any(word in ["ap", "placement", "sat"] for word in description.lower().split()): #placement exam keywords + exam_flag = True + else: + exam_flag = False + + if "standing" in description.lower().split(): # as in 'upper-division standing' + standing_flag = True + else: + standing_flag = False + + if "approval" in description.lower().split(): # as in department approval required + approval_flag = True + else: + approval_flag = False + + # Course description w/o preqrequisites or other sections + try: + if description.index("Prerequisites:"): + course_desc_verbose = description[:description.index("Prerequisites:")] + else: #for other text + course_desc_verbose = description[:description.index("Note:")] + except ValueError: + course_desc_verbose = description + + while course_id[-1].isalpha() or course_id[-1] == '-': + course_id = course_id[:-1] + + #Adding those non course prereqs at the end of the description: + if consent_flag: + course_desc_verbose = course_desc_verbose + " ** Consent of instructor to enroll possible **" + if exam_flag: + course_desc_verbose = course_desc_verbose + " ** Exam placement options to enroll possible ** " + if standing_flag: + course_desc_verbose = course_desc_verbose + " ** Upper-division standing required ** " + if approval_flag: + course_desc_verbose = course_desc_verbose + " ** Department approval required ** " + + + course_id = int(re.findall(r'\d+', course_id)[0]) #using regex (an alternative method from the previous ones) + if course_id >= 200: #filter grad courses + continue + + # Grabs course info. + course = course.replace(":",".") #normalizing character after the number + course_name = course[:course.index('.')] + cleaned = [] #array for cleaned prerequisites + if "Prerequisites:" in description: + prereqs = description.split("Prerequisites:",1)[1] + for i, char in enumerate(prereqs): + if char == "." or char ==";": #? + prereqs = prereqs[:i] + + prereqs_list = prereqs.split(" ") #Turning prereqs into a list of all of its words for parsing + + encounter =False #Set true when encountering a new course in the listed prerequisites + + prereqs_list = [x for x in prereqs_list if x != ''] #removing spaces/blank characters + for i, word in enumerate(prereqs_list): + word = replace_all([',',')','\n','\t'], word) #replacing buggy characters + if word in dept_id: + cleaned.append(word + " "+ replace_all([',',')','\n','\t'], prereqs_list[i+1])) + encounter = True + elif word == "or" and encounter: + if prereqs_list[i+1] in dept_id: + cleaned.append('or') + encounter = False + elif word == "and": + cleaned.append('and') + if len(cleaned) == 1: + cleaned.remove("and") + + if len(cleaned) >0 and cleaned[-1] == 'or': + cleaned.pop() + + #courses[course_name] = cleaned #old version + + #creating dictionary with desired data for frontend + courses[course_name] = {"prerequisites":cleaned, "name": course_name_verbose, "description": course_desc_verbose} + + #creating individual json for current deparment + with open('./json/'+dept+'.json','w') as fp: + json.dump(courses,fp,indent=4) + + #Non-pipeline vars for Pandas + course_title = course[course.index('.')+1:course.index('(')-1] + course_units = course[course.index('('):course.index(')')+1] + + #For potential pandas use (not in pipeline): append row to data frame. + df = df.append({ + 'Course Name': course_name, + 'Course Description': description, + 'Course Units': course_units, + 'Prereqs': cleaned + }, ignore_index=True) + + + +#merging all saved jsons into a master json for website +master_dict = {} +for dept in department: + print(dept) + try: + dept_dict = json.load(open('./json/' + dept + '.json')) + master_dict.update(dept_dict) + except FileNotFoundError: + print('bad: ', dept) + +with open('./json/master_prereqs.json','w') as fp: + json.dump(master_dict,fp,indent=4) From 9ebf1cac363ef835eb1a2834efabf5ce3a033674 Mon Sep 17 00:00:00 2001 From: DustinLin Date: Sat, 28 Nov 2020 09:24:54 -0800 Subject: [PATCH 2/2] Interseting bug with BILD 22 and BILD 30, course discriptions were swaped. --- json/BIOL.json | 7 +- json/master_prereqs.json | 32618 ++++++++++++++++++------------------- 2 files changed, 16311 insertions(+), 16314 deletions(-) diff --git a/json/BIOL.json b/json/BIOL.json index f6c07c8..699a7c5 100644 --- a/json/BIOL.json +++ b/json/BIOL.json @@ -49,7 +49,8 @@ "BILD 22": { "prerequisites": [], "name": "Human Nutrition", - "description": "" + "description":"A survey of our understanding of the basic chemistry and biology of human nutrition; discussions of all aspects of food: nutritional value, diet, nutritional diseases, public health, and public policy. This course is designed for nonbiology students and does not satisfy a lower-division requirement for any biology major. Open to nonbiology majors only. Note: Students may not receive credit for BILD 22 after receiving credit for BIBC 120." + }, "BILD 26": { "prerequisites": [], @@ -59,7 +60,7 @@ "BILD 30": { "prerequisites": [], "name": "Biology of Plagues: Past and Present", - "description": "" + "description": "An introduction to diseases caused by viruses, bacteria, and parasites, and the impact of these diseases on human society. Topics include the biology of infectious disease, epidemiology, and promising new methods to fight disease. Open to nonbiology majors only. Note: Students will not receive credit for BILD 30 if taken after BIMM 120." }, "BILD 36": { "prerequisites": [], @@ -1024,4 +1025,4 @@ "name": "Individual Research for Undergraduates", "description": "The course teaches different topics on theory and key concepts in ecology, behavior, and evolution. Students will read materials in depth, attend weekly discussions, and explore relevant topics, theories, and models with advanced analytical tools. S/U grades only. May be taken for credit three times when topics vary." } -} \ No newline at end of file +} diff --git a/json/master_prereqs.json b/json/master_prereqs.json index ed7546c..288390a 100644 --- a/json/master_prereqs.json +++ b/json/master_prereqs.json @@ -1,17164 +1,16695 @@ { - "PSYC 1": { + "PHIL 1": { "prerequisites": [], - "name": "Psychology", - "description": "This course provides an overview of the basic concepts in psychology. Topics may include human information processing, learning and memory, motivation, development, language acquisition, social psychology, and personality. " + "name": "Introduction to Philosophy", + "description": "A general introduction to some of the fundamental questions, texts, and\n\t\t\t\t methods of philosophy. Multiple topics will be covered, and may include\n\t\t\t\t the existence of God, the nature of mind and body, free will, ethics and\n\t\t\t\t political philosophy, knowledge and skepticism." }, - "PSYC 2": { + "PHIL 10": { "prerequisites": [], - "name": "General Psychology: Biological Foundations", - "description": "This course provides an introduction to the basic concepts of cognitive psychology. Topics include perception, attention, memory, language, and thought. The relation of cognitive psychology to cognitive science and to neuropsychology is also covered. " + "name": "Introduction to Logic", + "description": "Basic concepts and techniques in both informal and formal logic and reasoning, including a discussion of argument, inference, proof, and common fallacies, and an introduction to the syntax, semantics, and proof method in sentential (propositional) logic. May be used to fulfill general-education requirements for Warren and Eleanor Roosevelt Colleges." }, - "PSYC 3": { + "PHIL 12": { "prerequisites": [], - "name": "General Psychology: Cognitive Foundations", - "description": "This course provides an introduction to behavioral psychology. Topics include classical conditioning, operant conditioning, animal learning, and motivation and behavior modification. " + "name": "Scientific Reasoning", + "description": "Strategies of scientific inquiry: how elementary logic, statistical inference, and experimental design are integrated to evaluate hypotheses in the natural and social sciences. May be used to fulfill general-education requirements for Marshall, Warren, and Eleanor Roosevelt Colleges." }, - "PSYC 4": { + "PHIL 13": { "prerequisites": [], - "name": "General Psychology: Behavioral Foundations", - "description": "This course provides an introduction to social psychology. Topics may include emotion, aesthetics, behavioral medicine, person perception, attitudes and attitude change, and behavior in social organizations. " + "name": "Introduction to Philosophy: Ethics", + "description": "An inquiry into the nature of morality and its role in personal or social life by way of classical and/or contemporary works in ethics. May be used to fulfill general-education requirements for Muir and Marshall Colleges." }, - "PSYC 6": { + "PHIL 14": { "prerequisites": [], - "name": "General Psychology: Social Foundations", - "description": "This course provides an introduction to theories and research results in developmental psychology, covering infancy through adulthood. " + "name": "Introduction\n\t\t\t\t to Philosophy: The Nature of Reality", + "description": "A survey of central issues and figures in\n\t\t\t\t the Western metaphysical tradition. Topics include the mind-body problem,\n\t\t\t\t freedom and determinism, personal identity, appearance and reality, and\n\t\t\t the existence of God. " }, - "PSYC 7": { + "PHIL 15": { "prerequisites": [], - "name": "General Psychology: Developmental Foundations", - "description": "This course provides an introduction to both descriptive and inferential statistics, core tools in the process of scientific discovery and the interpretation of research. " + "name": "Introduction\n\t\t\t\t to Philosophy: Knowledge and Its Limits", + "description": "A study of the grounds and scope of human\n\t\t\t\t knowledge, both commonsense and scientific, as portrayed in the competing\n\t\t\t\t traditions of Continental rationalism, British empiricism, and contemporary\n\t\t\t cognitive science. " }, - "PSYC 60": { - "prerequisites": [ - "PSYC 60" - ], - "name": "Introduction to Statistics", - "description": "This course provides an overview of how to choose appropriate research methods for experimental and nonexperimental studies. Topics may include classic experimental design and counterbalancing, statistical power, and causal inference in experimental and nonexperimental settings. " + "PHIL 16": { + "prerequisites": [], + "name": "Science Fiction and Philosophy", + "description": "An introduction to philosophy which uses science fiction to make abstract philosophical problems vivid. Science fiction themes may include time travel, teleportation, virtual reality, super-intelligent robots, futuristic utopias, and parallel universes. These scenarios raise philosophical questions about knowledge, reality, ethics, and the mind." }, - "PSYC 70": { + "PHIL 25": { + "prerequisites": [], + "name": "Science, Philosophy, and the Big Questions", + "description": "An inquiry into fundamental questions at the intersection\n of science and philosophy. Topics can include Einstein\u2019s universe;\n scientific revolutions; the mind and the brain." + }, + "PHIL 26": { + "prerequisites": [], + "name": "Science, Society, and Values", + "description": "An exploration of the interaction between scientific theory\n and practice on the one hand, and society and values on the\n other. Topics can include the relationship between science\n and religion, global climate change, DNA, medicine, and ethics. " + }, + "PHIL 27": { "prerequisites": [ - "PSYC 70" + "CAT 2", + "and", + "or", + "DOC 2", + "and", + "and", + "HUM 1", + "and", + "and", + "and" ], - "name": "Research Methods in Psychology", - "description": "This course provides hands-on research experience. Lecture topics will include experimental and nonexperimental designs, research ethics, data analysis, and causal inference. Students will design original research projects, collect and analyze data, and write a full APA-style report, including a brief literature review relevant to their design. This course builds on PSYC 70 by applying design principles to students\u2019 own research questions and ideas. " + "name": "Ethics and Society", + "description": "An examination of ethical principles (e.g., utilitarianism, individual rights, etc.) and their social and political applications to contemporary issues: abortion, environmental protection, and affirmative action. Ethical principles will also be applied to moral dilemmas in government, law, business, and the professions. Warren College students must take course for a letter grade in order to satisfy the Warren College general-education requirement. " }, - "PSYC 71": { + "PHIL 28": { "prerequisites": [ - "COGS 14B", - "PSYC 60" + "PHIL 27", + "or", + "POLI 27" ], - "name": "Laboratory in Psychological Research Methods", - "description": "This course provides students the opportunity to learn about the intricate relationship that exists between brain and behavior, as well as the evolutionary forces that shape this interaction. Lectures for this course aim to introduce students to some of the best examples in the literature that highlight these issues, while a parallel component of the course aims to introduce students to performing research on the topic. " + "name": "Ethics and Society II", + "description": "An examination of a single set of major contemporary social, political, or economic issues (e.g., environmental ethics, international ethics) in light of ethical and moral principles and values. Warren College students must take course for a letter grade in order to satisfy the Warren College general-education requirement. " }, - "PSYC 81": { + "PHIL 31": { "prerequisites": [], - "name": "Laboratory in Brain, Behavior, and Evolution", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen." + "name": "Introduction\n\t\t\t\t to Ancient Philosophy", + "description": "A survey of classical Greek philosophy with\n\t\t\t\t an emphasis on Socrates, Plato and Aristotle, though some consideration\n\t\t\t may be given to Pre-Socratic and/or Hellenistic philosophers. " }, - "PSYC 87": { + "PHIL 32": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "This course provides an overview of how to practice well-being, with principles based on mindfulness, positive psychology, cognitive therapy, and neuroscience. Each week, there is a short lecture on a given topic, combined with workshop-style exercises. " + "name": "Philosophy and the Rise of Modern Science ", + "description": "An exploration of central philosophical issues as they have been taken up in the diverse philosophical traditions of the Americas, such as indigenous philosophy, Latin American philosophy, American Pragmatism, and the Civil Rights movement, among others. Topics may include ethics, social and political philosophy, colonialism, philosophy of race and gender, environmentalism, and issues in philosophy of language." }, - "PSYC 88": { + "PHIL 33": { "prerequisites": [], - "name": "Learning Sustainable Well-being", - "description": "This seminar introduces the various subdisciplines in psychology and their research methods, and also explores career and graduate school opportunities. This includes informal presentations by faculty, graduate students, and other professionals. " + "name": "Philosophy between Reason and Despair", + "description": "A survey of philosophical issues concerning law and society, such as the rule of law, the moral limits of the law, individual rights, judicial review in a constitutional democracy, the justification of punishment, and responsibility." }, - "PSYC 90": { + "PHIL 35": { "prerequisites": [], - "name": "Undergraduate Seminar", - "description": "Selected topics in the field of psychology. May be repeated for credit as topics vary. " + "name": "Philosophy in the Americas", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen." }, - "PSYC 93": { + "PHIL 50": { "prerequisites": [], - "name": "Topics in Psychology", - "description": "Independent study or research under direction of a member of the faculty. May be taken up to three times for a maximum of twelve units. " + "name": "Law and Society", + "description": "An investigation of a selected philosophical topic through\n readings, discussions, and written assignments. May be taken\n for credit twice, when topics vary." }, - "PSYC 99": { + "PHIL 87": { "prerequisites": [], - "name": "Independent Study", - "description": "This course provides a comprehensive overview of the causes, characteristics, and treatment of psychological disorders. Particular emphasis is given to the interaction between biological, psychological, and sociocultural processes contributing to abnormal behavior. Students may not receive credit for both PSYC 163 and PSYC 100. " + "name": "Freshman Seminar", + "description": "A study of Socrates and/or Plato through major dialogues of Plato. Possible topics include the virtues and happiness; weakness of the will; political authority and democracy; the theory of Forms and sensible flux; immortality; relativism, skepticism, and knowledge. May be repeated for credit with change of content and approval of instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " }, - "PSYC 100": { + "PHIL 90": { "prerequisites": [], - "name": "Clinical Psychology", - "description": "This course provides a comprehensive overview of the field of developmental psychology, including topics in cognitive, language, and social development. " + "name": "Basic Problem in Philosophy", + "description": "A study of major issues in Aristotle\u2019s works, such as the categories; form and matter; substance, essence, and accident; the soul; virtue, happiness, and politics. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 101": { + "PHIL 100": { "prerequisites": [], - "name": "Developmental Psychology", - "description": "This course provides a comprehensive overview of the neural mechanisms that support vision, audition, touch, olfaction, and taste. " + "name": "Plato", + "description": "A study of selected texts from the main schools of Hellenistic philosophy\u2014Stoicism, Epicureanism, and Skepticism. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 102": { + "PHIL 101": { "prerequisites": [], - "name": "Sensory Neuroscience ", - "description": "This course provides a comprehensive overview of the field of social psychology, covering a review of the field\u2019s founding principles, classic findings, and a survey of recent findings. Topics will include social perception, attributions and attitudes, stereotypies, social influence, group dynamics, and aggressive and prosocial tendencies. " + "name": "Aristotle", + "description": "A study of one or more figures from seventeenth- and/or eighteenth-century philosophy, such as Bacon, Descartes, Hobbes, Cavendish, Conway, Spinoza, Locke, Malebranche, Leibniz, Astell, Berkeley, Du Chatelet, Hume, or Reid. The focus may be on particular texts or intellectual themes and traditions. May be taken for credit up to two times. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 104": { - "prerequisites": [], - "name": "Social Psychology", - "description": "This course provides a comprehensive overview of cognitive psychology, the scientific study of mental processes: how people acquire, store, transform, use, and communicate information. Topics may include perception, attention, language, memory, reasoning, problem solving, decision-making, and creativity. " + "PHIL 102": { + "prerequisites": [ + "PHIL 32" + ], + "name": "Hellenistic Philosophy", + "description": "A study of selected portions of The Critique of Pure Reason and other theoretical writings and/or his major works in moral theory. May be repeated for credit with change in content and approval of the instructor. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "PSYC 105": { + "PHIL 105": { "prerequisites": [], - "name": "Cognitive Psychology", - "description": "This course provides a comprehensive overview of human and animal behavior from a neuroscience perspective. Topics include the functions and mechanisms of perception, motivation (sex, sleep, hunger, emotions), learning and memory, and motor control and movement. " + "name": "Topics in Early Modern Philosophy ", + "description": "A study of one or more of Hegel\u2019s major works, in particular, The Phenomenology of Spirit and The Philosophy of Right. Readings and discussion may also include other figures in the Idealist tradition\u2014such as Fichte, H\u00f6lderlin, and Schelling\u2014and critics of the Idealist tradition\u2014such as Marx and Kierkegaard. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 106": { + "PHIL 106": { "prerequisites": [], - "name": "Behavioral Neuroscience ", - "description": "This course provides a comprehensive overview of neuroanatomy and major methods and results from neuroimaging and neuropsychological studies of behavior. Topics include attention, motor control, executive function, memory, learning, emotion, and language. " + "name": "Kant", + "description": "A study of one or more figures in nineteenth-century philosophy, such as Schopenhauer, Nietzsche, Kierkegaard, Marx, Emerson, Thoreau, Goldman, Luxemburg, James, and Mill. The focus may be on particular figures or intellectual themes and traditions. May be repeated for credit with change of content and approval of instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " }, - "PSYC 108": { + "PHIL 107": { "prerequisites": [], - "name": "Cognitive Neuroscience", - "description": "This course provides research seminars by a range of departmental faculty, exposing students to contemporary research problems in many areas of psychology. Class discussions will follow faculty presentations. Must be taken for a letter grade for the Psychology Honors Program. " + "name": "Hegel", + "description": "Central texts, figures, and traditions in\n\t\t\t\t analytic philosophy. Figures may include Frege, Russell, Wittgenstein, Carnap, Moore, Austin, Quine, and Anscombe. May be repeated for credit with change of content and\n\t\t\t\t approval of the instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " }, - "PSYC 110": { + "PHIL 108": { "prerequisites": [], - "name": "Juniors Honors Research Seminars", - "description": "This course provides training in applying advanced statistical methods to experimental design. Emphasis will be placed on the developing skills in statistical problem-solving, using computer applications, and writing scientific reports. Must be taken for a letter grade for the Psychology Honors Program. ** Consent of instructor to enroll possible **" + "name": "Nineteenth-Century Philosophy", + "description": "An examination of ancient Greek philosophy, focusing on major works of Plato and Aristotle. PHIL 10, PHIL 111, and PHIL 112 should be taken in order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 111A": { + "PHIL 109": { "prerequisites": [ - "PSYC 111A" + "PHIL 110", + "and" ], - "name": "Research Methods I", - "description": "This course builds upon the material of PSYC 111A. Students will participate in data collection, data organization, statistical analysis and graphical analysis, with emphasis placed on developing scientific report writing, presentations, and critical thinking about experimental methods. Must be taken for a letter grade for the Psychology Honors Program. " + "name": "History of Analytic Philosophy", + "description": "An examination of seventeenth- and eighteenth-century philosophy, focusing on major works of Descartes, Locke, and Hume. PHIL 110, PHIL 111, and PHIL 112 should be taken in order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 111B": { + "PHIL 110": { "prerequisites": [ - "PSYC 60", - "or", - "COGS 14B", - "and", - "PSYC 70", - "or", - "COGS 14A", - "and", - "COGS 101A", - "or", - "COGS 107A", - "or", - "COGS 107B", - "or", - "COGS 107C", - "or", - "PSYC 102", - "or", - "PSYC 106", - "or", - "PSYC 108" + "PHIL 111", + "and" ], - "name": "Research Methods II", - "description": "This course provides training in the design, execution, and analysis of electroencephalogram (EEG) experiments to study perception and cognition. The course will provide basic background on the EEG methodology: what and how neural signals are measured with EEG, how to interpret them, and how to design experiments. It will also provide hands-on training on conducting an EEG study: we will design and run experiments together in the laboratory, analyze the data, and discuss the results. " + "name": "History of Philosophy: Ancient", + "description": "An examination of late eighteenth and nineteenth-century philosophy, focusing on major works of Kant and Hegel. PHIL 110, PHIL 111, and PHIL 112 should be taken in order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 113": { + "PHIL 111": { "prerequisites": [], - "name": "Electroencephalogram", - "description": "This course provides an overview and training in the use of psychophysiological methods to investigate the cognitive and emotional process involved in understanding and reacting to other people. Students will develop individual research questions and actively participate in designing and conducting the experiments. " + "name": "History of Philosophy: Early Modern", + "description": "This course provides an introduction to the techniques of philosophical inquiry through detailed study of selected philosophical texts and through extensive training in philosophical writing based on those texts. Enrollment limited and restricted to majors; must be taken for letter grade. May not be repeated for credit. " }, - "PSYC 114": { + "PHIL 112": { "prerequisites": [ - "PSYC 60" + "PHIL 10" ], - "name": "Psychophysiological Perspectives on the Social Mind Laboratory ", - "description": "This course provides training in the design, execution, and analysis of cognitive psychology experiments. Students may not receive credit for both PSYC 115 and PSYC 115A. ** Upper-division standing required ** " + "name": "History of Philosophy: Late Modern", + "description": "The syntax, semantics, and proof-theory of first-order predicate logic with identity, emphasizing both conceptual issues and practical skills (e.g., criteria for logical truth, consistency, and validity; the application of logical methods to everyday as well as scientific reasoning). ** Consent of instructor to enroll possible **" }, - "PSYC 115A": { + "PHIL 115": { "prerequisites": [ - "PSYC 115A" + "PHIL 120" ], - "name": "Laboratory in Cognitive Psychology I", - "description": "This course is designed to extend the training of PSYC 115A in the design, execution, and analysis of cognitive psychology experiments. Students may not receive credit for both PSYC 115 and PSYC 115B. ** Upper-division standing required ** " + "name": "Philosophical Methods Seminar", + "description": "Topics vary from year to year. They include Metalogic (Mathematical Logic), Modal Logic, Foundations of Logic, Foundations of Set Theory, G\u00f6del\u2019s Incompleteness Theorems, and others. ** Consent of instructor to enroll possible **" }, - "PSYC 115B": { - "prerequisites": [], - "name": "Laboratory in Cognitive Psychology II", - "description": "This course provides examination of theory, research design, and methods for clinical research. Students complete an internship at a clinical research lab, culminating in a paper. May be taken for credit three times for a total of eight units. Students may not receive credit for both PSYC 116 and PSYC 107. " + "PHIL 120": { + "prerequisites": [ + "PHIL 120" + ], + "name": "Symbolic Logic I", + "description": "Philosophical issues underlying standard and nonstandard logics, the nature of logical knowledge, the relation between logic and mathematics, the revisability of logic, truth and logic, ontological commitment and ontological relativity, logical consequence, etc. May be repeated for credit with change in content and approval of instructor. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "PSYC 116": { - "prerequisites": [], - "name": "Laboratory in Clinical Psychology Research", - "description": "This course provides experience conducting educational research and outreach for children in greater San Diego County. May be taken for credit three times. " + "PHIL 122": { + "prerequisites": [ + "PHIL 120" + ], + "name": "Advanced Topics in Logic", + "description": "The character of logical and mathematical truth and knowledge; the relations between logic and mathematics; the significance of G\u00f6del\u2019s Incompleteness Theorem; Platonism, logicism, and more recent approaches. ** Consent of instructor to enroll possible **" }, - "PSYC 117": { + "PHIL 123": { "prerequisites": [], - "name": "Laboratory in Educational Research and Outreach ", - "description": "This course provides a survey of research and theory in learning and motivation. Topics include instincts, reinforcement, stimulus control, choice, and human application. " + "name": "Philosophy of Logic", + "description": "Central problems in metaphysics, such as free will and determinism, the mind-body problem, personal identity, causation, primary and secondary qualities, the nature of universals, necessity, and identity. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 120": { + "PHIL 124": { "prerequisites": [], - "name": "Learning and Motivation", - "description": "This course provides laboratory experience in operant psychology. " + "name": "Philosophy of Mathematics", + "description": "An in-depth study of some central problem, figure, or tradition in metaphysics. May be repeated for credit with change of content and approval of instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " }, - "PSYC 121": { + "PHIL 130": { "prerequisites": [], - "name": "Laboratory in Operant Psychology", - "description": "This course focuses on approaches to the study of behavior and its underlying fundamental units of analysis in human and nonhuman animals. Students may not receive credit for both PSYC 122 and PSYC 103. " + "name": "Metaphysics", + "description": "Central problems in epistemology such as skepticism; a priori knowledge; knowledge of other minds; self-knowledge; the problem of induction; foundationalist, coherence, and causal theories of knowledge. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 122": { + "PHIL 131": { "prerequisites": [], - "name": "Mechanisms of Animal Behavior", - "description": "This course provides an understanding of how the frontal lobes allow us to engage in complex mental processes. Topics may include anatomy and theory of prefrontal function, frontal lobe clinical syndromes, pharmacology and genetics, emotion control, and cognitive training. " + "name": "Topics in Metaphysics", + "description": "Examination of contemporary debates about meaning, reference, truth, and thought. Topics include descriptional theories of reference, sense and reference, compositionality, truth, theories of meaning, vagueness, metaphor, and natural and formal languages. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 123": { + "PHIL 132": { "prerequisites": [], - "name": "Cognitive Control and Frontal Lobe Function", - "description": "This course provides an introduction to the history, purpose, and recent changes to the Diagnostic and Statistical Manual of Mental Disorders along with appropriate evidence-based interventions. Other topics include psychiatric emergencies, crisis management, and ethics. Recommended preparation: Completion of PSYC 100. " + "name": "Epistemology", + "description": "Different conceptions of the nature of mind and its relation to the physical world. Topics include identity theories, functionalism, eliminative materialism, internalism and externalism, subjectivity, other minds, consciousness, self-knowledge, perception, memory, and imagination. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 124": { + "PHIL 134": { "prerequisites": [], - "name": "Clinical Assessment and Treatment ", - "description": "This course provides a fundamental understanding of brain-behavior relationships as applied to the practice of clinical neuropsychology. Major topics include functional neuroanatomy, principles of neuropsychological assessment and diagnosis, and the neuropsychological presentation of common neurologic and psychiatric conditions. " - }, - "PSYC 125": { - "prerequisites": [ - "PSYC 100", - "and", - "PSYC 124", - "and" - ], - "name": "Clinical Neuropsychology", - "description": "This course provides experience with clients in a community mental health care setting, under professional supervision. Seminar-based instruction also provides a framework for understanding theoretical, practical, and ethical issues related to client care. " + "name": "Philosophy of Language", + "description": "The nature of action and psychological explanation. Topics include action individuation, reasons as causes, psychological laws, freedom and responsibility, weakness of will, self-deception, and the emotions. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 126": { + "PHIL 136": { "prerequisites": [], - "name": "Practicum in Community Mental Health Care", - "description": "This course provides basic information about the nature of reading. Topics include word recognition, eye movements, inner speech, sentence processing, memory for text, learning to read, methods for teaching reading, reading disabilities and dyslexia, and speed-reading. Recommended preparation: completion of PSYC 105 or PSYC 145. " + "name": "Philosophy of Mind", + "description": "A study of the nature and significance of responsibility. Possible topics include freedom, determinism, and responsibility; moral luck; responsibility and reactive attitudes such as blame and forgiveness; responsibility and situationism; moral and criminal responsibility; responsibility and excuse; insanity and psychopathy, immaturity, addiction, provocation, and duress. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 128": { + "PHIL 137": { "prerequisites": [], - "name": "Psychology of Reading", - "description": "This course provides an overview of how we perceive the world. Topics include classic studies in perception, discussion of the view that perception is \u201clogical,\u201d and new insights into the neural mechanisms underlying perception. " + "name": "Moral Psychology", + "description": "Social justice issues as they arise across the borders of nation-states. Topics may include nationalism and cosmopolitanism, theories of just war and just warfare, issues of migration and immigration, global distributive justice and fair trade, and international cooperation in the face of global problems such as climate change and human rights violations. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 129": { + "PHIL 138": { "prerequisites": [], - "name": "Logic of Perception", - "description": "This course provides a review of research on delay of gratification. Topics include what makes it so tough, in what situations it is possible, who can do it, and the implications of this ability. " + "name": "Responsibility", + "description": "Investigation into the nature of free will, including arguments for and against its compatibility with a scientific picture of the world and competing accounts of the metaphysics of free will. Possible topics include disputes about the nature of free will; what it is for agents to cause actions; the nature of abilities or capacities to act; the relevance of neuroscience to accounts of free will; whether free will skepticism is a stable view; and experimental research on free will. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 130": { + "PHIL 139": { "prerequisites": [], - "name": "Delay of Gratification", - "description": "This course provides a background into the origins and implementation of scientific racism, especially since the nineteenth century. Topics may include race/ethnicity and genetics, intelligence, nationalism, criminality, human performance, and morphometry. " + "name": "Global Justice", + "description": "This course considers whether human life has meaning, and, if so, what meaning it has and under what conditions such meaning may be secured. Negative proposals considered include that life is nothing but suffering, that it is absurd, that it has no meaning. Positive proposals considered include that meaning derives from free choices, from just being, from some passion, from something transcendent, or from human relationships or purposeless play or knowledge or achievement or morality. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 131": { + "PHIL 140": { "prerequisites": [], - "name": "Scientific Racism: Genetics, Intelligence, and Race", - "description": "This course examines how hormones influence a variety of behaviors and how behavior reciprocally influences hormones. Specific topics covered include aggression, sex and sexuality, feeding, learning, memory, mood and neural mechanisms both in humans and nonhuman animals. Recommended preparation: completion of PSYC 106. " + "name": "Free Will", + "description": "Central problems in philosophy of science, such as the nature of confirmation and explanation, the nature of scientific revolutions and progress, the unity of science, and realism and antirealism. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 132": { + "PHIL 141": { "prerequisites": [], - "name": "Hormones and Behavior", - "description": "This interdisciplinary course provides an overview of the fundamental properties of daily biological clocks of diverse species, from humans to microbes. Emphasis is placed on the relevance of internal time keeping in wide-ranging contexts including human performance, health, and industry. Cross-listed with BIMM 116. ** Consent of instructor to enroll possible **" + "name": "The Meaning of Life", + "description": "Philosophical problems in the development of modern physics, such as the philosophy of space and time, the epistemology of geometry, the philosophical significance of Einstein\u2019s theory of relativity, the interpretation of quantum mechanics, and the significance of modern cosmology. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 133": { + "PHIL 145": { "prerequisites": [], - "name": "Circadian Rhythms\u2014Biological Clocks", - "description": "This course provides an overview of the biology and psychology of eating disorders such as anorexia nervosa, bulimia nervosa, and binge eating disorder. Abnormal, as well as normal, eating will be discussed from various perspectives including endocrinological, neurobiological, psychological, sociological, and evolutionary. " + "name": "Philosophy of Science", + "description": "Philosophical problems in the biological sciences, such as the relation between biology and the physical sciences, the status and structure of evolutionary theory, and the role of biology in the social sciences. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 134": { + "PHIL 146": { "prerequisites": [], - "name": "Eating Disorders", - "description": "This course provides an overview of how children\u2019s thinking develops. Topics may include perception, concept formation, memory, problem solving, and social cognition. " + "name": "Philosophy of Physics", + "description": "Investigation of ethical and epistemological questions concerning our relationship to the environment. Topics may include the value of nature, biodiversity, policy and science, and responsibility to future generations. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 136": { + "PHIL 147": { "prerequisites": [], - "name": "Cognitive Development", - "description": "This course provides an overview of social cognition, which blends cognitive and social psychology to understand how people make sense of the social world. Topics may include social perception, inference, memory, motivation, affect, understanding the self, stereotypes, and cultural cognition. " + "name": "Philosophy of Biology", + "description": "Philosophical issues raised by psychology, including the nature of psychological explanation, the role of nature versus nurture, free will and determinism, and the unity of the person. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 137": { + "PHIL 148": { "prerequisites": [], - "name": "Social Cognition", - "description": "This course provides an overview of auditory perception. Topics may include the physiology of the auditory system, perception of pitch, loudness, and timbre, sound localization, perception of melodic and temporal patterns and musical illusions and paradoxes. Recommended preparation: ability to read musical notation. " + "name": "Philosophy and the Environment", + "description": "Theoretical, empirical, methodological, and\n\t\t\t\t philosophical issues at work in the cognitive sciences (e.g., psychology,\n\t\t\t\t linguistics, neuroscience, artificial intelligence, and computer science),\n\t\t\t\t concerning things such as mental representation, consciousness, rationality,\n\t\t\t\t explanation, and nativism. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 138": { + "PHIL 149": { "prerequisites": [], - "name": "Sound and Music Perception", - "description": "This course provides an introduction to the applications of social psychological principles and findings to sports. Topics include motivation, level of aspiration, competition, cooperation, social comparison, and optimal arousal. Additional topics may include the perspective of spectators, discussing motivation and perceptions of success, streaks, and such. " + "name": "Philosophy of Psychology", + "description": "An introduction to elementary neuroanatomy and neurophysiology and an examination of theoretical issues in cognitive neuroscience and their implications for traditional philosophical conceptions of the relation between mind and body, perception, consciousness, understanding, emotion, and the self. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 139": { + "PHIL 150": { "prerequisites": [], - "name": "The Social Psychology of Sport", - "description": "This course provides training in applying the principles of human behavior, including choice behavior, self-control, and reasoning. " + "name": "Philosophy of the Cognitive Sciences", + "description": "Philosophical issues of method and substance in the social sciences, such as causal and interpretive models of explanation, structuralism and methodological individualism, value neutrality, and relativism. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 140": { + "PHIL 151": { "prerequisites": [], - "name": "Human Behavior Laboratory", - "description": "This course provides insight into the question of whether important aspects of human behavior can be explained as resulting from natural selection. Topics include sex differences, selfishness and altruism, homicide and violence, and context effects of human reasoning. " + "name": "Philosophy of Neuroscience", + "description": "Introduction to Mexican philosophy with discussion of the work of such figures as Las Casas, Sor Juana Ines de la Cruz, Vasconcelos, Uranga, Zea, Villoro, Dussel, Hierro, Lara, and Hurtado. Topics may include historical movements, such as scholasticism, positivism, Mexican existentialism, and indigenous thought, as well as contemporary developments and the relationship to philosophy in the United States, Europe, and elsewhere." }, - "PSYC 141": { + "PHIL 152": { "prerequisites": [], - "name": "Evolution and Human Nature", - "description": "This course provides a survey of research on consciousness from an experimental psychology perspective. Special emphasis will be placed on cognitive, neuroimaging, and clinical/psychiatric investigative techniques, and on the scientific assessment of the mind-body problem. " + "name": "Philosophy of Social Science", + "description": "Philosophical issues surrounding Latina/o/x peoples, which may include debates about the nature, function, and stability of this identity; social and political issues, such as immigration, economics, racial politics, and justice; phenomenological and existential accounts of latinidad; Latina feminism; and the relationship of these concerns to other philosophical traditions. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 142": { + "PHIL 155": { "prerequisites": [], - "name": "Psychology of Consciousness", - "description": "This course provides an overview of the behavioral approach, including basic principles, self-control, clinical applications, and the design of cultures. " + "name": "Mexican Philosophy", + "description": "Systematic and/or historical perspectives on central issues in ethical theory such as deontic, contractualist, and consequentialist conceptions of morality; rights and special obligations; the role of happiness and virtue in morality; moral conflict; ethical objectivity and relativism; and the rational authority of morality. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 143": { + "PHIL 156": { "prerequisites": [], - "name": "Control and Analysis of Human Behavior", - "description": "This course will provide a survey of current research and theory concerning human memory and amnesia from both cognitive and neuropsychological perspectives. Topics may include short-term (working) memory, encoding and retrieval, episodic and semantic memory, interference and forgetting, false memory, eyewitness memory, emotion and memory, famous case studies of amnesia, and the effects of aging and dementia on memory. " + "name": "Latinx Philosophy", + "description": "Central issues and texts in the history of ethics. Subject matter can vary, ranging from one philosopher (e.g., Confucius, Aristotle, Kant, or Mill) to a historical tradition (e.g., Greek ethics or the British moralists). May be repeated for credit with change in content and approval of instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " }, - "PSYC 144": { + "PHIL 160": { "prerequisites": [], - "name": "Memory and Amnesia", - "description": "This course provides an overview of language comprehension and production. Topics include animal communication, language development, and language disorders. Recommended preparation: completion of a course in language, cognition, or philosophy of the mind. " + "name": "Ethical Theory", + "description": "An examination of contemporary moral issues, such as abortion, euthanasia, war, affirmative action, and freedom of speech. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 145": { + "PHIL 161": { "prerequisites": [], - "name": "Psychology of Language", - "description": "This course provides an introduction to research on language acquisition and its relationship to conceptual development. Topics include theoretical foundations (e.g., learning mechanisms, theories of concepts) and empirical case studies, including word learning, syntax and semantics, and language and thought. Recommended preparation: completion of a course in language/linguistics, cognition, or cognitive development. " + "name": "Topics in the History of Ethics", + "description": "Moral issues in medicine and the biological sciences, such as patient\u2019s rights and physician\u2019s responsibilities, abortion and euthanasia, the distribution of health care, experimentation, and genetic intervention. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 146": { + "PHIL 162": { "prerequisites": [], - "name": "Language and Conceptual Development", - "description": "This course provides an overview of the role of gender in psychology, with an emphasis on critical thinking about gender. Topics may include gender differences in behavior and communication, influences on gender roles, gender identity, and gender effects on health and well-being. " + "name": "Contemporary Moral Issues", + "description": "Philosophical issues involved in the development of modern science, the growth of technology, and control of the natural environment. The interaction of science and technology with human nature and political and moral ideals. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 147": { + "PHIL 163": { "prerequisites": [], - "name": "Gender\n\t\t\t\t ", - "description": "This course provides an overview of judgment and decision making, which is broadly concerned with preferences, subjective probability, and how they are combined to arrive at decisions. History and current topics will be covered. " + "name": "Biomedical Ethics", + "description": "Examination of freedom and equality under the US Constitution, focusing on Supreme Court cases concerning discrimination on grounds of race, ethnic background, gender, undocumented status, wealth, and sexual orientation, and cases regarding contraceptives, abortion, interracial marriage, polygamy, and same-sex marriage. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 148": { + "PHIL 164": { "prerequisites": [], - "name": "Psychology of Judgment and Decision", - "description": "This course provides an overview of the neural basis of visual experience, or how our brain creates what we see in the world around us. " + "name": "Technology and Human Values", + "description": "Central issues about the justification, proper functions, and limits of the state through classic texts in the history of political philosophy by figures such as Plato, Aristotle, Hobbes, Locke, Rousseau, Marx, and Arendt. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 150": { + "PHIL 165": { "prerequisites": [], - "name": "Cognitive Neuroscience of Vision", - "description": "This course provides an introduction to psychology testing. Topics include psychometrics and statistical methods of test construction; application of psychological tests in industry, clinical practice, and applied settings; and controversies in the application of psychological tests. " + "name": "Freedom, Equality, and the Law", + "description": "Different perspectives on central issues in contemporary political philosophy, such as the nature of state authority and political obligation, the limits of government and individual liberty, liberalism and its critics, equality and distributive justice. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 151": { + "PHIL 166": { "prerequisites": [], - "name": "Tests and Measurement", - "description": "This course provides an overview of the concept of intelligence from multiple perspectives. Topics include how intelligence is measured and the role of this measurement on practical matters, the role of intelligence in comparative psychology, and attempts to analyze intelligence in terms of more fundamental cognitive processes. " + "name": "Classics in Political Philosophy", + "description": "A study of issues in analytical jurisprudence such as the nature of law, the relation between law and morality, and the nature of legal interpretation and issues in normative jurisprudence such as the justification of punishment, paternalism and privacy, freedom of expression, and affirmative action. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 152": { + "PHIL 167": { "prerequisites": [], - "name": "Conceptions of Intelligence", - "description": "This course provides an overview of past and current theories of emotion. Topics include facial expressions associated with emotion, psychophysiology, evolutionary perspectives, and specific emotions such as anger, fear, and jealousy. " + "name": "Contemporary Political Philosophy", + "description": "Philosophical examination of core concepts and theses in feminism, feminist philosophy, and critiques of traditional philosophical approaches to morality, politics, and science, from a feminist perspective. May also treat the historical development of feminist philosophy and its critiques. May be taken for credit two times with permission of instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 153": { + "PHIL 168": { "prerequisites": [], - "name": "Psychology of Emotion", - "description": "The course provides an extension of learning principles to human behavior. Topics include broad implications of a behavioral perspective, applied behavior analysis, and applications of behavioral principles to clinical disorders and to normal behavior in varied settings. " + "name": "Philosophy of Law", + "description": "A philosophical investigation of the topics of race and racism. The role of \u201crace\u201d in ordinary speech. The ethics of racial discourse. Anthropological and biological conceptions of race. The social and political significance of racial categories. Post-racialist conceptions of race. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 154": { + "PHIL 169": { "prerequisites": [], - "name": "Behavior Modification", - "description": "This course provides an exploration of health, illness, treatment, and delivery of treatment as they relate to psychological concepts and research and considers how the social psychological perspective might be extended into medical fields. " + "name": "Feminism and Philosophy", + "description": "An in-depth exploration of an issue in bioethics. Topics will vary, and may include the ethics of genetic engineering, mental capacity and genuinely informed consent, the just distribution of health care, the ethics of geo-engineering, and the ethics of climate change and health. May be taken for credit two times. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 155": { + "PHIL 170": { "prerequisites": [], - "name": "Social Psychology and Medicine", - "description": "This course provides an overview of infant development. Students will critically evaluate scientific theories regarding infant cognitive, linguistic, and social behavior. Recommended preparation: PSYC 60. " + "name": "Philosophy and Race", + "description": "A survey of ethical issues arising in the collection, storage, analysis, consolidation, and application of data. Topics may include data as property and public resource, privacy and surveillance, data and discrimination, algorithms and fairness, and data regulation. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 156": { + "PHIL 173": { "prerequisites": [], - "name": "Cognitive Development in Infancy", - "description": "This course provides an overview of the psychology of happiness. Topics may include such questions as: What is happiness? How do we measure it, and how do we tell who has it? What is the biology of happiness and what is its evolutionary significance? What makes people happy\u2014youth, fortune, marriage, chocolate? Is the pursuit of happiness pointless? " + "name": "Topics in Bioethics", + "description": "Central issues in philosophical aesthetics such as the nature of art and aesthetic experience, the grounds of artistic interpretation and evaluation, artistic representation, and the role of the arts in education, culture, and politics. May be taken for credit two times. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 157": { + "PHIL 174": { "prerequisites": [], - "name": "Happiness", - "description": "This course provides an examination of theories and empirical work pertaining to interpersonal relationships. Topics include attraction, jealousy, attachments, and love. " + "name": "Data Ethics", + "description": "A study of philosophical themes contained in selected fiction, drama, or poetry, and the philosophical issues that arise in the interpretation, appreciation, and criticism of literature. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 158": { + "PHIL 175": { "prerequisites": [], - "name": "Interpersonal Relationships", - "description": "This course provides a survey of sensory and perceptual phenomena with an emphasis on their underlying physiological mechanisms. " + "name": "Aesthetics", + "description": "Careful, line-by-line translation of passages of intermediate difficulty from German philosophical texts, both classic (Kant, Fichte, Hegel, Schopenhauer) and contemporary (Heidegger, Wittgenstein, Habermas). P/NP grades only. May be taken for credit six times as topics vary. LIGM 1D or equivalent level of study recommended. ** Consent of instructor to enroll possible **" }, - "PSYC 159": { - "prerequisites": [], - "name": "Physiological Basis of Perception", - "description": "This course provides a survey of psychological findings relevant to designing \u201cuser-friendly\u201d computers and devices and improving aviation and traffic safety. Topics include human perception as it pertains to displays and image compression, human memory limitations relevant to usability, and nature of human errors. " + "PHIL 177": { + "prerequisites": [ + "PHIL 178" + ], + "name": "Philosophy and Literature", + "description": "Continuation of PHIL 178 in the careful, line-by-line translation of passages of advanced difficulty from German philosophical texts, both classic (Kant, Fichte, Hegel, Schopenhauer) and contemporary (Heidegger, Wittgenstein, Habermas). May be repeated for credit as topics vary. ** Consent of instructor to enroll possible **" }, - "PSYC 161": { + "PHIL 178": { "prerequisites": [], - "name": "Engineering Psychology", - "description": "This course provides an overview of the intersection between psychology and the legal system, covering a broad range of forensically relevant issues. Topics may include false memories, false confessions, eyewitness reliability, lie detection, DNA exonerations of the wrongfully convicted, jury decision making, and neuroscience and the law Recommended preparation: PSYC 60. " + "name": "Topics in German Philosophy Translation\u2014Intermediate", + "description": "An examination of the phenomenological tradition through the works of its major classical and/or contemporary representatives. Authors studied will vary and may include Brentano, Husserl, Heidegger, Stein, Merleau-Ponty, Levinas, and Irigaray. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 162": { + "PHIL 179": { "prerequisites": [], - "name": "Psychology and the Law", - "description": "This course provides an overview of the scientific study of law making and societal reaction to law breaking activity. Topics include major theories accounting for criminal behavior, the relationship between drugs and crime, the effects of penalties on recidivism, and the psychological effects of incarceration. " + "name": "Topics in German Philosophy Translation\u2014Advanced", + "description": "Classical texts and issues of existentialism. Authors studied will vary and may include Nietzsche, Kierkegaard, Heidegger, Sartre, de Beauvoir, and Fanon. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 164": { + "PHIL 180": { "prerequisites": [], - "name": "Criminology", - "description": "This course provides a survey of the major trends and figures in the development of psychology as a field. Topics may include the mind-body problem, nativism vs. empiricism, and the genesis of behaviorism. " + "name": "Phenomenology", + "description": "The focus will be on a leading movement in continental philosophy (e.g., the critical theory of the Frankfurt school, structuralism and deconstruction, postmodernism) or some particular issue that has figured in these traditions (e.g., freedom, subjectivity, historicity, authenticity). May be repeated for credit with change in content and approval of instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " }, - "PSYC 166": { + "PHIL 181": { "prerequisites": [], - "name": "History of Psychology", - "description": "This seminar explores how psychologists think about and study the imagination\u2014the capacity to mentally transcend time, place, and circumstance to think about what might have been, plan and anticipate the future, create and become absorbed in fictional worlds, and consider alternatives to actual experiences. You will learn how to evaluate psychological evidence, and how to read, interpret, discuss, present, and write about scientific literature. PC25, PC26, PS28, PC29, PC30, PC31, PC32, PC33, PC34, PC35, HD01, HD02, HD25, HD26, or CG32 major only." + "name": "Existentialism", + "description": "A general introduction to the philosophy of religion through the study of classical and/or contemporary texts. Among the issues to be discussed are the existence and nature of God, the problem of evil, the existence of miracles, the relation between reason and revelation, and the nature of religious language. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PSYC 167": { + "PHIL 183": { "prerequisites": [], - "name": "Science of Imagination", - "description": "This course provides an overview of psychological disorders in children. Topics may include anxiety disorders, depressive and bipolar disorders, communication and learning disorders, conduct problems, autism, and other conditions. Emphasis is placed on symptomatology, assessment, etiological factors, epidemiology, and treatment. " + "name": "Topics in Continental Philosophy", + "description": "Independent study by special arrangement with and under the supervision of a faculty member, including a proposal for the honors essay. An IP grade will be awarded at the end of this quarter; a final grade will be given for both quarters at the end of 191B. ** Consent of instructor to enroll possible **" }, - "PSYC 168": { + "PHIL 185": { "prerequisites": [], - "name": "Psychological Disorders of Childhood", - "description": "This course provides an introduction to the neural mechanisms underlying perception, memory, language, and other mental capacities. Topics include how brain damage affects these capacities and how patients with brain lesions can contribute to our understanding of the normal brain. " + "name": "Philosophy of Religion", + "description": "Continuation of 191A: independent study by special arrangement with and under the supervision of a faculty member, leading to the completion of the honors essay. A letter grade for both 191A and 191B will be given at the end of this quarter. ** Consent of instructor to enroll possible **" }, - "PSYC 169": { + "PHIL 191A": { "prerequisites": [], - "name": "Brain Damage and Mental Function", - "description": "This course provides a journey to the interface between neurophysiology and psychology. Topics include neuroimaging and neuroplasticity. " - }, - "PSYC 170": { - "prerequisites": [ - "PSYC 2" - ], - "name": "Cognitive Neuropsychology", - "description": "This course provides an overview of the neurobiology of learning and memory, from cognitive to molecular neuroscience, including human, animal, cellular, and molecular studies of memory. Topics include amnesia, intellectual disability, exceptional intelligence, aging, and Alzheimer\u2019s disease. " + "name": "Philosophy Honors", + "description": "Under the supervision of the instructor, student will lead one discussion section of a lower-division philosophy class. The student must attend the lecture for the class and meet regularly with the instructor. Applications are available in the Department of Philosophy. ** Consent of instructor to enroll possible **" }, - "PSYC 171": { + "PHIL 191B": { "prerequisites": [], - "name": "Neurobiology of Learning and Memory", - "description": "This course provides an overview of human sexuality research including diversity of sexual behavior and identities, sex and gender development, intimate relationships, and sexual dysfunction. Recommended preparation: completion of PSYC 1, 2, or 106. " + "name": "The Honors Essay", + "description": "Directed individual study by special arrangement with and under the supervision of a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "PSYC 172": { + "PHIL 195": { "prerequisites": [], - "name": "Psychology of Human Sexuality", - "description": "This course provides an overview of the biological, psychological, and social influences on the psychology of food and behavior. Topics may include taste preferences and aversions and how they are learned, how culture influences food selection, and food-related behaviors across the lifespan. " + "name": "Introduction to Teaching Philosophy", + "description": "Introduction to philosophical methods of analysis through study of classic historical or contemporary texts. Writing intensive. Enrollment limited to philosophy entering graduate students. " }, - "PSYC 173": { + "PHIL 199": { "prerequisites": [], - "name": "Psychology of Food and Behavior", - "description": "This course provides an overview of high-level visual perception, and of how visual perception intersects with attention, memory, and concepts. Topics may include an introduction to the visual system with an emphasis on high-level visual regions; object recognition, face recognition, scene recognition and reading; visual attention, including eye movements during scene perception and during reading; and visual working memory. " - }, - "PSYC 174": { - "prerequisites": [ - "COGS 14B", - "or", - "MATH 11", - "or", - "PSYC 60", - "and", - "COGS 14A", - "or", - "PSYC 70" - ], - "name": "Visual Cognition", - "description": "This course provides a review of the scientific research surrounding the topic of Mindfulness, which has been approached from multiple disciplines including Buddhism, Positive Psychology, Cognitive Behavioral Therapy, and Neuroscience. Because Mindfulness is so multi-faceted, with many variables involved, the scientific study of Mindfulness requires rigorous research methods and statistics, and for this reason, a significant portion of the class focuses on these aspects. " + "name": "Directed Individual Study", + "description": "A study of selected texts or topics in the history of philosophy. Usually the focus will be on a single major text. May be taken for credit nine times with changed content. " }, - "PSYC 175": { + "NANO 1": { "prerequisites": [], - "name": "Science of Mindfulness", - "description": "This course provides an overview of how to foster creativity in individuals, groups, and organizations. Themes that cut across all three levels are highlighted. " + "name": "NanoEngineering Seminar", + "description": "Overview of NanoEngineering. Presentations and discussions of basic knowledge and career opportunities in nanotechnology for professional development. Introduction to campus library resources. P/NP grades only." }, - "PSYC 176": { + "NANO 4": { "prerequisites": [], - "name": "Creativity", - "description": "This course provides an examination of human behavior in industrial, business, and organizational settings. Topics include psychological principles applied to selection, placement, management, and training; the effectiveness of individuals and groups within organizations, including leadership and control; conflict and cooperation; motivation; and organizational structure and design. " + "name": "Experience\u00a0NanoEngineering", + "description": "Introduction to NanoEngineering lab-based skills. Hands-on training and experimentation with nanofabrication techniques, integration, and analytical tools. This class is for NANO majors who are incoming freshmen, to be taken their first year.\u00a0This class is for NanoEngineering majors who are incoming freshmen, to be taken their first year. P/NP grades only. ** Department approval required ** " }, - "PSYC 178": { + "NANO 15": { "prerequisites": [], - "name": "Industrial Organizational Psychology", - "description": "This course provides an overview of the use, abuse, liability, and psychotherapeutic effects of drugs on humans. " + "name": "Engineering Computation Using Matlab", + "description": "Introduction to the solution of engineering problems using computational methods. Formulating problem statements, selecting algorithms, writing computer programs, and analyzing output using Matlab. Computational problems from NanoEngineering, chemical engineering, and materials science are introduced. The course requires no prior programming skills. Cross-listed with CENG 15." }, - "PSYC 179": { + "NANO 15R": { "prerequisites": [], - "name": "Drugs, Addiction, and Mental Disorders", - "description": "This course provides an overview of the period of human adolescence, including the physical, cognitive, social, and emotional changes that take place during this developmental transition. " + "name": "Engineering Computation Using Matlab Online", + "description": "Introduction to solution of engineering problems using computational methods. Formulating problem statements, selecting algorithms, writing computer programs, and analyzing output using Matlab. Computational problems from NanoEngineering, chemical engineering, and materials science are introduced. This is a fully online, self-paced course that utilizes multi-platform instructional techniques (video, text, and instructional coding environments). The course requires no prior programming skills. Students may not receive credit for both CENG 15 and NANO 15. Cross-listed with CENG 15R. Students may only receive credit for one of the following: NANO 15R, NANO 15, CENG 15R, or CENG 15." }, - "PSYC 180": { - "prerequisites": [], - "name": "Adolescence", - "description": "This course provides an examination of visual, auditory, and tactile illusions and examines how they arise from interactions between perceptual and cognitive systems. " + "NANO 100L": { + "prerequisites": [ + "NANO 108" + ], + "name": "Physical Properties of Materials Lab", + "description": "Experimental investigation of physical properties of materials such as: thermal expansion coefficient, thermal conductivity, glass transitions in polymers, resonant vibrational response, longitudinal and shear acoustic wave speeds, Curie temperatures, UV-VIS absorption and reflection. " }, - "PSYC 181": { - "prerequisites": [], - "name": "Psychopharmacology\u2014Drugs and Behavior", - "description": "This course provides an overview of the experimental analysis of choice behavior, with an emphasis on the types of choice involved in self-control. A central interest will be the conditions under which decision-making is optimal. " + "NANO 101": { + "prerequisites": [ + "NANO 1", + "or", + "NANO 4", + "CHEM 6B", + "PHYS 2B", + "MATH 20C", + "and", + "NANO 15", + "or", + "NANO 15R", + "or", + "MAE 8" + ], + "name": "Introduction to NanoEngineering", + "description": "Introduction to NanoEngineering; nanoscale fabrication: nanolithography and self-assembly; characterization tools; nanomaterials and nanostructures: nanotubes, nanowires, nanoparticles, and nanocomposites; nanoscale and molecular electronics; nanotechnology in magnetic systems; nanotechnology in integrative systems; nanoscale optoelectronics; nanobiotechnology: biomimetic systems, nanomotors, nanofluidics, and nanomedicine. Priority enrollment given to NanoEngineering majors. ** Department approval required ** " }, - "PSYC 182": { - "prerequisites": [], - "name": "Illusions and the Brain", - "description": "This course provides tools for the student to think about the escalating climate crisis. Urgent action is needed at a large, societal scale to prevent the worst consequences of anthropogenic global heating. Better understanding the prospects for such action can come from human psychology. How do people arrive at their beliefs? What is the basis of denial and delay? How does belief flow to action? What kinds of actions can people take? " + "NANO 102": { + "prerequisites": [ + "CHEM 6C", + "MATH 20D", + "NANO 101", + "PHYS 2D", + "and", + "NANO 106" + ], + "name": "Foundations in NanoEngineering: Chemical Principles ", + "description": "Chemical principles involved in synthesis, assembly, and performance of nanostructured materials and devices. Chemical interactions, classical and statistical thermodynamics of small systems, diffusion, carbon-based nanomaterials, supramolecular chemistry, liquid crystals, colloid and polymer chemistry, lipid vesicles, surface modification, surface functionalization, catalysis. Priority enrollment given to NanoEngineering majors. " }, - "PSYC 184": { - "prerequisites": [], - "name": "Choice and Self-Control", - "description": "This course provides an overview of how children learn to reason about the social world. Topics may include theory of mind, social categorization and stereotyping, moral reasoning, and cultural learning. Recommended preparation: PSYC 101. " + "NANO 103": { + "prerequisites": [ + "BILD 1", + "CHEM 6C", + "NANO 101", + "and", + "NANO 102" + ], + "name": "Foundations in NanoEngineering: Biochemical Principles", + "description": "Principles of biochemistry tailored to nanotechnologies. The structure and function of biomolecules and their specific roles in molecular interactions and signal pathways. Detection methods at the micro and nano scales. Priority enrollment will be given to NanoEngineering majors. ** Department approval required ** " }, - "PSYC 185": { - "prerequisites": [], - "name": "Psychology of Climate Crisis", - "description": "This course provides an overview of problems of impulse control, which are important features of major psychiatric disorders and also of atypical patterns of behavior including pathological gambling, compulsive sex, eating, exercise, and shopping. Topics include development, major common features, treatment, and neurobiological basis of impulse control disorders. " + "NANO 104": { + "prerequisites": [ + "MATH 20D", + "NANO 101" + ], + "name": "Foundations in NanoEngineering: Physical Principles", + "description": "Introduction to quantum mechanics and nanoelectronics. Wave mechanics, the Schr\u00f6dinger equation, free and confined electrons, band theory of solids. Nanosolids in 0D, 1D, and 2D. Application to nanoelectronic devices. Priority enrollment given to NanoEngineering majors ** Department approval required ** " }, - "PSYC 187": { + "NANO 106": { "prerequisites": [ - "BILD 2", - "or", - "PSYC 102", - "or", - "PSYC 106" + "MATH 20F" ], - "name": "Development of Social Cognition", - "description": "This course provides a survey of natural behaviors, including birdsong, prey capture, localization, electroreception and echolocation, and the neural system that controls them, emphasizing broad fundamental relationships between brain and behavior across species. Cross-listed with BIPN 189. Students may not receive credit for PSYC 189 and BIPN 189. " + "name": "Crystallography of Materials", + "description": "Fundamentals of crystallography, and practice of methods to study material structure and symmetry. Curie symmetries. Tensors as mathematical description of material properties and symmetry restrictions. Introduction to diffraction methods, including X-ray, neutron, and electron diffraction. Close-packed and other common structures of real-world materials. Derivative and superlattice structures. " }, - "PSYC 188": { - "prerequisites": [], - "name": "Impulse Control Disorders", - "description": "This course provides an interdisciplinary overview of theories and scientific research on parenting. This course takes a critical approach to the scientific evidence regarding the role of parents in child development. Topics may include media reporting of science, behavior genetics, diet, sleep, the nature of learning, screen time, impulse control, family structure, parenting styles, attachment, discipline strategies, and vaccination. " + "NANO 107": { + "prerequisites": [ + "NANO 15", + "NANO 101", + "MATH 20B", + "or", + "MATH 20D", + "and", + "PHYS 2B" + ], + "name": "Electronic Devices and Circuits for Nanoengineers", + "description": "Overview of electrical devices and CMOS integrated circuits emphasizing fabrication processes, and scaling behavior. Design, and simulation of submicron CMOS circuits including amplifiers active filters digital logic, and memory circuits. Limitations of current technologies and possible impact of nanoelectronic technologies.\u00a0" }, - "PSYC 189": { + "NANO 108": { "prerequisites": [], - "name": "Brain, Behavior, and Evolution", - "description": "This course provides an overview of the psychology of sleep, including sleep stages and their functions, neurological aspects of sleep, sleep across species and development, dreams and their interpretation, sleep disorders, and the role of sleep in learning and memory. " + "name": "Materials Science and Engineering", + "description": "Structure and control of materials: metals, ceramics, glasses, semiconductors, polymers to produce useful properties. Atomic structures. Defects in materials, phase diagrams, micro structural control. Mechanical, rheological, electrical, optical and magnetic properties discussed. Time temperature transformation diagrams. Diffusion. Scale dependent material properties. " }, - "PSYC 190": { - "prerequisites": [], - "name": "Science of Parenting", - "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small setting to explore an intellectual topic in psychology (at the upper-division level). Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" + "NANO 110": { + "prerequisites": [ + "MATH 20F", + "NANO 102", + "NANO 104", + "and", + "NANO 15", + "MAE 8" + ], + "name": "Molecular Modeling of Nanoscale Systems ", + "description": "Principles and applications of molecular modeling and simulations toward NanoEngineering. Topics covered include molecular mechanics, energy minimization, statistical mechanics, molecular dynamics simulations, and Monte Carlo simulations. Students will get hands-on training in running simulations and analyzing simulation results. " }, - "PSYC 191": { - "prerequisites": [], - "name": "Psychology of Sleep", - "description": "Selected topics in the field of psychology. May be taken for credit three times as topics vary. ** Upper-division standing required ** " + "NANO 111": { + "prerequisites": [ + "NANO 102" + ], + "name": "Characterization of NanoEngineering Systems", + "description": "Fundamentals and practice of methods to image, measure, and analyze materials and devices that are structured at the nanometer scale. Optical and electron microscopy; scanning probe methods; photon-, ion-, electron-probe methods, spectroscopic, magnetic, electrochemical, and thermal methods. " }, - "PSYC 192": { - "prerequisites": [], - "name": "Senior Seminar in Psychology", - "description": "Selected laboratory topics in the field of psychology. May be taken for credit two times as topics vary. ** Upper-division standing required ** " + "NANO 112": { + "prerequisites": [ + "NANO 102", + "NANO 104", + "NANO 111" + ], + "name": "Synthesis and Fabrication of NanoEngineering Systems", + "description": "Introduction to methods for fabricating materials and devices in NanoEngineering. Nano-particle, -vesicle, -tube, and -wire synthesis. Top-down methods including chemical vapor deposition, conventional and advanced lithography, doping, and etching. Bottom-up methods including self-assembly. Integration of heterogeneous structures into functioning devices. " }, - "PSYC 193": { + "NANO 114": { "prerequisites": [ - "PSYC 110", - "PSYC 111A-B" + "MATH 20F", + "and", + "NANO 15", + "MAE 8" ], - "name": "Topics in Psychology", - "description": "This course provides the opportunity for students to plan and carry out a research project under the guidance of the psychology faculty. Students will write a proposal for the research that they plan to conduct in 194B-C and will present this proposal to the class. Must be taken for a letter grade for the Psychology Honors Program. " + "name": "Probability and Statistical Methods for Engineers", + "description": "Probability theory, conditional probability, Bayes theorem, discrete random variables, continuous random variables, expectation and variance, central limit theorem, graphical and numerical presentation of data, least squares estimation and regression, confidence intervals, testing hypotheses. Cross-listed with CENG 114. Students may not receive credit for both NANO 114 and CENG 114. " }, - "PSYC 193L": { + "NANO 120A": { "prerequisites": [ - "PSYC 194A" + "NANO 110" ], - "name": "Psychology Laboratory Topics", - "description": "This course provides the opportunity for students to continue to carry out their research projects. Must be taken for a letter grade for the Psychology Honors Program. " + "name": "NanoEngineering System Design I", + "description": "Principles of product design and the design process. Application and integration of technologies in the design and production of nanoscale components. Engineering economics. Initiation of team design projects to be completed in NANO 120B. " }, - "PSYC 194A": { + "NANO 120B": { "prerequisites": [ - "PSYC 194B" + "NANO 120A" ], - "name": "Honors Thesis I", - "description": "This course provides the opportunity for students to complete their research, write their honors thesis, and present their results at the Honors Poster Session. Must be taken for a letter grade for the Psychology Honors Program. " + "name": "NanoEngineering System Design II", + "description": "Principles of product quality assurance in design and production. Professional ethics. Safety and design for the environment. Culmination of team design projects initiated in NANO 120A with a working prototype designed for a real engineering application. " }, - "PSYC 194B": { + "NANO 134": { "prerequisites": [], - "name": "Honors Thesis II", - "description": "Introduction to teaching a psychology course. As an undergraduate instructional apprentice, students will attend the lectures of the course, hold weekly meetings with students of the course, hold weekly meetings with course instructor. Responsibilities may include class presentations, designing and leading weekly discussion sections, assisting with homework and exam grading, and monitoring and responding to online discussion posts. P/NP grades only. May be taken for credit two times. Only four units can be applied toward the psychology minor or major as upper-division psychology elective credit. " + "name": "Polymeric Materials", + "description": "Foundations of polymeric materials. Topics: structure of polymers; mechanisms of polymer synthesis; characterization methods using calorimetric, mechanical, rheological, and X-ray-based techniques; and electronic, mechanical, and thermodynamic properties. Special classes of polymers: engineering plastics, semiconducting polymers,\u00a0photoresists, and polymers for medicine. Cross-listed with CENG 134.\u00a0Students may not receive credit for both\u00a0CENG\u00a0134 and\u00a0NANO\u00a0134. " }, - "PSYC 194C": { + "NANO 141A": { + "prerequisites": [ + "PHYS 2A" + ], + "name": "Engineering Mechanics I: Analysis of Equilibrium", + "description": "Newton\u2019s laws. Concepts of force and moment vector. Free body diagrams. Internal and external forces. Equilibrium of concurrent, coplanar, and three-dimensional system of forces. Equilibrium analysis of structural systems, including beams, trusses, and frames. Equilibrium problems with friction. " + }, + "NANO 141B": { + "prerequisites": [ + "NANO 141A" + ], + "name": "Engineering Mechanics II: Analysis of Motion", + "description": "Newton\u2019s laws of motion. Kinematic and kinetic \u200bdescription of particle motion. Angular momentum. Energy and work principles. Motion of the system of interconnected particles.\u00a0Mass center. Degrees of freedom. Equations of planar motion of rigid bodies. Energy methods. Lagrange\u2019s equations of motion. Introduction to vibration. Free and forced vibrations of a single degree of freedom system. Undamped and damped vibrations. Application to NanoEngineering problems.\u00a0" + }, + "NANO 146": { + "prerequisites": [ + "NANO 103", + "and" + ], + "name": "Nanoscale Optical Microscopy and Spectroscopy", + "description": "Fundamentals in optical imaging and spectroscopy at the nanometer scale. Diffraction-limited techniques, near-field methods, multi-photon imaging and spectroscopy, Raman techniques, Plasmon-enhanced methods, scan-probe techniques, novel sub-diffraction-limit imaging techniques, and energy transfer methods. " + }, + "NANO 148": { "prerequisites": [], - "name": "Honors Thesis III", - "description": "Weekly research seminar, three quarter research project under faculty guidance which culminates in a thesis. Must be taken for a letter grade to satisfy major requirements for Department of Psychology majors. " + "name": "Thermodynamics of Materials", + "description": "Fundamental laws of thermodynamics for simple substances; application to flow processes and to nonreacting mixtures; statistical thermodynamics of ideal gases and crystalline solids; chemical and materials thermodynamics; multiphase and multicomponent equilibria in reacting systems; electrochemistry. " }, - "PSYC 195": { + "NANO 150": { + "prerequisites": [ + "NANO 108" + ], + "name": "Mechanics of Nanomaterials", + "description": "Introduction to mechanics of rigid and deformable bodies. Continuum and atomistic models, interatomic forces and intermolecular interactions. Nanomechanics, material defects, elasticity, plasticity, creep, and fracture. Composite materials, nanomaterials, biological materials. " + }, + "NANO 156": { "prerequisites": [], - "name": "Instruction in Psychology", - "description": "Group study under the direction of a faculty member in the Department of Psychology. " + "name": "Nanomaterials", + "description": "Basic principles of synthesis techniques, processing, microstructural control, and unique physical properties of materials in nanodimensions. Nanowires, quantum dots, thin films, electrical transport, optical behavior, mechanical behavior, and technical applications of nanomaterials. Cross-listed with MAE 166. " }, - "PSYC 196A-B-C": { + "NANO 158": { + "prerequisites": [ + "NANO 108", + "and", + "NANO 148" + ], + "name": "Phase Transformations and Kinetics", + "description": "Materials and microstructures changes. Understanding of diffusion to enable changes in the chemical distribution and microstructure of materials, rates of diffusion. Phase transformations, effects of temperature and driving force on transformations and microstructure. " + }, + "NANO 158L": { "prerequisites": [], - "name": "Research Seminar", - "description": "Independent study or laboratory research under direction of faculty in the Department of Psychology. P/NP grades only. May be taken for credit nine times. ** Upper-division standing required ** " + "name": "Materials Processing Laboratory", + "description": "Metal casting processes, solidification, deformation processing, thermal processing: solutionizing, aging, and tempering, joining processes such as welding and brazing. The effect of processing route on microstructure and its effect on mechanical and physical properties will be explored.\u00a0NanoEngineering majors have priority enrollment. " }, - "PSYC 198": { + "NANO 159": { + "prerequisites": [ + "CHEM 6A", + "CHEM 6B", + "CHEM 6C", + "CHEM 7L" + ], + "name": "Electrochemistry: Fundamentals and Applications", + "description": "Introduce fundamentals of electrochemical processes and electrode reactions to the principles of electrochemical techniques, instrumental requirements, and their diverse real-life applications in the energy, environmental, and diagnostics areas. " + }, + "NANO 161": { + "prerequisites": [ + "NANO 108" + ], + "name": "Material Selection in Engineering", + "description": "Selection of materials for engineering systems, based on constitutive analyses of functional requirements and material properties. The role and implications of processing on material selection. Optimizing material selection in a quantitative methodology. NanoEngineering majors receive priority enrollment. ** Department approval required ** " + }, + "NANO 164": { + "prerequisites": [ + "NANO 101", + "NANO 102", + "NANO 148" + ], + "name": "Advanced Micro- and Nano-materials for Energy Storage and Conversion", + "description": "Materials for energy storage and conversion in existing and future power systems, including fuel cells and batteries, photovoltaic cells, thermoelectric cells, and hybrids. " + }, + "NANO 168": { + "prerequisites": [ + "NANO 102", + "and", + "NANO 104" + ], + "name": "Electrical, Dielectric, and Magnetic Properties of Engineering Materials", + "description": "Introduction to physical principles of electrical, dielectric, and magnetic properties. Semiconductors, control of defects, thin film, and nanocrystal growth, electronic and optoelectronic devices. Processing-microstructure-property relations of dielectric materials, including piezoelectric, pyroelectric and ferroelectric, and magnetic materials. " + }, + "NANO 174": { + "prerequisites": [ + "NANO 108" + ], + "name": "Mechanical Behavior of Materials", + "description": "Microscopic and macroscopic aspects of the mechanical behavior of engineering materials, with emphasis on recent development in materials characterization by mechanical methods. The fundamental aspects of plasticity in engineering materials, strengthening mechanisms, and mechanical failure modes of materials systems. " + }, + "NANO 174L": { + "prerequisites": [ + "NANO 174" + ], + "name": "Mechanical Behavior Laboratory", + "description": "Experimental investigation of mechanical behavior of engineering materials. Laboratory exercises emphasize the fundamental relationship between microstructure and mechanical properties, and the evolution of the microstructure as a consequence of rate process. " + }, + "NANO 199": { "prerequisites": [], - "name": "Directed Group Study in Psychology", - "description": "\u00a0 " + "name": "Independent Study for Undergraduates", + "description": "Independent reading or research on a problem by special arrangement with a faculty member. P/NP grades only. " }, - "PSYC 199": { + "CENG 4": { "prerequisites": [], - "name": "Independent Study", - "description": "The first part of a series of intensive courses in statistical methods and the mathematical treatment of data, with special reference to research in psychology." + "name": "Experience Chemical Engineering", + "description": "Principles of chemical process design and\n\t\t\t\t economics. Process flow diagrams and cost estimation. Computer-aided design\n\t\t\t\t and analysis. Representation of the structure of complex, interconnected\n\t\t\t\t chemical processes with recycle streams. Ethics and professionalism. Health,\n\t\t\t\t safety, and the environmental issues. ** Consent of instructor to enroll possible **" }, - "CGS 2A": { + "CENG 15": { "prerequisites": [], - "name": "Introduction to Critical Gender Studies: Key Terms and Concepts ", - "description": "This course will be a general introduction to the key terms, issues, and concepts in the fields of gender and sexuality studies. " + "name": "Engineering Computation Using Matlab", + "description": "Engineering and economic analysis of integrated\n\t\t\t\t chemical processes, equipment, and systems. Cost estimation, heat and mass\n\t\t\t\t transfer equipment design and costs. Comprehensive integrated plant design.\n\t\t\t\t Optimal design. Profitability. " }, - "CGS 2B": { + "CENG 15R": { "prerequisites": [], - "name": "Introduction to Critical Gender Studies: Social Formations ", - "description": "An introduction to the social relations of power that are shaped by and that shape gender and sexuality. It will build more on the basic concepts and skills introduced in CGS 2A. " + "name": "Engineering Computation Using Matlab Online", + "description": "Foundations of polymeric materials. Topics: structure of polymers; mechanisms of polymer synthesis; characterization methods using calorimetric, mechanical, rheological, and X-ray-based techniques; and electronic, mechanical, and thermodynamic properties. Special classes of polymers: engineering plastics, semiconducting polymers, photoresists, and polymers for medicine.\u00a0Cross-listed with\u00a0NANO\u00a0134. Students may not receive credit for both\u00a0CENG\u00a0134 and\u00a0NANO\u00a0134. " }, - "CGS 87": { + "CENG\n\t\t 100": { "prerequisites": [], - "name": "Critical\n\t\t Gender Studies Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small, seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " + "name": "Material and Energy Balances ", + "description": "Brief introduction to solid-state materials and devices. Crystal growth and purification. Thin film technology. Application of chemical processing to the manufacture of semiconductor devices. Topics to be covered: physics of solids, unit operations of solid state materials (bulk crystal growth, oxidation, vacuum science, chemical and physical vapor deposition, epitaxy, doping, etching).\u00a0" }, - "CGS 100A": { + "CENG 101A": { "prerequisites": [ - "CGS 2A-B", - "CGS upper-division" + "MAE 170" ], - "name": "Conceptualizing Gender: Theoretical Approaches ", - "description": "This course explores the significance of gender as a category of analysis by examining diverse theoretical frameworks from the field of critical gender studies. Particular attention is given to gender in relation to race, class, sexuality, nation, (dis)ability, and religion. Students will not receive credit for both CGS 100 and 100A. " - }, - "CGS 100B": { - "prerequisites": [], - "name": "Conceptualizing Gender: Methods and Methodologies", - "description": "The global effects of modernity, modernization, and globalization on men and women. Topics: international consumer culture; international divisions of labor; construction of sexuality and gender within global movements; and the migrations of people, capital, and culture. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Introductory Fluid Mechanics", + "description": "Laboratory projects in the areas of applied\n\t\t\t\t chemical research and unit operations. Emphasis on applications of engineering\n\t\t\t\t concepts and fundamentals to solution of practical and research problems. ** Consent of instructor to enroll possible **" }, - "CGS 101": { + "CENG 101B": { "prerequisites": [], - "name": "Gender, Modernity, and Globalization", - "description": "Examines the different methodologies and disciplinary histories that together constitute the interdisciplinary project called queer studies. Of particular interest will be how these different methodologies and history construe and construct the relations between gender, race, class, and nation. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Heat Transfer", + "description": "Training in planning research projects, execution\n\t\t\t\t of experimental work, and articulation (both oral and\n\t\t\t\t written) of the research plan and results in the areas of applied chemical\n\t\t\t\t technology and engineering operations related to mass, momentum, and heat\n\t\t\t transfer. " }, - "CGS 105": { + "CENG 101C": { "prerequisites": [], - "name": "Queer Theory", - "description": "Explores the legal treatment of discrimination on the basis of gender, including equal protection doctrine and some statutory law such as Title VII. Topics include the meaning of gender equality in such areas as single-sex education, military service, sexual harassment, discrimination on the basis of pregnancy, and other current issues. " + "name": "Mass Transfer", + "description": "Independent reading or research on a problem\n\t\t\t\t by special arrangement with a faculty member. P/NP grades only. ** Consent of instructor to enroll possible **" }, - "CGS 106": { + "CENG 102": { "prerequisites": [], - "name": "Gender and the Law", - "description": "(Cross-listed with LTCS 108.) This course explores the idea of artificial intelligence in both art and science, its relation to the quest to identify what makes us human, and the role gender and race have played in both. Students may not receive credit for CGS 108 and LTCS 108." + "name": "Chemical Engineering Thermodynamics", + "description": "Each graduate student in chemical engineering is expected\n\t\t\t\t to attend one seminar per quarter, of his or her choice, dealing with current\n\t\t\t topics in chemical engineering. Topics will vary. P/NP grades only. May be taken for credit four times." }, - "CGS 108": { + "CENG 113": { "prerequisites": [], - "name": "Gender, Race, and Artificial Intelligence", - "description": "Various approaches to the study of gendered bodies. Possible topics to include masculinities/femininities; lifecycles; biology, culture, and identity; medical discourses; and health issues. May be taken for credit three times when topics vary. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Chemical Reaction Engineering", + "description": "Introduction to nanomedicine; diffusion and\n\t\t\t\t drug dispersion; diffusion in biological systems; drug permeation\n\t\t\t\t through biological barriers; drug transport by fluid motion;\n\t\t\t\t pharmacokinetics of drug distribution; drug delivery systems;\n\t\t\t\t nanomedicine in practice: cancers, cardiovascular diseases,\n\t\t\t\t immune diseases, and skin diseases. Cross-listed with NANO 243. Students may not receive credit for both CENG 207 and NANO 243." }, - "CGS 111": { + "CENG 114": { "prerequisites": [], - "name": "Gender and the Body", - "description": "(Cross-listed with ETHN 127.) This course explores the nexus of sex, race, ethnicity, gender, and nation and considers their influence on identity, sexuality, migration movement and borders, and other social, cultural, and political issues that these constructs affect. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Probability and Statistical Methods for Engineers", + "description": "Basic engineering principles of nanofabrication.\n\t\t\t\t Topics include photo, electron beam, and nanoimprint lithography, block\n\t\t\t\t copolymers and self-assembled monolayers, colloidal assembly, biological\n\t\t\t\t nanofabrication. Cross-listed with NANO 208. Students may not receive credit for both CENG 208 and NANO 208." }, - "CGS 112": { - "prerequisites": [], - "name": "Sexuality and Nation", - "description": "Examines gender and sexuality in artistic practices: music, theatre, dance, performance, visual arts, and new media. Topics may include study of specific artists, historical moments, genres, cross-cultural analyses, and multiculturalism. May be taken three times when topics vary. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "CENG\n\t\t 120": { + "prerequisites": [ + "MAE 101A-B", + "and", + "MAE 110A" + ], + "name": "Chemical Process Dynamics and Control", + "description": "Basic conservation laws, flow kinematics. The Navier-Stokes equations and some of its exact solutions, nondimensional parameters and different flow regimes, vorticity dynamics. Cross-listed with MAE 210A. ** Consent of instructor to enroll possible **" }, - "CGS 113": { + "CENG 122": { "prerequisites": [], - "name": "Gender and Sexuality in the Arts", - "description": "(Cross-listed with ETHN 183.) Gender is often neglected in studies of ethnic/racial politics. This course explores the relationship of race, ethnicity, class, and gender by examining the participation of working-class women of color in community politics and how they challenge mainstream political theory." + "name": "Separation Processes", + "description": "Understanding nanotechnology,\n broad implications; miniaturization: scaling laws; nanoscale\n physics; types and properties of nanomaterials; nanomechanical\n oscillators, nano(bio)electronics, nanoscale heat transfer;\n fluids at nanoscale; machinery cell; applications of nanobiotechnology\n and nanobiotechnology. Cross-listed with NANO 201. Students may not receive credit for both CENG 211 and NANO 201." }, - "CGS 114": { + "CENG 124A": { "prerequisites": [], - "name": "Gender, Race, Ethnicity, and Class", - "description": "(Cross-listed with ANSC 117.) This course contrasts mainstream Anglo-American conceptualizations of transgenderism with ethnographic accounts of the experiences and practices of gender expansive people of color (African, Native, Asian/Pacific Islander, and Latinx Americans) in the United States and abroad. It will question the idea of transgenderism as a crossing from one gender to another one, the distinction between gender identity and sexuality, and the analytic of intersectionality. Students will not receive credit for both CGS 117 and ANSC 117." + "name": "Chemical Plant and Process Design I", + "description": "Development of quantitative understanding of the different\n intermolecular forces between atoms and molecules and how these\n forces give rise to interesting phenomena at the nanoscale,\n such as flocculation, wetting, and self-assembly in biological\n (natural) and synthetic systems.\u00a0Cross-listed with NANO 202. Students may not receive credit for both CENG 212 and NANO 202." }, - "CGS 117": { + "CENG\n\t\t 124B": { "prerequisites": [], - "name": "Transgenderisms", - "description": "(Cross-listed with ANSC 186.) This course investigates the ways in which forces of racism, gendered violence, and state control intersect in the penal system. The prison-industrial complex is analyzed as a site where certain types of gendered and racialized bodies are incapacitated, neglected, or made to die. Students may not receive credit for CGS 118 and ANSC 186. " + "name": "Chemical Plant and Process Design II", + "description": "Examination of nanoscale\n synthesis\u2014top-down and bottom-up; physical deposition; chemical\n vapor deposition; plasma processes; sol-gel processing; soft-lithography;\n self-assembly and layer-by-layer; molecular synthesis.\u00a0Nanoscale\n characterization; microscopy (optical and electron: SEM,\n TEM); scanning probe microscopes (SEM, AFM); profilometry;\n reflectometry, and ellipsometry; X-ray diffraction; spectroscopies\n (EDX, SIMS, Mass spec, Raman, XPS); particle size analysis;\n electrical, optical, magnetic, mechanical, thermal. Cross-listed with NANO 203. Students may not receive credit for both CENG 213 and NANO 203. " }, - "CGS 118": { + "CENG 134": { "prerequisites": [], - "name": "Gender and Incarceration", - "description": "(Cross-listed with LTCS 119.) The course explores the politics of pleasure in relation to the production, reception, and performance of Asian American identities in the mass media of film, video, and the internet. The course considers how the \"deviant\" sexuality of Asian Americans (e.g., hypersexual women and emasculated men) does more than uniformly harm and subjugate Asian American subjects. The texts explored alternate between those produced by majoritarian culture and the interventions made by Asian American filmmakers. Students may not receive credit for LTCS 119 and CGS 119." + "name": "Polymeric Materials", + "description": "Expanded mathematical analysis of topics introduced in CENG\n 212. Introduction of both analytical and numerical methods\n through application to problems in NanoEngineering. Nanoscale\n systems of interest include colloidal systems, block-copolymer\n based self-assembled materials, molecular motors made out of\n DNA, RNA, or proteins, etc. Nanoscale phenomena including self-assembly\n at the nanoscale, phase separation within confined spaces,\n diffusion through nanopores and nanoslits, etc. Modeling techniques\n include quantum mechanics, diffusion and kinetics theories,\n molecular dynamics, etc. Cross-listed with NANO 204. Students may not receive credit for both CENG 214 and NANO 204. ** Consent of instructor to enroll possible **" }, - "CGS 119": { + "CENG 157": { "prerequisites": [], - "name": "Asian American Film, Video, and New Media: The Politics of Pleasure", - "description": "(Cross-listed with ANSC 180.)\u00a0Drawing insight from anti-colonial and queer of color critique, this course critically examines the demands capitalism makes on us to perform gender, and how that relates to processes of exploitation and racialization. We will explore alternatives and develop strategies for navigating jobs in this system. Students may receive credit for one of the following: CGS 120, CGS 180, and ANSC 180." + "name": "Process Technology in the Semiconductor Industry", + "description": "Discussion of scaling issues\n and how to carry out the effective hierarchical assembly\n of diverse molecular and nanoscale components into higher\n order structures that retain the desired electronic/photonic,\n structural, mechanical, or catalytic properties at the microscale\n and macroscale levels. Novel ways to combine the best aspects\n of both top-down and bottom-up processes to create a totally\n unique paradigm change for the integration of heterogeneous\n molecules and nanocomponents into higher order structures. Cross-listed with NANO 205. Students may not receive credit for both CENG 215 and NANO 205.\u00a0" }, - "CGS 120": { + "CENG\n\t\t 176A": { "prerequisites": [ - "CGS 2A-B", - "CGS upper-division" + "MAE 101A-B-C" ], - "name": "Capitalism and Gender", - "description": "An interdisciplinary course focusing on one of a variety of topics in gender studies, such as gender and science, the body, reproductive technologies, and public policy. May be taken for credit three times when topics vary. " + "name": "Chemical Engineering Process Laboratory I", + "description": "Conduction, convection, and radiation heat transfer development of energy conservation equations. Analytical and numerical solutions to heat transport problems. Specific topics and applications vary. Cross-listed with MAE 221A. ** Consent of instructor to enroll possible **" }, - "CGS 121": { + "CENG\n\t\t 176B": { "prerequisites": [ - "CGS 2A-B", - "CGS upper-division" + "MAE 101A-B-C" ], - "name": "Selected Topics in Critical Gender Studies", - "description": "Focuses on the relationship between gender and culture from a multiplicity of perspectives. Possible topics could include gender and ethnicity, gender across class, and other topics to be examined in a cross-cultural framework. May be taken for credit two times when topics vary. " + "name": "Chemical Engineering Process Laboratory II", + "description": "Fundamentals of diffusive and convective mass transfer and mass transfer with chemical reaction. Development of mass conservation equations. Analytical and numerical solutions to mass transport problems. Specific topics and applications will vary. Cross-listed with MAE 221B. ** Consent of instructor to enroll possible **" }, - "CGS 122": { - "prerequisites": [ - "CGS 2A-B", - "CGS upper-division" - ], - "name": "Advanced Topics in Comparative Perspectives", - "description": "Legal treatment of gender, reproductive rights, and the family, particularly as evolving law, primarily in the U.S., has created conflicting rights, roles, and responsibilities. Topics include abortion, fetal rights, surrogacy, marriage, and child custody issues. Students will not receive credit for both CGS 107 and 123. " + "CENG\n\t\t 199": { + "prerequisites": [], + "name": "Independent Study for Undergraduates", + "description": "Advanced topics in characterizing nanomaterials using synchrotron X-ray sources. Introduction to synchrotron sources, X-ray interaction with matter, spectroscopic determination of electronic properties of nanomagnetic, structural determination using scattering techniques and X-ray imaging techniques. Cross-listed with NANO 230. Students may not receive credit for both CENG 230 and NANO 230." }, - "CGS 123": { - "prerequisites": [ - "CGS 2A-B", - "CGS upper-division" - ], - "name": "Gender and Reproductive Politics", - "description": "Explores how girls\u2019 sexualities are shaped by gender, race, class, educational and penal institutions, and sexual norms. Engages with interdisciplinary scholarship that examines how and why the topic of girls and sexuality has become a volatile subject of public debate, and the manner in which girls\u2019 sexualities are represented in various media, particularly film. Students will not receive credit for both CGS 116 and 124. " + "BNFO 283": [], + "BNFO 284": [], + "BNFO 285": [ + "MATH 283" + ], + "BNFO 286": [ + "MATH 283", + "MATH 281A", + "MATH 281C", + "FMPH 221", + "or", + "FMPH 222" + ], + "BNFO 294": [], + "BNFO 298": [], + "BNFO 299": [], + "BNFO 500": [], + "RELI 1": { + "prerequisites": [], + "name": "Introduction to Religion", + "description": "An introduction to the comparative study of religion, focusing on religious traditions of global significance. Although historical aspects of these traditions will be studied, emphasis will be placed on religious beliefs and practices as manifested in the contemporary world." }, - "CGS 124": { - "prerequisites": [ - "CGS 2A", - "or", - "CGS 2B", - "CGS upper-division" - ], - "name": "Girls and Sexuality: Moral Panics, Perils, and Pleasures", - "description": "For women of color, writing has been more than just artistic expression. Women of color have also used the written word to challenge dominant ideas of race, gender, desire, power, violence, and intimacy, and to construct new ways of knowing, writing, and being. This course examines writing by women of color to understand how literary texts can shape and reflect social and political contexts. " + "RELI 2": { + "prerequisites": [], + "name": "Comparative World Religions", + "description": "The aim of this course is to introduce students to the complex relationship between \u201ctechnoscience,\u201d as a broad field of inquiry into the global human practices of technology combined with scientific methods, ranging from biology to computer sciences and robotics, with religion in its complex social manifestations." }, - "CGS 125": { - "prerequisites": [ - "CGS 2A-B", - "ETHN 1", - "CGS or", - "or", - "ETHN upper-division" - ], - "name": "Women of Color Writers", - "description": "(Cross-listed with ETHN 137.) This course will focus on the intersection of labor, class, race, ethnicity, gender, sexuality, and immigration in Latina cultural production.\u00a0Examined from a socio-economic, feminist, and cultural perspective, class readings will allow for historically grounded analyses of these issues.\u00a0May be taken for credit three times. " + "RELI 3": { + "prerequisites": [], + "name": "Technoscience and Religion", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic related to the study of religion with a faculty member in a small seminar setting. Freshman seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen." }, - "CGS 137": { - "prerequisites": [ - "CGS 2A-B", - "ETHN 1", - "CGS or", - "or", - "ETHN upper-division" - ], - "name": "Latina Issues and Cultural Production", - "description": "(Cross-listed with ETHN 147.) An advanced introduction to historical and contemporary black feminisms in the United States and transnationally. Students will explore the theory and practice of black feminists/womanists and analyze the significance of black feminism to contemporary understandings of race, class, gender, and sexuality. Students may not receive credit for CGS 147 and ETHN 147. " + "RELI 87": { + "prerequisites": [], + "name": "Freshman Seminar in Religion", + "description": "This course provides an advanced introduction to assumptions and norms that shape the study of religion as an academic field; to significant debates within the field; and to tools and methods used for professional research within the field." }, - "CGS 147": { - "prerequisites": [ - "CGS 2A-B", - "ETHN 1", - "CGS or", - "or", - "ETHN upper-division" - ], - "name": "Black Feminisms, Past and Present", - "description": "(Cross-listed with ETHN 150.) Examines the role of the visual in power relations; the production of what we see regarding race and sexuality; the interconnected history of the caste system, plantation slavery, visuality and contemporary society; decolonial and queer counternarratives to visuality. Students may not receive credit for CGS 150 and ETHN 150. " + "RELI 101": { + "prerequisites": [], + "name": "Tools and Methods in the Study of Religion", + "description": "How does religiosity as a significant cultural component help mold gender and sexuality identities? The class offers topical investigations into this question. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CGS 150": { - "prerequisites": [ - "CGS 2A-B", - "ETHN 1", - "CGS or", - "or", - "ETHN upper-division" - ], - "name": "Visuality, Sexuality, and Race", - "description": "(Cross-listed with ETHN 165.)\u00a0This course will investigate the changing constructions of sexuality, gender, and sexuality in African American communities defined by historical period, region, and class. Topics will include the sexual division of labor, myths of black sexuality, the rise of black feminism, black masculinity, and queer politics. Students may not receive credit for CGS 165 and ETHN 165. " + "RELI 131": { + "prerequisites": [], + "name": "Topics in Religion and Sexuality", + "description": "Religious dogmas often develop in dialogue with alternative viewpoints that ultimately are rejected by heterodox by the dominant group. This class presents case studies in the interpretation of such ideological and sociological pairings using scriptural, literary, and analytic sources. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CGS 165": { - "prerequisites": [ - "CGS 2A-B", - "ETHN 1", - "CGS or", - "or", - "ETHN upper-division" - ], - "name": "Gender and Sexuality in African American Communities", - "description": "(Cross-listed with ETHN 187.) The construction and articulation of Latinx sexualities will be explored in this course through interdisciplinary and comparative perspectives. We will discuss how immigration, class, and norms of ethnicity, race, and gender determine the construction, expression, and reframing of Latinx sexualities. Students will not receive credit for both CGS 115 and 187. " + "RELI 132": { + "prerequisites": [], + "name": "Topics in Orthodoxy and Heterodoxy", + "description": "Topical studies in the history of religion in American society, ranging from the Puritans to the New Age. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CGS 187": { + "RELI 134": { "prerequisites": [], - "name": "Latinx Sexualities", - "description": "Interdisciplinary readings in feminist theory and research methodology to prepare students for writing an honors thesis. Open to critical gender studies majors who have been admitted to Critical Gender Studies Honors Program. May be applied toward primary concentration in critical gender studies major. ** Consent of instructor to enroll possible **" + "name": "Topics in American Religion", + "description": "This interdisciplinary course will explore the historical and theoretical relationship between public sphere and religion, particularly focusing on the manifestation of religious power, public ritual, and sacred theatricality in everyday spaces of life. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CGS 190": { + "RELI 141": { "prerequisites": [], - "name": "Honors Seminar", - "description": "A program of independent study providing candidates for critical gender studies honors to develop, in consultation with an adviser, a preliminary proposal for the honors thesis. An IP grade will be awarded at the end of this quarter. A final grade for both quarters will be given upon completion of Critical Gender Studies 196B. ** Consent of instructor to enroll possible **" + "name": "Public Sphere and Religion", + "description": "Surveys the relationship between religion and modernity, in particular the problematic of the secularization theory; covers cases such as Catholic liberation theology and Islamic fundamentalism, with particular focus on the \u201cdeprivatization of modern religion.\u201d ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CGS 196A": { + "RELI 142": { "prerequisites": [], - "name": "Critical Gender Studies Honors Research ", - "description": "Honors thesis research and writing for students who have completed Critical Gender Studies 190 and 196A. A letter grade for both Critical Gender Studies 196A and 196B will be given at the completion of this quarter. ** Consent of instructor to enroll possible **" + "name": "Secularization and Religion", + "description": "This course explores religion as a system of bodily practices, rather than one of tenets or beliefs. How do day-to-day activities as well as significant rituals express and inform people\u2019s religious lives? Why is doctrine an insufficient basis for understanding religion? May be taken up to three times as topics vary. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CGS 196B": { + "RELI 143": { "prerequisites": [], - "name": "Honors Thesis", - "description": "Directed group study on a topic not generally included in the critical gender studies curriculum. ** Consent of instructor to enroll possible **" + "name": "Topics in Performing Religion", + "description": "Christianity frequently finds definition in contradistinction to an \u201cOther\u201d characterized as immoral, irrational, and malevolent. This class investigates how devils and demons as constructions of the \u201cOther\u201d have contributed to Christianity\u2019s growth and identity formation throughout history. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CGS 198": { + "RELI 144": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Tutorial; independent study on a topic not generally included in the curriculum. ** Consent of instructor to enroll possible **" + "name": "Devils and Demons in Christianity", + "description": "This course will look at the relationship between information communication technologies (ICTs) and religion and how they have intersected or diverged in the course of history. We will look at both older and newer media, such as telegraph, radio, television, cassette tapes, internet, and satellite, and how they have been used by groups like Evangelical, Catholic, or Islamist movements in proliferation and transformation of ideas, rituals, ideologies, values, and diverse forms of sociability. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CGS 199": { + "RELI 145": { "prerequisites": [], - "name": "Independent Study", - "description": "This course, the first in the graduate specialization in Critical Gender Studies, is designed to give students a broad but advanced survey of historical and current research in studies of gender and sexuality in the arts, humanities, and social sciences. " + "name": "Communication, Technology, and Religion", + "description": "Topical studies in the religious beliefs, practices, and institutions of pre-Christian Europe and near East. May be repeated for credit up to three times when topics vary. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "HMNR 100/HITO 119": { + "RELI 146": { "prerequisites": [], - "name": "Introduction to Human Rights and Global Justice", - "description": "Explores where human rights come from and what they mean by integrating them into a history of modern society, from the Conquest of the Americas and the origins of the Enlightenment, to the Holocaust and the contemporary human rights regime. " + "name": "Topics in the Religions of Antiquity", + "description": "This course explores the history of how western Europe was converted from its indigenous pagan religions to the imported religion we know as Christianity. We will discuss conversion by choice and by force, partial or blended conversions, and the relationships between belief and culture. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "HMNR 101/ANSC 140": { + "RELI 147": { "prerequisites": [], - "name": "Human Rights II: Contemporary Issues", - "description": "Interdisciplinary discussion that outlines the structure and functioning of the contemporary human rights regime, and then delves into the relationship between selected human rights protections\u2014against genocide, torture, enslavement, political persecution, etc.\u2014and their violation, from early Cold War to the present. " + "name": "Pagan Europe and Its Christian Aftermath", + "description": "The course surveys women\u2019s formal and informal roles and activities in a number of faiths, examining how women\u2019s agency and activism may be constrained or fostered by religious ideologies and norms in various historical and political contexts. Examples are drawn from a range of male-centered religions (Islam, Judaism, Christianity, Buddhism), woman-centered religions (Sande, Afro-Brazilian, Z-ar Cult), and newly formed theologies (Womanist, Native American, and Mujerista; New Age feminist spiritualities). ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "FMPH 40": { + "RELI 148": { "prerequisites": [], - "name": "Introduction to Public Health", - "description": "This course provides an introduction to the infrastructure of public health; the analytical tools employed by public health practitioners; bio-psychosocial perspectives of public health problems; health promotion/disease prevention; quality assessment in public health; and legal and ethical concerns. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 40. Students may not receive credit for FPMU 40 and FMPH 40. " + "name": "Religion and Women\u2019s Activisms", + "description": "This course introduces the students to historical and social developments of Islam in the United States. Tracing Islam back to the African slaves, the course examines various Muslim communities in the United States, with a focus on African American Muslims, especially Malcolm X. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "FMPH 50": { + "RELI 149": { "prerequisites": [], - "name": "Primary Care and Public Health", - "description": "This course explores historical and current interactions, achievements, and challenges of primary care and public health. It will analyze the impact of common medical conditions such as obesity, diabetes, mental health disorders, and others on individuals, their families, and society. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 50. Students may not receive credit for FPMU 50 and FMPH 50. " + "name": "Islam in America", + "description": "The course is an introductory study of cinema and religion. It explores how cinema depicts religion and spiritual experience. A number of films will be studied to understand how cinematic and religious narratives and practices overlap and, at times, diverge in complex ways. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "FMPH 101": { - "prerequisites": [ - "FMPH 40" - ], - "name": "Epidemiology ", - "description": "This course covers the basic principles of epidemiology, with applications to investigations of noninfectious (\u201cchronic\u201d) and infectious diseases. Explores various study designs appropriate for disease surveillance and studies of etiology and prevention. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 101. Students may not receive credit for FMPH 101 and either FPMU 101 or FPMU 101A. " + "RELI 150": { + "prerequisites": [], + "name": "Religion and Cinema", + "description": "This course explores intersections between religious discourse and ecological discourse by considering texts from both that treat the human world as irreducibly interconnected with more-than-human worlds of nature and \u201cspirit.\u201d Themes include the ambivalence of wildness; the critique of anthropocentrism (human-centeredness); and the question of how religious emphasis on \u201cknowing (one\u2019s) place\u201d can create a sense of either human exceptionality, above nature, or embeddedness, within nature. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "FMPH 102": { - "prerequisites": [ - "FMPH 40" - ], - "name": "Biostatistics in Public Health ", - "description": "Fundamentals of biostatistics and basic methods for analysis of continuous and binary outcomes for one, two, or several groups. Includes: summarizing and displaying data; probability; statistical distributions; central limit theorem, confidence intervals, hypothesis testing; comparing means of continuous variables between two groups; comparing proportions between two groups; simple and multiple linear regression. Hands-on data analysis using software and statistical applications in public health. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 102. Students may not receive credit for FMPH 102 and either FPMU 101B or FPMU 102. " + "RELI 151": { + "prerequisites": [], + "name": "Deep Ecology: Knowing Place", + "description": "This course introduces students to historical and social developments of religion among Hispanic Americans. The course examines changing religious traditions and ritual practices among Hispanic Americans with a focus on Catholicism and (evangelical) Protestantism. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "FMPH 110": { - "prerequisites": [ - "FMPH 40", - "and" - ], - "name": "Health Behavior and Chronic Diseases", - "description": "This course introduces health behavior concepts through applications to chronic disease prevention. The focus is on smoking, dietary behaviors, and physical activity and is organized around relationships to health, measurement, influencing factors, interventions, and translation to public health practice. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 110. Students may not receive credit for FPMU 110 and FMPH 110. " + "RELI 153": { + "prerequisites": [], + "name": "Hispanic American Religions", + "description": "This course introduces students to historical and social developments of religion among Asian Americans. Tracing back to the mid-nineteenth century, the course examines changing religious traditions and ritual practices among Asian American communities. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "FMPH 120": { - "prerequisites": [ - "FMPH 40", - "and" - ], - "name": "Health Policies for Healthy Lifestyles", - "description": "This course covers the rationale for and effectiveness of policies to influence nutrition, physical activity, and substance use behavior. Policies include legalization, taxation, labeling, produce manufacturing, warning labels, licensing, marketing, and counter-marketing practices and restrictions on use. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 120. Students may not receive credit for FPMU 120 and FMPH 120. " + "RELI 154": { + "prerequisites": [], + "name": "Asian American Religions", + "description": "This course introduces students to historical and social developments of religion among African Americans. The course examines changing religious traditions and ritual practices among African Americans since slavery to the present era. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "FMPH 130": { - "prerequisites": [ - "FMPH 50", - "FMPH 101", - "and" - ], - "name": "Environmental and Occupational Health", - "description": "This core public health course addresses the fundamentals of environmental and occupational health, including identification of hazards, basic toxicology, risk assessment, prevention/protection, and regulatory/control policies. Specific environmental and occupational hazards and relevant case studies will be presented. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 130. Students may not receive credit for FPMU 130 and FMPH 130. " + "RELI 155": { + "prerequisites": [], + "name": "African American Religions", + "description": "This course will survey questions surrounding the \u201ccoevolution\u201d of human and technics and ways such processes are making new worlds of which we often feel a sense of perpetual disruption. We investigate posthuman not only in terms of new technological practices but spiritual experiences that bring about new understandings of being human in the world. " }, - "FMPH 180A": { - "prerequisites": [ - "FMPH 40", - "FMPH 50", - "FMPH 101", - "or", - "FMPH 102", - "and", - "FMPH 110" - ], - "name": "Public Health Advanced Practicum I", - "description": "Emphasizes key public health concepts including program planning, research design, and written/oral communication skills. Practicum done in combination with research, internship, or overseas experiences, completed after FMPH 180A. Open to public health majors with upper-division standing.Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 180A. Students may not receive credit for FPMU 180A and FMPH 180A. ** Department approval required ** " + "RELI 156": { + "prerequisites": [], + "name": "Posthuman Spirituality", + "description": "This course examines Japanese religions by studying various traditions including Buddhism, Christianity, and Shintoism and their influence on Japanese culture such as anime and cinema. Students must apply and be accepted into the Global Seminar Program." }, - "FMPH 180B": { + "RELI 157GS": { "prerequisites": [], - "name": "Public Health Advanced Practicum II", - "description": "Practicum participants will engage in an experiential learning program at a pre-approved practicum site. Students will participate in applied public health research and/or programs under supervision of UC San Diego faculty. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 180B. Students may not receive credit for FPMU 180B and FMPH 180B. ** Department approval required ** " + "name": "Religion in Japan", + "description": "This course looks at the relationship between literature and spirituality in Japan. The course explores this relationship in the works of Shusaku Endo, Hiromi Ito, Yasunari Kawabata, Haruki Murakami, and others. Students must apply and be accepted into the Global Seminar Program." }, - "FMPH 180C": { - "prerequisites": [ - "FMPH 180B" - ], - "name": "Public Health Advanced Practicum III", - "description": "Practicum participants will interpret and contextualize findings from the experiential learning program planned in 180A and completed during 180B. Oral and written presentations will focus on disseminating public health information in diverse formats. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 180C. Students may not receive credit for FPMU 180C and FMPH 180C. ** Department approval required ** " + "RELI 158GS": { + "prerequisites": [], + "name": "Japanese Literature and Spirituality", + "description": "This course explores Native American ways of life and religions; it also examines the impact of European invasion and colonization. " }, - "FMPH 191": { - "prerequisites": [ - "FMPH 40" - ], - "name": "Topics in Public Health", - "description": "Selected topics in the field of public health. Must be taken for a letter grade to be applied to the public health major. May be taken for credit up to three times. ** Department approval required ** " + "RELI 159GS": { + "prerequisites": [], + "name": "Native Religions", + "description": "Explores the complex relationship between religion and politics in a variety of historical and social contexts. The course examines a range of texts and case studies with a focus on the intersection of religion with politics. " }, - "FMPH 193": { - "prerequisites": [ - "FMPH 40", - "FMPH 50", - "FMPH 101", - "FMPH 102", - "and", - "FMPH 110" - ], - "name": "Public Capstone I", - "description": "This is the first of a two-part capstone series that serves as the culminating experience for the BS in public health (BSPH) majors. Students will integrate the skills and knowledge gained throughout the BSPH program and learn critical elements of public health research and practice.Must be taken for a letter grade to be applied to the public health major. ** Department approval required ** " + "RELI 160GS": { + "prerequisites": [], + "name": "Religion and Politics", + "description": "Students in this lecture will investigate important problems in the study of religion or the history of particular religions. May be repeated for credit up to three times when topics vary. " }, - "FMPH 194": { - "prerequisites": [ - "FMPH 40", - "FMPH 50", - "FMPH 101", - "FMPH 102", - "FMPH 110", - "FMPH 120", - "and", - "FMPH 193" - ], - "name": "Public Capstone II", - "description": "This is the second of a two-part capstone series that serves as the culminating experience for the BS in public health (BSPH) majors. Students will interpret and contextualize findings from their projects completed in the first part of the series. Oral and written presentations will focus on disseminating public health information in diverse formats.Must be taken for a letter grade to be applied to the public health major. ** Department approval required ** " + "RELI 188": { + "prerequisites": [], + "name": "Special Topics in Religion", + "description": "This seminar requires the intensive analysis of critical problems in the study of religion or the history of particular religions. May be repeated for credit up to three times when topics vary. ** Consent of instructor to enroll possible **" }, - "FMPH 195": { + "RELI 189": { "prerequisites": [], - "name": "Instruction in Public Health", - "description": "Introduction to teaching in a public health course. As an undergraduate instructional apprentice, students will attend the lectures of the course, weekly meetings with students of the course, and weekly meetings with the course instructor. Responsibilities may include class presentations, designing and leading weekly discussion sections, assisting with homework and exam grading, and monitoring and responding to online discussion posts. Renumbered from FPMU 195. FMPH 195 and/or FPMU 195 may be taken for credit for a combined total of two times. " + "name": "Seminar in Religion", + "description": "The senior seminar is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in religion at the upper-division level. Topics will vary from quarter to quarter. Senior seminars may be taken for credit up to four times, with a change in topic and permission of the department. Enrollment is limited to twenty students, with preference given to seniors." }, - "FMPH 196A": { + "RELI 192": { "prerequisites": [ - "FMPH 40", - "FMPH 50", - "FMPH 101", - "or", - "FMPH 102", - "and", - "FMPH 110" + "RELI 101" ], - "name": "Public Health Honors Practicum I", - "description": "This is the first of a three-part honors series that serves as the culminating experience for the BS in public health (BSPH) majors. Students review, reinforce, and complement skills and knowledge gained throughout the BSPH program, and prepare a proposal integrating critical elements of public health research and practice.Must be taken for a letter grade to be applied to the public health major. ** Department approval required ** " + "name": "Senior Seminar in Religion", + "description": "First quarter of a two-quarter sequence of individualized, directed-research courses for majors in which students learn firsthand the processes and practices of scholarly research in the study of religion, culminating in the completion of a thesis and an oral presentation. Students may not receive credit for both RELI 196H and RELI 196AH. ** Department approval required ** " }, - "FMPH 196B": { + "RELI 196AH": { "prerequisites": [ - "FMPH 196A" + "RELI 196A" ], - "name": "Public Health Honors Practicum II", - "description": "This is the second of a three-part honors series that serves as the culminating experience for the BS in public health majors. This course represents an experiential learning opportunity at a pre-approved community site. Under supervision of public health faculty and pertinent site representatives, students will refine and implement the public health proposal developed in the first part of the honors series. Must be taken for a letter grade to be applied to the public health major. ** Department approval required ** " + "name": "Honors Thesis in Religion", + "description": "Second quarter of a two-quarter sequence of individualized, directed-research courses for majors in which students learn firsthand the processes and practices of scholarly research in the study of religion, culminating in the completion of a thesis and an oral presentation. Students may not receive credit for both RELI 196H and RELI 196BH. ** Department approval required ** " }, - "FMPH 196C": { - "prerequisites": [ - "FMPH 196B" - ], - "name": "Public Health Honors Practicum III", - "description": "This is the third of a three-part honors series that serves as the culminating experience for the BS in public health majors. Students will analyze, interpret, and contextualize findings from their projects completed in the series. Oral and written communication will focus on disseminating public health information in diverse formats, and will include a presentation and an honors thesis. Must be taken for a letter grade to be applied to the public health major. " + "RELI 196BH": { + "prerequisites": [], + "name": "Honors Thesis in Religion", + "description": "A faculty member will direct a student in advanced readings on a topic not generally included in the Program for the Study of Religion\u2019s curriculum. Students must make arrangements with the program and individual faculty. May be repeated for credit up to three times for credit. " }, - "FMPH 199": { + "RELI 197": { "prerequisites": [], - "name": "Independent Study", - "description": "Individual undergraduate study or research not covered by the present course offerings. Study or research must be under the direction of a faculty member in the Department of Family Medicine and Public Health and approval must be secured from the faculty member prior to registering. P/NP grades only. Renumbered from FPMU 199. FMPH 199 and/or FPMU 199 may be taken for credit a combined total of six times.\u00a0 ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Directed Advanced Readings", + "description": "Independent research in religion under the supervision of a faculty member affiliated with the Program for the Study of Religion. This course may be repeated three times with program approval. (P/NP grades only.) " }, - "ECE 5": { + "DSGN 1": { "prerequisites": [], - "name": "Introduction to Electrical and Computer Engineering", - "description": "An introduction to electrical and computer engineering. Topics include circuit theory, assembly, and testing, embedded systems programming and debugging, transducer mechanisms and interfacing transducers, signals and systems theory, digital signal processing, and modular design techniques. " + "name": "Design of Everyday Things", + "description": "A project-based course examining how principles from cognitive science apply to the design of things simple (doors) and complex (new technology). Learn about affordances, constraints, mappings, and conceptual models. Learn observational and design skills. Become a human-centered design thinker. " }, - "ECE 15": { + "DSGN 90": { "prerequisites": [], - "name": "Engineering Computation", - "description": "Students learn the C programming language with an emphasis on high-performance numerical computation. The commonality across programming languages of control structures, data structures, and I/O is also covered. Techniques for using Matlab to graph the results of C computations are developed. " + "name": "Undergraduate Seminar", + "description": "Special topics in design are discussed. P/NP grades only. May be taken for credit four times when topics vary." }, - "ECE 16": { + "DSGN 99": { + "prerequisites": [], + "name": "Independent Study", + "description": "Independent literature or laboratory research by arrangement with and under direction of a design faculty member. P/NP grades only. May be taken for credit three times. " + }, + "DSGN 100": { "prerequisites": [ - "MAE 8", - "or", - "CSE 8B", - "or", - "CSE 11", - "or", - "ECE 15" + "DSGN 1" ], - "name": "Rapid Hardware and Software Design for Interfacing with the World", - "description": "Students are introduced to embedded systems concepts with structured development of a computer controller based on electromyogram (EMG) signals through four lab assignments through the quarter. Key concepts include sampling, signal processing, communication, and real-time control. Students will apply their prior knowledge in C (from ECE15) to program microcontrollers and will engage in data analysis using the Python programming language. " + "name": "Prototyping ", + "description": "Explores cognitive principles of thinking through making. Introduces methods and tools for prototyping user experiences. Students make various prototypes and participate in weekly critique sessions. Topics: experience design, rapid prototyping, sketching, bodystorming, cardboard modeling, UI hacking, and design theory. " }, - "ECE 17": { + "DSGN 119": { "prerequisites": [ - "CSE 8B", + "COMM 124A", "or", - "CSE 11", + "COGS 10", "or", - "ECE 15" + "DSGN 1" ], - "name": "Object-Oriented Programming: Design and Development with C++", - "description": "This course combines the fundamentals of object-oriented design in C++, with the programming, debugging, and testing practices used by modern software developers. Emphasizes the use of object-oriented techniques to model and reason about system design, and using modern C++ idioms, design patterns, and the Standard Template Library (STL) to develop solutions to systems engineering challenges that are more reliable, robust, scalable, and secure. " + "name": "Design at Large", + "description": "New societal challenges, cultural values, and technological opportunities are changing design\u2014and vice versa. The seminar explores this increased scale, real-world engagement, and disruptive impact. Invited speakers from UC San Diego and beyond share cutting-edge research on interaction, design, and learning. P/NP grades only. May be taken for credit up to four times. " }, - "ECE 25": { + "DSGN 160": { "prerequisites": [], - "name": "Introduction to Digital Design", - "description": "This course emphasizes digital electronics. Principles introduced in lectures are used in laboratory assignments, which also serve to introduce experimental and design methods. Topics include Boolean algebra, combination and sequential logic, gates and their implementation in digital circuits. (Course materials and/or program fees may apply.) " + "name": "Special Topics in Design", + "description": "Special topics in design. May be taken for credit three times when topics vary. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECE 30": { - "prerequisites": [ - "ECE 15", - "and" - ], - "name": "Introduction to Computer Engineering", - "description": "The fundamentals of both the hardware and\n\t\t\t\t software in a computer system. Topics include representation of information,\n\t\t\t\t computer organization and design, assembly and microprogramming, current\n\t\t\t\t technology in logic design. " + "DSGN 161": { + "prerequisites": [], + "name": "Design Project", + "description": "Special topics in design. May be taken for credit three times when topics vary. Recommended preparation: may require shop skills. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECE 35": { - "prerequisites": [ - "MATH 18", - "and", - "PHYS 2A" - ], - "name": "Introduction to Analog Design", - "description": "Fundamental circuit theory concepts, Kirchhoff\u2019s voltage and current laws, Thevenin\u2019s and Norton\u2019s theorems, loop and node analysis, time-varying signals, transient first order circuits, steady-state sinusoidal response. MATH 20C and PHYS 2B must be taken concurrently. Program or materials fees may apply. " + "DSGN 195": { + "prerequisites": [], + "name": "Instructional Apprenticeship in Design", + "description": "Students, under the direction of the instructor, lead laboratory or discussion sections, attend lectures, and meet regularly with the instructor to help prepare course materials and grade papers and exams. P/NP grades only. May be taken for credit two times. ** Consent of instructor to enroll possible **" }, - "ECE 45": { - "prerequisites": [ - "ECE 35" - ], - "name": "Circuits and Systems", - "description": "Steady-state circuit analysis, first and second order systems, Fourier Series and Transforms, time domain analysis, convolution, transient response, Laplace Transform, and filter design. " + "DSGN 198": { + "prerequisites": [], + "name": "Directed Group Study", + "description": "This directed group study course is for small groups of advanced students who wish to complete a one-quarter reading or research project under the mentorship of a faculty member. Students should contact faculty whose research interests them to discuss possible projects. P/NP grades only. May be taken for credit up to three times. ** Consent of instructor to enroll possible **" }, - "ECE 65": { - "prerequisites": [ - "ECE 35" - ], - "name": "Components and Circuits Laboratory", - "description": "Introduction to linear and nonlinear components and circuits. Topics will include two terminal devices, bipolar and field-effect transistors, and large and small signal analysis of diode and transistor circuits. (Program or materials fees may apply.) " + "DSGN 199": { + "prerequisites": [], + "name": "Independent Project", + "description": "This independent project course is for individual, advanced students who wish to complete a design project under the mentorship of a faculty member. Students should contact faculty whose research interests them to discuss possible projects. P/NP grades only. May be taken for credit three times. ** Consent of instructor to enroll possible **" }, - "ECE 85": { + "ENG 10": { "prerequisites": [], - "name": "iTunes 101: A Survey of Information Technology", - "description": "Topics include how devices such as iPods and iPhones generate, transmit, receive and process information (music, images, video, etc.), the relationship between technology and issues such as privacy and \u201cnet neutrality,\u201d and current topics related to information technology. " + "name": "Fundamentals of Engineering Applications", + "description": "Application-oriented, hands-on introduction to engineering mathematics and design processes. Key mathematical concepts as they apply to engineering, including solving systems of equations and least-squares regression. In-class activities using Python and Arduino will complement the lectures and provide students hands-on experience with solving real-world engineering problems related to design, manufacturing and prototyping, electronics, and data analysis." }, - "ECE 87": { + "ENG 15": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " + "name": "Engineer Your Success", + "description": "Engineer Your Success is designed to enhance your success as an engineering student (and later as an engineer) by developing key academic and personal skills. Learn how to study more effectively and uncover how to become the best engineer you can be. This course focuses on academic and personal planning, time management, study skills, and paths to personal growth. Activities include individual and collaborative exercises, personal reflections, and a final project. Students may take this course eighteen times." }, - "ECE 90": { + "ENG 20": { "prerequisites": [], - "name": "Undergraduate Seminar", - "description": "This seminar class will provide a broad review of current research topics in both electrical engineering and computer engineering. Typical subject areas are signal processing, VLSI design, electronic materials and devices, radio astronomy, communications, and optical computing. " + "name": "Introduction to Engineering Research", + "description": "Introduction to research in engineering. Topics include defining a research problem, finding and reading technical papers, technical writing, and effective practices for presenting research. Students propose an original research project. This course is for students in the Guided Engineering Apprenticeship in Research (GEAR). ** Department approval required ** " }, - "ECE 100": { + "ENG 100A": { "prerequisites": [ - "ECE 45", - "and", - "ECE 65" + "DOC 2", + "CAT 2", + "HUM 2" ], - "name": "Linear Electronic Systems", - "description": "Linear active circuit and system design. Topics include frequency response; use of Laplace transforms; design and stability of filters using operational amplifiers. Integrated lab and lecture involves analysis, design, simulation, and testing of circuits and systems. Program or materials fees may apply. " + "name": " Team Engineering", + "description": "Introduction to theory and practice of team\n\t\t\t\t engineering, including temperament and work styles; stages\n\t\t\t\t of team development; project management; communication, problem solving,\n\t\t\t\t and conflict resolution skills; creativity; leadership; social\n\t\t\t\t entrepreneurship; and ethics. Students\n\t\t\t\t may not receive credit for both ENG 100 and ENG 100A. ** Consent of instructor to enroll possible **" }, - "ECE 101": { + "ENG 100B": { "prerequisites": [ - "ECE 45" + "ENG 100A", + "or", + "ENG 100" ], - "name": "Linear Systems Fundamentals", - "description": "Complex variables. Singularities and residues. Signal and system analysis in continuous and discrete time. Fourier series and transforms. Laplace and z-transforms. Linear Time Invariant Systems. Impulse response, frequency response, and transfer functions. Poles and zeros. Stability. Convolution. Sampling. Aliasing. " + "name": "Engineering Leadership", + "description": "Engineering leadership attitudes,\n styles, principles, and approaches; stages of product development\n and evolution; strategic and critical thinking and problem\n solving for engineering projects; resource management; quality\n control; risk analysis and risk taking; engineering business\n economics, law, leadership and corporate ethics. Contact gordoncenter@ucsd.edu if you are unable to enroll in the course. ** Consent of instructor to enroll possible **" }, - "ECE 102": { - "prerequisites": [ - "ECE 65", - "and", - "ECE 100" - ], - "name": "Introduction to Active Circuit Design", - "description": "Nonlinear active circuits design. Nonlinear device models for diodes, bipolar and field-effect transistors. Linearization of device models and small-signal equivalent circuits. Circuit designs will be simulated by computer and tested in the laboratory. " + "ENG 100C": { + "prerequisites": [], + "name": "Technical Writing/Communication for Engineers and Scientist", + "description": "Principles and procedures of technical writing and professional communication. The course is ideal for students pursuing careers in science and/or engineering and covers organizing information, writing for technical forms such as proposals and abstracts, and designing visual aids." }, - "ECE 103": { + "ENG 100D": { "prerequisites": [ - "ECE 65", - "and", - "PHYS 2D", + "CAT 2", "or", - "PHYS 4D", - "and" + "DOC 2", + "or", + "HUM 2" ], - "name": "Fundamentals of Devices and Materials", - "description": "Introduction to semiconductor materials and devices. Semiconductor crystal structure, energy bands, doping, carrier statistics, drift and diffusion, p-n junctions, metal-semiconductor junctions. Bipolar junction transistors: current flow, amplification, switching, nonideal behavior. Metal-oxide-semiconductor structures, MOSFETs, device scaling. " + "name": "Design for Development", + "description": "An introduction to the practice of human-centered design and team engineering within a humanitarian context. Includes a group project designing a solution for a local or global nonprofit organization. Topics include design process, contextual listening, project management, needs and capacity assessment, stakeholder analysis, ethical issues, models of leadership, gender and cultural issues, sustainable community development, and social entrepreneurship. ENG 100D is the gateway course for the Global TIES program, but it is open to all undergraduate students. Please go to http://globalties.ucsd.edu for information about Global TIES. Recommended Preparation: one university-level mathematics course. " }, - "ECE 107": { + "ENG 100L": { "prerequisites": [ - "PHYS 2A\u2013C", - "and", - "ECE 45" + "ENG 100", + "or", + "ENG 100A", + "or", + "ENG 100D" ], - "name": "Electromagnetism", - "description": "Electrostatics and magnetostatics; electrodynamics;\n\t\t\t\t Maxwell\u2019s equations; plane waves; skin effect. Electromagnetics of\n\t\t\t\t transmission lines: reflection and transmission at discontinuities, Smith\n\t\t\t\t chart, pulse propagation, dispersion. Rectangular waveguides. Dielectric\n\t\t\t\t and magnetic properties of materials. Electromagnetics of circuits. " + "name": "Design for Development Lab ", + "description": "Faculty-directed, interdisciplinary, long-term humanitarian engineering, technology, and social innovation projects. Students work in teams to design, build, test, and deliver solutions to real-world problems experienced by nonprofit organizations and the communities they serve. ENG 100L is the laboratory course for the Global TIES program. Enrollment in this course is limited to students who have applied to and been accepted into the Global TIES program. Please go to http://globalties.ucsd.edu to apply to the program. May be taken for credit six times. ** Department approval required ** " }, - "ECE 108": { + "DSC 10": { + "prerequisites": [], + "name": "Principles of Data Science", + "description": "This introductory course develops computational thinking and tools necessary to answer questions that arise from large-scale datasets. This course emphasizes an end-to-end approach to data science, introducing programming techniques in Python that cover data processing, modeling, and analysis. " + }, + "DSC 20": { "prerequisites": [ - "ECE 25", - "or", - "CSE 140", - "and", - "and", - "ECE 30", - "or", - "CSE 30" + "DSC 10" ], - "name": "Digital Circuits", - "description": "A transistor-level view of digital integrated circuits. CMOS combinational logic, ratioed logic, noise margins, rise and fall delays, power dissipation, transmission gates. Short channel MOS model, effects on scaling. Sequential circuits, memory and array logic circuits. Three hours of lecture, one hour of discussion, three hours of laboratory. " + "name": "Programming and Basic Data Structures for Data Science", + "description": "Provides an understanding of the structures that underlie the programs, algorithms, and languages used in data science by expanding the repertoire of computational concepts introduced in DSC 10 and exposing students to techniques of abstraction. Course will be taught in Python and will cover topics including recursion, higher-order functions, function composition, object-oriented programming, interpreters, classes, and simple data structures such as arrays, lists, and linked lists. " }, - "ECE 109": { + "DSC 30": { "prerequisites": [ - "MATH 20A-B", - "MATH 20D", + "DSC 20" + ], + "name": "Data Structures and Algorithms for Data Science", + "description": "Builds on topics covered in DSC 20 and provides practical experience in composing larger computational systems through several significant programming projects using Java. Students will study advanced programming techniques including encapsulation, abstract data types, interfaces, algorithms and complexity, and data structures such as stacks, queues, priority queues, heaps, linked lists, binary trees, binary search trees, and hash tables. " + }, + "DSC 40A": { + "prerequisites": [ + "DSC 10", "MATH 20C", "or", "MATH 31BH", "and", - "MATH 31AH", + "MATH 18", "or", - "MATH 18" - ], - "name": "Engineering Probability and Statistics", - "description": "Axioms of probability, conditional probability,\n\t\t\t\t theorem of total probability, random variables, densities, expected values,\n\t\t\t\t characteristic functions, transformation of random variables, central limit\n\t\t\t\t theorem. Random number generation, engineering reliability, elements of\n\t\t\t\t estimation, random sampling, sampling distributions, tests for hypothesis.\n\t\t\t\t Students who completed MAE 108, MATH 180A\u2013B, MATH 183, MATH 186, ECON 120A, or ECON 120AH will not receive credit for ECE 109. " - }, - "ECE 111": { - "prerequisites": [ - "ECE 25", + "MATH 20F", "or", - "CSE 140" + "MATH 31AH" ], - "name": "Advanced Digital Design Project", - "description": "Advanced topics in digital circuits and systems. Use of computers and design automation tools. Hazard elimination, synchronous/asynchronous FSM synthesis, synchronization and arbitration, pipelining and timing issues. Problem sets and design exercises. A large-scale design project. Simulation and/or rapid prototyping. " + "name": "Theoretical Foundations of Data Science I", + "description": "This course, the first of a two-course sequence (DSC 40A-B), will introduce the theoretical foundations of data science. Students will become familiar with mathematical language for expressing data analysis problems and solution strategies, and will receive training in probabilistic reasoning, mathematical modeling of data, and algorithmic problem solving. DSC 40A will introduce fundamental topics in machine learning, statistics, and linear algebra with applications to data analysis. DSC 40A-B connect to DSC 10, 20, and 30 by providing the theoretical foundation for the methods that underlie data science. " }, - "ECE 115": { + "DSC 40B": { "prerequisites": [ - "ECE 16" + "DSC 40A" ], - "name": "Fast Prototyping", - "description": "Lab-based course. Students will learn how to prototype a mechatronic solution. Topics include cheap/accessible materials and parts; suppliers; fast prototyping techniques; useful electronic sketches and system integration shortcuts. Students will learn to materialize their electromechanical ideas and make design decisions to minimize cost, improve functionality/robustness. Labs will culminate toward a fully functional robot prototype for demonstration. ** Consent of instructor to enroll possible **" + "name": "Theoretical Foundations of Data Science II", + "description": "This course will introduce the theoretical foundations of data science. Students will become familiar with mathematical language for expressing data analysis problems and solution strategies, and will receive training in probabilistic reasoning, mathematical modeling of data, and algorithmic problem-solving. DSC 40B introduces fundamental topics in combinatorics, graph theory, probability, and continuous and discrete algorithms with applications to data analysis. DSC 40A-B connect to DSC 10, 20, and 30 by providing the theoretical foundation for the methods that underlie data science. " }, - "ECE 118": { + "DSC 80": { "prerequisites": [ - "ECE 30", - "or", - "CSE 30", + "DSC 30", "and", - "ECE 35" - ], - "name": "Computer Interfacing", - "description": "Interfacing computers and embedded controllers\n\t\t\t\t to the real world: busses, interrupts, DMA, memory mapping, concurrency,\n\t\t\t\t digital I/O, standards for serial and parallel communications, A/D, D/A,\n\t\t\t\t sensors, signal conditioning, video, and closed loop control. Students\n\t\t\t\t design and construct an interfacing project. (Course materials and/or program\n\t\t\t\t fees may apply.) " - }, - "ECE 120": { - "prerequisites": [ - "PHYS 2A\u2013C", - "MATH 20A\u2013B" - ], - "name": "Solar System Physics", - "description": "General introduction to planetary bodies,\n\t\t\t\t the overall structure of the solar system, and space plasma\n\t\t\t\t physics. Course emphasis will be on the solar atmosphere, how\n\t\t\t\t the solar wind is produced, and its interaction with both magnetized\n\t\t\t\t and unmagnetized planets (and comets). " - }, - "ECE 121A": { - "prerequisites": [ - "ECE 35" + "DSC 40A" ], - "name": "Power Systems Analysis and Fundamentals", - "description": "This course introduces concepts of large-scale power system analysis: electric power generation, distribution, steady-state analysis and economic operation. It provides the fundamentals for advanced courses and engineering practice on electric power systems, smart grid, and electricity economics. The course requires implementing some of the computational techniques in simulation software. " + "name": "The Practice and Application of Data Science", + "description": "The marriage of data, computation, and inferential thinking, or \u201cdata science,\u201d is redefining how people and organizations solve challenging problems and understand the world. This course bridges lower- and upper-division data science courses as well as methods courses in other fields. Students master the data science life-cycle and learn many of the fundamental principles and techniques of data science spanning algorithms, statistics, machine learning, visualization, and data systems. " }, - "ECE 121B": { - "prerequisites": [ - "ECE 121A" - ], - "name": "Energy Conversion", - "description": "Principles of electro-mechanical energy conversion, balanced three-phase systems, fundamental concepts of magnetic circuits, single-phase transformers, and the steady-state performance of DC and induction machines. Students may not receive credit for both ECE 121B and ECE 121. " + "DSC 90": { + "prerequisites": [], + "name": "Seminar in Data Science", + "description": "Students will learn about a variety of topics in data science through interactive presentations from faculty and industry professionals. " }, - "ECE 123": { - "prerequisites": [ - "ECE 107" - ], - "name": "Antenna Systems Engineering", - "description": "The electromagnetic and systems engineering of radio antennas for terrestrial wireless and satellite communications. Antenna impedance, beam pattern, gain, and polarization. Dipoles, monopoles, paraboloids, phased arrays. Power and noise budgets for communication links. Atmospheric propagation and multipath. " + "DSC 95": { + "prerequisites": [], + "name": "Tutor Apprenticeship in Data Science", + "description": "Students will receive training in skills and techniques necessary to be effective tutors for data science courses. Students will also gain practical experience in tutoring students on data science topics. " }, - "ECE 124": { - "prerequisites": [ - "ECE 121A" - ], - "name": "Motor Drives", - "description": "Power generation, system, and electronics. Topics include power semiconductor devices and characteristics, single-phase and three-phase half and full controlled AC-to-DC rectifiers, nonisolated/isolated DC-DC converters, power loss calculation, and thermal considerations, Snubber circuits. " + "DSC 96": { + "prerequisites": [], + "name": "Workshop in Data Science", + "description": "Students will explore topics and tools relevant to the practice of data science in a workshop format. The instructor works with students on guided projects to help students acquire knowledge and skills to complement their course work in the core data science classes. Topics vary from quarter to quarter. Students are strongly recommended to enroll in either DSC 10 or DSC 20 concurrently. " }, - "ECE 125A": { + "DSC 97": { "prerequisites": [ - "ECE 125A" + "MATH 31BH", + "and", + "MATH 18", + "or", + "MATH 31AH", + "and", + "DSC 20", + "and", + "DSC 40A" ], - "name": "Introduction to Power Electronics I", - "description": "Design and control of DC-DC converters, PWM rectifiers, single-phase and three-phase inverters, power management, and power electronics applications in renewable energy systems, motion control, and lighting. " - }, - "ECE 125B": { - "prerequisites": [], - "name": "Introduction to Power Electronics II", - "description": "Provides practical insights into the operation of the power grid. Covers the same subjects that actual power system operators\u2019 certification course covers. It systematically describes the vital grid operators\u2019 functions and the processes required to operate the system. Uses actual case histories, and real examples of best in-class approaches from across the nation and the globe. Presents the problems encountered by operators and the enabling solutions to remedy them. " + "name": "Internship in Data Science", + "description": "Individual research on a topic related to data science, by special arrangement with and under the direction of a UC San Diego faculty member, in connection with an internship at an organization. Internship work will inform but not necessarily define the research topic. The research topic is expected to promote the study of the principles and techniques involved in the internship work. May be taken for credit up to two times. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "ECE 128A": { + "DSC 98": { "prerequisites": [ - "ECE 35", + "MATH 31BH", "and", - "ECE 128A" + "MATH 18", + "or", + "MATH 31AH", + "and", + "DSC 20", + "and", + "DSC 40A" ], - "name": "Real World Power Grid Operation", - "description": "In-depth coverage of the future power grids. Covers the practical aspects of the technologies, their design and system implementation. Topics include the changing nature of the grid with renewable resources, smart meters, synchrophasors (PMU), microgrids, distributed energy resources, and the associated information and communications infrastructures. Presents actual examples and best practices. Students will be provided with various tools. " + "name": "Directed Group Study in Data Science", + "description": "Students will investigate a topic in data science through directed reading, discussion, and project work under the supervision of a faculty member. May be taken for credit up to two times. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "ECE 128B": { + "DSC 99": { "prerequisites": [ - "ECE 128B" + "MATH 31BH", + "and", + "MATH 18", + "or", + "MATH 31AH", + "and", + "DSC 20", + "and", + "DSC 40A" ], - "name": "Power Grid Modernization", - "description": "This course offers unique insight and practical answers through examples, of how power systems can be affected by weather and what/how countermeasures can be applied to mitigate them to make the system more resilient. Detailed explanations of the impacts of extreme weather and applicable industry standards and initiatives. Proven practices for successful restoration of the power grid, increased system resiliency, and ride-through after extreme weather providing real examples from around the globe. " + "name": "Independent Study in Data Science", + "description": "Students will participate in independent study or research in data science under the direction of a UC San Diego faculty member. May be taken for credit up to two times. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "ECE 128C": { + "DSC 100": { "prerequisites": [ - "PHYS 2C\u2013D" + "DSC 80", + "and", + "DSC 40B" ], - "name": "Power Grid Resiliency to Adverse Effects", - "description": "Electronic materials science with emphasis\n\t\t\t\t on topics pertinent to microelectronics and VLSI technology.\n\t\t\t\t Concept of the course is to use components in integrated circuits to discuss\n\t\t\t\t structure, thermodynamics, reaction kinetics, and electrical properties\n\t\t\t\t of materials. " + "name": "Introduction to Data Management", + "description": "This course is an introduction to storage and management of large-scale data using classical relational (SQL) systems, with an eye toward applications in data science. The course covers topics including the SQL data model and query language, relational data modeling and schema design, elements of cost-based query optimizations, relational data base architecture, and database-backed applications. " }, - "ECE 134": { + "DSC 102": { "prerequisites": [ - "ECE 103" + "DSC 100" ], - "name": "Electronic\n\t\t Materials Science of Integrated Circuits", - "description": "Crystal structure and quantum theory of solids; electronic band structure; review of carrier statistics, drift and diffusion, p-n junctions; nonequilibrium carriers, imrefs, traps, recombination, etc; metal-semiconductor junctions and heterojunctions. " + "name": "Systems for Scalable Analytics", + "description": "This course introduces the principles of computing systems and infrastructure for scaling analytics to large datasets. Topics include memory hierarchy, distributed systems, model selection, heterogeneous datasets, and deployment at scale. The course will also discuss the design of systems such as MapReduce/Hadoop and Spark, in conjunction with their implementation. Students will also learn how dataflow operations can be used to perform data preparation, cleaning, and feature engineering. " }, - "ECE 135A": { + "DSC 104": { "prerequisites": [ - "ECE 135A" + "DSC 102" ], - "name": "Semiconductor Physics", - "description": "Structure and operation of bipolar junction transistors, junction field-effect transistors, metal-oxide-semiconductor diodes and transistors. Analysis of dc and ac characteristics. Charge control model of dynamic behavior. " + "name": "Beyond Relational Data Management", + "description": "The course will introduce a variety of No-SQL data formats, data models, high-level query languages, and programming abstractions representative of the needs of modern data analytic tasks. Topics include hierarchical graph database systems, unrestricted graph database systems, array databases, comparison of expressive power of the data models, and parallel programming abstractions, including Map/Reduce and its descendants. " }, - "ECE 135B": { + "DSC 106": { "prerequisites": [ - "ECE 135B" + "DSC 80" ], - "name": "Electronic Devices", - "description": "Laboratory fabrication of diodes and field-effect transistors covering photolithography, oxidation, diffusion, thin film deposition, etching and evaluation of devices. (Course materials and/or program fees may apply.) " - }, - "ECE 136L": { - "prerequisites": [], - "name": "Microelectronics Laboratory", - "description": "A laboratory course covering the concept and practice of microstructuring science and technology in fabricating devices relevant to sensors, lab-chips and related devices. (Course materials and/or program fees may apply.) ** Upper-division standing required ** " + "name": "Introduction to Data Visualization", + "description": "Data visualization helps explore and interpret data through interaction. This course introduces the principles, techniques, and algorithms for creating effective visualizations. The course draws on the knowledge from several disciplines including computer graphics, human-computer interaction, cognitive psychology, design, and statistical graphics and synthesizes relevant ideas. Students will design visualization systems using D3 or other web-based software and evaluate their effectiveness. It is highly recommended that students take MATH 189 prior to taking DSC 106. " }, - "ECE 138L": { + "DSC 120": { "prerequisites": [ - "CSE 8B", - "or", - "CSE 11", + "MATH 18", "or", - "ECE 15" + "MATH 31AH", + "and", + "MATH 20C", + "and", + "DSC 40B" ], - "name": "Microstructuring\n\t\t Processing Technology Laboratory", - "description": "Building on a solid foundation of electrical and computer engineer skills, this course strives to broaden student skills in software, full-stack engineering, and concrete understanding of methods related to the realistic development of a commercial product. Students will research, design, and develop an IOT device to serve an emerging market. " + "name": "Signal Processing for Data Analysis", + "description": "This course will focus on ideas from classical and modern signal processing, with the main themes of sampling continuous data and building informative representations using orthonormal bases, frames, and data dependent operators. Topics include sampling theory, Fourier analysis, lossy transformations and compression, time and spatial filters, and random Fourier features and connections to kernel methods. Sources of data include time series and streaming signals and various imaging modalities. " }, - "ECE 140A": { + "DSC 170": { "prerequisites": [ - "ECE 140A" + "DSC 80" ], - "name": "The Art of Product Engineering I", - "description": "Building on a solid foundation of electrical and computer engineer skills, this course strives to broaden student skills in software, full-stack engineering, and concrete understanding of methods related to the realistic development of a commercial product. Students will research, design, and develop an IOT device to serve an emerging market. " + "name": "Spatial Data Science and Applications", + "description": "Spatial data science is a set of concepts and methods that deal with accessing, managing, visualizing, analyzing, and reasoning about spatial data in applications where location, shape and size of objects, and their mutual arrangement are important. This upper-division course explores advanced data science concepts for spatial data, introducing students to principles and techniques of spatial data analysis, including geographic information systems, spatial big data management, and geostatistics. " }, - "ECE 140B": { + "DSC 180A": { "prerequisites": [ - "CSE 30", + "DSC 102", + "and", + "MATH 189", + "and", + "CSE 151", "or", - "ECE 30" + "CSE 158" ], - "name": "The Art of Product Engineering II", - "description": "Software analysis, design, and development. Data structures, algorithms, and design and development idioms in C++. Students will gain broad experience using object-oriented methods and design patterns. Through increasingly difficult challenges, students will gain valuable real-world experience building, testing, and debugging software, and develop a robust mental model of modern software design and architecture. " + "name": "Data Science Project I", + "description": "In this two-course sequence students will investigate a topic and design a system to produce statistically informed output. The investigation will span the entire lifecycle, including assessing the problem, learning domain knowledge, collecting/cleaning data, creating a model, addressing ethical issues, designing the system, analyzing the output, and presenting the results. 180A deals with research, methodology, and system design. Students will produce a research summary and a project proposal. " }, - "ECE 141A": { + "DSC 180B": { "prerequisites": [ - "ECE 141A" + "DSC 106", + "and", + "DSC 180A" ], - "name": "Software Foundations I", - "description": "ECE 141B builds upon the solid C++ foundation of ECE 141A. Students will model and build a working database management solution in C++. Topics include STL, design patterns, parsing, searching and sorting, algorithmic thinking, and design partitioning. The course will continue to explore best practices in software development, debugging, and testing. " + "name": "Data Science Project II", + "description": "In this two-course sequence students will investigate a topic and design a system to produce statistically informed output. The investigation will span the entire lifecycle, including assessing the problem, learning domain knowledge, collecting/cleaning data, creating a model, addressing ethical issues, designing the system, analyzing the output, and presenting the results. 180B will consist of implementing the project while studying the best practices for evaluation. " }, - "ECE 141B": { - "prerequisites": [ - "ECE 16" + "DSC 190": { + "prerequisites": [], + "name": "Topics in Data Science", + "description": "Topics of special interest in data science. Topics vary from quarter to quarter. May be taken for credit up to two times. ** Department approval required ** " + }, + "DSC 191": { + "prerequisites": [], + "name": "Seminar in Data Science", + "description": "A seminar course on topics of current interest in data science. Topics may vary from quarter to quarter. May be taken for credit three times. ** Department approval required ** " + }, + "DSC 197": { + "prerequisites": [], + "name": "Data Science Internship", + "description": "Directed study and research at laboratories/institutions outside of campus. ** Consent of instructor to enroll possible ** ** Department approval required ** " + }, + "DSC 198": { + "prerequisites": [], + "name": "Directed Group Study in Data Science", + "description": "Data science topics whose study involves reading and discussion by a small group of students under supervision of a faculty member. May be taken for credit up to two times. ** Consent of instructor to enroll possible ** ** Department approval required ** " + }, + "DSC 199": { + "prerequisites": [], + "name": "Independent Study for Data Science Undergraduates", + "description": "Independent reading or research on a topic related to data science by special arrangement with a faculty member. May be taken for credit up to two times. ** Consent of instructor to enroll possible ** ** Department approval required ** " + }, + "DOC 1": { + "prerequisites": [], + "name": "Dimensions of Culture: Diversity", + "description": "This course focuses on sociocultural diversity in examining class, ethnicity, race, gender, and sexuality as significant markers of differences among persons. Emphasizing American society, it explores the cultural understandings of diversity and its economic, moral, and political consequences. Three hours of lecture, one hour of discussion. Open to Marshall College students only. (Letter grade only.) (F) " + }, + "DOC 2": { + "prerequisites": [], + "name": "Dimensions of Culture: Justice", + "description": "This course considers the nature of justice in philosophical, historical, and legal terms. Topics include racial justice, political representation, economic justice, gender and justice, the rights of cultural minorities, and crime and punishment. The course offers intensive instruction in writing university-level expository prose. Three hours of lecture, two hours of discussion and writing instruction. Open to Marshall College students only. (Letter grade only.) Prerequisite: completion of UC Entry Level Writing requirement. (W) " + }, + "DOC 3": { + "prerequisites": [], + "name": "Dimensions of Culture: Imagination", + "description": "Using the arts, this course examines the evolution of pluralistic culture to the modern period. There is a special emphasis on the interdisciplinary study of twentieth-century American culture, including music, literature, art, film, and photography. The course offers intensive instruction in writing university-level expository prose. Three hours of lecture, two hours of discussion and writing instruction. Open to Marshall College students only. (Letter grade only.) Prerequisite: completion of UC Entry Level Writing requirement. (S)" + }, + "DOC 100D": { + "prerequisites": [], + "name": "Dimensions of Culture: Promises and Contradictions in US Culture", + "description": "This course provides a broad overview of key historical contradictions in US history and explores the origins of social stratifications and movements.\u00a0Students acquire tools for analyzing national tensions. Central aspects include slavery, women\u2019s rights, and rising corporate power.\u00a0Course introduces concepts at the intersections of class, gender, religion, race, and sexuality.\u00a0Students learn to analyze and discuss complex historical/societal artifacts. Designed for two student sectors: 1) Marshall College transfer students who have not taken the DOC sequence, and 2) Transfer and other upper-division students from all six colleges who want to fulfill the campuswide diversity requirement. May be taken for credit two times. ** Upper-division standing required ** " + }, + "MAE 02": { + "prerequisites": [], + "name": "Introduction to Aerospace Engineering", + "description": "An introduction to topics in aeronautical and astronautical engineering including aerodynamics, propulsion, flight mechanics, structures, materials, orbital mechanics, design, mission planning, and environments. General topics include historical background, career opportunities, engineering ethics, and professionalism. " + }, + "MAE\n\t\t 03": { + "prerequisites": [ + "PHYS 2A" ], - "name": "Software Foundations II", - "description": "This course covers the fundamentals of using the Python language effectively for data analysis. Students learn the underlying mechanics and implementation specifics of Python and how to effectively utilize the many built-in data structures and algorithms. The course introduces key modules for data analysis such as Numpy, Pandas, and Matplotlib. Participants learn to leverage and navigate the vast Python ecosystem to find codes and communities of individual interest. " + "name": "Introduction to Engineering Graphics and Design", + "description": "Introduction to design process through a hands-on design project performed in teams. Topics include problem identification, concept generation, project management, risk reduction. Engineering graphics and communication skills are introduced in the areas of: Computer-Aided Design (CAD), hand sketching, and technical communication. Program or materials fees may apply. " }, - "ECE 143": { + "MAE 05": { + "prerequisites": [], + "name": "Quantitative Computer Skills", + "description": "Introductory course for nonengineering majors. Use of computers in solving problems; applications from life sciences, physical sciences, and engineering. Students run existing computer programs and complete some programming in BASIC. " + }, + "MAE 07": { + "prerequisites": [], + "name": "Spatial Visualization", + "description": "(Cross-listed with SE 7.) Spatial visualization is the ability to manipulate 2-D and 3-D shapes in one\u2019s mind. In this course, students will perform exercises that increase their spatial visualization skills. P/NP grades only. Students may not receive credit for SE 7 and MAE 7. " + }, + "MAE 08": { "prerequisites": [ - "CSE 11", - "or", - "CSE 8B", - "or", - "ECE 15" + "MATH 20A", + "and" ], - "name": "Programming for Data Analysis", - "description": "Develop, debug, and test LabVIEW VIs, solve problems using LabVIEW, use data acquisition, and perform signal processing and instrument control in LabVIEW applications. Groups of students will build an elevator system from laser-cut and 3-D printed parts; integrate sensors, motors, and servos; and program using state-machine architecture in LabVIEW. Students will have the opportunity to take the National Instruments Certified LabVIEW Associate Developer (CLAD) exam at the end of the quarter. Program or materials fees may apply. " + "name": "Matlab Programming for Engineering Analysis", + "description": "Computer programming in Matlab with elementary numerical analysis of engineering problems. Arithmetic and logical operations, arrays, graphical presentation of computations, symbolic mathematics, solutions of equations, and introduction to data structures. ** Consent of instructor to enroll possible **" }, - "ECE 144": { + "MAE 11": { "prerequisites": [ - "ECE 107" + "PHYS 2C", + "and", + "CHEM 6A" ], - "name": "LabVIEW Programming: Design and Applications", - "description": "Automated laboratory based on H-P GPIB controlled\n\t\t\t\t instruments. Software controlled data collection and analysis.\n\t\t\t\t Vibrations and waves in strings and bars of electromechanical\n\t\t\t\t systems and transducers. Transmissions, reflection, and scattering\n\t\t\t\t of sound waves in air and water. Aural and visual detection. ** Consent of instructor to enroll possible **" + "name": "Thermodynamics", + "description": "Fundamentals of engineering thermodynamics: energy, work, heat, properties of pure substances, first and second laws for closed systems and control volumes, gas mixtures. Application to engineering systems, power and refrigeration cycles, combustion. Renumbered from MAE 110A. Students may not receive credit for MAE 11 and MAE 110A. " }, - "ECE 145AL-BL-CL": { + "MAE 20": { "prerequisites": [ - "ECE 15", - "or", - "ECE 35", - "or", - "MAE 2", + "PHYS 2A", + "CHEM 6A", "or", - "MAE 3", - "and" + "CHEM 6AH", + "and", + "MATH 20C" ], - "name": "Acoustics Laboratory", - "description": "Fundamentals of autonomous vehicles. Working in small teams, students will develop 1:8 scale autonomous cars that must perform on a simulated city track. Topics include robotics system integration, computer vision, algorithms for navigation, on-vehicle vs. off-vehicle computation, computer learning systems such as neural networks, locomotion systems, vehicle steering, dead reckoning, odometry, sensor fusion, GPS autopilot limitations, wiring, and power distribution and management. Cross-listed with MAE 148. Students may not receive credit for ECE 148 and MAE 148. Program or materials fees may apply. ** Consent of instructor to enroll possible **" + "name": "Elements of Materials Science", + "description": "The structure of materials: metals, ceramics, glasses, semiconductors, superconductors, and polymers to produce desired, useful properties. Atomic structures. Defects in materials, phase diagrams, microstructural control. Mechanical and electrical properties are discussed. Time temperature transformation diagrams. Diffusion. " }, - "ECE 148": { - "prerequisites": [], - "name": "Introduction to Autonomous Vehicles", - "description": "A foundation course teaching the basics of starting and running a successful new business. Students learn how to think like entrepreneurs, pivot their ideas to match customer needs, and assess financial, market, and timeline feasibility. The end goal is an investor pitch and a business plan. Provides experiential education, encouragement, and coaching (\u201cE3CE\u201d) that prepares students for successful careers at startup as well as large companies. Counts toward one professional elective only. ** Consent of instructor to enroll possible **" + "MAE 21": { + "prerequisites": [ + "PHYS 2A", + "CHEM 6A", + "or", + "CHEM 6AH", + "and", + "MATH 20B" + ], + "name": "Aerospace Materials Science", + "description": "Atomic structure and physical properties of engineering materials including metals, ceramics, glasses, polymers, and composite materials. Defects and phase diagram of materials. Material testing and processing. Program or materials fees may apply. " }, - "ECE 150": { + "MAE 30A": { "prerequisites": [ - "ECE 109" + "PHYS 2A", + "and", + "MATH 31BH", + "or", + "MATH 20C" ], - "name": "Entrepreneurship for Engineers", - "description": "Random processes. Stationary processes: correlation, power spectral density. Gaussian processes and linear transformation of Gaussian processes. Point processes. Random noise in linear systems. " + "name": "Kinematics", + "description": "Statics: statics of particles and rigid bodies in 3-D. Free body diagrams. Moment of a force, couples, equivalent systems of forces. Distributed forces, centroids, and centers of gravity. Introduction to dynamics: 3-D relative motion, kinematics, and kinetics of particles. Newton\u2019s equations of motion. Equilibrium problems with friction. Enrollment restricted to engineering majors MC25, MC27, MC29, SE27. " }, - "ECE 153": { + "MAE 30B": { "prerequisites": [ - "ECE 101", - "and" + "MAE 30A" ], - "name": "Probability\n\t\t and Random Processes for Engineers", - "description": "Study of analog modulation systems including AM, SSB, DSB, VSB, FM, and PM. Performance analysis of both coherent and noncoherent receivers, including threshold effects in FM. " + "name": "Dynamics and Vibrations", + "description": "Dynamics: energy methods for motion of particles and rigid bodies, including virtual work, power, and Lagrange\u2019s equations. Impact and impulses. Systems of particles. Introduction to 3-D dynamics of rigid bodies. Introduction to vibrations: free and harmonically forced vibrations of undamped and damped single degree of freedom systems. Enrollment restricted to engineering majors only MC25, MC27, MC29, SE27. " }, - "ECE 154A": { + "MAE 40": { "prerequisites": [ - "ECE 101", - "or", - "BENG 122A", - "ECE 109", - "or", - "ECON 120A", - "or", - "MAE 108", - "or", - "MATH 180A", - "or", - "MATH 180B", + "MATH 20D", + "and", + "MATH 31AH", "or", - "MATH 183", + "MATH 18", "or", - "MATH 186", + "MATH 20F", "and", - "ECE 153" + "PHYS 2B" ], - "name": "Communications Systems I", - "description": "Design and performance analysis of digital modulation techniques, including probability of error results for PSK, DPSK, and FSK. Introduction to effects of intersymbol interference and fading. Detection and estimation theory, including optimal receiver design and maximum-likelihood parameter estimation. Renumbered from ECE 154B. Students may not receive credit for ECE 155 and ECE 154B. " + "name": "Linear Circuits", + "description": "Steady-state and dynamic behavior of linear, lumped-parameter electrical circuits. Kirchhoff\u2019s laws. RLC circuits. Node and mesh analysis. Operational amplifiers. Signal acquisition and conditioning. Electric motors. Design applications in engineering. " }, - "ECE 155": { + "MAE 87": { "prerequisites": [], - "name": "Digital Communications Theory", - "description": "Characteristics of chemical, biological, seismic, and other physical sensors; signal processing techniques supporting distributed detection of salient events; wireless communication and networking protocols supporting formation of robust sensor fabrics; current experience with low power, low cost sensor deployments. Undergraduate students must take a final exam; graduate students must write a term paper or complete a final project. Cross-listed with MAE 149 and SIO 238. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Freshman Seminar", + "description": "The Freshman Seminar program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges. Topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "ECE 156": { + "MAE 92A": { + "prerequisites": [], + "name": "Design\n\t\t Competition\u2014Design, Build, and Fly Aircraft", + "description": "(Cross-listed with SE 10A.) Student teams design, build, and fly unmanned aircraft for a national student competition. Students concentrate on vehicle system design including aerodynamics, structures, propulsion, and performance. Teams engineering, fabricate the aircraft, submit a design report, and prep aircraft for competition. ** Consent of instructor to enroll possible **" + }, + "MAE 93": { + "prerequisites": [], + "name": "Design Competition\u2014Design,\n\t\t\t\t Build, and Test Race Car", + "description": "Directed group study on a topic or in a field not included in the regular departmental curriculum. P/NP grades only. May be taken for credit two times. Credit may not be received for a course numbered 97, 98, or 99 subsequent to receiving credit for a course numbered 197, 198, or 199. " + }, + "MAE 98": { + "prerequisites": [], + "name": "Directed Group Study", + "description": "Independent study or research under direction of a member of the faculty. ** Upper-division standing required ** " + }, + "MAE 99H": { "prerequisites": [ - "ECE 109", - "or", - "ECON 120A", - "or", - "MAE 108", - "or", - "MATH 180A", - "or", - "MATH 180B", - "or", - "MATH 183", - "or", - "MATH 186", + "PHYS 2A", "and", - "ECE 161A" + "MATH 20D", + "and", + "MATH 20E", + "or", + "MATH 31CH" ], - "name": "Sensor Networks", - "description": "Experiments in the modulation and demodulation of baseband and passband signals. Statistical characterization of signals and impairments. (Course materials and/or program fees may apply.) " + "name": "Independent Study", + "description": "Fluid statics; fluid kinematics; integral and differential forms of the conservation laws for mass, momentum, and energy; Bernoulli equation; potential flows; dimensional analysis and similitude. ** Consent of instructor to enroll possible **" }, - "ECE 157A": { + "MAE 101A": { "prerequisites": [ - "ECE 154A" + "MAE 101A", + "and", + "MAE 11", + "or", + "MAE 110A" ], - "name": "Communications Systems Laboratory I", - "description": "Advanced projects in communication systems. Students will plan and implement design projects in the laboratory, updating progress weekly and making plan/design adjustments based upon feedback. (Course materials and/or program fees may apply.) " + "name": "Introductory Fluid Mechanics", + "description": "Laminar and turbulent flow. Pipe flow including\n\t\t\t\t friction factor. Boundary layers, separation, drag, and lift. Compressible\n\t\t\t flow including shock waves. ** Consent of instructor to enroll possible **" }, - "ECE 157B": { + "MAE 101B": { "prerequisites": [ - "ECE 109" + "MAE 101A", + "and", + "MAE 105" ], - "name": "Communications Systems Laboratory II", - "description": "Layered network architectures, data link control protocols and multiple-access systems, performance analysis. Flow control; prevention of deadlock and throughput degradation. Routing, centralized and decentralized schemes, static dynamic algorithms. Shortest path and minimum average delay algorithms. Comparisons. " + "name": "Advanced Fluid Mechanics", + "description": "Extension of fluid mechanics in MAE 101A\u2013B\n\t\t\t\t to viscous, heat-conducting flows. Application of the energy\n\t\t\t\t conservation equation to heat transfer in ducts and external\n\t\t\t\t boundary layers. Heat conduction and radiation transfer. Heat transfer\n\t\t\t\t coefficients in forced and free convection. Design applications. " }, - "ECE 158A": { + "MAE 101C": { "prerequisites": [ - "ECE 158A" + "MAE 101C" ], - "name": "Data Networks I", - "description": "Layered network architectures, data link control protocols and multiple-access systems, performance analysis. Flow control; prevention of deadlock and throughput degradation. Routing, centralized and decentralized schemes, static dynamic algorithms. Shortest path and minimum average delay algorithms. Comparisons. " + "name": "Heat Transfer", + "description": "Course builds on the MAE fluids sequence, offering more advanced concepts in conduction, convection, radiation, and heat exchanger design. This course covers numerical methods in conduction, boiling, condensation and evaporation analysis, natural and turbulent convection, spectral and directional radiative transfer, heatpipes, thermal design of spacecraft, heat exchanger analysis and design. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECE 158B": { + "MAE 101D": { "prerequisites": [ - "ECE 153" + "MAE 101A", + "and" ], - "name": "Data Networks II", - "description": "Introduction to information theory and coding, including entropy, average mutual information, channel capacity, block codes, and convolutional codes. Renumbered from ECE 154C. Students may not receive credit for ECE 159 and ECE 154C. " + "name": "Intermediate Heat Transfer", + "description": "Basic relations describing flow field around\n\t\t\t\t wings and bodies at subsonic and supersonic speed. Thin-wing\n\t\t\t\t theory. Slender-body theory. Formulation of theories for evaluating forces\n\t\t\t\t and moments on airplane geometries. Application to the design of high-speed\n\t\t\t\t aircraft. ** Consent of instructor to enroll possible **" }, - "ECE 159": { + "MAE 104": { "prerequisites": [ - "ECE 101" + "PHYS 2A", + "and", + "and", + "MATH 20D" ], - "name": "Introduction to Data Processing and Information Theory", - "description": "Review of discrete-time systems and signals, Discrete-Time Fourier Transform and its properties, the Fast Fourier Transform, design of Finite Impulse Response (FIR) and Infinite Impulse Response (IIR) filters, implementation of digital filters. " + "name": "Aerodynamics", + "description": "Fourier series, Sturm Liouville theory, elementary\n\t\t\t\t partial differential equations, integral transforms with applications to\n\t\t\t\t problems in vibration, wave motion, and heat conduction. " }, - "ECE 161A": { + "MAE 105": { "prerequisites": [ - "ECE 161A" + "MAE 8", + "and", + "MATH 18" ], - "name": "Introduction to Digital Signal Processing", - "description": "Sampling and quantization of baseband signals;\n\t\t\t\t A/D and D/A conversion, quantization noise, oversampling and noise shaping.\n\t\t\t\t Sampling of bandpass signals, undersampling downconversion, and Hilbert\n\t\t\t\t transforms. Coefficient quantization, roundoff noise, limit cycles and\n\t\t\t\t overflow oscillations. Insensitive filter structures, lattice and wave\n\t\t\t\t digital filters. Systems will be designed and tested with Matlab, implemented\n\t\t\t with DSP processors and tested in the laboratory. " + "name": "Introduction to Mathematical Physics", + "description": "Introduction to scientific computing and algorithms; iterative methods, systems of linear equations with applications; nonlinear algebraic equations; function interpolation and differentiation and optimal procedures; data fitting and least-squares; numerical solution of ordinary differential equations. " }, - "ECE 161B": { + "MAE 107": { "prerequisites": [ - "ECE 161A" + "MATH 18" ], - "name": "Digital Signal Processing I", - "description": "This course discusses several applications\n\t\t\t\t of DSP. Topics covered will include speech analysis and coding; image\n\t\t\t\t and video compression and processing. A class project is required, algorithms\n\t\t\t\t simulated by Matlab. " + "name": "Computational Methods in Engineering", + "description": "Probability theory, conditional probability, Bayes theorem,\n random variables, densities, expected values, characteristic\n functions, central limit theorem. Engineering reliability,\n elements of estimation, random sampling, sampling distributions,\n hypothesis testing, confidence intervals. Curve fitting and\ndata analysis. Students cannot receive credit for MAE 108 and ECE 109, ECON 120A, MATH 180A, MATH 183, MATH 186, or SE 125. " }, - "ECE 161C": { + "MAE 108": { "prerequisites": [ - "ECE 101", - "and" + "MAE 11" ], - "name": "Applications of Digital Signal Processing", - "description": "Analysis and design of analog circuits and systems. Feedback systems with applications to operational amplifier circuits. Stability, sensitivity, bandwidth, compensation. Design of active filters. Switched capacitor circuits. Phase-locked loops. Analog-to-digital and digital-to-analog conversion. (Course materials and/or program fees may apply.) " + "name": "Probability and Statistical Methods for Mechanical Engineering", + "description": "Thermodynamic analysis of power cycles with application to combustion driven engines: internal combustion, diesel, and gas turbines. Thermodynamics of mixtures and chemical and phase equilibrium. Computational methods for calculating chemical equilibrium. Renumbered from MAE 110B. Students may not receive credit for MAE 110 and MAE 110B. " }, - "ECE 163": { + "MAE 110": { "prerequisites": [ - "ECE 102" + "MAE 11", + "or", + "MAE 110A", + "and", + "MAE 101A", + "and", + "MAE 101B" ], - "name": "Electronic Circuits and Systems", - "description": "Design of linear and nonlinear analog integrated circuits including operational amplifiers, voltage regulators, drivers, power stages, oscillators, and multipliers. Use of feedback and evaluation of noise performance. Parasitic effects of integrated circuit technology. Laboratory simulation and testing of circuits. " + "name": "Thermodynamic Systems", + "description": "Compressible flow, thermodynamics, and combustion\n\t\t\t\t relevant to aircraft and space vehicle propulsion. Analysis\n\t\t\t\t and design of components for gas turbines, including turbines, inlets,\n\t\t\t\t combustion chambers and nozzles. Fundamentals of rocket propulsion. " }, - "ECE 164": { + "MAE 113": { "prerequisites": [ - "ECE 102" + "MATH 20D" ], - "name": "Analog Integrated Circuit Design", - "description": "VLSI digital systems. Circuit characterization, performance estimation, and optimization. Circuits for alternative logic styles and clocking schemes. Subsystems include ALUs, memory, processor arrays, and PLAs. Techniques for gate arrays, standard cell, and custom design. Design and simulation using CAD tools. " + "name": "Fundamentals of Propulsion", + "description": "(Cross-listed with Physics 151.) Particle\n\t\t\t\t motions, plasmas as fluids, waves, diffusion, equilibrium and stability,\n\t nonlinear effects, controlled fusion. Recommended preparation: PHYS 100B\u2013C or ECE 107. ** Consent of instructor to enroll possible **" }, - "ECE 165": { + "MAE 117A": { "prerequisites": [ - "ECE 102", - "and" + "MAE 101A" ], - "name": "Digital Integrated Circuit Design", - "description": "Waves, distributed circuits, and scattering\n\t\t\t\t matrix methods. Passive microwave elements. Impedance matching. Detection\n\t\t\t\t and frequency conversion using microwave diodes. Design of transistor amplifiers\n\t\t\t\t including noise performance. Circuits designs will be simulated by computer\n\t\t\t\t and tested in the laboratory. (Course materials and/or program fees may\n\t\t\t\t apply.) " + "name": "Elementary Plasma Physics", + "description": "Overview of present-day primary energy sources and availability: fossil fuel, renewable, and nuclear; heat engines; energy conservation, transportation, air pollution, and climate change. Students may not receive credit for both MAE 118 and MAE 118A. ** Consent of instructor to enroll possible **" }, - "ECE 166": { + "MAE 118": { "prerequisites": [ - "ECE 45", - "or", - "MAE 140" + "MAE 101A" ], - "name": "Microwave Systems and Circuits", - "description": "Stability of continuous- and discrete-time\n\t\t\t\t single-input/single-output linear time-invariant control systems\n\t\t\t\t emphasizing frequency domain methods. Transient and steady-state behavior.\n\t\t\t\t Stability analysis by root locus, Bode, Nyquist, and Nichols plots. Compensator\n\t\t\t\t design. " + "name": "Introduction to Energy and Environment ", + "description": "Basic principles of solar radiation\u2014diffuse and direct radiation; elementary solar energy engineering\u2014solar thermal and solar photovoltaic; basic principles of wind dynamics\u2014hydrodynamic laws, wind intermittency, Betz\u2019s law; elementary wind energy engineering; solar and wind energy perspectives; operating the California power grid with 33 percent renewable energy sources. Students may not receive credit for both MAE 118B and MAE 119. ** Consent of instructor to enroll possible **" }, - "ECE 171A": { + "MAE 119": { "prerequisites": [ - "ECE 171A" + "MAE 101A" ], - "name": "Linear Control System Theory", - "description": "Time-domain, state-variable formulation of\n\t\t\t\t the control problem for both discrete-time and continuous-time linear systems.\n\t\t\t\t State-space realizations from transfer function system description. Internal\n\t\t\t\t and input-output stability, controllability/observability, minimal realizations,\n\t\t\t\t and pole-placement by full-state feedback. " + "name": "Introduction to Renewable Energy: Solar and Wind", + "description": "Overview of basic fission and fusion processes. Elementary fission reactor physics and engineering; environmental and waste disposal issues. Survey of fusion technology issues and perspectives. May not receive credit for both MAE 118C and MAE 120. ** Consent of instructor to enroll possible **" }, - "ECE 171B": { + "MAE 120": { "prerequisites": [ - "ECE 101" + "MAE 122" ], - "name": "Linear Control System Theory", - "description": "This course will introduce basic concepts\n\t\t\t\t in machine perception. Topics covered will include edge detection,\n\t\t\t\t segmentation, texture analysis, image registration, and compression. " + "name": "Introduction to Nuclear Energy", + "description": "Overview of air pollution and wastes and their impact. Characteristics of air pollutants. Air pollution transport. Atmospheric stability. Plume rise and dispersion. Meteorological data. Selecting the appropriate air quality model and case studies. Modeling complex terrain situations. Current air quality modeling issues. Laws and regulations to control air pollution. " }, - "ECE 172A": { + "MAE 121": { "prerequisites": [ - "MATH 20F", - "or", - "MATH 18", - "ECE 15", - "and", - "ECE 109" + "MAE 101A" ], - "name": "Introduction to Intelligent Systems: Robotics and Machine Intelligence", - "description": "The linear least squares problem, including constrained and unconstrained quadratic optimization and the relationship to the geometry of linear transformations. Introduction to nonlinear optimization. Applications to signal processing, system identification, robotics, and circuit design. Recommended preparation: ECE 100. ** Consent of instructor to enroll possible **" + "name": "Air Pollution Transport and Dispersion Modeling", + "description": "Introduction to the air and aquatic environments. Buoyancy, stratification, and rotation. Earth surface energy balance. Introduction to the atmospheric boundary layer. Advection and diffusion. Turbulent diffusion and dispersion in rivers and in the atmospheric boundary layer. Surface waves and internal gravity waves. ** Consent of instructor to enroll possible **" }, - "ECE 174": { + "MAE 122": { "prerequisites": [ - "ECE 109", - "and", - "ECE 174" + "MAE 105", + "and" ], - "name": "Introduction to Linear and Nonlinear Optimization with Applications", - "description": "Introduction to pattern recognition and machine\n\t\t\t\t learning. Decision functions. Statistical pattern classifiers. Generative\n\t\t\t\t vs. discriminant methods for pattern classification. Feature selection.\n\t\t\t\t Regression. Unsupervised learning. Clustering. Applications of machine\n\t\t\t\t learning. " + "name": "Flow and Transport in the Environment", + "description": "Introduction to groundwater flow. Pollution transport through the water table. Fundamentals of flow. Single- and multi-phase flow. Darcy law. Well hydraulics. Diffusion and dispersion. Gravity currents and plumes in porous media. Chemistry of fluid-solid interactions. Fundamentals of adsorption and surface reactions. " }, - "ECE 175A": { + "MAE 123": { "prerequisites": [ - "ECE 175A" + "MATH 20B", + "and", + "MATH 10A\u2013C" ], - "name": "Elements of Machine Intelligence: Pattern Recognition and Machine Learning", - "description": "Bayes\u2019 rule as a probabilistic reasoning engine; graphical models as knowledge encoders; conditional independence and D-Separation; Markov random fields; inference in graphical models; sampling methods and Markov Chain Monte Carlo (MCMC); sequential data and the Viterbi and BCJR algorithms; The Baum-Welsh algorithm for Markov Chain parameter estimation. " + "name": "Introduction to Transport in Porous Media", + "description": "(Cross-listed with ESYS 103.) This course\n\t\t\t\t explores the impacts of human social, economic, and industrial activity\n\t\t\t\t on the environment. It highlights the central roles in ensuring sustainable\n\t\t\t\t development played by market forces, technological innovation and governmental\n\t\t\t\t regulation on local, national, and global scales. ** Consent of instructor to enroll possible **" }, - "ECE 175B": { + "MAE 124": { "prerequisites": [], - "name": "Elements of Machine Intelligence: Probabilistic Reasoning and Graphical Models", - "description": "Topics of special interest in electrical and computer engineering. Subject matter will not be repeated so it may be taken for credit more than once. ** Consent of instructor to enroll possible **" + "name": "Environmental\n\t\t\t\t Challenges: Science and Solutions", + "description": "Physical building performance including building thermodynamics, daylighting, and solar control. Heat transfer through building envelope, solar geometry, and shading. Heating, ventilation, and air conditioning system design, water heating, microclimates, passive system design, energy efficient design, applicant energy use, cost estimating. Building energy codes and standards. Building design project with whole building energy simulation software. " }, - "ECE 180": { + "MAE 125": { "prerequisites": [ - "ECE 103", - "and" + "MAE 101A" ], - "name": "Topics in Electrical and Computer Engineering", - "description": "Ray optics, wave optics, beam optics, Fourier optics, and electromagnetic optics. Ray transfer matrix, matrices of cascaded optics, numerical apertures of step and graded index fibers. Fresnel and Fraunhofer diffractions, interference of waves. Gaussian and Bessel beams, the ABCD law for transmissions through arbitrary optical systems. Spatial frequency, impulse response and transfer function of optical systems, Fourier transform and imaging properties of lenses, holography. Wave propagation in various (inhomogeneous, dispersive, anisotropic or nonlinear) media. (Course materials and/or program fees may apply.) " + "name": "Building Energy Efficiency", + "description": "Analysis of experiments in Environmental Engineering: Drag in a water tunnel, shading effects on solar photovoltaic, buoyant plume dispersion in a water tank, atmospheric turbulence, and others. Use of sensors and data acquisition. Laboratory report writing; error analysis; engineering ethics. " }, - "ECE 181": { + "MAE 126A": { "prerequisites": [ - "ECE 103", - "and" + "MAE 126A" ], - "name": "Physical Optics and Fourier Optics", - "description": "Polarization optics: crystal optics, birefringence. Guided-wave optics: modes, losses, dispersion, coupling, switching. Fiber optics: step and graded index, single and multimode operation, attenuation, dispersion, fiber optic communications. Resonator optics. (Course materials and/or program fees may apply.) " + "name": "Environmental\n\t\t Engineering Laboratory ", + "description": "Fundamental principles of environmental design. Building a working prototype or computer model for an environmental engineering application. Work in teams to propose and design experiments and components, obtain data, complete engineering analysis, and write a report. Engineering ethics and professionalism. " }, - "ECE 182": { + "MAE 126B": { "prerequisites": [ - "ECE 103", - "and" + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MAE 30B", + "or", + "MAE 130B" ], - "name": "Electromagnetic\n\t\t\t\t Optics, Guided-Wave, and Fiber Optics", - "description": "Quantum electronics, interaction of light and matter in atomic systems, semiconductors. Laser amplifiers and laser systems. Photodetection. Electro-optics and acousto-optics, photonic switching. Fiber optic communication systems. Labs: semiconductor lasers, semiconductor photodetectors. (Course materials and/or program fees may apply.) " + "name": "Environmental\n\t\t Engineering Design", + "description": "Harmonically excited vibrations. Vibration of multiple degree-of-freedom systems. Observations, including beat frequencies, static and dynamic coupling, traveling and standing wave phenomena. Vibration of continuous systems. Hamilton\u2019s equations. Distributed and point forces and moments in continuous systems and the generalized Dirac distribution. Response to impact and impulse excitation. Modeling continuous systems with approximate discrete models. Restricted to engineering majors only MC25, MC27, MC29, MO21, SE27. ** Upper-division standing required ** " }, - "ECE 183": { + "MAE 130": { "prerequisites": [ - "ECE 182" + "MATH 20D", + "and", + "MAE 130A", + "or", + "SE 101A" ], - "name": "Optical Electronics", - "description": "(Conjoined with ECE 241AL) Labs: optical holography,\n\t\t\t\t photorefractive effect, spatial filtering, computer generated\n\t\t\t\t holography. Students enrolled in ECE 184 will receive four\n\t\t\t\t units of credit; students enrolled in ECE 241AL will receive\n\t\t\t\t two units of credit. (Course materials and/or program fees may\n\t\t\t\t apply.) " + "name": "Advanced Vibrations", + "description": "Concepts of stress and strain. Hooke\u2019s Law. Axial loading of bars. Torsion of circular shafts. Shearing and normal stresses in beam bending. Deflections in beams. Statically determinate and indeterminate problems. Combined loading. Principal stresses and design criteria. Buckling of columns. " }, - "ECE 184": { + "MAE 131A": { "prerequisites": [ - "ECE 183" + "MAE 131A", + "or", + "SE 110A", + "and", + "MAE 105" ], - "name": "Optical Information\n\t\t\t\t Processing and Holography", - "description": "(Conjoined with ECE 241BL) Labs: CO2 laser,\n\t\t\t\t HeNe laser, electro-optic modulation, acousto-optic modulation, spatial light\n\t\t\t\t modulators. Students enrolled in ECE 185 will receive four units of credit;\n\t\t\t\t students enrolled in ECE 241BL will receive two units of credit. (Course\n\t\t\t\t materials and/or program fees may apply.) " + "name": "Solid Mechanics I", + "description": "Analysis of 3-D states of stress and strain. Governing equations of linear elasticity. Solution of elasticity problems in rectangular and polar coordinates. Stress concentration. Failure criteria. Torsion of noncircular and thin walled members. Energy methods. Plastic collapse and limit analysis. " }, - "ECE 185": { + "MAE 131B": { "prerequisites": [ - "MATH 20A-B-F", - "PHYS 2A\u2013D", - "ECE 101" + "MAE 131A", + "or", + "SE 110A" ], - "name": "Lasers and Modulators", - "description": "Image processing fundamentals: imaging theory,\n\t\t\t\t image processing, pattern recognition; digital radiography, computerized\n\t\t\t\t tomography, nuclear medicine imaging, nuclear magnetic resonance imaging,\n\t\t\t\t ultrasound imaging, microscopy imaging. " - }, - "ECE 187": { - "prerequisites": [], - "name": "Introduction\n\t\t\t\t to Biomedical Imaging and Sensing", - "description": "Topics of special interest in electrical and computer engineering with laboratory. Subject matter will not be repeated so it may be taken for credit up to three times. " - }, - "ECE 188": { - "prerequisites": [], - "name": "Topics in Electrical and Computer Engineering with Laboratory", - "description": "Basics of technical public speaking, including speech organization, body language (eye contact, hand gestures, etc.), volume and rate, and design of technical slides. Students will practice technical public speaking, including speeches with PowerPoint slides and speaker introductions, and presenting impromptu speeches. Students may not receive credit for both ECE 189 and ENG 100E. " + "name": "Fundamentals of Solid Mechanics II", + "description": "Development of stiffness and mass matrices based upon variational principles and application to static, dynamic, and design problems in structural and solid mechanics. Architecture of computer codes for linear and nonlinear finite element analysis. The use of general-purpose finite element codes. " }, - "ECE 189": { - "prerequisites": [], - "name": "Technical Public Speaking", - "description": "Students complete a project comprising at least 50 percent or more engineering design to satisfy the following features: student creativity, open-ended formulation of a problem statement/specifications, consideration of alternative solutions/realistic constraints. Written final report required. " + "MAE 133": { + "prerequisites": [ + "MAE 104", + "and", + "MAE 143B", + "or", + "ECE 171A" + ], + "name": "Finite\n\t\t Element Methods in Mechanical and Aerospace Engineering", + "description": "The dynamics of vehicles in space or air are derived for analysis of the stability properties of spacecraft and aircraft. The theory of flight, lift, drag, Dutch roll and phugoid modes of aircraft are discussed. Optimal state space control theory for the design of analog and digital controllers (autopilots). ** Consent of instructor to enroll possible **" }, - "ECE 190": { - "prerequisites": [], - "name": "Engineering Design", - "description": "Groups of students work to design, build,\n\t\t\t\t demonstrate, and document an engineering project. All students\n\t\t\t\t give weekly progress reports of their tasks and contribute a section to\n\t\t\t\t the final project report. " + "MAE 142": { + "prerequisites": [ + "MATH 20D", + "MATH 20E", + "MATH 18" + ], + "name": "Dynamics\n\t\t and Control of Aerospace Vehicles", + "description": "Dynamic modeling and vector differential equations. Concepts of state, input, output. Linearization around equilibria. Laplace transform, solutions to ODEs. Transfer functions and convolution representation of dynamic systems. Discrete signals, difference equations, z-transform. Continuous and discrete Fourier transform. ** Consent of instructor to enroll possible **" }, - "ECE 191": { + "MAE 143A": { "prerequisites": [ - "ECE departmental" + "MAE 143A" ], - "name": "Engineering Group Design Project", - "description": "An advanced reading or research project performed under the direction of an ECE faculty member. Must contain enough design to satisfy the ECE program\u2019s four-unit design requirement. Must be taken for a letter grade. May extend over two quarters with a grade assigned at completion for both quarters. " + "name": "Signals and Systems", + "description": "Analysis and design of feedback systems in the frequency domain. Transfer functions. Time response specifications. PID controllers and Ziegler-Nichols tuning. Stability via Routh-Hurwitz test. Root locus method. Frequence response: Bode and Nyquist diagrams. Dynamic compensators, phase-lead and phase-lag. Actuator saturation and integrator wind-up. ** Consent of instructor to enroll possible **" }, - "ECE 193H": { - "prerequisites": [], - "name": "Honors Project", - "description": "Students design, build, and race an autonomous car using principles in electrical engineering and computer science: circuit design, control theory, digital signal processing, embedded systems, microcontrollers, electromagnetism, and programming. " - }, - "ECE 194": { - "prerequisites": [], - "name": "Viacar Design Project", - "description": "Teaching and tutorial activities associated with courses and seminars. Not more than four units of ECE 195 may be used for satisfying graduation requirements. (P/NP grades only.) ** Consent of instructor to enroll possible **" - }, - "ECE 195": { - "prerequisites": [], - "name": "Teaching", - "description": "Groups of students work to build and demonstrate at least three engineering projects at the beginning, intermediate, and advanced levels. The final project consists of either a new project designed by the student team or extension of an existing project. The student teams also prepare a manual as part of their documentation of the final project. May be taken for credit two times. " - }, - "ECE 196": { - "prerequisites": [], - "name": "Engineering Hands-on Group Project", - "description": "An enrichment program that provides work experience with public/private section employers.\u00a0Subject to the availability of positions, students will work in a local company under the supervision of a faculty member and site supervisor. (P/NP grades only.) ** Consent of instructor to enroll possible **" - }, - "ECE 197": { - "prerequisites": [], - "name": "ECE Internship", - "description": "Topics in electrical and computer engineering whose study involves reading and discussion by a small group of students under direction of a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" - }, - "ECE 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "Independent reading or research by special arrangement with a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" - }, - "ECE 199": { - "prerequisites": [], - "name": "Independent Study for Undergraduates", - "description": "Group discussion of research activities and progress of group members. (Consent of instructor is strongly recommended.) (S/U grades only.) " - }, - "MAE 02": { - "prerequisites": [], - "name": "Introduction to Aerospace Engineering", - "description": "An introduction to topics in aeronautical and astronautical engineering including aerodynamics, propulsion, flight mechanics, structures, materials, orbital mechanics, design, mission planning, and environments. General topics include historical background, career opportunities, engineering ethics, and professionalism. " + "MAE 143B": { + "prerequisites": [ + "MAE 143B", + "or", + "BENG 122A", + "or", + "ECE 171A" + ], + "name": "Linear Control", + "description": "Each student builds, models, programs, and controls an unstable robotic system built around a small Linux computer. Review/synthesis of: A) modern physical and electrical CAD. B) dynamics, signals and systems, linear circuits; PWMs, H-bridges, quadrature encoders. C) embedded Linux, C, graphical programming; multithreaded applications; bus communication to supporting ICs. D) classical control theory in both continuous-time (CT) and discrete-time (DT); interconnection of CT and DT elements. Program or materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "MAE\n\t\t 03": { + "MAE 144": { "prerequisites": [ - "PHYS 2A" + "MAE 130B" ], - "name": "Introduction to Engineering Graphics and Design", - "description": "Introduction to design process through a hands-on design project performed in teams. Topics include problem identification, concept generation, project management, risk reduction. Engineering graphics and communication skills are introduced in the areas of: Computer-Aided Design (CAD), hand sketching, and technical communication. Program or materials fees may apply. " + "name": "Embedded Control and Robotics", + "description": "This course is an introduction to robotic planning algorithms and programming. Topics: sensor-based planning (bug algorithms), motion planning via decomposition and search (basic search algorithms on graphs, A*), the configuration-space concept, free configuration spaces via sampling, collision detection algorithms, (optimal) planning via sampling (probabilistic trees), environment roadmaps, and (extended) Kalman filtering for robot localization and environment mapping (SLAM). ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "MAE 05": { - "prerequisites": [], - "name": "Quantitative Computer Skills", - "description": "Introductory course for nonengineering majors. Use of computers in solving problems; applications from life sciences, physical sciences, and engineering. Students run existing computer programs and complete some programming in BASIC. " + "MAE 145": { + "prerequisites": [ + "ECE 15", + "or", + "ECE 35", + "or", + "MAE 2", + "or", + "MAE 3", + "and" + ], + "name": "Introduction to Robotic Planning and Estimation", + "description": "Fundamentals of autonomous vehicles. Working in small teams, students will develop 1/8-scale autonomous cars that must perform on a simulated city track. Topics include robotics system integration, computer vision, algorithms for navigation, on-vehicle vs. off-vehicle computation, computer learning systems such as neural networks, locomotion systems, vehicle steering, dead reckoning, odometry, sensor fusion, GPS autopilot limitations, wiring, and power distribution and management. " }, - "MAE 07": { + "MAE 148": { "prerequisites": [], - "name": "Spatial Visualization", - "description": "(Cross-listed with SE 7.) Spatial visualization is the ability to manipulate 2-D and 3-D shapes in one\u2019s mind. In this course, students will perform exercises that increase their spatial visualization skills. P/NP grades only. Students may not receive credit for SE 7 and MAE 7. " + "name": "Introduction to Autonomous Vehicles", + "description": "(Cross-listed with ECE 156.) Characteristics of chemical, biological, seismic and other physical sensors; signal processing techniques supporting distributed detection of salient events; wireless communication and networking protocols supporting formation of robust censor fabrics; current experience with low power, low-cost sensor deployments. Students may not receive credit for both MAE 149 and ECE 156. May be coscheduled with SIOC 238. " }, - "MAE 08": { + "MAE 149": { "prerequisites": [ - "MATH 20A", + "MAE 130A", + "or", + "SE 101A", + "or", + "BENG 110", + "MAE 107", + "or", + "SE 121", + "MAE 3", "and" ], - "name": "Matlab Programming for Engineering Analysis", - "description": "Computer programming in Matlab with elementary numerical analysis of engineering problems. Arithmetic and logical operations, arrays, graphical presentation of computations, symbolic mathematics, solutions of equations, and introduction to data structures. ** Consent of instructor to enroll possible **" + "name": "Sensor Networks", + "description": "Computer-aided analysis and design. Design methodology, tolerance analysis, Monte Carlo analysis, kinematics and computer-aided design of linkages, numerical calculations of moments of inertia, design of cams and cam dynamics; finite element analysis, design using Pro-E, Mechanica Motion and Mechanica Structures. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "MAE 11": { - "prerequisites": [ - "PHYS 2C", - "and", - "CHEM 6A" - ], - "name": "Thermodynamics", - "description": "Fundamentals of engineering thermodynamics: energy, work, heat, properties of pure substances, first and second laws for closed systems and control volumes, gas mixtures. Application to engineering systems, power and refrigeration cycles, combustion. Renumbered from MAE 110A. Students may not receive credit for MAE 11 and MAE 110A. " + "MAE 150": { + "prerequisites": [], + "name": "Computer-Aided Design", + "description": "This course will teach teams of students how to develop concepts and business plans in the design of new and innovative products. Emphasis will be placed on identifying user needs, concept generation, and prototype fabrication. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "MAE 20": { + "MAE 154": { "prerequisites": [ - "PHYS 2A", - "CHEM 6A", + "MAE 2", + "MAE 21", "or", - "CHEM 6AH", + "SE 2", + "or", + "SE 104", + "MAE 104", + "MAE 130C", "and", - "MATH 20C" + "SE 160B" ], - "name": "Elements of Materials Science", - "description": "The structure of materials: metals, ceramics, glasses, semiconductors, superconductors, and polymers to produce desired, useful properties. Atomic structures. Defects in materials, phase diagrams, microstructural control. Mechanical and electrical properties are discussed. Time temperature transformation diagrams. Diffusion. " + "name": "Product Design and Entrepreneurship", + "description": "Fundamental principles of aerospace vehicle design including the conceptual, preliminary, and detailed design phases. Aeronautical or astronautical design project that integrates all appropriate engineering disciplines as well as issues associated with optimization, teamwork, manufacturability, reporting, and professionalism. ** Consent of instructor to enroll possible **" }, - "MAE 21": { + "MAE 155A": { "prerequisites": [ - "PHYS 2A", - "CHEM 6A", - "or", - "CHEM 6AH", + "MAE 113", + "MAE 142", + "MAE 155A", "and", - "MATH 20B" + "MAE 170" ], - "name": "Aerospace Materials Science", - "description": "Atomic structure and physical properties of engineering materials including metals, ceramics, glasses, polymers, and composite materials. Defects and phase diagram of materials. Material testing and processing. Program or materials fees may apply. " + "name": "Aerospace Engineering Design I", + "description": "The principles of aerospace vehicle design including the conceptual, preliminary, and detailed design phases. Aeronautical or astronautical design project that integrates all appropriate engineering disciplines as well as issues associated with optimization, teamwork, manufacturability, reporting, and professionalism. Program or materials fees may apply. ** Consent of instructor to enroll possible **" }, - "MAE 30A": { + "MAE 155B": { "prerequisites": [ - "PHYS 2A", + "MAE 3", + "MAE 130B", + "MAE 131A", + "MAE 143B", + "MAE 150", "and", - "MATH 31BH", - "or", - "MATH 20C" + "MAE 170" ], - "name": "Kinematics", - "description": "Statics: statics of particles and rigid bodies in 3-D. Free body diagrams. Moment of a force, couples, equivalent systems of forces. Distributed forces, centroids, and centers of gravity. Introduction to dynamics: 3-D relative motion, kinematics, and kinetics of particles. Newton\u2019s equations of motion. Equilibrium problems with friction. Enrollment restricted to engineering majors MC25, MC27, MC29, SE27. " + "name": "Aerospace Engineering Design II", + "description": "Fundamental principles of mechanical design and the design process. Application of engineering science to the design and analysis of mechanical components. Initiation of team design projects that culminate in MAE 156B with a working prototype designed for a real engineering application. Professional ethics discussed. Program or materials fees may apply. ** Consent of instructor to enroll possible **" }, - "MAE 30B": { + "MAE 156A": { "prerequisites": [ - "MAE 30A" + "MAE 156A", + "MAE 101C", + "MAE 130C", + "and", + "MAE 160", + "or", + "MAE 131B" ], - "name": "Dynamics and Vibrations", - "description": "Dynamics: energy methods for motion of particles and rigid bodies, including virtual work, power, and Lagrange\u2019s equations. Impact and impulses. Systems of particles. Introduction to 3-D dynamics of rigid bodies. Introduction to vibrations: free and harmonically forced vibrations of undamped and damped single degree of freedom systems. Enrollment restricted to engineering majors only MC25, MC27, MC29, SE27. " + "name": "Fundamental\n\t\t Principles of Mechanical Design I", + "description": "Fundamental principles of mechanical design and the design process. Culmination of a team design project initiated in MAE 156A which results in a working prototype designed for a real engineering application. " }, - "MAE 40": { + "MAE 156B": { "prerequisites": [ - "MATH 20D", - "and", - "MATH 31AH", - "or", - "MATH 18", + "MAE 20", + "MAE 130A", "or", - "MATH 20F", + "SE 101A", "and", - "PHYS 2B" + "MAE 131A" ], - "name": "Linear Circuits", - "description": "Steady-state and dynamic behavior of linear, lumped-parameter electrical circuits. Kirchhoff\u2019s laws. RLC circuits. Node and mesh analysis. Operational amplifiers. Signal acquisition and conditioning. Electric motors. Design applications in engineering. " - }, - "MAE 87": { - "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges. Topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " + "name": "Fundamental\n\t\t Principles of Mechanical Design II", + "description": "Elasticity and inelasticity, dislocations and plasticity of crystals, creep, and strengthening mechanisms. Mechanical behavior of ceramics, composites, and polymers. Fracture: mechanical and microstructural. Fatigue. Laboratory demonstrations of selected topics. ** Consent of instructor to enroll possible **" }, - "MAE 92A": { + "MAE 160": { "prerequisites": [], - "name": "Design\n\t\t Competition\u2014Design, Build, and Fly Aircraft", - "description": "(Cross-listed with SE 10A.) Student teams design, build, and fly unmanned aircraft for a national student competition. Students concentrate on vehicle system design including aerodynamics, structures, propulsion, and performance. Teams engineering, fabricate the aircraft, submit a design report, and prep aircraft for competition. ** Consent of instructor to enroll possible **" + "name": "Mechanical Behavior of Materials", + "description": "The engineering and scientific aspects of crack nucleation, slow crack growth, and unstable fracture in crystalline and amorphous solids. Microstructural effects on crack initiation, fatigue crack growth and fracture toughness. Methods of fatigue testing and fracture toughness testing. Fractography and microfractography. Design safe methodologies and failure prevention. Failure analysis of real engineering structures. ** Consent of instructor to enroll possible **" }, - "MAE 93": { + "MAE 165": { "prerequisites": [], - "name": "Design Competition\u2014Design,\n\t\t\t\t Build, and Test Race Car", - "description": "Directed group study on a topic or in a field not included in the regular departmental curriculum. P/NP grades only. May be taken for credit two times. Credit may not be received for a course numbered 97, 98, or 99 subsequent to receiving credit for a course numbered 197, 198, or 199. " + "name": "Fatigue\n\t\t and Failure Analysis of Engineering Components", + "description": "(Cross-listed with NANO 156.) Basic principles of synthesis techniques, processing, microstructural control and unique physical properties of materials in nanodimensions. Nanowires, quantum dots, thin films, electrical transport, optical behavior, mechanical behavior, and technical applications of nanomaterials. " }, - "MAE 98": { + "MAE 166": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Independent study or research under direction of a member of the faculty. ** Upper-division standing required ** " + "name": "Nanomaterials", + "description": "Pressure and shear waves in infinite solids. Reflection and diffraction. Rayleigh and Love waves in semi-infinite space. Impulse load on a half space. Waveguides and group velocity. ** Consent of instructor to enroll possible **" }, - "MAE 99H": { + "MAE 167": { "prerequisites": [ - "PHYS 2A", - "and", - "MATH 20D", - "and", - "MATH 20E", + "PHYS 2C", "or", - "MATH 31CH" + "PHYS 4B" ], - "name": "Independent Study", - "description": "Fluid statics; fluid kinematics; integral and differential forms of the conservation laws for mass, momentum, and energy; Bernoulli equation; potential flows; dimensional analysis and similitude. ** Consent of instructor to enroll possible **" + "name": "Wave Dynamics in Materials", + "description": "Principles and practice of measurement and control and the design and conduct of experiments. Technical report writing. Lectures relate to dimensional analysis, error analysis, signal-to-noise problems, filtering, data acquisition and data reduction, as well as background of experiments and statistical analysis. Experiments relate to the use of electronic devices and sensors. " }, - "MAE 101A": { + "MAE 170": { "prerequisites": [ "MAE 101A", "and", - "MAE 11", - "or", - "MAE 110A" + "MAE 170" ], - "name": "Introductory Fluid Mechanics", - "description": "Laminar and turbulent flow. Pipe flow including\n\t\t\t\t friction factor. Boundary layers, separation, drag, and lift. Compressible\n\t\t\t flow including shock waves. ** Consent of instructor to enroll possible **" + "name": "Experimental Techniques", + "description": "Design and analysis of experiments in fluid mechanics, solid mechanics, and control engineering. Experiments in wind tunnel, water tunnel, vibration table and material testing machines, and refined electromechanical systems. Laboratory report writing; error analysis; engineering ethics. " }, - "MAE 101B": { + "MAE 171A": { "prerequisites": [ - "MAE 101A", - "and", - "MAE 105" + "MAE 171A" ], - "name": "Advanced Fluid Mechanics", - "description": "Extension of fluid mechanics in MAE 101A\u2013B\n\t\t\t\t to viscous, heat-conducting flows. Application of the energy\n\t\t\t\t conservation equation to heat transfer in ducts and external\n\t\t\t\t boundary layers. Heat conduction and radiation transfer. Heat transfer\n\t\t\t\t coefficients in forced and free convection. Design applications. " + "name": "Mechanical Engineering Laboratory I", + "description": "Design and analysis of original experiments in mechanical engineering. Students research projects using experimental facilities in undergraduate laboratories: wind tunnel, water channel, vibration table, and testing machine and control systems. Students propose and design experiments, obtain data, complete engineering analysis and write a major report. " }, - "MAE 101C": { - "prerequisites": [ - "MAE 101C" - ], - "name": "Heat Transfer", - "description": "Course builds on the MAE fluids sequence, offering more advanced concepts in conduction, convection, radiation, and heat exchanger design. This course covers numerical methods in conduction, boiling, condensation and evaporation analysis, natural and turbulent convection, spectral and directional radiative transfer, heatpipes, thermal design of spacecraft, heat exchanger analysis and design. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "MAE 171B": { + "prerequisites": [], + "name": "Mechanical Engineering Laboratory II", + "description": "Analysis of aerospace engineering systems using experimental facilities in undergraduate laboratories: wind tunnel, water channel, vibration table, and testing machine. Students operate facilities, obtain data, complete engineering analysis and write major reports. ** Consent of instructor to enroll possible **" }, - "MAE 101D": { - "prerequisites": [ - "MAE 101A", - "and" - ], - "name": "Intermediate Heat Transfer", - "description": "Basic relations describing flow field around\n\t\t\t\t wings and bodies at subsonic and supersonic speed. Thin-wing\n\t\t\t\t theory. Slender-body theory. Formulation of theories for evaluating forces\n\t\t\t\t and moments on airplane geometries. Application to the design of high-speed\n\t\t\t\t aircraft. ** Consent of instructor to enroll possible **" - }, - "MAE 104": { - "prerequisites": [ - "PHYS 2A", - "and", - "and", - "MATH 20D" - ], - "name": "Aerodynamics", - "description": "Fourier series, Sturm Liouville theory, elementary\n\t\t\t\t partial differential equations, integral transforms with applications to\n\t\t\t\t problems in vibration, wave motion, and heat conduction. " - }, - "MAE 105": { - "prerequisites": [ - "MAE 8", - "and", - "MATH 18" - ], - "name": "Introduction to Mathematical Physics", - "description": "Introduction to scientific computing and algorithms; iterative methods, systems of linear equations with applications; nonlinear algebraic equations; function interpolation and differentiation and optimal procedures; data fitting and least-squares; numerical solution of ordinary differential equations. " - }, - "MAE 107": { - "prerequisites": [ - "MATH 18" - ], - "name": "Computational Methods in Engineering", - "description": "Probability theory, conditional probability, Bayes theorem,\n random variables, densities, expected values, characteristic\n functions, central limit theorem. Engineering reliability,\n elements of estimation, random sampling, sampling distributions,\n hypothesis testing, confidence intervals. Curve fitting and\ndata analysis. Students cannot receive credit for MAE 108 and ECE 109, ECON 120A, MATH 180A, MATH 183, MATH 186, or SE 125. " - }, - "MAE 108": { - "prerequisites": [ - "MAE 11" - ], - "name": "Probability and Statistical Methods for Mechanical Engineering", - "description": "Thermodynamic analysis of power cycles with application to combustion driven engines: internal combustion, diesel, and gas turbines. Thermodynamics of mixtures and chemical and phase equilibrium. Computational methods for calculating chemical equilibrium. Renumbered from MAE 110B. Students may not receive credit for MAE 110 and MAE 110B. " + "MAE 175A": { + "prerequisites": [], + "name": "Aerospace Engineering Laboratory I", + "description": "Astrodynamics, orbital motion, perturbations, coordinate systems and frames of reference. Geosynchronous orbits, stationkeeping. Orbital maneuvers, fuel consumption, guidance systems. Observation instrument point, tracking, control. Basic rocket dynamics. Navigation, telemetry, re-entry, and aero-assisted maneuvers. Mission design. Students perform analyses based on mission requirements. ** Upper-division standing required ** " }, - "MAE 110": { - "prerequisites": [ - "MAE 11", - "or", - "MAE 110A", - "and", - "MAE 101A", - "and", - "MAE 101B" - ], - "name": "Thermodynamic Systems", - "description": "Compressible flow, thermodynamics, and combustion\n\t\t\t\t relevant to aircraft and space vehicle propulsion. Analysis\n\t\t\t\t and design of components for gas turbines, including turbines, inlets,\n\t\t\t\t combustion chambers and nozzles. Fundamentals of rocket propulsion. " + "MAE 180A": { + "prerequisites": [], + "name": "Spacecraft Guidance I", + "description": "Space mission concepts, architectures, and analysis. Mission geometry. Astrodynamics. Orbit and constellation design. Space environment. Payload and spacecraft design and sizing. Power sources and distribution. Thermal management. Structural design. Guidance and navigation. Space propulsion. Orbital debris and survivability. Cost modeling and risk analysis. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "MAE 113": { - "prerequisites": [ - "MATH 20D" - ], - "name": "Fundamentals of Propulsion", - "description": "(Cross-listed with Physics 151.) Particle\n\t\t\t\t motions, plasmas as fluids, waves, diffusion, equilibrium and stability,\n\t nonlinear effects, controlled fusion. Recommended preparation: PHYS 100B\u2013C or ECE 107. ** Consent of instructor to enroll possible **" + "MAE 181": { + "prerequisites": [], + "name": "Space Mission Analysis and Design", + "description": "Students will develop software and methods to simulate the motion characteristics of flight vehicles. Six degree-of-freedom equations of motion will be reviewed with emphasis on computer implementation. Algorithms for data modeling, numerical integration, equilibrium, and linearization will be introduced. Three-dimensional visualization techniques will be explored for representing operator and observer viewpoints. Applications include aircraft, automobiles, and marine vessels. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "MAE 117A": { - "prerequisites": [ - "MAE 101A" - ], - "name": "Elementary Plasma Physics", - "description": "Overview of present-day primary energy sources and availability: fossil fuel, renewable, and nuclear; heat engines; energy conservation, transportation, air pollution, and climate change. Students may not receive credit for both MAE 118 and MAE 118A. ** Consent of instructor to enroll possible **" + "MAE 184": { + "prerequisites": [], + "name": "Flight Simulation Techniques", + "description": "Topics of special interest in mechanical and aerospace engineering. May be repeated for credit as topics vary. " }, - "MAE 118": { - "prerequisites": [ - "MAE 101A" - ], - "name": "Introduction to Energy and Environment ", - "description": "Basic principles of solar radiation\u2014diffuse and direct radiation; elementary solar energy engineering\u2014solar thermal and solar photovoltaic; basic principles of wind dynamics\u2014hydrodynamic laws, wind intermittency, Betz\u2019s law; elementary wind energy engineering; solar and wind energy perspectives; operating the California power grid with 33 percent renewable energy sources. Students may not receive credit for both MAE 118B and MAE 119. ** Consent of instructor to enroll possible **" + "MAE 190": { + "prerequisites": [], + "name": "Topics in Mechanical and Aerospace Engineering", + "description": "Topics of special interest in mechanical and aerospace engineering with laboratory. May be repeated for credit as topics vary. " }, - "MAE 119": { - "prerequisites": [ - "MAE 101A" - ], - "name": "Introduction to Renewable Energy: Solar and Wind", - "description": "Overview of basic fission and fusion processes. Elementary fission reactor physics and engineering; environmental and waste disposal issues. Survey of fusion technology issues and perspectives. May not receive credit for both MAE 118C and MAE 120. ** Consent of instructor to enroll possible **" + "MAE 191": { + "prerequisites": [], + "name": "Topics in Mechanical and Aerospace Engineering with Laboratory", + "description": "Students work in local industry or hospitals under faculty supervision. Units may not be applied toward graduation requirements. Salaried or unsalaried. Number of units determined by enrollment frequency. First quarter up to four units. Subsequent quarters cannot exceed one unit. ** Consent of instructor to enroll possible **" }, - "MAE 120": { - "prerequisites": [ - "MAE 122" - ], - "name": "Introduction to Nuclear Energy", - "description": "Overview of air pollution and wastes and their impact. Characteristics of air pollutants. Air pollution transport. Atmospheric stability. Plume rise and dispersion. Meteorological data. Selecting the appropriate air quality model and case studies. Modeling complex terrain situations. Current air quality modeling issues. Laws and regulations to control air pollution. " + "MAE 197": { + "prerequisites": [], + "name": "Engineering Internship", + "description": "Directed group study on a topic or in a field not included in the regular department curriculum, by special arrangement with a faculty member. May be taken P/NP only. ** Consent of instructor to enroll possible **" }, - "MAE 121": { - "prerequisites": [ - "MAE 101A" - ], - "name": "Air Pollution Transport and Dispersion Modeling", - "description": "Introduction to the air and aquatic environments. Buoyancy, stratification, and rotation. Earth surface energy balance. Introduction to the atmospheric boundary layer. Advection and diffusion. Turbulent diffusion and dispersion in rivers and in the atmospheric boundary layer. Surface waves and internal gravity waves. ** Consent of instructor to enroll possible **" + "MAE 198": { + "prerequisites": [], + "name": "Directed Group Study", + "description": "Independent reading or research on a problem by special arrangement with a faculty member. P/NP grades only. ** Consent of instructor to enroll possible **" }, - "MAE 122": { - "prerequisites": [ - "MAE 105", - "and" - ], - "name": "Flow and Transport in the Environment", - "description": "Introduction to groundwater flow. Pollution transport through the water table. Fundamentals of flow. Single- and multi-phase flow. Darcy law. Well hydraulics. Diffusion and dispersion. Gravity currents and plumes in porous media. Chemistry of fluid-solid interactions. Fundamentals of adsorption and surface reactions. " + "MAE 199": { + "prerequisites": [], + "name": "Independent Study for Undergraduates", + "description": "This course covers topics in probability and stochastic processes, linear control and estimation including optimal linear control, nonlinear stabilization, and optimal control and estimation for nonlinear systems. ** Consent of instructor to enroll possible **" }, - "MAE 123": { - "prerequisites": [ - "MATH 20B", - "and", - "MATH 10A\u2013C" - ], - "name": "Introduction to Transport in Porous Media", - "description": "(Cross-listed with ESYS 103.) This course\n\t\t\t\t explores the impacts of human social, economic, and industrial activity\n\t\t\t\t on the environment. It highlights the central roles in ensuring sustainable\n\t\t\t\t development played by market forces, technological innovation and governmental\n\t\t\t\t regulation on local, national, and global scales. ** Consent of instructor to enroll possible **" + "HDS 1": { + "prerequisites": [], + "name": "Introduction to Human Developmental Sciences", + "description": "This course introduces students to the central issues in the basic areas in human development. The course will explain relationships between biological, cognitive, social, and cultural aspects of development across the life span. Renumbered from HDP 1. Students may not receive credit for HDP 1 and HDS 1. " }, - "MAE 124": { + "HDS 98": { "prerequisites": [], - "name": "Environmental\n\t\t\t\t Challenges: Science and Solutions", - "description": "Physical building performance including building thermodynamics, daylighting, and solar control. Heat transfer through building envelope, solar geometry, and shading. Heating, ventilation, and air conditioning system design, water heating, microclimates, passive system design, energy efficient design, applicant energy use, cost estimating. Building energy codes and standards. Building design project with whole building energy simulation software. " + "name": "Directed Group Study", + "description": "Directed group study, on a topic or in a field not included in the department curriculum, by arrangement with a faculty member. Pass/No Pass grades only. Cannot be used toward HDS major credit. Renumbered from HDP 98. HDS 98 and/or HDP 98 may be taken for credit for a combined total of three times. " }, - "MAE 125": { - "prerequisites": [ - "MAE 101A" - ], - "name": "Building Energy Efficiency", - "description": "Analysis of experiments in Environmental Engineering: Drag in a water tunnel, shading effects on solar photovoltaic, buoyant plume dispersion in a water tank, atmospheric turbulence, and others. Use of sensors and data acquisition. Laboratory report writing; error analysis; engineering ethics. " + "HDS 99": { + "prerequisites": [], + "name": "Independent Study in Human Developmental Sciences", + "description": "Independent study and research under the direction of an affiliated human developmental sciences faculty member. Pass/No Pass only. Cannot be used toward HDS major credit. Renumbered from HDP 99. HDS 99 and/or HDP 99 may be taken for credit for a combined total of three times. " }, - "MAE 126A": { + "HDS 110": { "prerequisites": [ - "MAE 126A" + "HDP 1", + "or", + "HDS 1", + "or", + "PSYC 101" ], - "name": "Environmental\n\t\t Engineering Laboratory ", - "description": "Fundamental principles of environmental design. Building a working prototype or computer model for an environmental engineering application. Work in teams to propose and design experiments and components, obtain data, complete engineering analysis, and write a report. Engineering ethics and professionalism. " + "name": "Brain and Behavioral Development", + "description": "The purpose of this course is to familiarize students with basic mechanisms of brain and behavioral development from embryology through aging. Multiple levels of analysis will be discussed, including the effects of hormones on behavior, developmental events at the level of cells, structures, and neural systems, and the neural basis of cognition, social, perceptual, and language development. Renumbered from HDP 110. Students may not receive credit for HDP 110 and HDS 110. " }, - "MAE 126B": { + "HDS 111": { "prerequisites": [ - "MATH 18", + "HDP 1", "or", - "MATH 20F", + "HDS 1", "or", - "MATH 31AH", - "and", - "MAE 30B", + "ANTH 2", "or", - "MAE 130B" + "BILD 3" ], - "name": "Environmental\n\t\t Engineering Design", - "description": "Harmonically excited vibrations. Vibration of multiple degree-of-freedom systems. Observations, including beat frequencies, static and dynamic coupling, traveling and standing wave phenomena. Vibration of continuous systems. Hamilton\u2019s equations. Distributed and point forces and moments in continuous systems and the generalized Dirac distribution. Response to impact and impulse excitation. Modeling continuous systems with approximate discrete models. Restricted to engineering majors only MC25, MC27, MC29, MO21, SE27. ** Upper-division standing required ** " + "name": "Evolutionary Principles in Human Development", + "description": "The course will examine the human evolutionary past to inform our understanding of the biological, cognitive, and socio-cultural aspects of growth and change across the life span. Lectures and readings will draw from diverse fields to situate our understanding of human development within its broader evolutionary context. Areas of focus will include but are not limited to human longevity, biology of growth, theory of mind, and social and biological development in cross-species comparison. Renumbered from HDP 111. Students may not receive credit for HDP 111 and HDS 111. " }, - "MAE 130": { + "HDS 120": { "prerequisites": [ - "MATH 20D", - "and", - "MAE 130A", + "HDP 1", "or", - "SE 101A" + "HDS 1" ], - "name": "Advanced Vibrations", - "description": "Concepts of stress and strain. Hooke\u2019s Law. Axial loading of bars. Torsion of circular shafts. Shearing and normal stresses in beam bending. Deflections in beams. Statically determinate and indeterminate problems. Combined loading. Principal stresses and design criteria. Buckling of columns. " + "name": "Language Development", + "description": "Examination of children\u2019s acquisition of language from babbling to the formation of sentences. Topics covered include prelinguistic gestures, relationships between babbling and sound systems, speech perception, linking words with objects, rule overgeneralization, bilingualism, nature vs. nurture, individual differences, and cultural differences. Renumbered from HDP 120. Students may not receive credit for HDP 120 and HDS 120. " }, - "MAE 131A": { + "HDS 121": { "prerequisites": [ - "MAE 131A", + "HDP 1", "or", - "SE 110A", - "and", - "MAE 105" + "HDS 1", + "or", + "COGS 1" ], - "name": "Solid Mechanics I", - "description": "Analysis of 3-D states of stress and strain. Governing equations of linear elasticity. Solution of elasticity problems in rectangular and polar coordinates. Stress concentration. Failure criteria. Torsion of noncircular and thin walled members. Energy methods. Plastic collapse and limit analysis. " + "name": "The Developing Mind", + "description": "(Same as COGS 110.) This course examines changes in thinking and perceiving the physical and social world from birth through childhood. Evidence of significant changes in encoding information, forming mental representations, and solving problems is culled from psychological research, cross-cultural studies, and cognitive science.\u00a0Cross-listed course HDS 121 has been renumbered from HDP 121. Students may receive credit for one of the following: COGS 110, HDS 121, or HDS 121. " }, - "MAE 131B": { + "HDS 122": { "prerequisites": [ - "MAE 131A", + "HDP 1", "or", - "SE 110A" + "HDS 1" ], - "name": "Fundamentals of Solid Mechanics II", - "description": "Development of stiffness and mass matrices based upon variational principles and application to static, dynamic, and design problems in structural and solid mechanics. Architecture of computer codes for linear and nonlinear finite element analysis. The use of general-purpose finite element codes. " + "name": "Development of Social Cognition ", + "description": "This course covers topics in development of social cognition across the life span. Grounded in current research and theoretical models, content addresses general principles such as the mutual influences of caregivers and children upon each other and the interplay of person and context. Discussion areas include attachment, aggression, identity development, social cognition, social components of achievement motivation, and development of conscience. Renumbered from HDP 122. Students may not receive credit for HDP 122 and HDS 122. " }, - "MAE 133": { + "HDS 133": { "prerequisites": [ - "MAE 104", - "and", - "MAE 143B", + "HDP 1", "or", - "ECE 171A" + "HDS 1", + "or", + "PSYC 1" ], - "name": "Finite\n\t\t Element Methods in Mechanical and Aerospace Engineering", - "description": "The dynamics of vehicles in space or air are derived for analysis of the stability properties of spacecraft and aircraft. The theory of flight, lift, drag, Dutch roll and phugoid modes of aircraft are discussed. Optimal state space control theory for the design of analog and digital controllers (autopilots). ** Consent of instructor to enroll possible **" + "name": "Cross-Cultural Perspectives on Developmental Science ", + "description": "This course examines how human development varies cross-culturally across the life span. It explores human developmental science as a bio-social-cultural process, in which development is not simply a product of biology and genetics, but shaped by the particular cultural traditions and patterns of social interactions into which an individual is born. Renumbered from HDP 133. Students may not receive credit for HDP 133 and HDS 133. " }, - "MAE 142": { + "HDS 150": { "prerequisites": [ - "MATH 20D", - "MATH 20E", - "MATH 18" + "HDP 181", + "or", + "HDS 181" ], - "name": "Dynamics\n\t\t and Control of Aerospace Vehicles", - "description": "Dynamic modeling and vector differential equations. Concepts of state, input, output. Linearization around equilibria. Laplace transform, solutions to ODEs. Transfer functions and convolution representation of dynamic systems. Discrete signals, difference equations, z-transform. Continuous and discrete Fourier transform. ** Consent of instructor to enroll possible **" + "name": "Senior Seminar", + "description": "Seminar for graduating HDS seniors. Readings and discussion of special topics in human developmental sciences. Provides advanced-level study on subfields of human development. Topics vary quarterly. Renumbered from HDP 150. HDS 150 and/or HDP 150 may be repeated for a combined total of two times when topics vary. ** Department approval required ** " }, - "MAE 143A": { - "prerequisites": [ - "MAE 143A" - ], - "name": "Signals and Systems", - "description": "Analysis and design of feedback systems in the frequency domain. Transfer functions. Time response specifications. PID controllers and Ziegler-Nichols tuning. Stability via Routh-Hurwitz test. Root locus method. Frequence response: Bode and Nyquist diagrams. Dynamic compensators, phase-lead and phase-lag. Actuator saturation and integrator wind-up. ** Consent of instructor to enroll possible **" + "HDS 160": { + "prerequisites": [], + "name": "Special\n\t\t\t\t Topics Seminar in Human Developmental Sciences", + "description": "Special topics in human developmental sciences are discussed. Renumbered from HDP 160. HDS 160 and/or HDP 160 may be taken for credit for a combined total of three times when topics vary. ** Department approval required ** " }, - "MAE 143B": { - "prerequisites": [ - "MAE 143B", - "or", - "BENG 122A", - "or", - "ECE 171A" - ], - "name": "Linear Control", - "description": "Each student builds, models, programs, and controls an unstable robotic system built around a small Linux computer. Review/synthesis of: A) modern physical and electrical CAD. B) dynamics, signals and systems, linear circuits; PWMs, H-bridges, quadrature encoders. C) embedded Linux, C, graphical programming; multithreaded applications; bus communication to supporting ICs. D) classical control theory in both continuous-time (CT) and discrete-time (DT); interconnection of CT and DT elements. Program or materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "MAE 144": { - "prerequisites": [ - "MAE 130B" - ], - "name": "Embedded Control and Robotics", - "description": "This course is an introduction to robotic planning algorithms and programming. Topics: sensor-based planning (bug algorithms), motion planning via decomposition and search (basic search algorithms on graphs, A*), the configuration-space concept, free configuration spaces via sampling, collision detection algorithms, (optimal) planning via sampling (probabilistic trees), environment roadmaps, and (extended) Kalman filtering for robot localization and environment mapping (SLAM). ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "MAE 145": { - "prerequisites": [ - "ECE 15", - "or", - "ECE 35", - "or", - "MAE 2", - "or", - "MAE 3", - "and" - ], - "name": "Introduction to Robotic Planning and Estimation", - "description": "Fundamentals of autonomous vehicles. Working in small teams, students will develop 1/8-scale autonomous cars that must perform on a simulated city track. Topics include robotics system integration, computer vision, algorithms for navigation, on-vehicle vs. off-vehicle computation, computer learning systems such as neural networks, locomotion systems, vehicle steering, dead reckoning, odometry, sensor fusion, GPS autopilot limitations, wiring, and power distribution and management. " + "HDS 171": { + "prerequisites": [], + "name": "Diversity in Human Development: A Cultural Competency Approach ", + "description": "This course provides an introduction to the scholarship and practice of cultural competency, with a goal of enhancing the ability of students to be effective researchers and community service partners. Through relevant readings, associated assignments, and community guest speakers, students will acquire the necessary skills for doing substantive and responsive research in diverse cultural contexts. Renumbered from HDP 171. Students may not receive credit for HDP 171 and HDS 171. " }, - "MAE 148": { + "HDS 175": { "prerequisites": [], - "name": "Introduction to Autonomous Vehicles", - "description": "(Cross-listed with ECE 156.) Characteristics of chemical, biological, seismic and other physical sensors; signal processing techniques supporting distributed detection of salient events; wireless communication and networking protocols supporting formation of robust censor fabrics; current experience with low power, low-cost sensor deployments. Students may not receive credit for both MAE 149 and ECE 156. May be coscheduled with SIOC 238. " + "name": "Power, Wealth, and Inequality in Human Development", + "description": "Inequality affects social mobility and opportunities for diverse communities in the United States, having long-term implications for life span development. A multidisciplinary approach examines the differential effects on development fostered by disparities in socio-economic, educational, and cultural factors. Renumbered from HDP 175. Students may not receive credit for HDP 175 and HDS 175. " }, - "MAE 149": { + "HDS 181": { "prerequisites": [ - "MAE 130A", + "HDS 1", + "and", + "BIEB 100", "or", - "SE 101A", + "COGS 14B", "or", - "BENG 110", - "MAE 107", + "ECON 120A", "or", - "SE 121", - "MAE 3", - "and" - ], - "name": "Sensor Networks", - "description": "Computer-aided analysis and design. Design methodology, tolerance analysis, Monte Carlo analysis, kinematics and computer-aided design of linkages, numerical calculations of moments of inertia, design of cams and cam dynamics; finite element analysis, design using Pro-E, Mechanica Motion and Mechanica Structures. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "MAE 150": { - "prerequisites": [], - "name": "Computer-Aided Design", - "description": "This course will teach teams of students how to develop concepts and business plans in the design of new and innovative products. Emphasis will be placed on identifying user needs, concept generation, and prototype fabrication. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "MAE 154": { - "prerequisites": [ - "MAE 2", - "MAE 21", + "MATH 11", "or", - "SE 2", + "POLI 30", "or", - "SE 104", - "MAE 104", - "MAE 130C", - "and", - "SE 160B" - ], - "name": "Product Design and Entrepreneurship", - "description": "Fundamental principles of aerospace vehicle design including the conceptual, preliminary, and detailed design phases. Aeronautical or astronautical design project that integrates all appropriate engineering disciplines as well as issues associated with optimization, teamwork, manufacturability, reporting, and professionalism. ** Consent of instructor to enroll possible **" - }, - "MAE 155A": { - "prerequisites": [ - "MAE 113", - "MAE 142", - "MAE 155A", - "and", - "MAE 170" - ], - "name": "Aerospace Engineering Design I", - "description": "The principles of aerospace vehicle design including the conceptual, preliminary, and detailed design phases. Aeronautical or astronautical design project that integrates all appropriate engineering disciplines as well as issues associated with optimization, teamwork, manufacturability, reporting, and professionalism. Program or materials fees may apply. ** Consent of instructor to enroll possible **" - }, - "MAE 155B": { - "prerequisites": [ - "MAE 3", - "MAE 130B", - "MAE 131A", - "MAE 143B", - "MAE 150", - "and", - "MAE 170" - ], - "name": "Aerospace Engineering Design II", - "description": "Fundamental principles of mechanical design and the design process. Application of engineering science to the design and analysis of mechanical components. Initiation of team design projects that culminate in MAE 156B with a working prototype designed for a real engineering application. Professional ethics discussed. Program or materials fees may apply. ** Consent of instructor to enroll possible **" - }, - "MAE 156A": { - "prerequisites": [ - "MAE 156A", - "MAE 101C", - "MAE 130C", - "and", - "MAE 160", + "POLI 30D", "or", - "MAE 131B" + "PSYC 60" ], - "name": "Fundamental\n\t\t Principles of Mechanical Design I", - "description": "Fundamental principles of mechanical design and the design process. Culmination of a team design project initiated in MAE 156A which results in a working prototype designed for a real engineering application. " + "name": "Experimental\n\t\t\t\t Projects in Human Development Research", + "description": "This laboratory course in human developmental sciences is designed around a variety of intensive experimental projects. With lectures providing background information on research methods and life span development, each assignment will include data collection and/or analysis, and a written laboratory report. Renumbered from HDP 181. Students may not receive credit for HDP 181 and HDS 181. ** Department approval required ** " }, - "MAE 156B": { - "prerequisites": [ - "MAE 20", - "MAE 130A", - "or", - "SE 101A", - "and", - "MAE 131A" - ], - "name": "Fundamental\n\t\t Principles of Mechanical Design II", - "description": "Elasticity and inelasticity, dislocations and plasticity of crystals, creep, and strengthening mechanisms. Mechanical behavior of ceramics, composites, and polymers. Fracture: mechanical and microstructural. Fatigue. Laboratory demonstrations of selected topics. ** Consent of instructor to enroll possible **" + "HDS 191": { + "prerequisites": [], + "name": "Field Research in Human Development", + "description": "Specialized research project under the direction of a human developmental sciences affiliated faculty member. Renumbered from HDP 193. Students may not receive more than a combined total of eight units of credit for HDP 193 and HDS 193. ** Department approval required ** " }, - "MAE 160": { + "HDS 193": { "prerequisites": [], - "name": "Mechanical Behavior of Materials", - "description": "The engineering and scientific aspects of crack nucleation, slow crack growth, and unstable fracture in crystalline and amorphous solids. Microstructural effects on crack initiation, fatigue crack growth and fracture toughness. Methods of fatigue testing and fracture toughness testing. Fractography and microfractography. Design safe methodologies and failure prevention. Failure analysis of real engineering structures. ** Consent of instructor to enroll possible **" + "name": "Advanced\n\t\t\t\t Research in Human Developmental Sciences", + "description": "Students carry out a three-quarter research project, under the guidance of a faculty member, that will form the basis for their senior honors thesis in the human developmental sciences major. Renumbered from HDP 194A-B-C. Students may not receive credit for HDP 194A-B-C and HDS 194A-B-C. ** Consent of instructor to enroll possible **" }, - "MAE 165": { + "HDS 194A-B-C": { "prerequisites": [], - "name": "Fatigue\n\t\t and Failure Analysis of Engineering Components", - "description": "(Cross-listed with NANO 156.) Basic principles of synthesis techniques, processing, microstructural control and unique physical properties of materials in nanodimensions. Nanowires, quantum dots, thin films, electrical transport, optical behavior, mechanical behavior, and technical applications of nanomaterials. " + "name": "Honors Thesis in Human Developmental Sciences", + "description": "Introduction to teaching within human developmental sciences. Under the direction of the instructor, students attend lectures, lead discussion sections, review course readings, and meet regularly to prepare course materials and to evaluate examinations and papers. Course not counted toward HDS major or minor. Pass/No Pass only. Renumbered from HDP 195. Students may not receive more than a combined total of eight units of credit for HDP 195 and HDS 195. ** Consent of instructor to enroll possible **" }, - "MAE 166": { + "HDS 195": { "prerequisites": [], - "name": "Nanomaterials", - "description": "Pressure and shear waves in infinite solids. Reflection and diffraction. Rayleigh and Love waves in semi-infinite space. Impulse load on a half space. Waveguides and group velocity. ** Consent of instructor to enroll possible **" + "name": "Instructional\n\t\t\t\t Apprentice in Human Developmental Sciences ", + "description": "Independent study and research under the direction of an affiliated human developmental sciences faculty member. Pass/No Pass only. Renumbered from HDP 199. HDP 199 and/or HDS 199 may be taken for credit for a combined total of three times. Cannot be used toward HDS major credit. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "MAE 167": { - "prerequisites": [ - "PHYS 2C", - "or", - "PHYS 4B" - ], - "name": "Wave Dynamics in Materials", - "description": "Principles and practice of measurement and control and the design and conduct of experiments. Technical report writing. Lectures relate to dimensional analysis, error analysis, signal-to-noise problems, filtering, data acquisition and data reduction, as well as background of experiments and statistical analysis. Experiments relate to the use of electronic devices and sensors. " + "LAWS 101": { + "prerequisites": [], + "name": "Contemporary Legal Issues", + "description": "This course will deal in depth each year with a different legal issue of contemporary significance, viewed from the perspectives of political science, history, sociology, and philosophy. Required for students completing the Law and Society minor. May be repeated for credit once, for a maximum total of eight units. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "MAE 170": { - "prerequisites": [ - "MAE 101A", - "and", - "MAE 170" - ], - "name": "Experimental Techniques", - "description": "Design and analysis of experiments in fluid mechanics, solid mechanics, and control engineering. Experiments in wind tunnel, water tunnel, vibration table and material testing machines, and refined electromechanical systems. Laboratory report writing; error analysis; engineering ethics. " + "LAWS 102S": { + "prerequisites": [], + "name": "Crimes, Civil Wrongs, and Constitution", + "description": "Through lectures and discussions on several controversial topics, students are introduced to the subjects taught in the first year of law school. They learn briefing, case analysis, and the Socratic method of instruction, engage in role-playing exercises, and take law-school examinations. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "MAE 171A": { - "prerequisites": [ - "MAE 171A" - ], - "name": "Mechanical Engineering Laboratory I", - "description": "Design and analysis of original experiments in mechanical engineering. Students research projects using experimental facilities in undergraduate laboratories: wind tunnel, water channel, vibration table, and testing machine and control systems. Students propose and design experiments, obtain data, complete engineering analysis and write a major report. " + "LTAF 110": { + "prerequisites": [], + "name": "African Oral Literature", + "description": "Survey of various genres of African and oral literary traditions. Oral narrative genres, investigation of proverb, riddle, praise poetry, and epic. Development and use of a methodology to analyze aspects of performance, composition, and education in oral traditional systems. " }, - "MAE 171B": { + "LTAF 120": { "prerequisites": [], - "name": "Mechanical Engineering Laboratory II", - "description": "Analysis of aerospace engineering systems using experimental facilities in undergraduate laboratories: wind tunnel, water channel, vibration table, and testing machine. Students operate facilities, obtain data, complete engineering analysis and write major reports. ** Consent of instructor to enroll possible **" + "name": "Literature and Film of Modern Africa", + "description": "This course traces the rise of modern literature in traditional African societies disrupted by the colonial and neocolonial experience. Contemporary films by African and Western artists will provide an additional insight into the complex social self-images of the continent." }, - "MAE 175A": { + "LTAM 87": { "prerequisites": [], - "name": "Aerospace Engineering Laboratory I", - "description": "Astrodynamics, orbital motion, perturbations, coordinate systems and frames of reference. Geosynchronous orbits, stationkeeping. Orbital maneuvers, fuel consumption, guidance systems. Observation instrument point, tracking, control. Basic rocket dynamics. Navigation, telemetry, re-entry, and aero-assisted maneuvers. Mission design. Students perform analyses based on mission requirements. ** Upper-division standing required ** " + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "MAE 180A": { + "LTAM 100": { "prerequisites": [], - "name": "Spacecraft Guidance I", - "description": "Space mission concepts, architectures, and analysis. Mission geometry. Astrodynamics. Orbit and constellation design. Space environment. Payload and spacecraft design and sizing. Power sources and distribution. Thermal management. Structural design. Guidance and navigation. Space propulsion. Orbital debris and survivability. Cost modeling and risk analysis. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Latino/a Cultures in the United States", + "description": "An introductory historical and cultural overview of the various Latino/a populations in the United States with a study of representative cultural texts." }, - "MAE 181": { + "LTAM 101": { "prerequisites": [], - "name": "Space Mission Analysis and Design", - "description": "Students will develop software and methods to simulate the motion characteristics of flight vehicles. Six degree-of-freedom equations of motion will be reviewed with emphasis on computer implementation. Algorithms for data modeling, numerical integration, equilibrium, and linearization will be introduced. Three-dimensional visualization techniques will be explored for representing operator and observer viewpoints. Applications include aircraft, automobiles, and marine vessels. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Early Latino/a-Chicano/a Cultures: 1848\u20131960", + "description": "A cross-disciplinary study of nineteenth- and early twentieth-century Latino/a-Chicano/a literature, the visual and performing arts, and other cultural practices. May be repeated for credit as topics vary. " }, - "MAE 184": { + "LTAM 105": { "prerequisites": [], - "name": "Flight Simulation Techniques", - "description": "Topics of special interest in mechanical and aerospace engineering. May be repeated for credit as topics vary. " + "name": "Gender and Sexuality in Latino/a-Chicano/a Cultural Production", + "description": "A study of the construction of differences in gender and sexual orientation in Latino/a-Chicano/a literature and other cultural production with an emphasis on examining various theoretical/ideological perspectives on these issues. May be repeated for credit as topics vary. " }, - "MAE 190": { + "LTAM 106": { "prerequisites": [], - "name": "Topics in Mechanical and Aerospace Engineering", - "description": "Topics of special interest in mechanical and aerospace engineering with laboratory. May be repeated for credit as topics vary. " + "name": "Modern Chicana and Mexican Women Writings", + "description": "A study of themes and issues in the writings of Chicana and Mexican women with a view toward establishing connections while recognizing national and cultural differences between the two. May be repeated for credit as topics vary. " }, - "MAE 191": { + "LTAM 107": { "prerequisites": [], - "name": "Topics in Mechanical and Aerospace Engineering with Laboratory", - "description": "Students work in local industry or hospitals under faculty supervision. Units may not be applied toward graduation requirements. Salaried or unsalaried. Number of units determined by enrollment frequency. First quarter up to four units. Subsequent quarters cannot exceed one unit. ** Consent of instructor to enroll possible **" + "name": "Comparative Latino/a and US Ethnic Cultures", + "description": "A comparative and intersecting study of Latino/a and other US ethnic cultures. Literary texts will be viewed as \u201cwindows\u201d into real time and spaces where cultures meet and mix. May be repeated for credit as topics vary. " }, - "MAE 197": { + "LTAM 108": { "prerequisites": [], - "name": "Engineering Internship", - "description": "Directed group study on a topic or in a field not included in the regular department curriculum, by special arrangement with a faculty member. May be taken P/NP only. ** Consent of instructor to enroll possible **" + "name": "Chicano/a and Latino/a Cultures: Intellectual and Political Traditions", + "description": "The course will center on Chicano/a-Latino/a writers and movements of literary, intellectual, cultural, or political significance. Texts may be read in the original language or in English. May be repeated for credit as topics vary. " }, - "MAE 198": { + "LTAM 109": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Independent reading or research on a problem by special arrangement with a faculty member. P/NP grades only. ** Consent of instructor to enroll possible **" + "name": "Cultural Production of the Latino/a Diasporas", + "description": "A study of the cultural production of Latino/a immigrant groups with a focus on the literary representation of homeland, national culture, and the forces that led to migration. May be repeated for credit as topics vary. " }, - "MAE 199": { + "LTAM 110": { "prerequisites": [], - "name": "Independent Study for Undergraduates", - "description": "This course covers topics in probability and stochastic processes, linear control and estimation including optimal linear control, nonlinear stabilization, and optimal control and estimation for nonlinear systems. ** Consent of instructor to enroll possible **" + "name": "Latin American Literature in Translation", + "description": "Reading of representative works in Latin American literature with a view to literary analysis (form, theme, meaning), the developmental processes of the literature, and the many contexts: historical, social, cultural. Texts may be read in English. May be repeated for credit as topics vary. " }, - "MATH 2": { + "LTAM 111": { "prerequisites": [], - "name": "Introduction to College Mathematics", - "description": "A highly adaptive course designed to build on students\u2019 strengths while increasing overall mathematical understanding and skill. This multimodality course will focus on several topics of study designed to develop conceptual understanding and mathematical relevance: linear relationships; exponents and polynomials; rational expressions and equations; models of quadratic and polynomial functions and radical equations; exponential and logarithmic functions; and geometry and trigonometry. Workload credit only\u2014not for baccalaureate credit. ** Exam placement options to enroll possible ** " + "name": "Comparative Caribbean Discourse", + "description": "Comparative survey of Caribbean literatures from the Spanish, French, English, and Dutch Caribbean. Literary texts trace historical paradigms including the development of plantation slavery, emancipation, the quest for nationhood, migration, and transnational identities. Films and music may complement discussion. " }, - "MATH 3C": { + "LTAM 130": { "prerequisites": [], - "name": "Precalculus", - "description": "Functions and their graphs. Linear and polynomial functions, zeroes, inverse functions, exponential and logarithmic, trigonometric functions and their inverses. Emphasis on understanding algebraic, numerical and graphical approaches making use of graphing calculators. (No credit given if taken after MATH 4C, 1A/10A, or 2A/20A.) Three or more years of high school mathematics or equivalent recommended. ** Exam placement options to enroll possible ** " + "name": "Reading North by South", + "description": "An analysis of the readings and appropriations of European and US traditions by Latin American, Caribbean, and Filipino writers. The course addresses philosophies, ideologies, and cultural movements and explores the specific literary strategies used by authors in constructing their particular \u201ccosmovisi\u00f3n.\u201d " }, - "MATH 4C": { - "prerequisites": [ - "MATH 3C" - ], - "name": "Precalculus for Science and Engineering", - "description": "Review of polynomials. Graphing functions and relations: graphing rational functions, effects of linear changes of coordinates. Circular functions and right triangle trigonometry. Reinforcement of function concept: exponential, logarithmic, and trigonometric functions. Vectors. Conic sections. Polar coordinates. (No credit given if taken after MATH 1A/10A or 2A/20A. Two units of credit given if taken after MATH 3C.) ** Exam placement options to enroll possible ** " + "LTAM 140": { + "prerequisites": [], + "name": "Topics in Culture and Politics", + "description": "Study of the relationships between cultural production (literature, film, popular culture), social change, and political conflict, covering topics such as colonialism, imperialism, modernization, social movements, dictatorship, and revolution. Repeatable for credit when topics vary. " }, - "MATH 10A": { - "prerequisites": [ - "MATH 3C", - "or", - "MATH 4C" - ], - "name": "Calculus I", - "description": "Differential calculus of functions of one variable, with applications. Functions, graphs, continuity, limits, derivatives, tangent lines, optimization problems. (No credit given if taken after or concurrent with MATH 20A.) ** Exam placement options to enroll possible ** " + "LTCH 101": { + "prerequisites": [], + "name": "Readings\n\t\t in Contemporary Chinese Literature", + "description": "Intended for students who have the competence to read contemporary Chinese texts, poetry, short stories, and criticism in vernacular Chinese. May be repeated for credit as topics vary. " }, - "MATH 10B": { - "prerequisites": [ - "MATH 10A", - "or", - "MATH 20A" - ], - "name": "Calculus II", - "description": "Integral calculus of functions of one variable, with applications. Antiderivatives, definite integrals, the Fundamental Theorem of Calculus, methods of integration, areas and volumes, separable differential equations. (No credit given if taken after or concurrent with MATH 20B.) ** Exam placement options to enroll possible ** " + "LTCS 50": { + "prerequisites": [], + "name": "Introduction to Cultural Studies", + "description": "An introduction to cultural studies with a focus on the following areas: literary and historical studies, popular culture, women\u2019s studies, ethnic studies, science studies, and gay/lesbian studies. Particular emphasis on the question of \u201ccultural practices\u201d and their social and political conditions and effects." }, - "MATH 10C": { - "prerequisites": [ - "MATH 10B", - "or", - "MATH 20B" - ], - "name": "Calculus III", - "description": "Introduction to functions of more than one variable. Vector geometry, partial derivatives, velocity and acceleration vectors, optimization problems. (No credit given if taken after or concurrent with 20C.) ** Exam placement options to enroll possible ** " + "LTCS 52": { + "prerequisites": [], + "name": "Topics in Cultural Studies", + "description": "This course is designed to complement LTCS 50, Introduction to Cultural Studies. In this course, cultural studies methods are further introduced and applied to various concrete topics in order to illustrate the practical analysis of culture and cultural forms." }, - "MATH 11": { - "prerequisites": [ - "MATH 10B", - "or", - "MATH 20B" - ], - "name": "Calculus-Based Introductory Probability and Statistics", - "description": "Events and probabilities, conditional probability, Bayes\u2019 formula. Discrete and continuous random variables: mean, variance; binomial, Poisson distributions, normal, uniform, exponential distributions, central limit theorem. Sample statistics, confidence intervals, hypothesis testing, regression. Applications. Introduction to software for probabilistic and statistical analysis. Emphasis on connections between probability and statistics, numerical results of real data, and techniques of data analysis. ** Exam placement options to enroll possible ** " + "LTCS 87": { + "prerequisites": [], + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "MATH 15A": { - "prerequisites": [ - "CSE 8B", - "or", - "CSE 11" - ], - "name": "Introduction to Discrete Mathematics", - "description": "Basic discrete mathematical structure: sets, relations, functions, sequences, equivalence relations, partial orders, and number systems. Methods of reasoning and proofs: propositional logic, predicate logic, induction, recursion, and pigeonhole principle. Infinite sets and diagonalization. Basic counting techniques; permutation and combinations. Applications will be given to digital logic design, elementary number theory, design of programs, and proofs of program correctness. Students who have completed MATH 109 may not receive credit for MATH 15A. Credit not offered for both MATH 15A and CSE 20. Equivalent to CSE 20. " + "LTCS 100": { + "prerequisites": [], + "name": "Theories\n\t\t and Methods in Cultural Studies", + "description": "Reading in some of the major theoretical texts that have framed work in cultural studies, with particular emphasis on those drawn from critical theory, studies in colonialism, cultural anthropology, feminism, semiotics, gay/lesbian studies, historicism, and psychoanalytic theory. " }, - "MATH 18": { - "prerequisites": [ - "MATH 3C", - "or", - "MATH 4C", - "or", - "MATH 10A", - "or", - "MATH 20A" - ], - "name": "Linear Algebra", - "description": "Matrix algebra, Gaussian elimination, determinants. Linear and affine subspaces, bases of Euclidean spaces. Eigenvalues and eigenvectors, quadratic forms, orthogonal matrices, diagonalization of symmetric matrices. Applications. Computing symbolic and graphical solutions using Matlab. Students may not receive credit\u00a0for both MATH 18 and 31AH. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "LTCS 102": { + "prerequisites": [], + "name": "Practicing Cultural Studies", + "description": "Survey and application of methods central to cultural studies as a critical social practice, examining the relationship between cultural studies and social transformation. Students will study varieties of material culture, and experiment with techniques of reading, interpretation, and intervention. " }, - "MATH 20A": { - "prerequisites": [ - "MATH 2C", - "MATH 4C", - "or", - "MATH 10A" - ], - "name": "Calculus for Science and Engineering", - "description": "Foundations of differential and integral calculus of one variable. Functions, graphs, continuity, limits, derivative, tangent line. Applications with algebraic, exponential, logarithmic, and trigonometric functions. Introduction to the integral. (Two credits given if taken after MATH 1A/10A and no credit given if taken after MATH 1B/10B or MATH 1C/10C. Formerly numbered MATH 2A.) ** Exam placement options to enroll possible ** " + "LTCS 108": { + "prerequisites": [], + "name": "Gender, Race, and Artificial Intelligence", + "description": "This course explores the idea of artificial intelligence in both art and science, its relation to the quest to identify what makes us human, and the roles gender and race have played in both. Students may not receive credit for CGS 108 and LTCS 108. " }, - "MATH 20B": { - "prerequisites": [ - "MATH 20A", - "MATH 10B", - "MATH 10C" - ], - "name": "Calculus for Science and Engineering", - "description": "Integral calculus of one variable and its\n\t\t\t\t applications, with exponential, logarithmic, hyperbolic, and trigonometric\n\t\t\t\t functions. Methods of integration. Infinite series. Polar coordinates in\n\t\t\t\t the plane and complex exponentials. (Two units of credits given if taken\n\t\t\t\t after MATH 1B/10B or MATH 1C/10C.) ** Exam placement options to enroll possible ** " + "LTCS 110": { + "prerequisites": [], + "name": "Popular Culture", + "description": "A reading of recent theory on popular culture and a study of particular texts dealing with popular cultural practices, both contemporary and noncontemporary, as sites of conflict and struggle. LTCS 110 and LTCS 110GS may be taken for credit for a combined total of three times. " }, - "MATH 20C": { - "prerequisites": [ - "MATH 20B" - ], - "name": "Calculus\n\t\t and Analytic Geometry for Science and Engineering", - "description": "Vector geometry, vector functions and their derivatives. Partial differentiation. Maxima and minima. Double integration. (Two units of credit given if taken after MATH 10C. Credit not offered for both MATH 20C and 31BH. Formerly numbered MATH 21C.) ** Exam placement options to enroll possible ** " + "LTCS 111": { + "prerequisites": [], + "name": "Special\n\t\t Topics in Popular Culture in Historical Context", + "description": "Exploration of forms of popular culture in different historical and geographical contexts. Topics may include folklore, dime novels and other types of popular literature, racial performances, popular religions, theatrical melodrama, photojournalism, and early film. LTCS 111 and LTCS 111GS may be taken for credit for a combined total of three times. " }, - "MATH 20D": { - "prerequisites": [ - "MATH 20C", - "MATH 21C", - "or", - "MATH 31BH" - ], - "name": "Introduction to Differential Equations", - "description": "Ordinary differential equations: exact, separable,\n\t\t\t\t and linear; constant coefficients, undetermined coefficients, variations\n\t\t\t\t of parameters. Systems. Series solutions. Laplace transforms. Techniques\n\t\t\t\t for engineering sciences. Computing symbolic and graphical solutions using\n\t\t\t\t Matlab. (Formerly numbered MATH 21D.) May be taken as repeat credit for\n\t\t\t\t MATH 21D. " + "LTCS 119": { + "prerequisites": [], + "name": "Asian American Film and Media", + "description": "(Cross-listed with CGS 119.) The course explores the politics of pleasure in relation to the production, reception, and performance of Asian American identities in the mass media of film, video, and the internet. The course considers how the \u201cdeviant\u201d sexuality of Asian Americans (e.g., hypersexual women and emasculated men) does more than uniformly harm and subjugate Asian American subjects. The texts explored alternate between those produced by majoritarian culture and the interventions made by Asian American filmmakers. Students may not receive credit for LTCS 119 and CGS 119. " }, - "MATH 20E": { - "prerequisites": [ - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 20C", - "MATH 21C", - "or", - "MATH 31BH" - ], - "name": "Vector Calculus", - "description": "Change of variable in multiple integrals, Jacobian, Line integrals, Green\u2019s theorem. Vector fields, gradient fields, divergence, curl. Spherical/cylindrical coordinates. Taylor series in several variables. Surface integrals, Stoke\u2019s theorem. Gauss\u2019 theorem. Conservative fields. " + "LTCS 120": { + "prerequisites": [], + "name": "Historical Perspectives on Culture", + "description": "The course will explore the relation among cultural production, institutions, history, and ideology during selected historical periods. In considering different kinds of texts, relations of power and knowledge at different historical moments will be discussed. Repeatable for credit when topics vary. " }, - "MATH 31AH": { + "LTCS 125": { "prerequisites": [], - "name": "Honors Linear Algebra", - "description": "First quarter of three-quarter honors integrated linear algebra/multivariable calculus sequence for well-prepared students. Topics include real/complex number systems, vector spaces, linear transformations, bases and dimension, change of basis, eigenvalues, eigenvectors, diagonalization. (Credit not offered for both MATH 31AH and 20F.) ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "name": "Cultural\n\t\t Perspectives on Immigration and Citizenship", + "description": "Introduction to the studies of cultural dimensions of immigration and citizenship. Examines the diverse cultural texts\u2014literature, law, film, music, the televisual images, etc.\u2014that both shape and are shaped by immigration and the idea of citizenship in different national and historical contexts. " }, - "MATH 31BH": { - "prerequisites": [ - "MATH 31AH" - ], - "name": "Honors Multivariable Calculus", - "description": "Second quarter of three-quarter honors integrated linear algebra/multivariable calculus sequence for well-prepared students. Topics include derivative in several variables, Jacobian matrices, extrema and constrained extrema, integration in several variables. (Credit not offered for both MATH 31BH and 20C.) ** Consent of instructor to enroll possible **" + "LTCS 130": { + "prerequisites": [], + "name": "Gender,\n\t\t Race/Ethnicity, Class, and Culture", + "description": "The course will focus on the representation of gender, ethnicity, and class in cultural production in view of various contemporary theories of race, sex, and class. Repeatable for credit when topics vary. " }, - "MATH 31CH": { - "prerequisites": [ - "MATH 31BH" - ], - "name": "Honors Vector Calculus", - "description": "Third quarter of honors integrated linear algebra/multivariable calculus sequence for well-prepared students. Topics include change of variables formula, integration of differential forms, exterior derivative, generalized Stoke\u2019s theorem, conservative vector fields, potentials. ** Consent of instructor to enroll possible **" + "LTCS 131": { + "prerequisites": [], + "name": "Topics\n\t\t in Queer Cultures/Queer Subcultures", + "description": "This course examines the intersection of sex, sexuality, and popular culture by looking at the history of popular representations of queer sexuality and their relation to political movements for gay and lesbian rights. Repeatable for credit when readings and focus vary. " }, - "MATH 87": { + "LTCS 132": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshman. " + "name": "Special\n\t\t Topics in Social Identities and the Media", + "description": "A study of media representation and various aspects of identity, such as gender, sexuality, race, ethnicity, social class, culture, and geopolitical location. Students will consider the various media of film, television, alternative video, advertising, music, and the internet. Repeatable for credit when readings and focus vary. " }, - "MATH 95": { + "LTCS 133": { "prerequisites": [], - "name": "Introduction to Teaching Math", - "description": "(Cross-listed with EDS 30.) Revisit students\u2019 learning\n\t\t\t\t difficulties in mathematics in more depth to prepare students\n\t\t\t\t to make meaningful observations of how K\u201312 teachers deal with these difficulties.\n\t\t\t\t Explore how instruction can use students\u2019 knowledge to pose problems\n\t\t\t\t that stimulate students\u2019 intellectual curiosity. " + "name": "Globalization and Culture", + "description": "Studies of cultural dimensions of immigration and citizenship. This course examines the diverse cultural texts\u2014literature, law, film, music, the televisual images, etc., that both shape and are shaped by immigration and the idea of citizenship in different national and historical contexts. " }, - "MATH 96": { - "prerequisites": [ - "MATH 20A" - ], - "name": "Putnam Seminar", - "description": "Students will develop skills in analytical thinking as they solve and present solutions to challenging mathematical problems in preparation for the William Lowell Putnam Mathematics Competition, a national undergraduate mathematics examination held each year. Students must sit for at least one half of the Putnam exam (given the first Saturday in December) to receive a passing grade. P/NP grades only. May be taken for credit up to four times.\u00a0 ** Exam placement options to enroll possible ** " + "LTCS 134": { + "prerequisites": [], + "name": "Culture and Revolution", + "description": "This course examines the cultural practices of revolutionary societies from the French Revolution to present time. It focuses on China, Cuba, Russia, and Iran and explores how various cultural practices are produced in the course of building revolutionary societies." }, - "MATH 99R": { + "LTCS 141": { "prerequisites": [], - "name": "Independent Study", - "description": "Independent study or research under direction of a member of the faculty. ** Upper-division standing required ** " + "name": "Special Topics in Race and Empire", + "description": "The role of race and culture within the history of empires; may select a single empire for consideration, such as France, Britain, United States, or Japan, or choose to examine the role of race and culture in comparative histories of colonialism. Repeatable for credit when readings and focus vary. " }, - "MATH 100A": { - "prerequisites": [ - "MATH 31CH", - "or", - "MATH 109" - ], - "name": "Abstract Algebra I", - "description": "First course in a rigorous three-quarter introduction to the methods and basic structures of higher algebra. Topics include groups, subgroups and factor groups, homomorphisms, rings, fields. (Students may not receive credit for both MATH 100A and MATH 103A.) ** Consent of instructor to enroll possible **" + "LTCS 150": { + "prerequisites": [], + "name": "Topics in Cultural Studies", + "description": "The course will examine one or more forms of cultural production or cultural practice from a variety of theoretical and historical perspectives. Topics may include contemporary debates on culture, genres of popular music/fiction/film, AIDS and culture, the history of sexuality, subcultural styles, etc. Repeatable for credit when topics vary. " }, - "MATH 100B": { - "prerequisites": [ - "MATH 100A" - ], - "name": "Abstract Algebra II", - "description": "Second course in a rigorous three-quarter introduction to the methods and basic structures of higher algebra. Topics include rings (especially polynomial rings) and ideals, unique factorization, fields; linear algebra from perspective of linear transformations on vector spaces, including inner product spaces, determinants, diagonalization. (Students may not receive credit for both MATH 100B and MATH 103B.) ** Consent of instructor to enroll possible **" + "LTCS 155": { + "prerequisites": [], + "name": "Health, Illness, and Global Culture", + "description": "A medical humanities course that examines compelling written and cinematic accounts of health issues confronting contemporary societies such as environmental pollution, contaminated food supply, recreational drug use, HIV/AIDS, cancer, chronic conditions (allergies, diabetes, obesity, arthritis), famine, natural disasters, and war. May be taken for credit two times when topics vary." }, - "MATH 100C": { - "prerequisites": [ - "MATH 100B" - ], - "name": "Abstract Algebra III", - "description": "Third course in a rigorous three-quarter introduction to the methods and basic structures of higher algebra. Topics include linear transformations, including Jordan canonical form and rational canonical form; Galois theory, including the insolvability of the quintic. ** Consent of instructor to enroll possible **" + "LTCS 165": { + "prerequisites": [], + "name": "Special Topics: The Politics of Food", + "description": "This course will examine the representation and politics of\n food in literary and other cultural texts. Topics may include\n food and poverty, the fast food industry, controversies about\n seed, sustainable food production, myths about hunger, eating\n and epistemology, aesthetics, etc. Repeatable for credit up\n to three times when topics vary." }, - "MATH 102": { - "prerequisites": [ - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 20C" - ], - "name": "Applied Linear Algebra", - "description": "Second course in linear algebra from a computational yet geometric point\n\t\t\t\t of view. Elementary Hermitian matrices, Schur\u2019s theorem, normal matrices,\n\t\t\t\t and quadratic forms. Moore-Penrose generalized inverse and least square\n\t\t\t\t problems. Vector and matrix norms. Characteristic and singular values.\n\t\t\t\t Canonical forms. Determinants and multilinear algebra. ** Consent of instructor to enroll possible **" + "LTCS 170": { + "prerequisites": [], + "name": "Visual Culture", + "description": "The course will focus on visual practices and discourses in their intersection and overlap, from traditional media, print, and photography to film, video, TV, computers, medical scanners, and the internet. " }, - "MATH 103A": { - "prerequisites": [ - "MATH 31CH", - "or", - "MATH 109" - ], - "name": "Modern Algebra I", - "description": "First course in a two-quarter introduction to abstract algebra with some applications. Emphasis on group theory. Topics include definitions and basic properties of groups, properties of isomorphisms, subgroups. (Students may not receive credit for both MATH 100A and MATH 103A.) ** Consent of instructor to enroll possible **" - }, - "MATH 103B": { - "prerequisites": [ - "MATH 103A", - "or", - "MATH 100A" - ], - "name": "Modern Algebra II", - "description": "Second course in a two-quarter introduction to abstract algebra with some applications. Emphasis on rings and fields. Topics include definitions and basic properties of rings, fields, and ideals, homomorphisms, irreducibility of polynomials. (Students may not receive credit for both MATH 100B and MATH 103B.) ** Consent of instructor to enroll possible **" + "LTCS 172": { + "prerequisites": [], + "name": "Special\n\t\t Topics in Screening Race/Ethnicity, Gender and Sexuality", + "description": "Exploring both Hollywood and international filmmaking, an exploration of screen representations with attention to race/ethnicity, gender, and sexuality in different historical and linguistic contexts. Historical periods may extend from silent, through wartime and cold war, to contemporary era of globalization. Repeatable for credit when readings and focus vary. " }, - "MATH 104A": { - "prerequisites": [ - "MATH 100B", - "or", - "MATH 103B" - ], - "name": "Number Theory I", - "description": "Elementary number theory with applications. Topics include\n unique factorization, irrational numbers, residue systems,\n congruences, primitive roots, reciprocity laws, quadratic forms,\n arithmetic functions, partitions, Diophantine equations, distribution\n of primes. Applications include fast Fourier transform, signal\n processing, codes, cryptography. ** Consent of instructor to enroll possible **" + "LTCS 173": { + "prerequisites": [], + "name": "Topics in Violence and Visual Culture", + "description": "This course focuses on the critical study of representations of violence, such as war, genocide, sexual violence, and crime, across a range of media, including literature, film, photography, and other forms of visual culture. Repeatable for credit when readings and focus vary. " }, - "MATH 104B": { - "prerequisites": [ - "MATH 104A" - ], - "name": "Number Theory\n II", - "description": "Topics in number theory such as finite fields, continued fractions,\n Diophantine equations, character sums, zeta and theta functions,\n prime number theorem, algebraic integers, quadratic and cyclotomic\n fields, prime ideal theory, class number, quadratic forms,\n units, Diophantine approximation, p-adic numbers,\n elliptic curves. ** Consent of instructor to enroll possible **" + "LTCS 180": { + "prerequisites": [], + "name": "Programming for the Humanities", + "description": "Introduction to a script programming language (like Python + NLTK or R) and its usages in the processing of literary and historical digital corpora." }, - "MATH 104C": { + "LTCS 198": { "prerequisites": [], - "name": "Number Theory III", - "description": "Topics in algebraic and analytic number theory, with an advanced\n treatment of material listed for MATH 104B. ** Consent of instructor to enroll possible **" + "name": "Directed Group Study", + "description": "Directed group research, under the guidance of a member of the faculty, in an area not covered in courses currently offered by the department. (P/NP only.) " }, - "MATH 105": { - "prerequisites": [ - "MATH 31CH", - "or", - "MATH 109" - ], - "name": "Basic Number Theory", - "description": "The course will cover the basic arithmetic properties of the integers, with applications to Diophantine equations and elementary Diophantine approximation theory. No credit offered for MATH 105 if MATH 104A taken previously or concurrently. ** Consent of instructor to enroll possible **" + "LTCS 199": { + "prerequisites": [], + "name": "Special Studies", + "description": "Individual reading in an area not covered in courses currently offered by the department. (P/NP only.) " }, - "MATH 106": { - "prerequisites": [ - "MATH 100B", - "or", - "MATH 103B" - ], - "name": "Introduction to Algebraic Geometry", - "description": "Plane curves, Bezout\u2019s theorem, singularities of plane curves. Affine and projective spaces, affine and projective varieties. Examples of all the above. Instructor may choose to include some commutative algebra or some computational examples. ** Consent of instructor to enroll possible **" + "LTEA 100A": { + "prerequisites": [], + "name": "Classical Chinese Poetry in Translation", + "description": "A survey of different genres of traditional Chinese poetry from various periods. " }, - "MATH 109": { - "prerequisites": [ - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 20C" - ], - "name": "Mathematical Reasoning", - "description": "This course uses a variety of topics in mathematics to introduce the students to rigorous mathematical proof, emphasizing quantifiers, induction, negation, proof by contradiction, naive set theory, equivalence relations and epsilon-delta proofs. Required of all departmental majors. ** Consent of instructor to enroll possible **" + "LTEA 100B": { + "prerequisites": [], + "name": "Modern Chinese Poetry in Translation", + "description": "A survey of Chinese poetry written in the vernacular from 1918 to 1949. " }, - "MATH 110": { - "prerequisites": [ - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 20D", - "and", - "MATH 20E", - "or", - "MATH 31CH" - ], - "name": "Introduction to Partial Differential Equations", - "description": "An introduction to partial differential equations focusing on equations in two variables. Topics include the heat and wave equation on an interval, Laplace\u2019s equation on rectangular and circular domains, separation of variables, boundary conditions and eigenfunctions, introduction to Fourier series, software methods for solving equations. Formerly MATH 110A. (Students may not receive credit for MATH 110 and MATH 110A.) ** Consent of instructor to enroll possible **" + "LTEA 100C": { + "prerequisites": [], + "name": "Contemporary Chinese Poetry in Translation", + "description": "A survey of Chinese poetic development from 1949 to the present. " }, - "MATH 111A": { - "prerequisites": [ - "MATH 20D", - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 109", - "or", - "MATH 31CH" - ], - "name": " Mathematical Modeling I", - "description": "An introduction to mathematical modeling in the physical and\n social sciences. Topics vary, but have included mathematical\n models for epidemics, chemical reactions, political organizations,\n magnets, economic mobility, and geographical distributions\n of species. May be taken for credit two times when topics change. ** Consent of instructor to enroll possible **" + "LTEA 110A": { + "prerequisites": [], + "name": "Classical Chinese Fiction in Translation", + "description": "The course will focus on a few representative masterpieces of Chinese literature in its classical age, with emphasis on the formal conventions and the social or intellectual presuppositions that are indispensable to their understanding. May be repeated for credit when topics vary. " }, - "MATH 111B": { - "prerequisites": [ - "MATH 111A" - ], - "name": "Mathematical Modeling II", - "description": "Continued study on mathematical modeling in the physical and social sciences, using advanced techniques that will expand upon the topics selected and further the mathematical theory presented in MATH 111A. ** Consent of instructor to enroll possible **" + "LTEA 110B": { + "prerequisites": [], + "name": "Modern Chinese Fiction in Translation", + "description": "A survey of representative works of the modern period from 1919 to 1949. May be repeated for credit when topics vary." }, - "MATH 112A": { - "prerequisites": [ - "MATH 11", - "or", - "MATH 180A", - "or", - "MATH 183", - "or", - "MATH 186", - "and", - "MATH 18", - "or", - "MATH 31AH", - "and", - "MATH 20D", - "and", - "BILD 1" - ], - "name": "Introduction to Mathematical Biology I", - "description": "Part one of a two-course introduction to the use of mathematical theory and techniques in analyzing biological problems. Topics include differential equations, dynamical systems, and probability theory applied to a selection of biological problems from population dynamics, biochemical reactions, biological oscillators, gene regulation, molecular interactions, and cellular function. May be coscheduled with MATH 212A. Recommended preparation: MATH 130 and MATH 180A. ** Consent of instructor to enroll possible **" + "LTEA 110C": { + "prerequisites": [], + "name": "Contemporary Chinese Fiction in Translation", + "description": "An introductory survey of representative texts produced after 1949 with particular emphasis on the social, cultural, and political changes. May be taken for credit three times as topics vary." }, - "MATH 112B": { - "prerequisites": [ - "MATH 112A", - "and", - "MATH 110", - "and", - "MATH 180A" - ], - "name": "Introduction to Mathematical Biology II", - "description": "Part two of an introduction to the use of mathematical theory and techniques in analyzing biological problems. Topics include partial differential equations and stochastic processes applied to a selection of biological problems, especially those involving spatial movement, such as molecular diffusion, bacterial chemotaxis, tumor growth, and biological patterns. May be coscheduled with MATH 212B. Recommended preparation: MATH 180B. ** Consent of instructor to enroll possible **" + "LTEA 120A": { + "prerequisites": [], + "name": "Chinese Films", + "description": "A survey of representative films from different periods of Chinese cinematic development. Priority may be given to Chinese studies majors and literature majors. Repeatable for credit when topics vary. " }, - "MATH 114": { - "prerequisites": [ - "MATH 180A" - ], - "name": "Introduction to Computational Stochastics", - "description": "Topics include random number generators, variance reduction, Monte Carlo (including Markov Chain Monte Carlo) simulation, and numerical methods for stochastic differential equations.\u00a0Methods will be illustrated on applications in biology, physics, and finance. May be coscheduled with MATH 214. Recommended preparation: CSE 5A, CSE 8A, CSE 11, or ECE 15. Students should complete a computer programming course before enrolling in MATH 114. ** Consent of instructor to enroll possible **" + "LTEA 120B": { + "prerequisites": [], + "name": "Taiwan Films", + "description": "A survey of \u201cNew Taiwan Cinema\u201d of the eighties and nineties. Priority may be given to Chinese studies majors and literature majors. Repeatable for credit when topics vary. " }, - "MATH 120A": { - "prerequisites": [ - "MATH 20E", - "or", - "MATH 31CH" - ], - "name": "Elements of Complex Analysis", - "description": "Complex numbers and functions. Analytic functions, harmonic functions,\n\t\t\t\t elementary conformal mappings. Complex integration. Power series.\n\t\t\t\t Cauchy\u2019s theorem. Cauchy\u2019s formula. Residue theorem. ** Consent of instructor to enroll possible **" + "LTEA 120C": { + "prerequisites": [], + "name": "Hong Kong Films", + "description": "An examination of representative works of different film genres from Hong Kong. Priority may be given to Chinese studies majors and literature majors. Repeatable for credit when topics vary. " }, - "MATH 120B": { - "prerequisites": [ - "MATH 120A" - ], - "name": "Applied Complex Analysis", - "description": "Applications of the residue theorem. Conformal\n\t\t\t\t mapping and applications to potential theory, flows, and temperature\n\t\t\t\t distributions. Fourier transformations. Laplace transformations, and applications\n\t\t\t\t to integral and differential equations. Selected topics such as Poisson\u2019s\n\t\t\t\t formula, Dirichlet\u2019s problem, Neumann\u2019s problem, or special functions. ** Consent of instructor to enroll possible **" + "LTEA 132": { + "prerequisites": [], + "name": "Later Japanese Literature in Translation", + "description": "An introduction to later Japanese (kogo) literature in translation. Will focus on several \u201cmodern\u201d works, placing their forms in the historical context. No knowledge of Japanese required. Repeatable for credit when topics vary. " }, - "MATH 121A": { - "prerequisites": [ - "EDS 30/MATH" - ], - "name": "Foundations\n\t\t of Teaching and Learning Mathematics I", - "description": "(Cross-listed with EDS 121A.) Develop teachers\u2019 knowledge base (knowledge of mathematics content, pedagogy, and student learning) in the context of advanced mathematics. This course builds on the previous courses where these components of knowledge were addressed exclusively in the context of high-school mathematics. " + "LTEA 138": { + "prerequisites": [], + "name": "Japanese Films", + "description": "An introduction to Japanese films. Attention given to representative Japanese directors (e.g., Ozu), form (e.g., anime), genre (e.g., feminist revenge horror), or historical context in which films are produced. Priority may be given to Japanese studies majors and literature majors. " }, - "MATH 121B": { - "prerequisites": [ - "EDS 121A/MATH" - ], - "name": "Foundations\n\t\t of Teaching and Learning Math II", - "description": "(Cross-listed with EDS 121B.) Examine how learning theories can consolidate observations about conceptual development with the individual student as well as the development of knowledge in the history of mathematics. Examine how teaching theories explain the effect of teaching approaches addressed in the previous courses. " + "LTEA 140": { + "prerequisites": [], + "name": "Modern Korean Literature in Translation from Colonial Period", + "description": "A survey of modern Korean prose fiction and poetry from the colonial period. Exploration of major issues such as Japanese colonization, rise of left-wing and right-wing nationalisms, construction of national culture, and relations between tradition and modernity. " }, - "MATH 130": { - "prerequisites": [ - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 20D" - ], - "name": "Differential Equations and Dynamical Systems ", - "description": "An introduction to ordinary differential equations from the dynamical systems perspective. Topics include flows on lines and circles, two-dimensional linear systems and phase portraits, nonlinear planar systems, index theory, limit cycles, bifurcation theory, applications to biology, physics, and electrical engineering. Formerly MATH 130A. (Students may not receive credit for MATH 130 and MATH 130A.) ** Consent of instructor to enroll possible **" + "LTEA 141": { + "prerequisites": [], + "name": "Modern Korean Literature in Translation from 1945 to Present", + "description": "A survey of modern Korean prose fiction and poetry from 1945 to the 1990s. Examination of literary representations of national division, the Korean War, accelerated industrialization, authoritarian rule, and the labor/agrarian movements." }, - "MATH 140A": { - "prerequisites": [ - "MATH 31CH", - "or", - "MATH 109" - ], - "name": "Foundations of Real Analysis I", - "description": "First course in a rigorous three-quarter sequence on real analysis. Topics include the real number system, basic topology, numerical sequences and series, continuity. (Students may not receive credit for both MATH 140A and MATH 142A.) ** Consent of instructor to enroll possible **" + "LTEA 142": { + "prerequisites": [], + "name": "Korean Film, Literature, and Popular Culture", + "description": "A study of modern Korean society and its major historical issues as represented in film, literature, and other popular cultural media such as TV and music video. We will explore additional issues such as cinematic adaptations of prose fiction, fluid distinctions between popular literature and \u201cserious\u201d literature, and the role of mass media under authoritarian rule. " }, - "MATH 140B": { - "prerequisites": [ - "MATH 140A" - ], - "name": "Foundations of Real Analysis II", - "description": "Second course in a rigorous three-quarter sequence on real analysis. Topics include differentiation, the Riemann-Stieltjes integral, sequences and series of functions, power series, Fourier series, and special functions. (Students may not receive credit for both MATH 140B and MATH 142B.) ** Consent of instructor to enroll possible **" + "LTEA 143": { + "prerequisites": [], + "name": "Gender and Sexuality in Korean Literature and Culture", + "description": "A study of constructions of gender and sexuality in premodern and modern Korean societies. We will discuss literary works as well as historical and ethnographic works on gender relations, representations of masculinity and femininity, and changing roles of men and women in work and family. " }, - "MATH 140C": { - "prerequisites": [ - "MATH 140B" - ], - "name": "Foundations of Real Analysis III", - "description": "Third course in a rigorous three-quarter sequence on real analysis. Topics include differentiation of functions of several real variables, the implicit and inverse function theorems, the Lebesgue integral, infinite-dimensional normed spaces. ** Consent of instructor to enroll possible **" + "LTEA 144": { + "prerequisites": [], + "name": "Korean American Literature and Other Literatures of Korean Diaspora", + "description": "An examination of the experiences of the Korean diaspora linked to the historical contexts of modern Korea, Japan, the United States, and other countries. We will focus on literature both about Korea and the Korean immigrant experience written in the United States but will also read from and about other Korean diasporic contexts. " }, - "MATH 142A": { - "prerequisites": [ - "MATH 31CH", - "or", - "MATH 109" - ], - "name": "Introduction to Analysis I", - "description": "First course in an introductory two-quarter\n\t\t\t\t sequence on analysis. Topics include the real number system, numerical sequences and series, infinite limits, limits of functions, continuity, differentiation. Students may not receive credit for MATH 142A if taken after or concurrently with MATH 140A. ** Consent of instructor to enroll possible **" + "LTEA 151": { + "prerequisites": [], + "name": "Readings in Tagalog Literature and Culture I", + "description": "Course will concentrate on selections of literature, history, and cultural texts (painting, drama, religious artifacts) of the 1896 Philippine revolution and the succeeding US takeover of the Philippines. Intermediate fluency in speaking, reading, and writing Tagalog. Repeatable for credit when topics vary. " }, - "MATH 142B": { - "prerequisites": [ - "MATH 142A", - "or", - "MATH 140A" - ], - "name": "Introduction to Analysis II", - "description": "Second course in an introductory two-quarter sequence on analysis. Topics include the Riemann integral, sequences and series of functions, uniform convergence, Taylor series, introduction to analysis in several variables. Students may not receive credit for MATH 142B if taken after or concurrently with MATH 140B. ** Consent of instructor to enroll possible **" + "LTEA 152A": { + "prerequisites": [], + "name": "Topics in Filipino Literature and Culture", + "description": "Surveys the authors, intellectual currents, and cultural politics of Filipino culture from the 1850s to World War II. Topics may include the legacy of Spanish colonialism, European enlightenment, and the emergence of nationalism and socialism, and Filipino literature in English. May be repeated for credit as topics vary. " }, - "MATH 144": { - "prerequisites": [ - "MATH 140B", - "or", - "MATH 142B" - ], - "name": "Introduction to Fourier Analysis", - "description": "Rigorous introduction to the theory of Fourier series and Fourier transforms. Topics include basic properties of Fourier series, mean square and pointwise convergence, Hilbert spaces, applications of Fourier series, the Fourier transform on the real line, inversion formula, Plancherel formula, Poisson summation formula, Heisenberg uncertainty principle, applications of the Fourier transform. ** Consent of instructor to enroll possible **" + "LTEA 152B": { + "prerequisites": [], + "name": "Topics in Filipino Literature and Culture", + "description": "Surveys the authors, intellectual currents, and cultural politics of Filipino culture from World War II to the present. Topics may include the dual lingua franca, the birth of \u201cFilipino American\u201d literature, the culture of dictatorship, and new approaches to narrative. May be repeated for credit as topics vary. " }, - "MATH 146": { - "prerequisites": [ - "MATH 140B", - "or", - "MATH 142B" - ], - "name": "Analysis of Ordinary Differential Equations", - "description": "A rigorous introduction to systems of ordinary differential equations. Topics include linear systems, matrix diagonalization and canonical forms, matrix exponentials, nonlinear systems, existence and uniqueness of solutions, linearization, and stability. ** Consent of instructor to enroll possible **" + "LTEA 198": { + "prerequisites": [], + "name": "Directed Group Study", + "description": "Research seminars and research, under the direction of a faculty member. May be taken up to three times for credit. (P/NP grades only)" }, - "MATH 148": { - "prerequisites": [ - "MATH 140B", - "or", - "MATH 142B" - ], - "name": "Analysis of Partial Differential Equations", - "description": "A rigorous introduction to partial differential equations. Topics include initial and boundary value problems; first order linear and quasilinear equations, method of characteristics; wave and heat equations on the line, half-line, and in space; separation of variables for heat and wave equations on an interval and for Laplace\u2019s equation on rectangles and discs; eigenfunctions of the Laplacian and heat, wave; Poisson\u2019s equations on bounded domains; and Green\u2019s functions and distributions. ** Consent of instructor to enroll possible **" + "LTEA 199": { + "prerequisites": [], + "name": "Special Studies", + "description": "Tutorial; individual guided reading in areas of literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.)" }, - "MATH 150A": { - "prerequisites": [ - "MATH 20E", - "and", - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH" - ], - "name": "Differential Geometry", - "description": "Differential geometry of curves and surfaces.\n\t\t\t\t Gauss and mean curvatures, geodesics, parallel displacement, Gauss-Bonnet\n\t\t\t\t theorem. ** Consent of instructor to enroll possible **" + "LTEN 21": { + "prerequisites": [], + "name": "Introduction\n\t\t to the Literature of the British Isles: Pre-1660", + "description": "An introduction to the literatures written in English in Britain before 1660, with a focus on the interaction of text and history. " }, - "MATH 150B": { - "prerequisites": [ - "MATH 150A" - ], - "name": "Calculus on Manifolds", - "description": "Calculus of functions of several variables,\n\t\t\t\t inverse function theorem. Further topics may include exterior\n\t\t\t\t differential forms, Stokes\u2019 theorem, manifolds, Sard\u2019s theorem, elements\n\t\t\t\t of differential topology, singularities of maps, catastrophes, further\n\t\t\t\t topics in differential geometry, topics in geometry of physics. ** Consent of instructor to enroll possible **" + "LTEN 22": { + "prerequisites": [], + "name": "Introduction\n\t\t to the Literature of the British Isles: 1660\u20131832", + "description": "An introduction to the literatures written in English in Britain and Ireland between 1660 and 1832, with a focus on the interaction of text and history. " }, - "MATH 152": { - "prerequisites": [ - "MATH 20D", - "and", - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH" - ], - "name": "Applicable Mathematics and Computing", - "description": "This course will give students experience\n\t\t\t\t in applying theory to real world applications such as internet and wireless\n\t\t\t\t communication problems. The course will incorporate talks by experts from\n\t\t\t\t industry and students will be helped to carry out independent projects.\n\t\t\t\t Topics include graph visualization, labelling, and embeddings, random graphs\n\t\t\t\t and randomized algorithms. May be taken for credit three times. ** Consent of instructor to enroll possible **" + "LTEN 23": { + "prerequisites": [], + "name": "Introduction\n\t\t to the Literature of the British Isles: 1832\u2013Present", + "description": "An introduction to the literatures written in English in Britain, Ireland, and the British Empire (and the former British Empire) from 1832 to the present, with a focus on the interaction of text and history. " }, - "MATH 153": { - "prerequisites": [ - "MATH 109", - "or", - "MATH 31CH" - ], - "name": "Geometry for Secondary Teachers", - "description": "Two- and three-dimensional Euclidean geometry\n\t\t\t\t is developed from one set of axioms. Pedagogical issues will emerge from\n\t\t\t\t the mathematics and be addressed using current research in teaching and\n\t\t\t\t learning geometry. This course is designed for prospective secondary school\n\t\t\t\t mathematics teachers. ** Consent of instructor to enroll possible **" + "LTEN 25": { + "prerequisites": [], + "name": "Introduction\n\t\t to the Literature of the United States, Beginnings to 1865", + "description": "An introduction to the literatures written in English in the United States from the beginnings to 1865, with a focus on the interaction of text and history. " }, - "MATH 154": { - "prerequisites": [ - "MATH 31CH", - "or", - "MATH 109" - ], - "name": "Discrete Mathematics and Graph Theory", - "description": "Basic concepts in graph theory, including trees, walks, paths, and connectivity, cycles, matching theory, vertex and edge-coloring, planar graphs, flows and combinatorial algorithms, covering Hall\u2019s theorems, the max-flow min-cut theorem, Euler\u2019s formula, and the travelling salesman problem. Credit not offered for MATH 154 if MATH 158 is previously taken. If MATH 154 and MATH 158 are concurrently taken, credit is only offered for MATH 158. ** Consent of instructor to enroll possible **" + "LTEN 26": { + "prerequisites": [], + "name": "Introduction\n\t\t to the Literature of the United States, 1865 to the Present", + "description": "An introduction to the literatures written in English in the United States from 1865 to the present, with a focus on the interaction of text and history. " }, - "MATH 155A": { - "prerequisites": [ - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 20C" - ], - "name": "Geometric Computer Graphics", - "description": "Bezier curves and control lines, de Casteljau construction for subdivision,\n\t\t\t\t elevation of degree, control points of Hermite curves, barycentric coordinates,\n\t\t\t\t rational curves. Programming knowledge recommended. (Students may not receive\n\t\t\t\t credit for both MATH 155A and CSE 167.) ** Consent of instructor to enroll possible **" + "LTEN 27": { + "prerequisites": [], + "name": "Introduction\n\t\t to African American Literature", + "description": "A lecture discussion course that examines a major topic or theme in African American literature as it is developed over time and across the literary genres of fiction, poetry, and belles lettres. A particular emphasis of the course is how African American writers have adhered to or departed from conventional definitions of genre. " }, - "MATH 155B": { - "prerequisites": [ - "MATH 155A" - ], - "name": "Topics in Computer Graphics", - "description": "Spline curves, NURBS, knot insertion, spline interpolation, illumination models, radiosity, and ray tracing. ** Consent of instructor to enroll possible **" + "LTEN 28": { + "prerequisites": [], + "name": "Introduction\n\t\t to Asian American Literature", + "description": "This course provides an introduction to the study of the history, communities, and cultures of different Asian American people in the United States. Students will examine different articulations, genres, conflicts, narrative forms, and characterizations of the varied Asian experience. " }, - "MATH 157": { + "LTEN 29": { + "prerequisites": [], + "name": "Introduction to Chicano Literature", + "description": "This course provides an introduction to the literary production of the population of Mexican origin in the United States. Students will examine a variety of texts dealing with the historical (social, economic, and political) experiences of this heterogeneous population. " + }, + "LTEN 30": { "prerequisites": [ - "MATH 20D", + "CAT 2", "and", - "MATH 18", "or", - "MATH 20F", + "DOC 2", + "and", "or", - "MATH 31AH" + "HUM 1", + "and", + "and", + "and" ], - "name": "Introduction to Mathematical Software", - "description": "A hands-on introduction to the use of a variety of open-source mathematical software packages, as applied to a diverse range of topics within pure and applied mathematics. Most of these packages are built on the Python programming language, but no prior experience with mathematical software or computer programming is expected. All software will be accessed using the CoCalc web platform (http://cocalc.com), which provides a uniform interface through any web browser. ** Consent of instructor to enroll possible **" + "name": "Poetry for Physicists", + "description": "Physicists have spoken of the beauty of equations. The poet John Keats wrote, \u201cBeauty is truth, truth beauty . . .\u201d What did they mean? Students will consider such questions while reading relevant essays and poems. Requirements include one creative exercise or presentation. Students may not receive credit for both LTEN 30 and PHYS 30. " }, - "MATH 158": { - "prerequisites": [ - "MATH 31CH", - "or", - "MATH 109" - ], - "name": "Extremal Combinatorics and Graph Theory", - "description": "Extremal combinatorics is the study of how large or small a finite set can be under combinatorial restrictions. We will give an introduction to graph theory, connectivity, coloring, factors, and matchings, extremal graph theory, Ramsey theory, extremal set theory, and an introduction to probabilistic combinatorics. Topics include Turan\u2019s theorem, Ramsey\u2019s theorem, Dilworth\u2019s theorem, and Sperner\u2019s theorem. Credit not offered for MATH 158 if MATH 154 was previously taken. If MATH 154 and MATH 158 are concurrently taken, credit is only offered for MATH 158. A strong performance in MATH 109 or MATH 31CH is recommended. ** Consent of instructor to enroll possible **" + "LTEN 31": { + "prerequisites": [], + "name": "Introduction to Indigenous Literature", + "description": "This course provides an introduction to the study of the history, politics, and cultures of tribal nations in the United States and other indigenous peoples across the hemisphere and Oceania impacted by US colonial projects. Students will examine a variety of texts, genres, and periods dealing with the historical (social, economic, and political) experiences of indigenous peoples impacted by US colonization and expansion." }, - "MATH 160A": { - "prerequisites": [ - "MATH 100A", - "or", - "MATH 103A", - "or", - "MATH 140A" - ], - "name": "Elementary Mathematical Logic I", - "description": "An introduction to recursion theory, set theory, proof theory, model theory. Turing machines. Undecidability of arithmetic and predicate logic. Proof by induction and definition by recursion. Cardinal and ordinal numbers. Completeness and compactness theorems for propositional and predicate calculi. ** Consent of instructor to enroll possible **" + "LTEN 87": { + "prerequisites": [], + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "MATH 160B": { - "prerequisites": [ - "MATH 160A" - ], - "name": "Elementary Mathematical Logic II", - "description": "A continuation of recursion theory, set theory, proof theory, model theory. Turing machines. Undecidability of arithmetic and predicate logic. Proof by induction and definition by recursion. Cardinal and ordinal numbers. Completeness and compactness theorems for propositional and predicate calculi. ** Consent of instructor to enroll possible **" + "LTEN 107": { + "prerequisites": [], + "name": "Chaucer", + "description": "A study of Chaucer\u2019s poetic development, beginning with The Book of the Duchess and The Parliament of Fowls, including Troilus and Criseyde, and concluding with substantial selections from The Canterbury Tales. " }, - "MATH 163": { - "prerequisites": [ - "MATH 20B" - ], - "name": "History of Mathematics", - "description": "Topics will vary from year to year in areas of mathematics and their development. Topics may include the evolution of mathematics from the Babylonian period to the eighteenth century using original sources, a history of the foundations of mathematics and the development of modern mathematics. ** Consent of instructor to enroll possible **" + "LTEN 110": { + "prerequisites": [], + "name": "Topics: The Renaissance", + "description": "Major literary works of the Renaissance, an exciting period of social and cultural transformation in England as elsewhere in Europe. Topics may include a central theme (e.g., humanism, reformation, revolution), a genre (e.g., pastoral), or comparison with other arts and sciences. May be repeated up to three times for credit when topics vary. " }, - "MATH 168A": { - "prerequisites": [ - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 20C" - ], - "name": "Topics in Applied Mathematics\u2014Computer Science", - "description": "Topics to be chosen in areas of applied mathematics\n\t\t\t\t and mathematical aspects of computer science. May be taken for credit two times with different topics. ** Consent of instructor to enroll possible **" + "LTEN 112": { + "prerequisites": [], + "name": "Shakespeare I: The Elizabethan Period", + "description": "A lecture/discussion course exploring the development of Shakespeare\u2019s dramatic powers in comedy, history, and tragedy, from the early plays to the middle of his career. Dramatic forms, themes, characters, and styles will be studied in the contexts of Shakespeare\u2019s theatre and his society. " }, - "MATH 170A": { - "prerequisites": [ - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 20C" - ], - "name": "Introduction\n\t\t to Numerical Analysis: Linear Algebra", - "description": "Analysis of numerical methods for linear algebraic systems and least squares problems. Orthogonalization methods. Ill conditioned problems. Eigenvalue and singular value computations. Knowledge of programming recommended. ** Consent of instructor to enroll possible **" + "LTEN 113": { + "prerequisites": [], + "name": "Shakespeare II: The Jacobean Period", + "description": "A lecture/discussion course exploring the rich and varied achievements of Shakespeare\u2019s later plays, including the major tragedies and late romances. Dramatic forms, themes, characters, and styles will be studied in the contexts of Shakespeare\u2019s theatre and his society. " }, - "MATH 170B": { - "prerequisites": [ - "MATH 170A" - ], - "name": "Introduction to Numerical Analysis: Approximation and Nonlinear Equations", - "description": "Rounding and discretization errors. Calculation of roots of polynomials and nonlinear equations. Interpolation. Approximation of functions. Knowledge of programming recommended. " + "LTEN 117": { + "prerequisites": [], + "name": "Topics: The Seventeenth Century", + "description": "\nSelected topics in English literature during a period of social change, religious controversy, emergence of the New Science, and the English Civil War. The course may be devoted to one or more major authors, a particular genre, or a political, social, or literary issue. Readings chosen from writers including Jonson, Donne, Bacon, Milton, Marvell, and Dryden, among others. May be repeated up to three times for credit when topics vary." }, - "MATH 170C": { - "prerequisites": [ - "MATH 20D", - "and", - "MATH 170B" - ], - "name": "Introduction to Numerical Analysis: Ordinary Differential Equations", - "description": "Numerical differentiation and integration. Ordinary differential equations and their numerical solution. Basic existence and stability theory. Difference equations. Boundary value problems. ** Consent of instructor to enroll possible **" + "LTEN 120": { + "prerequisites": [], + "name": "Topics: The Eighteenth Century", + "description": "\n Selected topics in English literature and culture during the \u201clong eighteenth century,\u201d the period between 1660 and 1830. Topics might include satiric writing, the theatre world, radical/reformist discourse, and the emergence of the professional woman writer. Writers include Behn, Wycherley, Congreve, Pope, Swift, Johnson, Wollstonecraft. May be repeated up to three times for credit when topics vary." }, - "MATH 171A": { - "prerequisites": [ - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 20C" - ], - "name": "Introduction\n\t\t to Numerical Optimization: Linear Programming", - "description": "Linear optimization and applications. Linear programming, the simplex method, duality. Selected topics from integer programming, network flows, transportation problems, inventory problems, and other applications. Three lectures, one recitation. Knowledge of programming recommended. (Credit not allowed for both MATH 171A and ECON 172A.) ** Consent of instructor to enroll possible **" + "LTEN 124": { + "prerequisites": [], + "name": "Topics: The Nineteenth Century", + "description": "\nSelected topics in nineteenth-century British literature and culture, drawing on the Romantic and/or Victorian periods (e.g., relationships between literature and imperialism, social and political debate, gender issues, religion, or science). The course could focus solely on topics within either the Romantic or Victorian periods or comprehend writing in both periods. May be repeated up to three times for credit when topics vary. " }, - "MATH 171B": { - "prerequisites": [ - "MATH 171A" - ], - "name": "Introduction\n\t\t to Numerical Optimization: Nonlinear Programming", - "description": "Convergence of sequences in Rn, multivariate Taylor series. Bisection and related methods for nonlinear equations in one variable. Newton\u2019s methods for nonlinear equations in one and many variables. Unconstrained optimization and Newton\u2019s method. Equality-constrained optimization, Kuhn-Tucker theorem. Inequality-constrained optimization. Three lectures, one recitation. Knowledge of programming recommended. (Credit not allowed for both MATH 171B and ECON 172B.) ** Consent of instructor to enroll possible **" + "LTEN 125": { + "prerequisites": [], + "name": "Romantic Poetry", + "description": "\nStudies in Romantic poetry, covering the first generation (Blake, Wordsworth, Coleridge and their contemporaries) and/or the second generation (Shelley, Keats, Byron and their contemporaries) of Romantic poets. May be repeated up to three times for credit when topics vary." }, - "MATH 173A": { - "prerequisites": [ - "MATH 20C", - "or", - "MATH 31BH", - "and", - "MATH 20F" - ], - "name": "Optimization Methods for Data Science I", - "description": "Introduction to convexity: convex sets, convex functions; geometry of hyperplanes; support functions for convex sets; hyperplanes and support vector machines. Linear and quadratic programming: optimality conditions; duality; primal and dual forms of linear support vector machines; active-set methods; interior methods. ** Consent of instructor to enroll possible **" + "LTEN 127": { + "prerequisites": [], + "name": "Victorian Poetry", + "description": "\nStudies in the poetry of the Victorian age including writers such as Tennyson, the Brownings, Arnold, Rosetti, Hopkins, and their contemporaries. May be repeated up to three times for credit when topics vary." }, - "MATH 173B": { - "prerequisites": [ - "MATH 173A" - ], - "name": "Optimization Methods for Data Science II", - "description": "Unconstrained optimization: linear least squares; randomized linear least squares; method(s) of steepest descent; line-search methods; conjugate-gradient method; comparing the efficiency of methods; randomized/stochastic methods; nonlinear least squares; norm minimization methods. Convex constrained optimization: optimality conditions; convex programming; Lagrangian relaxation; the method of multipliers; the alternating direction method of multipliers; minimizing combinations of norms. ** Consent of instructor to enroll possible **" + "LTEN 130": { + "prerequisites": [], + "name": "Modern British Literature", + "description": "Selected topics concerned with modern British literature; study of various authors, issues, and trends in literatures of the British Isles from the mid-1850s through the present day. May be taken up to three times for credit when topics vary." }, - "MATH 174": { - "prerequisites": [ - "MATH 21D", - "and", - "MATH 20F", - "or", - "MATH 31AH" - ], - "name": "Numerical Methods for Physical Modeling", - "description": "(Conjoined with MATH 274.) Floating point\n\t\t\t\t arithmetic, direct and iterative solution of linear equations,\n\t\t\t\t iterative solution of nonlinear equations, optimization, approximation\n\t\t\t\t theory, interpolation, quadrature, numerical methods for initial\n\t\t\t\t and boundary value problems in ordinary differential equations.\n\t\t\t\t (Students may not receive credit for both MATH 174 and PHYS\n\t\t\t\t 105, AMES 153 or 154. Students may not receive credit for MATH 174 if\n\t\t\t\t MATH 170A, B, or C has already been taken.) Graduate students will do an\n\t\t\t\t extra assignment/exam. ** Consent of instructor to enroll possible **" + "LTEN 132": { + "prerequisites": [], + "name": "Modern Irish Literature", + "description": "\nThe Irish Revival and its aftermath: Yeats, Synge, O\u2019Casey, Joyce, Beckett, and their contemporaries. May be repeated up to three times for credit when topics vary." }, - "MATH 175": { - "prerequisites": [ - "MATH 174", - "or", - "MATH 274" - ], - "name": "Numerical\n\t\t Methods for Partial Differential Equations", - "description": "(Conjoined with MATH 275.) Mathematical background for working with partial differential equations. Survey of finite difference, finite element, and other numerical methods for the solution of elliptic, parabolic, and hyperbolic partial differential equations. (Formerly MATH 172. Students may not receive credit for MATH 175/275 and MATH 172.) Graduate students do an extra paper, project, or presentation, per instructor. ** Consent of instructor to enroll possible **" + "LTEN 138": { + "prerequisites": [], + "name": "The British Novel: 1680\u20131790", + "description": "\nStudies in the early period of the development of the English novel. Writers may include Behn, Defoe, Richardson, and Burney. May be repeated up to three times for credit when topics vary." }, - "MATH 179": { - "prerequisites": [ - "MATH 174", - "or", - "MATH 274" - ], - "name": "Projects in Computational and Applied Mathematics", - "description": "(Conjoined with MATH 279.) Mathematical models of physical systems arising in science and engineering, good models and well-posedness, numerical and other approximation techniques, solution algorithms for linear and nonlinear approximation problems, scientific visualizations, scientific software design and engineering, project-oriented. Graduate students will do an extra paper, project, or presentation per instructor. ** Consent of instructor to enroll possible **" + "LTEN 140": { + "prerequisites": [], + "name": "The British Novel: 1790\u20131830", + "description": "\nStudies in the early nineteenth-century novel, such as the novels of\nAusten, Wollstonecraft and/or Shelly, the Gothic novel, radical fiction of the 1790s. May be repeated up to three times for credit when topics vary." }, - "MATH 180A": { - "prerequisites": [ - "MATH 31BH" - ], - "name": "Introduction to Probability", - "description": "Probability spaces, random variables, independence, conditional probability,\n\t\t\t\t distribution, expectation, variance, joint distributions, central\n\t\t\t\t limit theorem. (Two units of credit offered for MATH 180A\n\t\t\t\t if ECON 120A previously, no credit offered if ECON 120A concurrently. Two units of credit offered for MATH 180A if MATH 183 or 186 taken previously or concurrently.) Prior or concurrent enrollment in MATH 109 is highly recommended. ** Consent of instructor to enroll possible **" + "LTEN 142": { + "prerequisites": [], + "name": "The British Novel: 1830\u20131890", + "description": "\nCovers the early and midperiod Victorian novel, including such novelists as Dickens, the Brontes, Thackery, Eliot and their contemporaries. May be repeated up to three times for credit when topics vary." }, - "MATH 180B": { - "prerequisites": [ - "MATH 20D", - "and", - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 109", - "or", - "MATH 31CH", - "and", - "MATH 180A" - ], - "name": "Introduction to Stochastic Processes I", - "description": "Random vectors, multivariate densities, covariance matrix, multivariate\n\t\t\t\t normal distribution. Random walk, Poisson process. Other topics if time\n\t\t\t\t permits. ** Consent of instructor to enroll possible **" + "LTEN 144": { + "prerequisites": [], + "name": "The British Novel: 1890 to Present", + "description": "\nSelected topics in the British novel from the late Victorian novel to present-day Black British fiction. Topics include colonial and postcolonial writing, modernism, and post-WWII fiction. May be repeated up to three times for credit when topics vary. " }, - "MATH 180C": { - "prerequisites": [ - "MATH 180B" - ], - "name": "Introduction to Stochastic Processes II", - "description": "Markov chains in discrete and continuous time, random walk, recurrent events. If time permits, topics chosen from stationary normal processes, branching processes, queuing theory. ** Consent of instructor to enroll possible **" + "LTEN 148": { + "prerequisites": [], + "name": "Genres in English and American Literature", + "description": "\nAn examination of one or more genres in English and/or American literature, for example, satire, science fiction, autobiography, comic drama. May be repeated up to three times for credit when topics vary. " }, - "MATH 181A": { - "prerequisites": [ - "MATH 180A", - "and", - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 20C" - ], - "name": "Introduction to Mathematical Statistics I", - "description": "Multivariate distribution, functions of random variables, distributions related to normal. Parameter estimation, method of moments, maximum likelihood. Estimator accuracy and confidence intervals. Hypothesis testing, type I and type II errors, power, one-sample t-test. Prior or concurrent enrollment in MATH 109 is highly recommended. ** Consent of instructor to enroll possible **" + "LTEN 149": { + "prerequisites": [], + "name": "Topics: English-Language Literature", + "description": "\nA consideration of one of the themes that recur in many periods and cultural contexts of English-language literatures for instance, love, politics, identity, gender, race, class, or religion. May be repeated up to three times for credit when topics vary. " }, - "MATH 181B": { - "prerequisites": [ - "MATH 181A" - ], - "name": "Introduction to Mathematical Statistics II", - "description": "Hypothesis testing. Linear models, regression, and analysis of variance. Goodness of fit tests. Nonparametric statistics. Two units of credit offered for MATH 181B if ECON 120B previously; no credit offered if ECON 120B concurrently. Prior enrollment in MATH 109 is highly recommended. ** Consent of instructor to enroll possible **" + "LTEN 150": { + "prerequisites": [], + "name": "Gender, Text, and Culture", + "description": "\nThis course studies representations of the sexes and of their interrelationship in various forms of English-language writing produced during different phases of English history. Emphasis will be placed upon connections of gender and of literature to other modes of social belief, experience, and practice. May be repeated up to three times for credit when topics vary." }, - "MATH 181C": { - "prerequisites": [ - "MATH 181B" - ], - "name": " Mathematical Statistics\u2014Nonparametric Statistics", - "description": "Topics covered may include the following: classical rank test, rank correlations,\n\t\t\t\t permutation tests, distribution free testing, efficiency, confidence\n\t\t\t\t intervals, nonparametric regression and density estimation,\n\t\t\t\t resampling techniques (bootstrap, jackknife, etc.) and cross validations. Prior enrollment in MATH 109 is highly recommended. ** Consent of instructor to enroll possible **" + "LTEN 152": { + "prerequisites": [], + "name": "The Origins of American Literature", + "description": "\nStudies in American written and oral literatures from the early colonial to the early national period (1620\u20131830), with emphasis on the thrust and continuity of American culture, social and intellectual, through the beginnings of major American writing in the first quarter of the nineteenth century. May be repeated up to three times for credit when topics vary." }, - "MATH 181D": { - "prerequisites": [ - "ECE 109", - "or", - "ECON 120A", - "or", - "MAE 108", - "or", - "MATH 181A", - "or", - "MATH 183", - "or", - "MATH 186", - "or", - "MATH 189" - ], - "name": "Statistical Learning", - "description": "Statistical learning refers to a set of tools for modeling and understanding complex data sets. It uses developments in optimization, computer science, and in particular machine learning. This encompasses many methods such as dimensionality reduction, sparse representations, variable selection, classification, boosting, bagging, support vector machines, and machine learning. ** Consent of instructor to enroll possible **" + "LTEN 153": { + "prerequisites": [], + "name": "The Revolutionary War and the Early National Period in US Literature", + "description": "\nA critical examination of new texts of various kinds\u2014written and oral, political, philosophical, and literary\u2014functioned in the construction of the political body of the new American republic and the self-conception of its citizens. May be repeated up to three times for credit when topics vary." }, - "MATH 181E": { - "prerequisites": [ - "MATH 181B" - ], - "name": "Mathematical Statistics\u2014Time Series", - "description": "Analysis of trends and seasonal effects, autoregressive and moving averages\n\t\t\t\t models, forecasting, informal introduction to spectral analysis. ** Consent of instructor to enroll possible **" + "LTEN 154": { + "prerequisites": [], + "name": "The American Renaissance", + "description": "\nA study of some of the chief works, and the linguistic, philosophical, and historical attitudes informing them, produced by such authors as Emerson, Hawthorne, Melville, Dickinson, and Whitman during the period 1836\u20131865, when the role of American writing in the national culture becomes an overriding concern. May be repeated up to three times for credit when topics vary." }, - "MATH 181F": { - "prerequisites": [ - "ECE 109", - "or", - "ECON 120A", - "or", - "MAE 108", - "or", - "MATH 11", - "or", - "MATH 181A", - "or", - "MATH 183", - "or", - "MATH 186", - "or", - "MATH 189" - ], - "name": "Sampling Surveys and Experimental Design", - "description": "Design of sampling surveys: simple, stratified, systematic, cluster, network surveys. Sources of bias in surveys. Estimators and confidence intervals based on unequal probability sampling. Design and analysis of experiments: block, factorial, crossover, matched-pairs designs. Analysis of variance, re-randomization, and multiple comparisons. ** Consent of instructor to enroll possible **" - }, - "MATH 183": { - "prerequisites": [ - "MATH 20C", - "or", - "MATH 31BH" - ], - "name": "Statistical Methods", - "description": "Introduction to probability. Discrete and continuous random variables\u2013binomial, Poisson and Gaussian distributions. Central limit theorem. Data analysis and inferential statistics: graphical techniques, confidence intervals, hypothesis tests, curve fitting. (Credit not offered for MATH 183 if ECON 120A, ECE 109, MAE 108, MATH 181A, or MATH 186 previously or concurrently taken. Two units of credit offered for MATH 183 if MATH 180A taken previously or concurrently.) ** Consent of instructor to enroll possible **" + "LTEN 155": { + "prerequisites": [], + "name": "Interactions between American Literature and the Visual Arts", + "description": "\nAn exploration of the connections between the work of individual writers, or movements, and the work of artists in various visual media. The writers studied are always American; the artists or art movements may represent non-American influences on these American writers. Topics could include portraiture and self-portraiture in visual arts and literature, or nature writing and landscape painting. May be repeated up to three times for credit when topics vary. " }, - "MATH 184": { - "prerequisites": [ - "MATH 31CH", - "or", - "MATH 109" - ], - "name": "Enumerative Combinatorics", - "description": "Introduction to the theory and applications of combinatorics. Enumeration of combinatorial structures (permutations, integer partitions, set partitions). Bijections, inclusion-exclusion,\u00a0ordinary and exponential generating functions. Renumbered from MATH 184A; credit not offered for MATH 184 if MATH 184A if previously taken. Credit not offered for MATH 184 if MATH 188 previously taken. If MATH 184 and MATH 188 are concurrently taken, credit only offered for MATH 188. ** Consent of instructor to enroll possible **" + "LTEN 156": { + "prerequisites": [], + "name": "American Literature from the Civil War to World War I", + "description": "\nA critical examination of works by such authors as Mark Twain, Henry James, Kate Chopin, and Edith Wharton, who were writing in an age when the frontier was conquered and American society began to experience massive industrialization and urbanization. May be repeated up to three times for credit when topics vary." }, - "MATH 185": { - "prerequisites": [ - "MATH 11", - "or", - "MATH 181A", - "or", - "MATH 183", - "or", - "MATH 186", - "or", - "MAE 108", - "or", - "ECE 109", - "or", - "ECON 120A", - "and", - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 20C" - ], - "name": "Introduction to Computational Statistics", - "description": "Statistical analysis of data by means of package programs. Regression, analysis of variance, discriminant analysis, principal components, Monte Carlo simulation, and graphical methods. Emphasis will be on understanding the connections between statistical theory, numerical results, and analysis of real data. Recommended preparation: exposure to computer programming (such as CSE 5A, CSE 7, or ECE 15) highly recommended. ** Consent of instructor to enroll possible **" + "LTEN 157": { + "prerequisites": [], + "name": "Captivity and Prison Narratives", + "description": "\nA comparative study of narratives of experiences of incarceration, whether through acts of war, commerce, education, crime, or state-sponsored states of exception. Emphasis given to intercultural encounters, identity formation within these encounters, and state uses of and justifications for incarceration. May be taken for credit three times when topics vary." }, - "MATH 186": { - "prerequisites": [ - "MATH 20C", - "or", - "MATH 31BH" - ], - "name": "Probability and Statistics for Bioinformatics", - "description": "This course will cover discrete and random variables, data analysis and inferential statistics, likelihood estimators and scoring matrices with applications to biological problems. Introduction to Binomial, Poisson, and Gaussian distributions, central limit theorem, applications to sequence and functional analysis of genomes and genetic epidemiology. (Credit not offered for MATH 186 if ECON 120A, ECE 109, MAE 108, MATH 181A, or MATH 183 previously or concurrently. Two units of credit offered for MATH 186 if MATH 180A taken previously or concurrently.) ** Consent of instructor to enroll possible **" + "LTEN 158": { + "prerequisites": [], + "name": "Modern American Literature", + "description": "\nA critical examination of American literature in several genres and other facets of US culture produced between the turn of the century and World War II. May be repeated up to three times for credit when topics vary." }, - "MATH 187A": { + "LTEN 159": { "prerequisites": [], - "name": "Introduction to Cryptography", - "description": "An introduction to the basic concepts and techniques of modern cryptography. Classical cryptanalysis. Probabilistic models of plaintext. Monalphabetic and polyalphabetic substitution. The one-time system. Caesar-Vigenere-Playfair-Hill substitutions. The Enigma. Modern-day developments. The Data Encryption Standard. Public key systems. Security aspects of computer networks. Data protection. Electronic mail. Recommended preparation: programming experience. Renumbered from MATH 187. Students may not receive credit for both MATH 187A and 187. " + "name": "Contemporary American Literature", + "description": "\nA critical examination of American literature in several genres and other facets of US culture produced since World War II. May be repeated up to three times for credit when topics vary." }, - "MATH 187B": { - "prerequisites": [ - "MATH 187", - "or", - "MATH 187A", - "and", - "MATH 18", - "or", - "MATH 31AH", - "or", - "MATH 20F" - ], - "name": "Mathematics of Modern Cryptography", - "description": "The object of this course is to study modern public key cryptographic systems and cryptanalysis (e.g., RSA, Diffie-Hellman, elliptic curve cryptography, lattice-based cryptography, homomorphic encryption) and the mathematics behind them. We also explore other applications of these computational techniques (e.g., integer factorization and attacks on RSA). Recommended preparation: Familiarity with Python and/or mathematical software (especially SAGE) would be helpful, but it is not required. ** Consent of instructor to enroll possible **" + "LTEN 169": { + "prerequisites": [], + "name": "Topics in Latino/a Literature", + "description": "\nThe course will focus on selected topics in nineteenth-, twentieth-, and twenty-first-century Latino/a literature and culture in the United States from a sociohistorical perspective. Topics may include issues of gender, sexuality, race, ethnicity, class, social struggle, and political resistance. May be taken for credit three times when topics vary." }, - "MATH 188": { - "prerequisites": [ - "MATH 31CH", - "or", - "MATH 109", - "and", - "MATH 18", - "or", - "MATH 31AH", - "and", - "MATH 100A" - ], - "name": "Algebraic Combinatorics", - "description": "A rigorous introduction to algebraic combinatorics. Basic enumeration and generating functions. Enumeration involving group actions: Polya theory. Posets and Sperner property. q-analogs and unimodality. Partitions and tableaux. Credit not offered for MATH 188 if MATH 184 or MATH 184A previously taken. If MATH 184 and MATH 188 are concurrently taken, credit only offered for MATH 188. ** Consent of instructor to enroll possible **" + "LTEN 171": { + "prerequisites": [], + "name": "Comparative Issues in Latino/a Immigration in US Literature", + "description": "\nA critical examination of the configuration of Latino/a immigration in US literary and visual culture. The course will focus on Latino immigrant groups, analyzing their relocation in the United States from a theoretical, historical, and social perspective. May be taken for credit three times when topics vary." }, - "MATH 189": { - "prerequisites": [ - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 20C", - "and", - "BENG 134", - "CSE 103", - "ECE 109", - "ECON 120A", - "MAE 108", - "MATH 180A", - "MATH 183", - "MATH 186", - "or", - "SE 125" - ], - "name": "Exploratory Data Analysis and Inference", - "description": "An introduction to various quantitative methods and statistical techniques for analyzing data\u2014in particular big data. Quick review of probability continuing to topics of how to process, analyze, and visualize data using statistical language R. Further topics include basic inference, sampling, hypothesis testing, bootstrap methods, and regression and diagnostics. Offers conceptual explanation of techniques, along with opportunities to examine, implement, and practice them in real and simulated data. ** Consent of instructor to enroll possible **" + "LTEN 172": { + "prerequisites": [], + "name": "American\n\t\t\t\t Poetry II\u2014Whitman through the Modernists", + "description": "Reading and interpretation of American poets from Whitman through the principal modernists\u2014Pound, H.D., Eliot, Moore, Stevens, and others. Lectures will set the appropriate context in sociocultural and literary history. " }, - "MATH 190A": { - "prerequisites": [ - "MATH 31CH", - "or", - "MATH 140A", - "or", - "MATH 142A" - ], - "name": "Foundations of Topology I ", - "description": "An introduction to point set topology: topological spaces, subspace topologies, product topologies, quotient topologies, continuous maps and homeomorphisms, metric spaces, connectedness, compactness, basic separation, and countability axioms. Examples. Instructor may choose further topics such as Urysohn\u2019s lemma, Urysohn\u2019s metrization theorem. Formerly MATH 190. Students may not receive credit for MATH 190A and MATH 190. ** Consent of instructor to enroll possible **" + "LTEN 174": { + "prerequisites": [], + "name": "American\n\t\t\t\t Fiction II\u2014Since Middle James", + "description": "Reading and interpretation of American fiction from Henry James through the principal modernists\u2014Fitzgerald, Stein, Welty, Faulkner, and others. Lectures will set the appropriate context. " }, - "MATH 190B": { - "prerequisites": [ - "MATH 190A" - ], - "name": "Foundations of Topology II", - "description": "An introduction to the fundamental group: homotopy and path homotopy, homotopy equivalence, basic calculations of fundamental groups, fundamental group of the circle and applications (for instance to retractions and fixed-point theorems), van Kampen\u2019s theorem, covering spaces, universal covers. Examples of all of the above. Instructor may choose further topics such as deck transformations and the Galois correspondence, basic homology, compact surfaces. ** Consent of instructor to enroll possible **" + "LTEN 175A": { + "prerequisites": [], + "name": "\t\t\t\t New American Fiction\u2014Post-World War II to the Present", + "description": "Reading and interpretation of American fiction from the mid-1940s to the present. Lectures will set the appropriate context in sociocultural and literary history. May be repeated for credit when topics vary. " }, - "MATH 191": { - "prerequisites": [ - "MATH 190" - ], - "name": "Topics in Topology", - "description": "Topics to be chosen by the instructor from the fields of differential algebraic, geometric, and general topology. ** Consent of instructor to enroll possible **" + "LTEN 175B": { + "prerequisites": [], + "name": "\t\t\t\t New American Poetry\u2014Post-World War II to the Present", + "description": "Reading and interpretation of American poets whose work has made its major impact since the last war, for instance Charles Olson, Robert Creeley, Denise Levertov, Adrienne Rich, Allen Ginsberg, Frank O\u2019Hara, and John Ashbery. Lectures will set the appropriate context in sociocultural and literary history. May be repeated for credit as topics vary. " }, - "MATH 193A": { - "prerequisites": [ - "MATH 180A", - "or", - "MATH 183" - ], - "name": "Actuarial Mathematics I", - "description": "Probabilistic Foundations of Insurance. Short-term\n\t\t\t\t risk models. Survival distributions and life tables. Introduction\n\t\t\t\t to life insurance. ** Consent of instructor to enroll possible **" + "LTEN 176": { + "prerequisites": [], + "name": "Major American Writers", + "description": "A study in depth of the works of major American writers. May be repeated up to three times for credit when topics vary. " }, - "MATH 193B": { - "prerequisites": [ - "MATH 193A" - ], - "name": "Actuarial Mathematics II", - "description": "Life Insurance and Annuities. Analysis of premiums and premium reserves. Introduction to multiple life functions and decrement models as time permits. ** Consent of instructor to enroll possible **" + "LTEN 178": { + "prerequisites": [], + "name": "Comparative Ethnic Literature", + "description": "A lecture-discussion course that juxtaposes the experience of two or more US ethnic groups and examines their relationship with the dominant culture. Students will analyze a variety of texts representing the history of ethnicity in this country. Topics will vary. " }, - "MATH 194": { - "prerequisites": [ - "MATH 20D", - "and", - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", - "and", - "MATH 180A" - ], - "name": "The Mathematics of Finance", - "description": "Introduction to the mathematics of financial models. Basic probabilistic models and associated mathematical machinery will be discussed, with emphasis on discrete time models. Concepts covered will include conditional expectation, martingales, optimal stopping, arbitrage pricing, hedging, European and American options. ** Consent of instructor to enroll possible **" + "LTEN 179": { + "prerequisites": [], + "name": "Topics: Arab/Muslim American Identity and Culture", + "description": "This class explores (self) representations of Muslim and Arab Americans in US popular culture with a focus on the twentieth and twenty-first centuries. Topics include the racing of religion, \u201cthe war on terror\u201d in the media, feminism and Islam, immigration, race, and citizenship. May be repeated for credit three times when content varies. " }, - "MATH 195": { + "LTEN 180": { "prerequisites": [], - "name": "Introduction to Teaching in Mathematics", - "description": "Students will be responsible for and teach a class section of a lower-division mathematics course. They will also attend a weekly meeting on teaching methods. (Does not count toward a minor or major.) ** Consent of instructor to enroll possible **" + "name": "Chicano Literature in English", + "description": "Introduction to the literature in English by the Chicano population, the men and women of Mexican descent who live and write in the United States. Primary focus on the contemporary period. " }, - "MATH 196": { + "LTEN 181": { "prerequisites": [], - "name": "Student Colloquium", - "description": "A variety of topics and current research results in mathematics will be presented by guest lecturers and students under faculty direction. May be taken for P/NP grade only. " + "name": "Asian American Literature", + "description": "Selected topics in the literature by men and women of Asian descent who live and write in the United States. Repeatable for credit when topics vary. " }, - "MATH 197": { + "LTEN 182": { "prerequisites": [], - "name": "Mathematics Internship", - "description": "An enrichment program which provides work\n\t\t\t\t experience with public/private sector employers. Subject to\n\t\t\t\t the availability of positions, students will work in a local\n\t\t\t\t company under the supervision of a faculty member and site\n\t\t\t\t supervisor. Units may not be applied toward major graduation\n\t\t\t\t requirements. ** Consent of instructor to enroll possible **" + "name": "Diaspora, Race, and Iranian American Literature", + "description": "Examines the Iranian American literary and visual cultures, focusing on intersections of class, gender, and race in the context of diaspora everyday life. Renumbered from LTAM 120." }, - "MATH 199": { + "LTEN 183": { "prerequisites": [], - "name": "Independent Study for Undergraduates", - "description": "Independent reading in advanced mathematics by individual students. Three periods. (P/NP grades only.) " + "name": "African American Prose", + "description": "Analysis and discussion of the novel, the personal narrative, and other prose genres, with particular emphasis on the developing characteristics of African American narrative and the cultural and social circumstances that influence their development. " }, - "MATH 199H": { + "LTEN 185": { "prerequisites": [], - "name": "Honors\n\t\t Thesis Research for Undergraduates", - "description": "Honors thesis research for seniors participating in the Honors Program. Research is conducted under the supervision of a mathematics faculty member. " + "name": "Themes in African American Literature", + "description": "An intensive examination of a characteristic theme, special issue, or period in African American literature. May be repeated for credit when topics vary. " }, - "DSC 10": { + "LTEN 186": { "prerequisites": [], - "name": "Principles of Data Science", - "description": "This introductory course develops computational thinking and tools necessary to answer questions that arise from large-scale datasets. This course emphasizes an end-to-end approach to data science, introducing programming techniques in Python that cover data processing, modeling, and analysis. " + "name": "Literature of the Harlem Renaissance", + "description": "The Harlem Renaissance (1917\u201339) focuses on the emergence of the \u201cNew Negro\u201d and the impact of this concept on black literature, art, and music. Writers studied include Claude McKay, Zora N. Hurston, and Langston Hughes. Special emphasis on new themes and forms. " }, - "DSC 20": { - "prerequisites": [ - "DSC 10" - ], - "name": "Programming and Basic Data Structures for Data Science", - "description": "Provides an understanding of the structures that underlie the programs, algorithms, and languages used in data science by expanding the repertoire of computational concepts introduced in DSC 10 and exposing students to techniques of abstraction. Course will be taught in Python and will cover topics including recursion, higher-order functions, function composition, object-oriented programming, interpreters, classes, and simple data structures such as arrays, lists, and linked lists. " + "LTEN 188": { + "prerequisites": [], + "name": "Contemporary Caribbean Literature", + "description": "This course will focus on contemporary literature of the English-speaking Caribbean. The parallels and contrasts of this Third World literature with those of the Spanish- and French-speaking Caribbean will also be explored. " }, - "DSC 30": { - "prerequisites": [ - "DSC 20" - ], - "name": "Data Structures and Algorithms for Data Science", - "description": "Builds on topics covered in DSC 20 and provides practical experience in composing larger computational systems through several significant programming projects using Java. Students will study advanced programming techniques including encapsulation, abstract data types, interfaces, algorithms and complexity, and data structures such as stacks, queues, priority queues, heaps, linked lists, binary trees, binary search trees, and hash tables. " + "LTEN 189": { + "prerequisites": [], + "name": "Twentieth-Century\n\t\t\t\t Postcolonial Literatures", + "description": "The impact of British colonialism, national independence movements, postcolonial cultural trends, and women\u2019s movements on the global production of literary texts in English. Course is organized by topic or geographical/historical location. May be repeated for credit when topics vary. " }, - "DSC 40A": { - "prerequisites": [ - "DSC 10", - "MATH 20C", - "or", - "MATH 31BH", - "and", - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH" - ], - "name": "Theoretical Foundations of Data Science I", - "description": "This course, the first of a two-course sequence (DSC 40A-B), will introduce the theoretical foundations of data science. Students will become familiar with mathematical language for expressing data analysis problems and solution strategies, and will receive training in probabilistic reasoning, mathematical modeling of data, and algorithmic problem solving. DSC 40A will introduce fundamental topics in machine learning, statistics, and linear algebra with applications to data analysis. DSC 40A-B connect to DSC 10, 20, and 30 by providing the theoretical foundation for the methods that underlie data science. " + "LTEN 192": { + "prerequisites": [], + "name": "Senior Seminar in Literatures in English", + "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in literature (at the upper-division level). Senior Seminars may be offered in all campus departments. Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" }, - "DSC 40B": { - "prerequisites": [ - "DSC 40A" - ], - "name": "Theoretical Foundations of Data Science II", - "description": "This course will introduce the theoretical foundations of data science. Students will become familiar with mathematical language for expressing data analysis problems and solution strategies, and will receive training in probabilistic reasoning, mathematical modeling of data, and algorithmic problem-solving. DSC 40B introduces fundamental topics in combinatorics, graph theory, probability, and continuous and discrete algorithms with applications to data analysis. DSC 40A-B connect to DSC 10, 20, and 30 by providing the theoretical foundation for the methods that underlie data science. " + "LTEN 196": { + "prerequisites": [], + "name": "Honors Thesis", + "description": "Senior thesis research and writing for students who have been accepted for the Literature Honors Program and who have completed LTWL 191. Oral exam. " }, - "DSC 80": { - "prerequisites": [ - "DSC 30", - "and", - "DSC 40A" - ], - "name": "The Practice and Application of Data Science", - "description": "The marriage of data, computation, and inferential thinking, or \u201cdata science,\u201d is redefining how people and organizations solve challenging problems and understand the world. This course bridges lower- and upper-division data science courses as well as methods courses in other fields. Students master the data science life-cycle and learn many of the fundamental principles and techniques of data science spanning algorithms, statistics, machine learning, visualization, and data systems. " + "LTEN 198": { + "prerequisites": [], + "name": "Directed Group Study", + "description": "Research seminars and research, under the direction of a member of the staff. May be repeated for credit. (P/NP grades only.) " }, - "DSC 90": { + "LTEN 199": { "prerequisites": [], - "name": "Seminar in Data Science", - "description": "Students will learn about a variety of topics in data science through interactive presentations from faculty and industry professionals. " + "name": "Special Studies", + "description": "Tutorial; individual guided reading in an area not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) " }, - "DSC 95": { + "LTEU 87": { "prerequisites": [], - "name": "Tutor Apprenticeship in Data Science", - "description": "Students will receive training in skills and techniques necessary to be effective tutors for data science courses. Students will also gain practical experience in tutoring students on data science topics. " + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen." }, - "DSC 96": { + "LTEU 105": { "prerequisites": [], - "name": "Workshop in Data Science", - "description": "Students will explore topics and tools relevant to the practice of data science in a workshop format. The instructor works with students on guided projects to help students acquire knowledge and skills to complement their course work in the core data science classes. Topics vary from quarter to quarter. Students are strongly recommended to enroll in either DSC 10 or DSC 20 concurrently. " + "name": "Medieval Studies", + "description": "Studies in medieval culture and thought with focus on one of the \u201cthree crowns\u201d of Italian literature: Dante, Boccaccio, or Petrarca. May be repeated for credit when course content varies. " }, - "DSC 97": { - "prerequisites": [ - "MATH 31BH", - "and", - "MATH 18", - "or", - "MATH 31AH", - "and", - "DSC 20", - "and", - "DSC 40A" - ], - "name": "Internship in Data Science", - "description": "Individual research on a topic related to data science, by special arrangement with and under the direction of a UC San Diego faculty member, in connection with an internship at an organization. Internship work will inform but not necessarily define the research topic. The research topic is expected to promote the study of the principles and techniques involved in the internship work. May be taken for credit up to two times. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "LTEU 109": { + "prerequisites": [], + "name": "Studies in Eighteenth-Century European Literature", + "description": "Topics to be considered include the age of sensibility, enlightenment, neoclassicism. Attention given to historical and cultural contexts." }, - "DSC 98": { - "prerequisites": [ - "MATH 31BH", - "and", - "MATH 18", - "or", - "MATH 31AH", - "and", - "DSC 20", - "and", - "DSC 40A" - ], - "name": "Directed Group Study in Data Science", - "description": "Students will investigate a topic in data science through directed reading, discussion, and project work under the supervision of a faculty member. May be taken for credit up to two times. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "LTEU 110": { + "prerequisites": [], + "name": "European Romanticism", + "description": "Attention given to historical and cultural contexts. Topics to be considered include the concept of nature, the reaction to science, the role of the imagination. " }, - "DSC 99": { - "prerequisites": [ - "MATH 31BH", - "and", - "MATH 18", - "or", - "MATH 31AH", - "and", - "DSC 20", - "and", - "DSC 40A" - ], - "name": "Independent Study in Data Science", - "description": "Students will participate in independent study or research in data science under the direction of a UC San Diego faculty member. May be taken for credit up to two times. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "LTEU 111": { + "prerequisites": [], + "name": "European Realism", + "description": "This course focuses on nineteenth-century European realism in historical and cultural context. Topics include definitions of realism, the impact of urbanization and industrialization on literary forms and themes, and relations between realism in literature and the visual arts. May be repeated up to three times for credit when topics vary. " }, - "DSC 100": { - "prerequisites": [ - "DSC 80", - "and", - "DSC 40B" - ], - "name": "Introduction to Data Management", - "description": "This course is an introduction to storage and management of large-scale data using classical relational (SQL) systems, with an eye toward applications in data science. The course covers topics including the SQL data model and query language, relational data modeling and schema design, elements of cost-based query optimizations, relational data base architecture, and database-backed applications. " + "LTEU 125": { + "prerequisites": [], + "name": "Faust in European Literature", + "description": "This course focuses on the theme of Faust in European literature from the Renaissance to the present, including works by Marlowe, Goethe, Bulgakov, and Thomas Mann. Concentration on how authors adapted the theme to differing national and historical contexts." }, - "DSC 102": { - "prerequisites": [ - "DSC 100" - ], - "name": "Systems for Scalable Analytics", - "description": "This course introduces the principles of computing systems and infrastructure for scaling analytics to large datasets. Topics include memory hierarchy, distributed systems, model selection, heterogeneous datasets, and deployment at scale. The course will also discuss the design of systems such as MapReduce/Hadoop and Spark, in conjunction with their implementation. Students will also learn how dataflow operations can be used to perform data preparation, cleaning, and feature engineering. " + "LTEU 130": { + "prerequisites": [], + "name": "German Literature in Translation", + "description": "One or more aspects of German literature, such as major authors, the contemporary novel, nineteenth-century poetry, German expressionism. Texts may be read in English or the original language. May be repeated for credit as topics vary. " }, - "DSC 104": { - "prerequisites": [ - "DSC 102" - ], - "name": "Beyond Relational Data Management", - "description": "The course will introduce a variety of No-SQL data formats, data models, high-level query languages, and programming abstractions representative of the needs of modern data analytic tasks. Topics include hierarchical graph database systems, unrestricted graph database systems, array databases, comparison of expressive power of the data models, and parallel programming abstractions, including Map/Reduce and its descendants. " + "LTEU 137": { + "prerequisites": [], + "name": "Seminars in German Culture", + "description": "These seminars are devoted to a variety of special topics, including the works of single authors, genre studies, problems in literary history, relations between literature and the history of ideas, literary criticism, literature and society, and the like." }, - "DSC 106": { - "prerequisites": [ - "DSC 80" - ], - "name": "Introduction to Data Visualization", - "description": "Data visualization helps explore and interpret data through interaction. This course introduces the principles, techniques, and algorithms for creating effective visualizations. The course draws on the knowledge from several disciplines including computer graphics, human-computer interaction, cognitive psychology, design, and statistical graphics and synthesizes relevant ideas. Students will design visualization systems using D3 or other web-based software and evaluate their effectiveness. It is highly recommended that students take MATH 189 prior to taking DSC 106. " + "LTEU 139": { + "prerequisites": [], + "name": "Marx/Nietzsche/Freud", + "description": "Intensive examination of the major ideas of all three writers, with special attention to the literary styles and problematic aspects of their work. " }, - "DSC 120": { - "prerequisites": [ - "MATH 18", - "or", - "MATH 31AH", - "and", - "MATH 20C", - "and", - "DSC 40B" - ], - "name": "Signal Processing for Data Analysis", - "description": "This course will focus on ideas from classical and modern signal processing, with the main themes of sampling continuous data and building informative representations using orthonormal bases, frames, and data dependent operators. Topics include sampling theory, Fourier analysis, lossy transformations and compression, time and spatial filters, and random Fourier features and connections to kernel methods. Sources of data include time series and streaming signals and various imaging modalities. " + "LTEU 140": { + "prerequisites": [], + "name": "Italian Literature in Translation", + "description": "One or more periods and authors in Italian literature. Texts will be read in English. May be repeated for credit as topics vary. " }, - "DSC 170": { - "prerequisites": [ - "DSC 80" - ], - "name": "Spatial Data Science and Applications", - "description": "Spatial data science is a set of concepts and methods that deal with accessing, managing, visualizing, analyzing, and reasoning about spatial data in applications where location, shape and size of objects, and their mutual arrangement are important. This upper-division course explores advanced data science concepts for spatial data, introducing students to principles and techniques of spatial data analysis, including geographic information systems, spatial big data management, and geostatistics. " + "LTEU 141": { + "prerequisites": [], + "name": "French Literature in English Translation", + "description": "Study of works of French literature of any period in English translation." }, - "DSC 180A": { - "prerequisites": [ - "DSC 102", - "and", - "MATH 189", - "and", - "CSE 151", - "or", - "CSE 158" - ], - "name": "Data Science Project I", - "description": "In this two-course sequence students will investigate a topic and design a system to produce statistically informed output. The investigation will span the entire lifecycle, including assessing the problem, learning domain knowledge, collecting/cleaning data, creating a model, addressing ethical issues, designing the system, analyzing the output, and presenting the results. 180A deals with research, methodology, and system design. Students will produce a research summary and a project proposal. " + "LTEU 146": { + "prerequisites": [], + "name": "Studies in Modern Italian Prose", + "description": "A study of the chief modern Italian prosatori, including D\u2019Annunzio, Calvino, Pavese, and Pasolini. May be taken up to three times for credit as topic vary. " }, - "DSC 180B": { - "prerequisites": [ - "DSC 106", - "and", - "DSC 180A" - ], - "name": "Data Science Project II", - "description": "In this two-course sequence students will investigate a topic and design a system to produce statistically informed output. The investigation will span the entire lifecycle, including assessing the problem, learning domain knowledge, collecting/cleaning data, creating a model, addressing ethical issues, designing the system, analyzing the output, and presenting the results. 180B will consist of implementing the project while studying the best practices for evaluation. " + "LTEU 150A-B-C": { + "prerequisites": [], + "name": "Survey of Russian and Soviet Literature in Translation, 1800 to the Present", + "description": "A study of literary works from Pushkin to the present." }, - "DSC 190": { + "LTEU 154": { "prerequisites": [], - "name": "Topics in Data Science", - "description": "Topics of special interest in data science. Topics vary from quarter to quarter. May be taken for credit up to two times. ** Department approval required ** " + "name": "Russian Culture", + "description": "150A. 1800\u20131860 " }, - "DSC 191": { + "LTEU 158": { "prerequisites": [], - "name": "Seminar in Data Science", - "description": "A seminar course on topics of current interest in data science. Topics may vary from quarter to quarter. May be taken for credit three times. ** Department approval required ** " + "name": "Single Author in Russian Literature in Translation", + "description": "150B. 1860\u20131917 " }, - "DSC 197": { + "LTFR 2A": { "prerequisites": [], - "name": "Data Science Internship", - "description": "Directed study and research at laboratories/institutions outside of campus. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Intermediate French I", + "description": "150C. 1917\u2013present " }, - "DSC 198": { + "LTFR 2B": { "prerequisites": [], - "name": "Directed Group Study in Data Science", - "description": "Data science topics whose study involves reading and discussion by a small group of students under supervision of a faculty member. May be taken for credit up to two times. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Intermediate French II", + "description": "An introduction to Russia\u2019s past and present through the cross-disciplinary study of literature, the visual and performing arts, social and political thought, civic rituals, popular entertainments, values and practices from 1825 to the present. " }, - "DSC 199": { + "LTFR 2C": { "prerequisites": [], - "name": "Independent Study for Data Science Undergraduates", - "description": "Independent reading or research on a topic related to data science by special arrangement with a faculty member. May be taken for credit up to two times. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Intermediate\n\t\t\t\t French III: Composition and Cultural Contexts", + "description": "A study of literary works by a single Russian author. All readings will be in English. May be repeated for credit when authors vary." }, - "PHYS 1A": { - "prerequisites": [ - "PHYS 1A", - "and", - "MATH 10B" - ], - "name": "Mechanics", - "description": "Second quarter of a three-quarter introductory physics course geared toward life-science majors. Electric fields, magnetic fields, DC and AC circuitry. PHYS 1B and 1BL are designed to be taken concurrently but may be taken in separate terms; taking the lecture before the lab is the best alternative to enrolling in both. " + "LTFR 50": { + "prerequisites": [], + "name": "Intermediate French IV: Textual Analysis", + "description": "First course in a three-quarter sequence designed to prepare students for upper-division French courses. The course is taught entirely in French and emphasizes the development of reading ability, listening comprehension, and conversational and writing skills. Basic techniques of literary analysis. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "PHYS 1AL": { - "prerequisites": [ - "MATH 10A-B" - ], - "name": "Mechanics Laboratory", - "description": "A calculus-based science-engineering general physics course covering vectors, motion in one and two dimensions, Newton\u2019s first and second laws, work and energy, conservation of energy, linear momentum, collisions, rotational kinematics, rotational dynamics, equilibrium of rigid bodies, oscillations, gravitation.\u00a0Students continuing to PHYS 2B/4B will also need MATH 20B. " + "LTFR 115": { + "prerequisites": [], + "name": "Themes\n\t\t\t\t in Intellectual and Literary History", + "description": "Second course in a three-quarter sequence designed to prepare students for upper-division French courses. The course is taught entirely in French and emphasizes the development of reading ability, listening comprehension, and conversational and writing skills. Basic techniques of literary analysis. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "PHYS 1B": { - "prerequisites": [ - "PHYS 2A" - ], - "name": "Electricity and Magnetism", - "description": "Experiments include gravitational force, linear and rotational motion, conservation of energy and momentum, collisions, oscillations and springs, gyroscopes. Data reduction and error analysis are required for written laboratory reports. One hour lecture and three hours laboratory. " + "LTFR 116": { + "prerequisites": [], + "name": "Themes\n\t\t\t\t in Intellectual and Literary History", + "description": "Designed to improve writing and conversational skills. Develop written expression in terms of organization or ideas, structure, vocabulary. Grammar review. Discussions of contemporary novel and film. May be taken in lieu of LTFR 50 as a prerequisite for upper-division courses. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "PHYS 1BL": { - "prerequisites": [ - "PHYS 2A", - "and" - ], - "name": "Electricity and Magnetism Laboratory", - "description": "Experiments on L-R-C circuits; oscillations, resonance and damping, measurement of magnetic fields. One hour lecture and three hours laboratory. Program or materials fee may apply. " + "LTFR 121": { + "prerequisites": [], + "name": "The Middle Ages and the Renaissance", + "description": "Fourth course in a four-quarter sequence designed to prepare students for upper-division French courses. The course is taught entirely in French and emphasizes the development of reading ability, listening comprehension, and conversational and writing skills. It also introduces the student to basic techniques of literary analysis. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "PHYS 1C": { - "prerequisites": [ - "PHYS 2A", - "and", - "MATH 20D" - ], - "name": "Waves, Optics, and Modern Physics", - "description": "A modern physics course covering atomic view of matter, electricity and radiation, atomic models of Rutherford and Bohr, relativity, X-rays, wave and particle duality, matter waves, Schr\u00f6dinger\u2019s equation, atomic view of solids, natural radioactivity. " + "LTFR 122": { + "prerequisites": [], + "name": "Topics in Seventeenth-Century French Literature", + "description": "Course in a two-quarter sequence designed as an introduction to French literature and literary history. Each quarter will center on a specific theme or problem. It is recommended that majors whose primary literature is French take this sequence as early as possible. Course may be repeated up to three times when the topic and the assigned readings are different. " }, - "PHYS 1CL": { - "prerequisites": [ - "PHYS 2BL" - ], - "name": "Waves, Optics,\n\t\t and Modern Physics Laboratory", - "description": "Experiments to be chosen from refraction, diffraction and interference of microwaves, Hall effect, thermal band gap, optical spectra, coherence of light, photoelectric effect, e/m ratio of particles, radioactive decays, and plasma physics. One hour lecture and three hours laboratory. Program or material fee may apply. " + "LTFR 123": { + "prerequisites": [], + "name": "Eighteenth Century", + "description": "Course in a two-quarter sequence designed as an introduction to French literature and literary history. Each quarter will center on a specific theme or problem. It is recommended that majors whose primary literature is French take this sequence as early as possible. Course may be repeated up to three times when the topic and the assigned readings are different. " }, - "PHYS 2A": { - "prerequisites": [ - "MATH 20A" - ], - "name": "Physics\u2014Mechanics", - "description": "The first quarter of a five-quarter calculus-based physics sequence for physics majors and students with a serious interest in physics. The topics covered are vectors, particle kinematics and dynamics, work and energy, conservation of energy, conservation of momentum, collisions, rotational kinematics and dynamics, equilibrium of rigid bodies. " + "LTFR 124": { + "prerequisites": [], + "name": "Nineteenth Century", + "description": "Major literary works of the Middle Ages and Renaissance as seen against the historical and intellectual background of the period. Medieval texts in modern French translation. May be repeated for credit as topics vary. " }, - "PHYS 2B": { - "prerequisites": [ - "PHYS 2A", - "and", - "MATH 20B" - ], - "name": "Physics\u2014Electricity and Magnetism", - "description": "Continuation of PHYS 4A covering forced and damped oscillations, fluid statics and dynamics, waves in elastic media, sound waves, heat and the first law of thermodynamics, kinetic theory of gases, Brownian motion, Maxwell-Boltzmann distribution, second law of thermodynamics. Students continuing to PHYS 4C will also need MATH 18 or 20F or 31AH. " + "LTFR 125": { + "prerequisites": [], + "name": "Twentieth Century", + "description": "This course will cover major literary works and problems of seventeenth-century French literature. May be taken for credit three times as topics vary. " }, - "PHYS 2BL": { - "prerequisites": [ - "PHYS 2A", - "MATH 20C", - "and" - ], - "name": "Physics\n\t\t Laboratory\u2014Mechanics", - "description": "Continuation of PHYS 4B covering charge and Coulomb\u2019s law, electric field, Gauss\u2019s law, electric potential, capacitors and dielectrics, current and resistance, magnetic field, Ampere\u2019s law, Faraday\u2019s law, inductance, AC circuits. " + "LTFR 141": { + "prerequisites": [], + "name": "Topics in Literatures in French", + "description": "Major literary works and problems of the eighteenth century. May be repeated for credit as topics vary. " }, - "PHYS 2C": { - "prerequisites": [ - "PHYS 2A-B-C", - "MATH 20A", - "and" - ], - "name": "Physics\u2014Fluids,\n\t\t Waves, Thermodynamics, and Optics", - "description": "Continuation of PHYS 4C covering electric and magnetic fields in matter, Maxwell\u2019s equations and electromagnetic waves, special relativity and its applications to electromagnetism, optics, interference, diffraction. " + "LTFR 142": { + "prerequisites": [], + "name": "Topics in Literary Genres in French", + "description": "Major literary works of the nineteenth century. May be repeated for credit as topics vary. " }, - "PHYS 2CL": { + "LTFR 143": { "prerequisites": [], - "name": "Physics Laboratory\u2014Electricity and Magnetism", - "description": "An introduction to the evolution of stars, including their birth and death. Topics include constellations, the atom and light, telescopes, stellar birth, stellar evolution, white dwarfs, neutron stars, black holes, and general relativity. This course uses basic algebra, proportion, radians, logs, and powers. PHYS 5, 7, 9, and 13 form a four-quarter sequence and can be taken individually in any order. " + "name": "Topics in Major Authors in French", + "description": "Major literary works and problems of the twentieth century. May be repeated for credit as topics vary. " }, - "PHYS 2D": { + "LTFR 164": { "prerequisites": [], - "name": "Physics\u2014Relativity and Quantum Physics", - "description": "An introduction to galaxies and cosmology. Topics include the Milky Way, galaxy types and distances, dark matter, large scale structure, the expansion of the Universe, dark energy, and the early Universe. This course uses basic algebra, proportion, radians, logs and powers. PHYS 5, 7, 9, and 13 form a four-quarter sequence and can be taken individually in any order. " + "name": "Topics in Modern French Culture", + "description": "Examines one or more periods, themes, authors, and approaches in French literature. Topics will vary with instructor. May be repeated for credit. " }, - "PHYS 2DL": { + "LTFR 198": { "prerequisites": [], - "name": "Physics Laboratory\u2014Modern Physics", - "description": "Examines phenomena and technology encountered in daily life from a physics perspective. Topics include waves, musical instruments, telecommunication, sports, appliances, transportation, computers, and energy sources. Physics concepts will be introduced and discussed as needed employing some algebra. No prior physics knowledge is required. " + "name": "Directed Group Study", + "description": "An examination of one or more major or minor genres of French literature: for example, drama, novel, poetry, satire, prose poem, essay. " }, - "PHYS 4A": { + "LTFR 199": { "prerequisites": [], - "name": "Physics for Physics Majors\u2014Mechanics", - "description": "This is a one-quarter general physics course for nonscience majors. Topics covered are motion, energy, heat, waves, electric current, radiation, light, atoms and molecules, nuclear fission and fusion. This course emphasizes concepts with minimal mathematical formulation. Recommended preparation: college algebra. " + "name": "Special Studies", + "description": "A study in depth of the works of a major French writer. Recommended for students whose primary literature is French. May be repeated for credit as topics vary. " }, - "PHYS 4B": { - "prerequisites": [ - "MATH 10A" - ], - "name": "Physics for Physics Majors\u2014Fluids, Waves, Statistical and Thermal Physics ", - "description": "Survey of physics for nonscience majors with strong mathematical background, including calculus. PHYS 11 describes the laws of motion, gravity, energy, momentum, and relativity. A laboratory component consists of two experiments with gravity and conservation principles. " + "LTGM 2A": { + "prerequisites": [], + "name": "Intermediate German I", + "description": "This course may be designed according to an individual student\u2019s needs when seminar offerings do not cover subjects, genres, or authors of interest. No paper required. The 297 courses do not count toward the seminar requirement. Repeatable for credit. " }, - "PHYS 4C": { + "LTGM 2B": { "prerequisites": [], - "name": "Physics for\n\t\t Physics Majors\u2014Electricity and Magnetism", - "description": "A course covering energy fundamentals, energy use in an industrial society and the impact of large-scale energy consumption. It addresses topics on fossil fuel, heat engines, solar energy, nuclear energy, energy conservation, transportation, air pollution and global effects. Concepts and quantitative analysis. " + "name": "Intermediate German II", + "description": "Similar to a 297, but a paper is required. Papers are usually on subjects not covered by seminar offerings. Up to two 298s may be applied toward the twelve-seminar requirement of the doctoral program. Repeatable for credit. " }, - "PHYS 4D": { + "LTGM 2C": { "prerequisites": [], - "name": "Physics for Physics Majors\u2014Electromagnetic Waves, Special Relativity and Optics ", - "description": "An exploration of life in the Universe. Topics include defining life; the origin, development, and fundamental characteristics of life on Earth; searches for life elsewhere in the solar system and other planetary systems; space exploration; and identifying extraterrestrial intelligence. This course uses basic algebra, proportion, radians, logs, and powers. PHYS 5, 7, 9, and 13 form a four-quarter sequence and can be taken individually in any order. " + "name": "Intermediate German III", + "description": "Research for the dissertation. Offered for repeated registration. Open only to PhD students who have advanced to candidacy." }, - "PHYS 4E": { - "prerequisites": [ - "CAT 2", - "or", - "DOC 2", - "or", - "HUM 1", - "and", - "CAT 3", - "or", - "DOC 3", - "or", - "HUM 2" - ], - "name": "Physics for Physics Majors\u2014Quantum Physics", - "description": "Physicists have spoken of the beauty of equations. The poet John Keats wrote, \u201cBeauty is truth, truth beauty...\u201d What did they mean? Students will consider such questions while reading relevant essays and poems. Requirements include one creative exercise or presentation. Cross-listed with LTEN 30. Students cannot earn credit for both PHYS 30 and LTEN 30. " + "LTGM 100": { + "prerequisites": [], + "name": "German Studies I: Aesthetic Cultures", + "description": "LTGM 2A follows the basic language sequence of the Department of Linguistics and emphasizes the development of reading ability, listening comprehension, and conversational and writing skills. The course includes grammar review and class discussion of reading and audiovisual materials. Specifically, the course prepares students for LIGM 2B and 2C. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "PHYS 5": { + "LTGM 101": { "prerequisites": [], - "name": "Stars and Black Holes ", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " + "name": "German Studies II: National Identities", + "description": "LTGM 2B is a continuation of LTGM 2A for those students who intend to practice their skills in reading, listening comprehension, and writing on a more advanced level. The literary texts are supplemented by readings from other disciplines as well as audiovisual materials. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "PHYS 7": { + "LTGM 130": { "prerequisites": [], - "name": "Galaxies and Cosmology ", - "description": "Directed group study on a topic, or in a field not included in the regular departmental curriculum. P/NP grades only." + "name": "German Literary Prose", + "description": "A course designed for students who wish to improve their ability to speak and write German. Students will read and discuss a variety of texts and films, and complete the grammar review begun in 2A. 2C emphasizes speaking, writing, and critical thinking, and prepares students for upper-division course work in German. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "PHYS 8": { + "LTGM 132": { "prerequisites": [], - "name": "Physics of Everyday Life", - "description": "Independent reading or research on a topic by special arrangement with a faculty member. P/NP grading only. " + "name": "German Poetry", + "description": "This course offers an overview of German aesthetic culture in its various forms (literature, film, art, music, and architecture) and methods of analysis. Materials will explore the diversity of aesthetic production from the eighteenth century to the present. " }, - "PHYS 9": { - "prerequisites": [ - "PHYS 2A-B-C" - ], - "name": "The Solar System", - "description": "Coulomb\u2019s law, electric fields, electrostatics; conductors and dielectrics; steady currents, elements of circuit theory. " + "LTGM 134": { + "prerequisites": [], + "name": "New German Cinema", + "description": "This course offers an overview of issues in contemporary and historical German cultures. How has national identity been constructed in the past? What does it mean to be a German in the new Europe? Materials include fiction, historical documents, films, and the internet. " }, - "PHYS 10": { - "prerequisites": [ - "PHYS 100A", - "MATH 20A", - "and" - ], - "name": "Concepts in Physics", - "description": "Magnetic fields and magnetostatics, magnetic materials, induction, AC circuits, displacement currents; development of Maxwell\u2019s equations. " + "LTGM 190": { + "prerequisites": [], + "name": "Seminars in German Culture", + "description": "The development of major forms and modes of German literary prose. May be repeated for credit as topics vary. " }, - "PHYS 11": { - "prerequisites": [ - "PHYS 100B" - ], - "name": "Survey of Physics", - "description": "Electromagnetic waves, radiation theory; application to optics; motion of charged particles in electromagnetic fields; relation of electromagnetism to relativistic concepts. " + "LTGM 198": { + "prerequisites": [], + "name": "Directed Group Study", + "description": "The development of major forms and modes of German verse. May be repeated for credit as topics vary. " }, - "PHYS 12": { - "prerequisites": [ - "PHYS 2B-C-D", - "MATH 20A", - "and" - ], - "name": "Energy and the Environment", - "description": "A combined analytic and mathematically based numerical approach to the solution of common applied mathematics problems in physics and engineering. Topics: Fourier series and integrals, special functions, initial and boundary value problems, Green\u2019s functions; heat, Laplace and wave equations. " + "LTGM 199": { + "prerequisites": [], + "name": "Special Studies", + "description": "A survey of German cinema from the late 1960s to the early 1980s. Focus on films by such directors as Fassbinder, Herzog, Kluge, Schl\u04e7ndorff, von Trotta, and Wenders viewed in historical and cultural context. May be taken credit three times when topics vary." }, - "PHYS 13": { - "prerequisites": [ - "PHYS 2A-B-C", - "MATH 20A", - "and" - ], - "name": "Life in the Universe", - "description": "Phase flows, bifurcations, linear oscillations, calculus of variations, Lagrangian dynamics, conservation laws, central forces, systems of particles, collisions, coupled oscillations. " + "LTGK 1": { + "prerequisites": [], + "name": "Beginning Greek", + "description": "Tutorial; individual guided reading in areas of German literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) " }, - "PHYS 30": { - "prerequisites": [ - "PHYS 110A", - "MATH 20A", - "and" - ], - "name": "Poetry for Physicists", - "description": "Noninertial reference systems, dynamics of rigid bodies, Hamilton\u2019s equations, Liouville\u2019s theorem, chaos, continuum mechanics, special relativity. " + "LTGK 2": { + "prerequisites": [], + "name": "Intermediate Greek", + "description": "This course may be designed according to an individual student\u2019s needs when seminar offerings do not cover subjects, genres, or authors of interest. No paper required. The 297 courses do not count toward the seminar requirement. Repeatable for credit. " }, - "PHYS 87": { - "prerequisites": [ - "PHYS 2A-B-C", - "MATH 20A", - "and" - ], - "name": "Freshman Seminar in Physics and Astrophysics", - "description": "The linear theory of ocean surface waves, including group velocity, wave dispersion, ray theory, wave measurement and prediction, shoaling waves, giant waves, ship wakes, tsunamis, and the physics of the surf zone. Cross-listed with SIO 111. Students may not receive credit for SIO 111 and PHYS 111. " + "LTGK 3": { + "prerequisites": [], + "name": "Intermediate Greek", + "description": "Similar to a 297, but a paper is required. Papers are usually on subjects not covered by seminar offerings. Up to two 298s may be applied toward the twelve-seminar requirement of the doctoral program. Repeatable for credit. " }, - "PHYS 98": { - "prerequisites": [ - "PHYS 100B", - "and" - ], - "name": "Directed Group Study", - "description": "This is a basic course in fluid dynamics for advanced students. The course consists of core fundamentals and modules on advanced applications to physical and biological phenomena. Core fundamentals include Euler and Navier-Stokes equations, potential and Stokesian flow, instabilities, boundary layers, turbulence, and shocks. Module topics include MHD, waves, and the physics of locomotion and olfaction. May be coscheduled with PHYS 216. Students with equivalent prerequisite knowledge may use the Enrollment Authorization System (EASy) to request approval to enroll. ** Department approval required ** " + "LTGK 101": { + "prerequisites": [], + "name": "Greek Composition", + "description": "Study of ancient Greek, including grammar and reading. " }, - "PHYS 99": { - "prerequisites": [ - "PHYS 2A-B-C", - "and" - ], - "name": "Independent Study", - "description": "Laboratory and lecture course that covers principles of analog circuit theory and design, linear systems theory,\u00a0and practical aspects of\u00a0circuit realization, debugging, and characterization. Laboratory exercises include passive circuits, active filters and amplifiers with\u00a0discrete and monolithic devices, nonlinear circuits, interfaces to sensors and actuators, and the digitization of analog signals. PHYS 120 was formerly numbered PHYS 120A. Program or materials fees may apply.\u00a0" + "LTGK 102": { + "prerequisites": [], + "name": "Greek Poetry", + "description": "Continuation of study of ancient Greek, including grammar and reading. " }, - "PHYS 100A": { - "prerequisites": [ - "PHYS 120" - ], - "name": "Electromagnetism I", - "description": "Laboratory-lecture course covering practical techniques used in research laboratories. Possible topics include computer interfacing of\u00a0instruments, sensors, and actuators; programming for data acquisition/analysis; electronics; measurement techniques; mechanical\u00a0design/machining; mechanics of materials; thermal design/control; vacuum/cryogenic techniques; optics; particle detection. PHYS 122 was formerly numbered PHYS 121. Program or materials fees may apply.\u00a0" + "LTGK 103": { + "prerequisites": [], + "name": "Greek Drama", + "description": "Continuation of study of ancient Greek, including grammar and reading of texts. " }, - "PHYS 100B": { - "prerequisites": [ - "PHYS 120" - ], - "name": "Electromagnetism II", - "description": "A laboratory-lecture-project course featuring creation of an experimental apparatus in teams of about two. Emphasis is on electronic\u00a0sensing of the physical environment and actuating physical responses. The course will use a computer interface such as the Arduino. PHYS 124 was formerly numbered PHYS 120B. Program or materials fees may apply.\u00a0" + "LTGK 104": { + "prerequisites": [], + "name": "Greek Prose", + "description": "Greek prose composition. Corequisites: student must be concurrently enrolled in upper-division Literature/Greek course numbered 102 or above. " }, - "PHYS 100C": { - "prerequisites": [ - "PHYS 2D" - ], - "name": "Electromagnetism III", - "description": "Development of quantum mechanics. Wave mechanics; measurement postulate and measurement problem. Piece-wise constant potentials, simple harmonic oscillator, central field and the hydrogen atom. Three hours lecture, one-hour discussion session. " + "LTGK 105": { + "prerequisites": [], + "name": "Topics in Greek Literature", + "description": "\nReadings in Greek from ancient Greek poetry. May be taken for credit four times as topics vary. " }, - "PHYS 105A": { - "prerequisites": [ - "PHYS 100B", - "and" - ], - "name": "Mathematical and Computational Physics I", - "description": "Matrix mechanics, angular momentum, spin, and the two-state system. Approximation methods and the hydrogen spectrum. Identical particles, atomic and nuclear structures. Scattering theory. Three hours lecture, one-hour discussion session. " + "LTGK 198": { + "prerequisites": [], + "name": "Directed Group Study", + "description": "\nReadings in Greek from ancient Greek drama. May be taken for credit four times as topics vary. " }, - "PHYS 105B": { - "prerequisites": [ - "PHYS 130B" - ], - "name": "Mathematical and Computational Physics II", - "description": "Quantized electromagnetic fields and introductory quantum optics. Symmetry and conservation laws. Introductory many-body physics. Density matrix, quantum coherence and dissipation. The relativistic electron. Three-hour lecture, one-hour discussion session. " + "LTGK 199": { + "prerequisites": [], + "name": "Special Studies", + "description": "\nReadings in Greek from ancient Greek prose. May be taken for credit four times as topics vary. " }, - "PHYS 110A": { - "prerequisites": [ - "PHYS 2CL", - "and" - ], - "name": "Mechanics I", - "description": "A project-oriented laboratory course utilizing state-of-the-art experimental techniques in materials science. The course prepares students for research in a modern condensed matter-materials science laboratory. Under supervision, the students develop their own experimental ideas after investigating current research literature. With the use of sophisticated state-of-the-art instrumentation students conduct research, write a research paper, and make verbal presentations. Program or materials fees may apply. " + "LTIT 2A": { + "prerequisites": [], + "name": "Intermediate Italian I", + "description": "\nReadings in Greek covering specific topics in ancient Greek literature. May be taken for credit four times as topics vary. " }, - "PHYS 110B": { - "prerequisites": [ - "PHYS 100A", - "and" - ], - "name": "Mechanics II", - "description": "Quantum mechanics and gravity. Electromagnetism from gravity and extra dimensions. Unification of forces. Quantum black holes. Properties of strings and branes. " + "LTIT 2B": { + "prerequisites": [], + "name": "Intermediate Italian II", + "description": "Directed group study in areas of Greek literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) " }, - "PHYS 111": { - "prerequisites": [ - "PHYS 2A-B-C-D", - "MATH 20A", - "and" - ], - "name": "Introduction to Ocean Waves", - "description": "From time to time a member of the regular faculty or a resident visitor will give a self-contained short course on a topic in his or her special area of research. This course is not offered on a regular basis, but it is estimated that it will be given once each academic year. Course may be taken for credit up to two times as topics vary (the course subtitle will be different for each distinct topic). Students who repeat the same topic in PHYS 139 will have the duplicate credit removed from their academic record. " + "LTIT 50": { + "prerequisites": [], + "name": "Advanced Italian", + "description": "Tutorial; individual guided reading in an area not normally covered in courses. May be taken up to three times for credit. (P/NP grades only.) " }, - "PHYS 116": { - "prerequisites": [ - "PHYS 130A" - ], - "name": "Fluid Dynamics for Physicists", - "description": "Integrated treatment of thermodynamics and statistical mechanics; statistical treatment of entropy, review of elementary probability theory, canonical distribution, partition function, free energy, phase equilibrium, introduction to ideal quantum gases. " + "LTIT 100": { + "prerequisites": [], + "name": "Introduction to Literatures in Italian", + "description": "A second-year course in Italian language and literature. Conversation, composition, grammar review, and an introduction to literary and nonliterary texts. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "PHYS 120": { - "prerequisites": [ - "PHYS 130B", - "and" - ], - "name": "Circuits and Electronics", - "description": "Applications of the theory of ideal quantum gases in condensed matter physics, nuclear physics and astrophysics; advanced thermodynamics, the third law, chemical equilibrium, low temperature physics; kinetic theory and transport in nonequilibrium systems; introduction to critical phenomena including mean field theory. " + "LTIT 115": { + "prerequisites": [], + "name": "Medieval Studies", + "description": "Continuation of second-year Italian language and literature. Reading, writing, conversation, grammar review, and an introduction to literary genres and contemporary Italian culture and society. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "PHYS 122": { + "LTIT 122": { "prerequisites": [], - "name": "Experimental Techniques", - "description": "Project-based computational physics laboratory\n\t\t\t\t course with student\u2019s choice of Fortran 90/95, or C/C++. Applications\n\t\t\t\t from materials science to the structure of the early universe are chosen\n\t\t\t\t from molecular dynamics, classical and quantum Monte Carlo methods, physical\n\t\t\t\t Langevin/Fokker-Planck processes. " + "name": "Studies in Modern Italian Culture", + "description": "This course constitutes the sixth and final quarter of the Italian language sequence. It offers an intensive study of Italian grammar, drills in conversation and composition, and readings in modern Italian literature. ** Consent of instructor to enroll possible **" }, - "PHYS 124": { + "LTIT 137": { "prerequisites": [], - "name": "Laboratory Projects", - "description": "Project-based computational physics laboratory course for modern physics and engineering problems with student\u2019s choice of Fortran90/95, or C/C++. Applications of finite element PDE models are chosen from quantum mechanics and nanodevices, fluid dynamics, electromagnetism, materials physics, and other modern topics. " + "name": "Studies in Modern Italian Prose", + "description": "Reading and discussion of selections from representative authors. Review of grammar as needed. May be repeated for credit three times when topics vary. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "PHYS 130A": { - "prerequisites": [ - "MATH 20D" - ], - "name": "Quantum Physics I", - "description": "Particle motions, plasmas as fluids, waves, diffusion, equilibrium and stability, nonlinear effects, controlled fusion. Cross-listed with MAE 117A.\u00a0Students will not receive credit for both MAE 117A and PHYS 151. " + "LTIT 161": { + "prerequisites": [], + "name": "Advanced Stylistics and Conversation", + "description": "Studies in medieval culture and thought with focus on one of the \u201cthree crowns\u201d of Italian literature: Dante, Boccaccio, or Petrarca. May be repeated for credit when course content varies. " }, - "PHYS 130B": { - "prerequisites": [ - "PHYS 130A", - "or", - "CHEM 130" - ], - "name": "Quantum Physics II", - "description": "Physics of the solid-state. Binding mechanisms, crystal structures and symmetries, diffraction, reciprocal space, phonons, free and nearly free electron models, energy bands, solid-state thermodynamics, kinetic theory and transport, semiconductors. " + "LTIT 192": { + "prerequisites": [], + "name": "Senior Seminar in Literatures in Italian", + "description": "Politics, literature, and cultural issues of twentieth-century Italy. May be repeated for credit when topics vary. " }, - "PHYS 130C": { - "prerequisites": [ - "PHYS 152A" - ], - "name": "Quantum Physics III", - "description": "Physics of electronic materials. Semiconductors: bands, donors and acceptors, devices. Metals: Fermi surface, screening, optical properties. Insulators: dia-/ferro-electrics, displacive transitions. Magnets: dia-/para-/ferro-/antiferro-magnetism, phase transitions, low temperature properties. Superconductors: pairing, Meissner effect, flux quantization, BCS theory. " + "LTIT 196": { + "prerequisites": [], + "name": "Honors Thesis", + "description": "A study of the chief modern Italian prosatori, including D\u2019Annunzio, Calvino, Pavese, and Pasolini. May be taken up to three times for credit as topics vary." }, - "PHYS 133": { - "prerequisites": [ - "PHYS 130B" - ], - "name": "Condensed Matter/Materials Science Laboratory", - "description": "The constituents of matter (quarks and leptons) and their interactions (strong, electromagnetic, and weak). Symmetries and conservation laws. Fundamental processes involving quarks and leptons. Unification of weak and electromagnetic interactions. Particle-astrophysics and the Big Bang. " + "LTIT 198": { + "prerequisites": [], + "name": "Directed Group Study", + "description": "Analysis of Italian essays, journalism, literature. Intensive practice in writing and Italian conversation. ** Consent of instructor to enroll possible **" }, - "PHYS 137": { - "prerequisites": [ - "PHYS 2A-B-C-D" - ], - "name": "String Theory", - "description": "Introduction to stellar astrophysics: observational properties of stars, solar physics, radiation and energy transport in stars, stellar spectroscopy, nuclear processes in stars, stellar structure and evolution, degenerate matter and compact stellar objects, supernovae and nucleosynthesis. PHYS 160, 161, 162, and 163 may be taken as a four-quarter sequence for students interested in pursuing graduate study in astrophysics or individually as topics of interest. " + "LTIT 199": { + "prerequisites": [], + "name": "Special Studies", + "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in literature (at the upper-division level). Senior Seminars may be offered in all campus departments. Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" }, - "PHYS 139": { - "prerequisites": [ - "PHYS 2A-B-C-D" - ], - "name": "Physics Special Topics", - "description": "An introduction to Einstein\u2019s theory of general relativity with emphasis on the physics of black holes. Topics will include metrics and curved space-time, the Schwarzchild metric, motion around and inside black holes, rotating black holes, gravitational lensing, gravity waves, Hawking radiation, and observations of black holes. PHYS 160, 161, 162, and 163 may be taken as a four-quarter sequence for students interested in pursuing graduate study in astrophysics or individually as topics of interest. " + "LTKO 1A": { + "prerequisites": [], + "name": "Beginning Korean: First Year I", + "description": "Senior thesis research and writing for students who have been accepted for the literature honors program and who have completed LTWL 191. Oral examination. " }, - "PHYS 140A": { + "LTKO 1B": { "prerequisites": [], - "name": "Statistical and Thermal Physics I", - "description": "The expanding Universe, the Friedman-Robertson-Walker equations, dark matter, dark energy, and the formation of galaxies and large-scale structure. Topics in observational cosmology, including how to measure distances and times, and the age, density, and size of the Universe. Topics in the early Universe, including the cosmic microwave background, creation of the elements, cosmic inflation, the big bang. PHYS 160, 161, 162, and 163 may be taken as a four-quarter sequence for students interested in pursuing graduate study in astrophysics or individually as topics of interest. " + "name": "Beginning Korean: First Year II", + "description": "Directed group study in areas of Italian literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) " }, - "PHYS 140B": { - "prerequisites": [ - "PHYS 2A-B-C-D" - ], - "name": "Statistical and Thermal Physics II", - "description": "An introduction to the structure and properties of galaxies in the universe. Topics covered include the Milky Way, the interstellar medium, properties of spiral and elliptical galaxies, rotation curves, starburst galaxies, galaxy formation and evolution, large-scale structure, and active galaxies and quasars. PHYS 160, 161, 162, and 163 may be taken as a four-quarter sequence in any order for students interested in pursuing graduate study in astrophysics or individually as topics of interest.\u00a0" + "LTKO 1C": { + "prerequisites": [], + "name": "Beginning Korean: First Year III", + "description": "Tutorial; individual guided reading in areas of Italian literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) " }, - "PHYS 141": { - "prerequisites": [ - "PHYS 2A-B-C-D" - ], - "name": "Computational\n\t\t\t\t Physics I: Probabilistic Models and Simulations", - "description": "Project-based course developing tools and techniques of observational astrophysical research: photon counting, imaging, spectroscopy, astrometry; collecting data at the telescope; data reduction and analysis; probability functions; error analysis techniques; and scientific writing. " + "LTKO 2A-B-C": { + "prerequisites": [], + "name": "Intermediate Korean: Second Year I-II-III", + "description": "Students develop beginning-level skills in the Korean language, beginning with an introduction to the writing and sound system. The remainder of the course will focus on basic sentence structures and expressions. ** Exam placement options to enroll possible ** " }, - "PHYS 142": { - "prerequisites": [ - "PHYS 1B", - "and" - ], - "name": "Computational\n\t\t\t\t Physics II: PDE and Matrix Models", - "description": "The principles and clinical applications of medical diagnostic instruments, including electromagnetic measurements, spectroscopy, microscopy; ultrasounds, X-rays, MRI, tomography, lasers in surgery, fiber optics in diagnostics. " + "LTKO 3": { + "prerequisites": [], + "name": "Advanced Korean: Third Year", + "description": "Students develop beginning-level skills in the Korean language, with an introduction to the writing and sound system. The remainder of the course will focus on basic sentence structures and expressions. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "PHYS 151": { - "prerequisites": [ - "PHYS 120", - "and", - "BILD 1", - "and", - "CHEM 7L" - ], - "name": "Elementary Plasma Physics", - "description": "A selection of experiments in contemporary\n\t\t\t\t physics and biophysics. Students select among pulsed NMR, Mossbauer,\n\t\t\t\t Zeeman effect, light scattering, holography, optical trapping, voltage\n\t\t\t\t clamp and genetic transcription of ion channels in oocytes, fluorescent\n\t\t\t\t imaging, and flight control in flies. " - }, - "PHYS 152A": { - "prerequisites": [ - "CHEM 132", - "PHYS 100A", - "and" - ], - "name": "Condensed Matter Physics", - "description": "This course teaches how quantitative models derived from statistical physics can be used to build quantitative, intuitive understanding of biological phenomena. Case studies include ion channels, cooperative binding, gene regulation, protein folding, molecular motor dynamics, cytoskeletal assembly, and biological electricity. " - }, - "PHYS 152B": { - "prerequisites": [ - "PHYS 140A" - ], - "name": "Electronic Materials", - "description": "A quantitative approach to gene regulation including transcriptional and posttranscriptional control of gene expression, as well as feedback and stochastic effects in genetic circuits. These topics will be integrated into the control of bacterial growth and metabolism. " - }, - "PHYS 154": { + "LTKO 100": { "prerequisites": [], - "name": "Elementary Particle Physics", - "description": "The use of dynamic systems and nonequilibrium statistical mechanics to understand the biological cell. Topics chosen from chemotaxis as a model system; signal transduction networks and cellular information processing; mechanics of the membrane; cytoskeletal dynamics; nonlinear Calcium waves. May be scheduled with PHYS 277. " + "name": "Readings\n\t\t\t\t in Korean Literature and Culture", + "description": "Students develop beginning-level skills in the Korean language, beginning with an introduction to the writing and sound system. The remainder of the course will focus on basic sentence structures and expressions. " }, - "PHYS 160": { + "LTKO 149": { "prerequisites": [], - "name": "Stellar Astrophysics", - "description": "Information processing by nervous system through physical reasoning and mathematical analysis. A review of the biophysics of neurons and synapses and fundamental limits to signaling by nervous systems is followed by essential aspects of the dynamics of phase coupled neuronal oscillators, the dynamics and computational capabilities of recurrent neuronal networks, and the computational capability of layered networks. " - }, - "PHYS 161": { - "prerequisites": [ - "PHYS 2A" - ], - "name": "Black Holes", - "description": "Undergraduate seminars organized around the research interests of various faculty members. P/NP grades only. " + "name": "Readings in Korean Language History and Structure", + "description": "This course will help students develop intermediate-level skills in the Korean language. Upon completion of this course, students are expected to have good command of Korean in various daily conversational situations. ** Exam placement options to enroll possible ** " }, - "PHYS 162": { + "LTLA 1": { "prerequisites": [], - "name": "Cosmology", - "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in Physics (at the upper-division level). Senior Seminars may be offered in all campus departments. Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors." + "name": "Beginning Latin", + "description": "This course will help students develop advanced-level skills in the Korean language. Upon completion of this course, students are expected to have good command of Korean in various formal settings and to understand daily news broadcasts/newspapers. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "PHYS 163": { + "LTLA 2": { "prerequisites": [], - "name": "Galaxies and Quasars", - "description": "Directed group study on a topic or in a field not included in the regular departmental curriculum. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Intermediate Latin", + "description": "Majors issues in modern Korean history from colonial period to present, such as Japanese colonization, division, US/Soviet occupation, the Korean War, and authoritarian rule, industrialization, labor/agrarian movement and cultural/social issues, emerging within the globalized economy in South Korea. " }, - "PHYS 164": { + "LTLA 3": { "prerequisites": [], - "name": "Observational Astrophysics Research Lab", - "description": "Independent reading or research on a problem by special arrangement with a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Intermediate Latin", + "description": "This course is designed to develop cultural understanding and professional/academic level reading skill for students with coverage of materials on Korean language history from the fifteenth century to the present, previous and current writing systems, and Korean language structure. May be taken for credit three times as topics vary. " }, - "PHYS 170": { + "LTLA 100": { "prerequisites": [], - "name": "Medical Instruments: Principles and Practice", - "description": "Honors thesis research for seniors participating in the Honors Program. Research is conducted under the supervision of a physics faculty member. " - }, - "PHYS 173": { - "prerequisites": [ - "PHYS 200A" - ], - "name": "Modern Physics Laboratory: Biological and Quantum Physics", - "description": "Hamilton\u2019s equations, canonical transformations; Hamilton-Jacobi theory; action-angle variables and adiabatic invariants; introduction to canonical perturbation theory, nonintegrable systems and chaos; Liouville equation; ergodicity and mixing; entropy; statistical ensembles. " + "name": "Introduction to Latin Literature", + "description": "Study of Latin, including grammar and reading. " }, - "PHYS 175": { + "LTLA 102": { "prerequisites": [], - "name": "Biological Physics", - "description": "An introduction to mathematical methods used in theoretical physics. Topics include a review of complex variable theory, applications of the Cauchy residue theorem, asymptotic series, method of steepest descent, Fourier and Laplace transforms, series solutions for ODE\u2019s and related special functions, Sturm Liouville theory, variational principles, boundary value problems, and Green\u2019s function techniques. " + "name": "Latin Poetry", + "description": "Study of Latin, including grammar and reading. " }, - "PHYS 176": { + "\nLTLA 103": { "prerequisites": [], - "name": "Quantitative Molecular Biology", - "description": "This course stresses approximate techniques in physics, both in terms of quantitative estimation and scaling relationships. A broad range of topics may include drag, aerodynamics, fluids, waves, heat transfer, mechanics of materials, sound, optical phenomena, nuclear physics, societal-scale energy, weather and climate change, human metabolic energy. Undergraduates wishing to enroll will be expected to have prior completion of PHYS 100B, PHYS 110A, PHYS 130B, and PHYS 140A." + "name": "Latin Drama", + "description": "Study of Latin, including grammar and reading. " }, - "PHYS 177": { + "\nLTLA 104": { "prerequisites": [], - "name": "Physics of the Cell", - "description": "Electrostatics, symmetries of Laplace\u2019s equation and methods for solution, boundary value problems, electrostatics in macroscopic media, magnetostatics, Maxwell\u2019s equations, Green functions for Maxwell\u2019s equations, plane wave solutions, plane waves in macroscopic media. " - }, - "PHYS 178": { - "prerequisites": [ - "PHYS 203A" - ], - "name": "Biophysics of Neurons and Networks", - "description": "Special theory of relativity, covariant formulation of electrodynamics, radiation from current distributions and accelerated charges, multipole radiation fields, waveguides and resonant cavities. " - }, - "PHYS 191": { - "prerequisites": [ - "PHYS 200A-B" - ], - "name": "Undergraduate Seminar on Physics", - "description": "Approach to equilibrium: BBGKY hierarchy;\n\t\t\t\t Boltzmann equation; H-theorem. Ensemble theory; thermodynamic\n\t\t\t\t potentials. Quantum statistics; Bose condensation. Interacting systems:\n\t\t\t\t Cluster expansion; phase transition via mean-field theory; the Ginzburg\n\t\t\t\t criterion. " + "name": "Latin Prose", + "description": "Reading and discussion of selections from representative authors of one or more periods. Review of grammar as needed. " }, - "PHYS 192": { - "prerequisites": [ - "PHYS 210A" - ], - "name": "Senior Seminar in Physics", - "description": "Transport phenomena; kinetic theory and the Chapman-Enskog method; hydrodynamic theory; nonlinear effects and the mode coupling method. Stochastic processes; Langevin and Fokker-Planck equation; fluctuation-dissipation relation; multiplicative processes; dynamic field theory; Martin-Siggia-Rose formalism; dynamical scaling theory. " + "\nLTLA 105": { + "prerequisites": [], + "name": "Topics in Latin Literature", + "description": "\nReadings in Latin from Latin poetry. May be taken for credit four times as topics vary. " }, - "PHYS 198": { + "LTLA 198": { "prerequisites": [], "name": "Directed Group Study", - "description": "The first of a two-quarter course in solid-state physics. Covers a range of solid-state phenomena that can be understood within an independent particle description. Topics include chemical versus band-theoretical description of solids, electronic band structure calculation, lattice dynamics, transport phenomena and electrodynamics in metals, optical properties, semiconductor physics. " - }, - "PHYS 199": { - "prerequisites": [ - "PHYS 210A", - "and", - "PHYS 211A" - ], - "name": "Research for Undergraduates", - "description": "Deals with collective effects in solids arising from interactions between constituents. Topics include electron-electron and electron-phonon interactions, screening, band structure effects, Landau Fermi liquid theory. Magnetism in metals and insulators, superconductivity; occurrence, phenomenology, and microscopic theory. " + "description": "\nReadings in Latin from Latin drama. May be taken for credit four times as topics vary. " }, - "PHYS 199H": { + "LTLA 199": { "prerequisites": [], - "name": "Honors\n\t\t\t\t Thesis Research for Undergraduates", - "description": "Quantum principles of state (pure, composite, entangled, mixed), observables, time evolution, and measurement postulate. Simple soluble systems: two-state, harmonic oscillator, and spherical potentials. Angular momentum and spin. Time-independent approximations. " + "name": "Special Studies", + "description": "\nReadings in Latin from Latin prose. May be taken for credit four times as topics vary. " }, - "TDAC 1": { + "LTRU 1A": { "prerequisites": [], - "name": "Introduction to Acting", - "description": "The subject codes are" + "name": "First-Year Russian", + "description": "\nReadings in Latin covering specific topics in Latin literature. May be taken for credit four times as topics vary. " }, - "TDAC 101": { + "LTRU 1B": { "prerequisites": [], - "name": "Acting I", - "description": "A beginning course in the fundamentals of acting: establishing a working vocabulary and acquiring the basic skills of the acting process. Through exercises, compositions, and improvisations, the student actor explores the imagination as the actor\u2019s primary resource, and the basic approach to text through action. " + "name": "First-Year Russian", + "description": "Directed group study in areas of Latin literature not normally covered in courses. May be repeated three times. (P/NP grades only.) " }, - "TDAC 102": { + "LTRU 1C": { "prerequisites": [], - "name": "Acting II", - "description": "This course focuses on beginning scene study with an emphasis on exploring action/objective and the given circumstances of a selected text. ** Consent of instructor to enroll possible **" + "name": "First-Year Russian", + "description": "Tutorial; individual guided reading in areas of Latin literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) " }, - "TDAC 103A": { + "LTRU 2A": { "prerequisites": [], - "name": "Acting Intensive I", - "description": "Further study in the application of the given circumstances to a text and the development of characterization. " + "name": "Second-Year Russian", + "description": "First-year Russian, with attention to reading, writing, and speaking. " }, - "TDAC 103B": { + "LTRU 2B": { "prerequisites": [], - "name": "Acting Intensive II", - "description": "An intensive foundation class for students interested in professional actor training. Using Viewpoints, students will train the physical, vocal, and emotional aspects of their actor instrument toward developing character and relationships by using scenes from contemporary and modern plays. " + "name": "Second-Year Russian", + "description": "First-year Russian, with attention to reading, writing, and speaking. ** Consent of instructor to enroll possible **" }, - "TDAC 104": { + "LTRU 104A": { "prerequisites": [], - "name": "Classical Text", - "description": "A continuation of TDAC 103A. Working from Meisner technique, students will learn to deepen and detail their objectives, spontaneous response, and deep listening skills. Focus on the process that will lead to scene work using this technique. ** Consent of instructor to enroll possible **" + "name": "Advanced Practicum in Russian: Linguistic Skills Development", + "description": "First-year Russian, with attention to reading, writing, and speaking. ** Consent of instructor to enroll possible **" }, - "TDAC 105": { + "\n\t\t\t\tLTRU 104B": { "prerequisites": [], - "name": "Rehearing Shakespeare", - "description": "Studies in the heightened realities of poetic drama. Verse analysis, research, methods and how to approach a classical dialogue. " + "name": "Advanced Practicum in Russian: Analysis of Text and Film", + "description": "Second-year Russian grammar, with attention to reading, writing, and speaking. ** Consent of instructor to enroll possible **" }, - "TDAC 106": { + "LTRU 104C": { "prerequisites": [], - "name": "Chekhov Acting", - "description": "Advanced exploration of Shakespeare\u2019s language through examining and performing scenes from the plays. Admission by audition/interview. May be taken for credit two times. " + "name": "Advanced Practicum in Russian: Analysis of Text and Film", + "description": "Second-year Russian grammar, with attention to reading, writing, and speaking. ** Consent of instructor to enroll possible **" }, - "TDAC 107": { + "LTRU 110A": { "prerequisites": [], - "name": "Improvisation for the Theatre", - "description": "Practical exercises, discussion, text analysis, and scene work on the writings of Anton Chekhov. Admission by audition/interview. " + "name": "Survey of Russian and Soviet Literature in Translation, 1800\u20131860", + "description": "Advanced Russian grammar taught for varying ability levels. Close work with original texts and film to develop comprehension, production, and analytical skills. May be taken twice for credit. ** Consent of instructor to enroll possible **" }, - "TDAC 108": { + "LTRU 110B": { "prerequisites": [], - "name": "Advanced Topics", - "description": "Improvisation for the Theatre explores improvisation techniques as an alternative and unique approach to acting. Students should have a performance background. " + "name": "Survey of Russian and Soviet Literature in Translation, 1860\u20131917", + "description": "Development of advanced skills in reading, writing, and conversation. Course based on written and oral texts of various genres and styles. Individualized program to meet specific student needs. May be taken twice for credit. ** Consent of instructor to enroll possible **" }, - "TDAC 109": { + "LTRU 110C": { "prerequisites": [], - "name": "Singing for Actors", - "description": "Advanced topics in acting, such as avant-garde drama, commedia, or Beckett, for students who possess basic acting techniques. May be taken for credit four times. " + "name": "Survey of Russian and Soviet Literature in Translation, 1917\u2013present", + "description": "Development of advanced skills in reading, writing, and conversation. Course based on written and oral texts of various genres and styles. Individualized program to meet specific student needs. May be taken twice for credit. ** Consent of instructor to enroll possible **" }, - "TDAC 110": { + "LTRU 123": { "prerequisites": [], - "name": "Acting for the Camera", - "description": "This course introduces basic skills of breathing, placement, diction, musicianship, harmony, interpretation, and presentation needed by actors for roles requiring singing. Through a combination of group and individual coaching in class, students will prepare a program of short solo and ensemble pieces for a finals-week presentation. " + "name": "Single\n\t\t\t\t Author in Russian Literature in Translation", + "description": "A study of literary works from 1800\u20131860.\n" }, - "TDAC 111": { + "LTRU 150": { "prerequisites": [], - "name": "Freeing the Voice", - "description": "This course is designed to aid the actor in the transition from stage to film work. Examination of film production and its physical characteristics and the acting style needed for work in film and television. Students will perform in simulated studio setting on camera. " + "name": "Russian Culture", + "description": "A study of literary works from 1860\u20131917.\n" }, - "TDAC 112": { + "LTRU 198": { "prerequisites": [], - "name": "Senior Seminar in Acting", - "description": "Intensive workshop for actors and directors designed to \u201cfree the voice,\u201d with special emphasis on characteristics and vocal flexibility in a wide range of dramatic texts. This proven method combines experimental and didactic learning with selected exercises, texts, tapes, films, and total time commitment. " + "name": "Directed Group Study", + "description": "A study of literary works from 1917\u2013present." }, - "TDAC 115": { + "LTRU 199": { "prerequisites": [], - "name": "Movement for Actors", - "description": "An in-depth study seminar focused on special issues in acting as they relate to contemporary theatre. Of particular interest to students who plan to pursue a career in this area of theatre. " + "name": "Special Studies", + "description": "Study of the works of a single Russian author. May be repeated for credit as topics vary. " }, - "TDAC 120": { + "LTSP 2A": { "prerequisites": [], - "name": "Ensemble", - "description": "An exploration of the wide array of physical skills necessary for the actor. Using techniques derived from mime, clowning, sports, acrobatics, and improvisation, students will investigate their individual physical potential as well as their sense of creativity and imagination. " + "name": "Intermediate Spanish I: Foundations", + "description": "An introduction to Russia\u2019s past and present through the cross-disciplinary study of literature, the visual and performing arts, social and political thought, civic rituals, popular entertainments, values and practices from 1825 to the present. " }, - "TDAC 122": { + "LTSP 2B": { "prerequisites": [], - "name": "Ensemble: Undergraduate Production", - "description": "An intensive theatre practicum designed to generate theatre created by an ensemble with particular emphasis upon the analysis of text. Students will explore and analyze the script and its author. Ensemble segments include black theatre, Chicano theatre, feminist theatre, and commedia dell\u2019arte. Audition may be required. A maximum of four units may be used for major credit. (Cross-listed with ETHN 146A.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Intermediate\n\t\t\t\t Spanish II: Readings and Composition", + "description": "Directed group study in areas of Russian literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) ** Upper-division standing required ** " }, - "TDAC 123": { + "LTSP 2C": { "prerequisites": [], - "name": "Advanced Studies in Performance", - "description": "Participation in a fully staged theatre production directed by an MFA or PhD student for the Department of Theatre and Dance. Admission by audition only. A maximum of four units may be used for major credit. ** Consent of instructor to enroll possible **" + "name": "Intermediate\n\t\t\t\t Spanish III: Cultural Topics and Composition", + "description": "Tutorial; individual guided reading in areas of Russian literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) ** Upper-division standing required ** " }, - "TDDE 1": { + "LTSP 2D": { "prerequisites": [], - "name": "Introduction to Design for the Theatre", - "description": "Participation in a fully staged season production that is directed by a faculty member or guest for the Department of Theatre and Dance. Admission by audition only. A maximum of four units may be used for major credit. ** Consent of instructor to enroll possible **" + "name": "Intermediate/Advanced\n\t\t\t\t Spanish: Spanish for Bilingual Speakers", + "description": "Course is taught in Spanish, emphasizing the development of reading ability, listening comprehension, and writing skills. It includes grammar review, weekly compositions, and class discussions. Successful completion of LTSP 2A satisfies the requirement for language proficiency in Revelle College. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "TDDE 101": { + "LTSP 2E": { "prerequisites": [], - "name": "Theatre Process\u2014Scenery", - "description": "A survey of contemporary and historical concepts and practices in the visual arts of the theatre; studies in text analysis, studio processes and technical production; elementary work in design criticism, scale model making, and costume design. A course serving as an introduction to theatre design and production. " + "name": "Advanced\n\t\t\t\t Readings and Composition for Bilingual Speakers", + "description": "Review of major points of grammar with emphasis on critical reading and interpretation of Spanish texts through class discussions, vocabulary development, and written compositions. It is a continuation of LTSP 2A. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "TDDE 102": { + "LTSP 50A": { "prerequisites": [], - "name": "Advanced Scenic Design", - "description": "A hands-on course develops craft skills and solution-finding process in design including script analysis, concept sketches, research, and scale model making. An exploration of fundamental ways of seeing and understanding visual design. " + "name": "Readings in Peninsular Literature", + "description": "Continuation of LTSP 2B, with special emphasis in writing and translation. It includes discussion of cultural topics as well as grammar review and composition, further developing the ability to read articles, essays, and longer pieces of fiction/nonfictional texts. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "TDDE 111": { + "LTSP 50B": { "prerequisites": [], - "name": "Theatre Process\u2014Costume Design", - "description": "An advanced course based on the \u201cpractice\u201d of scenic design, dealing with the solution finding process, from text to idea to realized work. ** Consent of instructor to enroll possible **" + "name": "Readings in Latin American Literature", + "description": "Spanish for native speakers. Designed for bilingual students seeking to become biliterate. Reading and writing skills stressed with special emphasis on improvement of written expression and problems of grammar and orthography. Prepares native speakers with little or no formal training in Spanish for more advanced courses. " }, - "TDDE 112": { + "LTSP 50C": { "prerequisites": [], - "name": "Advanced Costume Design", - "description": "The process of the costume designer from script analysis and research visualization of ideas, through the process of costume design. Lecture and demonstration labs parallel lecture material. This course is intended for those interested in a basic understanding of the costumer\u2019s process. No previous drawing or painting skills required. " + "name": "Readings in Latin American Topics", + "description": "Second course in a sequence designed for bilingual students seeking to become biliterate. Special emphasis given to improvement of written expression, grammar, and orthography. Prepares bilingual students with little or no formal training in Spanish for more advanced course work. " }, - "TDDE 121": { + "LTSP 87": { "prerequisites": [], - "name": "Theatre Process\u2014Lighting Design", - "description": "An advanced course based on the \u201cpractice\u201d of costume design, dealing with the solution finding process, from text to idea to realized work. ** Consent of instructor to enroll possible **" + "name": "Freshman Seminar", + "description": "An introduction to Peninsular literature, this course offers a selection of authors and genres, introducing students to literary analysis through reading extensive texts in Spanish. Two or more quarters of LTSP 50 are suggested before proceeding to upper-division courses. May be taken for credit three times. " }, - "TDDE 130": { + "LTSP 100": { "prerequisites": [], - "name": "Assistant Designer", - "description": "One of three classes in theatre process. The course aims to develop basic skills in lighting design through practical projects, lab work and lecture. These emphasize collaborating, manipulating light and color, and developing craft skills. ** Consent of instructor to enroll possible **" + "name": "Major Works of the Middle Ages", + "description": "An introduction to Latin American literature, this course offers a selection of authors and genres, introducing students to literary analysis through reading extensive texts in Spanish. Two or more quarters of LTSP 50 are suggested before proceeding to upper-division courses. May be taken for credit three times. " }, - "TDDE 131": { + "LTSP 116": { "prerequisites": [], - "name": "Special Topics in Theatre Design", - "description": "A production-oriented course that continues\n\t\t\t\t to introduce students to the fundamentals of design assisting.\n\t\t\t\t Laboratory format allows the student to work with faculty,\n\t\t\t\t graduate, or advanced undergraduate theatre designers, doing\n\t\t\t\t research, developing design concepts, and supporting the designer\n\t\t\t\t in a number of professional ways. May be taken for credit two times. ** Consent of instructor to enroll possible **" + "name": "Representations of Spanish Colonialism", + "description": "An introduction to major topics in Latin American literature, this course focuses on the literature of a particular region, period, or movement. Introduces students to literary analysis through reading extensive texts in Spanish. May be taken for credit three times. " }, - "TDDE 132": { + "LTSP 119C": { "prerequisites": [], - "name": "Undergraduate\n\t\t\t\t Main Stage Production: Design", - "description": "A course designed to expose the theatre design students to a variety of specialized topics that will vary from quarter to quarter. May be taken for credit three times. ** Consent of instructor to enroll possible **" + "name": "Cervantes: Don Quixote", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen." }, - "TDDE 141": { + "LTSP 122": { "prerequisites": [], - "name": "Theatre Process\u2014Sound Design", - "description": "A course that will guide a student in a design assignment on the undergraduate main stage production. Specialized topics dependent on the design requirements of the production. May be taken for credit three times. ** Consent of instructor to enroll possible **" - }, - "TDDE 142": { - "prerequisites": [ - "MUS 173" - ], - "name": "Advanced Sound Design", - "description": "A hands-on course on the process of sound design from conception to planning and implementation. The course will concentrate equally on the technical and artistic aspects of the sound design process and will include a survey of modern audio technologies. ** Consent of instructor to enroll possible **" + "name": "The Romantic Movement in Spain", + "description": "Major Spanish literary works of the Middle Ages and Renaissance as seen against the historical and intellectual background of this period. May be taken for credit three times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDDE 151": { + "LTSP 123": { "prerequisites": [], - "name": "Digital Video Design", - "description": "This course focuses on advancing students in their artistic and technical skills in sound design. A large-scale project will be identified with special attention given to text analysis and technical specification of the sound design. ** Consent of instructor to enroll possible **" + "name": "Topics in Modern Spanish Culture", + "description": "Analysis of selected materials that represent the cultural and political relationship between Spain and its colonies. Close reading of literary texts and historical documents. Specific periods covered will fall between the origins of empire in the early sixteenth century to the demise of imperial Spain in 1898; topics may include cultural exchanges between Spain and Latin America, the Philippines, or the US Southwest. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDDE 169A": { + "LTSP 129": { "prerequisites": [], - "name": "Digital Rendering for Theatre and Performance Design I", - "description": "This course will examine the field of projection design for theatre and dance performance. Students will study and produce original works based on the theoretical and aesthetic approaches of animation, film, performance, and installation art that influence contemporary projection design. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Spanish Writing after 1939", + "description": "Close reading of the 1605 and 1615 texts with special attention to the social and cultural background of the early seventeenth century in Spain. This course fulfills the pre-1900 requirement for Spanish literature majors. ** Consent of instructor to enroll possible **" }, - "TDDE 169B": { + "LTSP 130A": { "prerequisites": [], - "name": "Digital Rendering for Theatre and Performance Design II", - "description": "Introductory course that explores a variety of digital rendering methods for artistic 2-D, 3-D, and moving graphics visualization in theatre and performance design. Course objective is to synthesize and expand traditional drawing and painting methods with modern digital media-based applications. " + "name": "Development of Spanish Literature", + "description": "This course will explore the historical context of the emergence of a Romantic movement in Spain, particularly the links between Romanticism and liberalism. Major Romantic works in several genres will be studied in depth." }, - "TDDE 190": { + "LTSP 130B": { "prerequisites": [], - "name": "Major\n\t\t\t\t Project in Design/Theatre Production", - "description": "A continuation of TDDE 169A. Studio course explores advanced digital rendering methods for artistic 2-D, 3-D, and moving graphics for theatre and performance design. Focus will be on advanced techniques in the process of visualization from conception to production. " + "name": "\t\t\t\t Development of Latin American Literature", + "description": "Investigation of selected topics concerning Spanish cultural production after 1800. Topics might focus on a genre (film, popular novel, theatre) or on the transformations of a theme or metaphor (nation, femininity, the uncanny). May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDDR 101": { + "LTSP 133": { "prerequisites": [], - "name": "Stage Management", - "description": "For the advanced design/production student.\n\t\t\t\t Concentration on a particularly challenging design or theatre production\n\t\t\t\t assignment, including such areas as assistant designer (scenery, lighting,\n\t\t\t\t or costumes), technical director, master cutter, or master electrician.\n\t\t\t\t May be repeated one time for credit. A maximum of eight units of major\n\t\t\t\t project study, regardless of area (design, directing, or stage management)\n\t\t\t\t may be used to fulfill major requirements. May be taken for credit two times. ** Consent of instructor to enroll possible **" + "name": "Contemporary\n\t\t\t\t Latin American Literature", + "description": "Analysis and discussion of literary production during and after the Franco dictatorship. May focus on specific genres, subperiod, or issues. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDDR 108": { + "LTSP 134": { "prerequisites": [], - "name": "Text Analysis for Actors and Directors", - "description": "Discussion and research into the duties, responsibilities, and roles of a stage manager. Work to include studies in script analysis, communication, rehearsal procedures, performance skills, and style and conceptual approach to theatre. THGE or TDGE 1, THAC or TDAC 1, and THDE or TDDE 1 recommended. " + "name": "Literature of the Southern Cone", + "description": "An introduction to the major movements and periods of Spanish literary history, centered on close readings of representative texts, but aimed at providing a sense of the scope of Spanish literature and its relation to the course of Spain\u2019s cultural and social history. This course fulfills the pre-1900 requirement for Spanish literature majors. ** Consent of instructor to enroll possible **" }, - "TDDR 111": { + "LTSP 135A": { "prerequisites": [], - "name": "Directing-Acting Process", - "description": "This is an introductory class in the process of understanding the play script. The class will focus on analyzing the story and the underlying dramatic structure in terms of dramatic action. Objectives, actions, choices, given circumstances, and character will be examined. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Mexican Literature before 1910", + "description": "An introduction to major movements and periods in Latin American literature, centered on a study of key works from pre-Columbian to the present time. Texts will be seen within their sociohistorical context and in relation to main artistic trends of the period. This course fulfills the pre-1900 requirement for Spanish literature majors. ** Consent of instructor to enroll possible **" }, - "TDDR 190": { + "LTSP 135B": { "prerequisites": [], - "name": "Major Project in Directing", - "description": "A studio class that investigates the fundamental\n\t\t\t\t skills a director needs to work with actors. Working with actors, students\n\t\t\t\t learn how to animate the text onstage through status exercises and scene\n\t\t\t\t work as they develop their skill in text work, staging, and dramatic storytelling. " + "name": "Modern Mexican Literature", + "description": "A study of the major literary works and problems in Latin America from 1900 to the present as seen against the historical context of the period. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDDR 191": { + "LTSP 136": { "prerequisites": [], - "name": "Major Project in Stage Management", - "description": "For the advanced student in directing. Intensive concentration on the full realization of a dramatic text from research and analysis through rehearsal and into performance. A maximum of eight units of major project study, regardless of area (design, directing, or stage management) may be used to fulfill major requirements. See department for application. May be taken for credit two times. ** Consent of instructor to enroll possible **" + "name": "Andean Literatures", + "description": "Study of movements, traditions, key authors, or major trends in Argentine, Paraguayan, Uruguayan, and Chilean literatures, such as gaucho poetry, the realist novel, modern urban narratives, and the Borges School, etc. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDDM 1": { + "LTSP 137": { "prerequisites": [], - "name": "Introduction to Dance Making", - "description": "For the advanced student in stage management. Intensive concentration on the full realization of a dramatic text, from research and analysis through rehearsal and final performance. A maximum of eight units of major project study regardless of area (design, directing, stage management, or playwriting) may be used to fulfill major requirements. See department for application. May be taken for credit two times. ** Consent of instructor to enroll possible **" + "name": "Caribbean Literature", + "description": "Explores the relationships among cultural production, politics, and societal changes in Mexico before the 1910 Revolution, specifically the roles of intellectuals and popular culture in nation-building and modernization. Readings may include didactic literature and historiographic writings, forms of popular discourse, as well as novels and poetry. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDDM 5": { + "LTSP 138": { "prerequisites": [], - "name": "Site Specific Dance and Performance", - "description": "Explores the concepts and processes of dance making through creative projects, discussions, and the examination of major dance works. Recommended preparation: No prior dance experience required. Open to all levels. " + "name": "Central American Literature", + "description": "Study of popular novels, movements, traditions, key authors, or major trends in modern Mexican literature. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDDM 100": { + "LTSP 140": { "prerequisites": [], - "name": "Dance Making 1", - "description": "The study of dance and performance creation in relation to the environment, political activism, happenings, and ritual. Students explore ideas within the unique attributes of architecture, natural landscapes, public spaces, visual art, historic landmarks, and cultural contexts. Recommended preparation: No prior dance experience needed. Open to all levels. " + "name": "Latin American Novel", + "description": "Study of movements, traditions, key authors, or major trends in Peruvian, Ecuadorian, and Bolivian literatures, such as indigenismo, urban narrative, and the works of authors such as Vallejo, Icaza, Arguedas, Vargas Llosa. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDDM 101": { + "LTSP 141": { "prerequisites": [], - "name": "Dance Making 2", - "description": "Practical and conceptual studies of approaches to dance making. Compositional projects enable students to create short works for solo, duet, and small group situations with options to explore interdisciplinary collaboration, specific sites, text, political and societal issues, and advanced partner work. ** Consent of instructor to enroll possible **" + "name": "Latin American Poetry", + "description": "Study of movements, traditions, key authors, or major trends in Caribbean literature in Spanish, such as the romantic movement, the literature of independence, the essay tradition, Afro-Antillean literature, the historical novel. May be taken for credit four times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 1": { + "LTSP 142": { "prerequisites": [], - "name": "Introduction to Theatre", - "description": "The study of compositional, ensemble, collaborative, and improvisational approaches to dance making. Structures, scores, tasks, imagination, timing, spontaneity, partnering skills, composing in the moment, shared authorship, and experimentation facilitate the development of movement vocabulary. ** Consent of instructor to enroll possible **" + "name": "Latin American Short Story", + "description": "Study of movements, traditions, key authors, or major trends in the literatures of Guatemala, El Salvador, Nicaragua, Honduras, Costa Rica, and Panama, such as the anti-imperialist novel, indigenismo, guerrilla poetry, and testimonio. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 3": { + "LTSP 150A": { "prerequisites": [], - "name": "Cultivating the Creative Mind", - "description": "An introduction to fundamental concepts in drama and performance. Students will attend performances and learn about how the theatre functions as an art and as an industry in today\u2019s world. " + "name": "\t\t\t\t Early Latino/a-Chicano/a Cultural Production: 1848 to 1960", + "description": "A study in depth of selected novelists of Latin America. May be organized around a specific theme or idea that is traced in its development through the narratives. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 5": { + "LTSP 150B": { "prerequisites": [], - "name": "A Glimpse into Acting", - "description": "This course will use the theatrical context to integrate scientific research about creativity, group dynamics, and related topics. Through a mix of theoretical and experiential classes and assignments, we will explore the intersection of theatre and neuroscience, investigating and expanding the creative mind. " + "name": "Contemporary Chicano/a-Latino/a Cultural Production: 1960 to Present", + "description": "A critical study of some of the major poets of Latin America, focusing on the poet\u2019s central themes, the evolution of poetic style, and the significance of the poetry to the historical context. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 10": { + "LTSP 151": { "prerequisites": [], - "name": "Theatre and Film", - "description": "An introductory course on acting fundamentals for students without an acting background. Through analysis of acting on film, students will explore the actor\u2019s craft and practice these skills in studio exercises to better understand how an actor approaches a text.\u00a0" + "name": "Topics in Chicano/a-Latino/a Cultures", + "description": "Readings and interpretation of the Latin American short story. Focus is primarily nineteenth and/or twentieth century. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 11": { + "LTSP 154": { "prerequisites": [], - "name": "Great Performances on Film", - "description": "Theatre and Film analyzes the essential differences between theatrical and cinematic approaches to drama. Through selected play/film combinations, the course looks at how the director uses actors and the visual languages of the stage and screen to guide and stimulate the audience\u2019s responses. " + "name": "Latino/a and Chicano/a Literature", + "description": "Cross-disciplinary study of nineteenth- and early twentieth-century Latino/a-Chicano/a literature, folklore, music, testimonio, or other cultural practices. Specific periods covered will fall between the immediate aftermath of the Treaty of Guadalupe Hidalgo to the Cuban revolution. May be taken for credit no more than two times. ** Consent of instructor to enroll possible **" }, - "TDGE 12": { + "LTSP 159": { "prerequisites": [], - "name": "Topics in Cinema and Race", - "description": "Course examines major accomplishments in screen acting from the work of actors in films or in film genres. May be taken for credit three times. " + "name": "Methodological Approaches to the Study of History and Culture in Latin America and the Caribbean", + "description": "Cross-disciplinary study of late twentieth-century Latino/a-Chicano/a literature, the visual and performing arts, film, or other cultural practices. Specific periods covered will fall between the Kennedy years to the era of neoliberalism and the creation of \u201cHispanic\u201d or Latino identities. May be taken for credit no more than two times. ** Consent of instructor to enroll possible **" }, - "TDGE 25": { + "LTSP 160": { "prerequisites": [], - "name": "Public Speaking", - "description": "This course explores filmed representations of race and diversity and examines works by underrepresented filmmakers. Course topics vary; they include African American film, Latino/a film, Asian American film, films by Spike Lee, stereotypes on film, and other such topics. Students may not enroll in the same topic of TDGE 12 that they have already taken in TDGE 11, Great Performances on Film. This will count as a duplicate of credit for repeating the same film topic. May be taken for credit two times. " + "name": "Spanish Phonetics", + "description": "Cross-disciplinary study of late twentieth-century Chicano/a-Latino/a literature, the visual and performing arts, film, or other cultural practices. Representative areas of study are social movements, revolution, immigration, globalization, gender and sexuality, cultures of the U.S.-Mexican border, and Chicano/a-Mexicano/a literary relations. May be taken up to two times for credit when topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 50": { + "LTSP 162": { "prerequisites": [], - "name": "Musical Theatre Chorus", - "description": "This course is designed to establish a clear understanding of the fundamentals of effective oral communication. The methodologies explore the integration of relaxation, concentration, organization, and clear voice and diction as applied to various public speaking modes. " + "name": "Spanish Language in the United States", + "description": "This course will study the representations of a variety of social issues (immigration, racism, class differences, violence, inter/intraethnic relations, etc.) in works written in Spanish by Latino/a and Chicano/a writers. May be taken up to two times for credit when topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 87": { + "LTSP 166": { "prerequisites": [], - "name": "Freshman Seminar in Theatre and Dance", - "description": "Study and perform selected songs from American musical theatre. Open to all students. No audition required. Attendance at rehearsals and performance are mandatory. P/NP grades only. May be taken for credit six times. " + "name": "Creative Writing", + "description": "An introduction to methodological and historical trends in Latin American and Caribbean cultural and literary studies. This course includes cultural representations from Latin America and the Caribbean such as film, literature, art, music, and/or photography. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 89": { + "LTSP 170": { "prerequisites": [], - "name": "Dance Movement Exploration", - "description": "Seminar on a topic in theatre or dance on a level appropriate for first-year students, conducted in an informal, small group setting limited to ten to twenty students. Topics will vary. " + "name": "Contemporary Theories of Cultural Production", + "description": "A comparative study of the English and Spanish phonetic systems. Includes a study of the organs of articulation, manner of articulation stress and intonation patterns, as well as dialectal variations of Spanish. ** Consent of instructor to enroll possible **" }, - "TDGE 100": { + "LTSP 171": { "prerequisites": [], - "name": "Creating the Role of \u201cLeader\u201d", - "description": "An introduction to dance movement and understanding your body. A contemporary approach to dancing and its many genres as an expressive medium and form of communication. A movement course but no dance training or background in dance needed. May be taken for credit three times. " + "name": "Studies in Peninsular and/or Latin American Literature and Society", + "description": "A sociolinguistic study of the popular dialects in the United States of America and their relation to other Latin American dialects. The course will cover phonological and syntactic differences between the dialects as well as the influences of English on the Southwest dialects. ** Consent of instructor to enroll possible **" }, - "TDGE 105": { + "LTSP 172": { "prerequisites": [], - "name": "Exploring Acting", - "description": "An acting course for nonmajors, building on the acting fundamentals developed in TDGE 5. Using analysis of film acting to practice in studio exercises and scene work, student actors learn to approach a text using imagination as their primary tool. ** Consent of instructor to enroll possible **" + "name": "Indigenista\n\t\t\t\t Themes in Latin American Literature", + "description": "A workshop designed to foster and encourage writing in Spanish of students working on short forms of fiction. The workshop will include discussions of techniques and intensive writing. ** Consent of instructor to enroll possible **" }, - "TDGE 122": { + "LTSP 174": { "prerequisites": [], - "name": "The Films of Woody Allen", - "description": "A select survey of eight to ten exceptional offbeat, frequently low-budget films from the last sixty years that have attained cult status. The mix includes Tod Browning\u2019s Freaks (1932) to John Water\u2019s Pink Flamingos (1973). Aspects of bad taste, cinematic irony, and theatrical invention will be highlighted. " + "name": "Topics in Culture and Politics", + "description": "Selected readings in recent cultural and literary theory. Students will be exposed to a variety of methodologies drawn from the Latin American, European, and US traditions. May be taken up to two times for credit when topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 124": { + "LTSP 175": { "prerequisites": [], - "name": "Cult Films: Weirdly Dramatic", - "description": "Great films and the performance of the actors in them are analyzed in their historical, cinematic, or theatrical contexts. This course examines the actor\u2019s contribution to classic cinema and the social and aesthetic forces at work in film. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Gender, Sexuality, and Culture", + "description": "Focus on the interaction between literary expression and the study of society, covering issues such as the sociology of literature, the historical novel, literature and social change, the writer as the intellectual. May be taken for credit three times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 125": { + "LTSP 176": { "prerequisites": [], - "name": "Topics in Theatre and Film", - "description": "This course will use a broad range of animation styles and genres to examine larger issues in art practice, focusing closely on the relationship between form and content, and how sound/set/costume/character design impacts narrative. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Literature and Nation", + "description": "Study of the literary modes by which nineteenth- and twentieth-century authors have interpreted the themes of indigenous survival and resistance in Latin America, primarily in Mexico and the Andean region. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 126": { + "LTSP 177": { "prerequisites": [], - "name": "Storytelling and Design in Animation", - "description": "This course examines recent movies by Native American/First Nations artists that labor to deconstruct and critique reductive stereotypes about America\u2019s First Peoples in Hollywood cinema. Carving spaces of \u201cvisual sovereignty\u201d (Raheja), these films propose complex narratives and characterizations of indigeneity. Students may not receive credit for both TDGE 131 and ETHN 163F. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Literary and Historical Migrations", + "description": "Study of the relationships between cultural production (literature, film, popular cultures), social change, and political conflict, covering topics such as colonialism, imperialism, modernization, social movements, dictatorship, revolution. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 131": { + "LTSP 196": { "prerequisites": [], - "name": "Playing Indian: Native American and First Nations Cinema", - "description": "An exploration of fundamental ways of seeing and thinking about the performance space. A look at the design process as it reflects styles and attitudes through an examination of text/image/meaning/message in theatre, dance, opera, and visual arts. With a special emphasis on the \u201csolution-finding process\u201d in design, as a leap from text to context, to finalized design. ** Consent of instructor to enroll possible **" + "name": "Honors Thesis", + "description": "This course will examine issues of gender, sexuality, and culture in Spanish, Latin American, and/or Chicana/o literatures. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 133": { + "LTSP 198": { "prerequisites": [], - "name": "Visual Ideas", - "description": "This class examines disability in the performative context, exploring the representation of people with disabilities and the struggle for access and inclusion. The frame of advocacy, understanding, and creative collaboration will deepen the historical perspective on disability. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Directed Group Study", + "description": "Study of literature as a means through which the nation has been imagined and as a site of debates over national identity and citizenship. Course materials may focus on Spain and/or Latin America. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 134": { + "LTSP 199": { "prerequisites": [], - "name": "Disability and Performative Exploration: Struggle for Inclusion", - "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in theatre and dance (at the upper-division level). Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" + "name": "Special Studies", + "description": "This course will focus on a variety of Latin American and/or Spanish intra- and international migrations throughout the world and on the literature produced by these exiles or immigrants. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" }, - "TDGE 192": { + "LTTH 110": { "prerequisites": [], - "name": "Senior Seminar in Theatre and Dance", - "description": "The Honors thesis is designed to give theatre and dance majors the opportunity to undertake advanced creative research in an area of specialization (directing, history, pedagogy, performance, playwriting, or stage management), culminating in the writing of a thesis and the oral or performative presentation of the thesis to the members of the student\u2019s Honors Committee. Application available with the theatre and dance undergraduate coordinator. This is a two-quarter research project. Students enroll in the winter and spring quarters of their senior year. Deadline to apply is fall quarter of the student\u2019s senior year. ** Department approval required ** " + "name": "History of Criticism", + "description": "This course may be designed according to an individual student\u2019s needs when seminar offerings do not cover subjects, genres, or authors of interest. No paper required. The 297 courses do not count toward the seminar requirement. Repeatable for credit. " }, - "TDGE 196A": { + "LTTH 115": { "prerequisites": [], - "name": "Honors Study in Theatre and Dance", - "description": "A continuation of TDGE 196A. Theatre and dance Honors students complete thesis work in directing, history, pedagogy, performance, playwriting, or stage management under the close supervision of a faculty member. All students enrolled will present their thesis work during a departmental showcase event at the end of the spring quarter. ** Department approval required ** " + "name": "Introduction to Critical Theory", + "description": "Similar to a 297, but a paper is required. Papers are usually on subjects not covered by seminar offerings. Up to two 298s may be applied toward the twelve-seminar requirement of the doctoral program. Repeatable for credit. " }, - "TDGE 196B": { + "LTTH 150": { "prerequisites": [], - "name": "Honors Study in Theatre and Dance", - "description": "Group studies, readings, projects, and discussions in theatre history, problems of production and performance, and similarly appropriate subjects. ** Consent of instructor to enroll possible **" + "name": "Topics in Critical Theory", + "description": "Research for the dissertation. Offered for repeated registration. Open only to PhD students who have advanced to candidacy." }, - "TDGE 198": { + "LTTH 198": { "prerequisites": [], - "name": "Directed Group Studies", - "description": "Qualified students will pursue a special project in theatre history, problems of production and performance, and similarly appropriate topics. ** Consent of instructor to enroll possible **" + "name": "Directed Group Study", + "description": "A critical and interpretive review of some of the major documents in criticism from the classical period to the present time. " }, - "TDGE 199": { + "LTTH 199": { "prerequisites": [], - "name": "Special Projects", - "description": "Focuses on the foundational aesthetic concepts of dance creation and performance within a diverse range of cultural contexts. Students develop descriptive, perceptual, and analytical skills. ** Consent of instructor to enroll possible **" + "name": "Special Studies", + "description": "A critical review of major contemporary theories of the nature of literature, its sociocultural function, and appropriate modes of evaluation. " }, - "TDHD 20": { + "LTWL\n\t\t\t\t 4A-C-D-F-M": { "prerequisites": [], - "name": "Looking at Dance", - "description": "An historical overview of the most influential international dance pioneers in recent history, the cultural, political, and artistic contexts that informed the development of their work and the impact that their achievements have on the evolution of dance worldwide. ** Consent of instructor to enroll possible **" + "name": "Film and Fiction in Twentieth-Century Societies", + "description": "An overview of issues in modern critical theory as they pertain to writers. Will focus on issues of textuality, cultural forms, and aesthetics as they impact the process and meaning of writing. " }, - "TDHD 21": { + "LTWL\n\t\t\t\t 19A-B-C": { "prerequisites": [], - "name": "Dance Pioneers of the Twentieth and Twenty-First Centuries", - "description": "The study of dance forms from a global perspective. An analysis and understanding of international dance traditions and their connections to religion, ritual, folklore, custom, festive celebration, popular culture, art, and political movements. ** Consent of instructor to enroll possible **" + "name": "Introduction to the Ancient Greeks and Romans", + "description": "Similar to a 297, but a paper is required. Papers are usually on subjects not covered by seminar offerings. Up to two 298s may be applied toward the twelve-seminar requirement of the doctoral program. Repeatable for credit. " }, - "TDHD 175": { + "LTWL 87": { "prerequisites": [], - "name": "Cultural Perspectives on Dance", - "description": "An in-depth exposure to an important topic in dance history, theory, aesthetics, and criticism. Topics vary from quarter to quarter. " + "name": "Freshman Seminar", + "description": "A study of modern culture and of the way it is expressed and understood in novels, stories, and films. The sequence aims at an understanding of relationship between the narrative arts and society in the twentieth century, with the individual quarters treating fiction and film of the following language groups. 4A French, 4C Asian, 4D Italian, 4M multiple national literatures and film, 4F Spanish. " }, - "TDHD 176": { + "LTWL 100": { "prerequisites": [], - "name": "Dance History\u2014Special Topics", - "description": "An introduction to the fundamental techniques of analyzing dramatic texts. Focus is on the student\u2019s ability to describe textual elements and their relationships to each other as well as on strategies for writing critically about drama. " + "name": "Mythology", + "description": "An introductory study of ancient Greece and Rome, their literature, myth, philosophy, history, and art. " }, - "TDHT 10": { + "LTWL 106": { "prerequisites": [], - "name": "Introduction to Play Analysis", - "description": "Ancient and medieval theatre. Explores the\n\t\t\t\t roots of contemporary theatre in world performance traditions of ancient\n\t\t\t\t history with a focus on humans\u2019 gravitation toward ritual and play. Examples\n\t\t\t\t come from Egypt, Greece, Rome, Mesoamerica, Japan, China, India, Indonesia,\n\t\t\t Persia, and England. " + "name": "The Classical Tradition", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "TDHT 21": { + "LTWL 110B": { "prerequisites": [], - "name": "Ancient\n\t\t\t\t and Medieval Theatre", - "description": "Explores varieties of drama in professional\n\t\t\t\t theatre from 1500 to 1900 in Europe, Japan, and China, and their interconnections\n\t\t\t both formal and historical. " + "name": "Folk and Fairy Tales", + "description": "A study of various bodies of myth: their content, form, and meaning. May be repeated for credit as topics vary. " }, - "TDHT 22": { + "LTWL 111": { "prerequisites": [], - "name": "Theatre\n\t\t\t\t 1500\u20131900", - "description": "Twentieth-century theatre: a survey of drama\n\t\t\t\t from 1900 to 1990, with attention also paid to the development of avant-garde\n\t\t\t\t performance forms. Plays discussed reflect developments in Europe and the\n\t\t\t United States, but also transnational, postcolonial perspectives. " + "name": "Medieval Studies", + "description": "Greek and Roman literature in translation. May be repeated for credit as topics vary. " }, - "TDHT 23": { + "LTWL 114": { "prerequisites": [], - "name": "Twentieth-Century\n\t\t\t\t Theatre", - "description": "An in-depth exposure to an important individual writer or subject in dramatic literature and/or theatre history. Topics vary from quarter to quarter. Recent courses have included Modern French Drama, and the History of Russian Theatre. No prior knowledge in theatre history is needed. May be taken for credit three times. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Children\u2019s Literature", + "description": "A study of folk and fairy tales from various cultures, from the point of view of literary form, psychological meaning, and cultural function. May be repeated for credit as topics vary. " }, - "TDHT 101": { + "LTWL 116": { "prerequisites": [], - "name": "Topics\n\t\t in Dramatic Literature and Theatre History", - "description": "This course examines pivotal dramatic works in the history of professional Asian American theatre in the United States (1960s to the present). Issues include interculturalism, the crossover between minority theatres and mainstream venues, and the performance of identity. TDHT 103 is an approved Diversity, Equity, and Inclusion (DEI) course. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Adolescent Literature", + "description": "A lecture/discussion course designed to explore a variety of topics in medieval literatures and cultures. Topics may include a genre or combination of genres (e.g., drama, romance, lyric, allegory), or a central theme (e.g., the Crusades or courtly love). " }, - "TDHT 103": { + "LTWL 120": { "prerequisites": [], - "name": "Asian American Theatre", - "description": "Continuities and changes in Italian comedy from the Romans through the Renaissance and commedia dell\u2019arte to modern comedy. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Popular Literature and Culture", + "description": "A study of literature written for children in various cultures and periods. May be repeated for credit as topics vary. " }, - "TDHT 104": { + "LTWL 123": { "prerequisites": [], - "name": "Italian Comedy", - "description": "Masterpieces of French farce and comedy from the seventeenth century to the twentieth century studied French theatrical and cultural contexts. Readings include plays by Moliere, Marivauz, Beaumarchais, and Feydeau. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Vampires in Literature", + "description": "A study of fiction written for the young adult in various cultures and periods. Consideration will be given to the young adult hero in fiction. May be repeated for credit as topics vary. " }, - "TDHT 105": { + "LTWL 124": { "prerequisites": [], - "name": "French Comedy", - "description": "In this course we will examine representative plays and playwrights who write about the \u201cAmerican\u201d experience from a variety of historical periods and diverse cultural communities. Playwrights will include Glaspell, O\u2019Neill, Williams, Hansberry, Valdez, Yamauchi, Parks, Kushner, Mamet, Greenberg, Hwang, Letts, and Cruz. Theatre companies will include The Group, Provincetown Players, San Francisco Mime Troupe, East/West Players, Teatro Campesino, Spiderwoman, and Cornerstone. TDHT 107 is an approved Diversity, Equity, and Inclusion (DEI) course. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Science Fiction", + "description": "A study of various popular forms\u2014such as pop music, cult books, film, fashion, magazines, graphic arts\u2014within a broader cultural context. Focus may be on a particular genre (e.g., best sellers) or era (e.g., the sixties). May be repeated for credit when topics vary. " }, - "TDHT 107": { + "LTWL 128": { "prerequisites": [], - "name": "American Theatre", - "description": "This course examines the works of Luis Valdez, playwright, director, screenwriter, film director, and founder of the Teatro Campesino. Readings include plays and essays by Valdez and critical books and articles about this important American theatre artist. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Introduction\n\t\t\t\t to Semiotics and Applications", + "description": "An exploration of the genre\u2014past and present, in literature and the visual media\u2014as a cultural response to scientific and technological change, as modern mythmaking, and as an enterprise serving a substantial fan subculture. May be repeated for credit when topics vary. " }, - "TDHT 108": { + "LTWL 129": { "prerequisites": [], - "name": "Luis Valdez", - "description": "This course provides a survey of the contributions to the theatre arts made by African Americans. Analytic criteria will include the historical context in which the piece was crafted; thematic and stylistic issues; aesthetic theories and reception. TDHT 109 is an approved Diversity, Equity, and Inclusion (DEI) course. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Wisdom: The Literature of Authority", + "description": "Semiotics, basically a theory of signification, describes the models and conceptual constructs through which meaning is grasped and produced. Background in the history of semiotics and its dominant models. " }, - "TDHT 109": { + "LTWL 134": { "prerequisites": [], - "name": "African American Theatre", - "description": "Focusing on the contemporary evolution of Chicano dramatic literature, this course will analyze playwrights and theatre groups that express the Chicano experience in the United States, examining relevant \u201cactors,\u201d plays, and documentaries for their contributions to the developing Chicano theatre movement. (Cross-listed with Ethnic Studies 132.) No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Cinema and Islam", + "description": "What is wisdom? Does wisdom refer to a specific type of discourse; a literary genre; a specific content that holds true transculturally and transtemporally? This class will consider these questions by reading literature from diverse times and places. " }, - "TDHT 110": { + "LTWL 135": { "prerequisites": [], - "name": "Chicano Dramatic Literature", - "description": "Course examines the plays of leading Cuban American, Puerto Rican, and Chicano playwrights in an effort to understand the experience of these Hispanic American groups in the United States. (Cross-listed with Ethnic Studies 133.) No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "The Buddhist Imaginary", + "description": "This course examines histories and theories of cinema and Islam. It offers an overview on intersections between film and religious experience in various Muslim cultures, and how such experiences are ultimately grounded in shifting historical and social settings." }, - "TDHT 111": { + "LTWL 136": { "prerequisites": [], - "name": "Hispanic American Dramatic Literature", - "description": "The class will explore the musical\u2019s origins, evolution, components, and innovators, with emphasis on adaptation and the roles of the director and choreographer. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Socially Engaged Buddhism", + "description": "An introduction to the imaginative universe of Indian Buddhism, with a focus on the connection between cosmological models and liberative practices. In this class we read Buddhist narrative and doctrinal literatures, supplemented by archaeological and art historical artifacts. " }, - "TDHT 114": { + "LTWL 138": { "prerequisites": [], - "name": "American Musical Theatre", - "description": "Evolution of directing theory from 1850 to the present with reference to the work of internationally influential directors such as Saxe-Meiningen, Antoine, Stanislavski, Meyerhold, Brecht, and Brook, among others. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Critical Religion Studies", + "description": "This course explores the writings of Buddhists who actively engage with the problems of the world: social, environmental, economic, political. We will examine the historical development of engaged Buddhism in light of traditional Buddhist concepts of morality, interdependence, and liberation." }, - "TDHT 115": { + "LTWL 140": { "prerequisites": [], - "name": "History and Theory of Directing", - "description": "Introduces theatre and dance students to the practice of contemporary production dramaturgy. Students learn strategies for applying the results of textual analysis and cultural research to the production process. " + "name": "Novel and History in the Third World", + "description": "Selected topics, texts, and problems in the study of religion. May be repeated for credit when content varies. \n \n " }, - "TDHT 119": { + "LTWL 143": { "prerequisites": [], - "name": "Production Dramaturgy", - "description": "This theoretical and embodied course examines a selection of indigenous plays and performances (dance, hip-hop) and helps students develop the critical vocabulary and contextual knowledge necessary to productively engage with the political and artistic interventions performed by these works. No prior knowledge in theatre history is needed. Students may not receive credit for both TDHT 120 and ETHN 163G. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Arab Literatures and Cultures", + "description": "\nLecture/discussion course focusing on Arab literatures and cultures. It could offer study of any period of Arab cultures, from ante-Islam to the contemporary world. Topics may include themes (e.g., gender, social critique) or focus on specific genres or aesthetics (film, novel, realism). May be taken for credit three times as topics vary." }, - "TDHT 120": { + "LTWL 144": { "prerequisites": [], - "name": "Indigenous Theatre and Performance", - "description": "Experience firsthand New York history as a performing arts cultural capital. In addition to studying New York performance history and literature, attend performances accompanied by lecture/discussion. Get backstage tours, meet important players, and learn how productions go from vision to reality. Program or materials fees may apply. Contact the Department of Theatre and Dance for application for TDHT 190. May be taken for credit three times. " + "name": "Islam and Cinema", + "description": "This course examines the relationship between cinema and Islam. It looks at how Islam is represented through various cinematic genres and historical periods from 1920s to the present." }, - "TDHT 190": { + "LTWL 145": { "prerequisites": [], - "name": "The New York Theatre and Dance Scene", - "description": "A contemporary approach to beginning-level ballet technique, principles, and terminology. Develops the body for strength, flexibility, and artistic interpretation. Emphasis on developing a foundation in movement for the continuation of ballet training. Historical origin of ballet will be discussed. May be taken for credit six times. " + "name": "South Asian Religious Literatures: Selected Topics", + "description": "One or two topics in the religious literatures of South Asia will be examined in depth. Repeatable for credit when topics vary." }, - "TDMV 1": { + "LTWL 150": { "prerequisites": [], - "name": "Beginning Ballet", - "description": "Introduction to contemporary somatic approaches to dance, building fundamental technical skills, kinetic and perceptual awareness, efficiency, and artistic expression. Choreographic sequences are analyzed through time space coordination and dynamics. Movement exploration includes improvisation and composition. May be taken for credit six times. " + "name": "Modernity and Literature", + "description": "Explores the various cross-cultural historical, philosophical, and aesthetic ideas which formed the basis of most twentieth-century literature. Literature from the Americas, Europe, Asia, and Africa will be studied through lectures and the reading of texts in English translation. Repeatable for credit when topics vary. " }, - "TDMV 2": { + "LTWL 155": { "prerequisites": [], - "name": "Beginning Contemporary Dance", - "description": "Introduction to the technique of jazz dance, while placing the art form in its historical context as an American vernacular form. Builds a beginning technical jazz vocabulary with a focus on rhythmic exercises, isolations, turns, and locomotor combinations. May be taken for credit six times. " + "name": "Gender Studies", + "description": "The study of the construction of sexual differences in literature and culture. May be repeated for credit when topics vary. " }, - "TDMV 3": { + "LTWL 157": { "prerequisites": [], - "name": "Beginning Jazz", - "description": "An introduction to the physical practice of yoga. A detailed investigation into the ancient somatic practice of energetically connecting the mind and body through kinesthetic and sensory awareness and how this supports and informs dance practices. May be taken for credit six times. " + "name": "Iranian Film", + "description": "Course sets out to explore the history and theory of Iranian films in the context of the country\u2019s political, cultural, and religious settings since 1945. Students are expected to watch and discuss Iranian films, particularly the postrevolutionary films of Kiarostami and Mokhbalbaf." }, - "TDMV 5": { + "LTWL 158A": { "prerequisites": [], - "name": "Yoga for Dance", - "description": "The study of theatrical tap dance. Various styles of tap\u2014 such as classical, rhythm, and musical theatre\u2014will be introduced. Emphasis on rhythm, coordination, timing, and theatrical style. Includes basic through intermediate tap movement. May be taken for credit three times. " + "name": "Topics in the New Testament", + "description": "Literary and sociohistorical considerations of the diverse writings that developed into the New Testament. Topics include Jewish origins of the \u201cJesus movement\u201d within Greco-Roman culture; varying patterns of belief/practice among earliest communities; oral tradition and development of canon." }, - "TDMV 11": { + "LTWL 158B": { "prerequisites": [], - "name": "Theatrical Tap", - "description": "This creative laboratory course facilitates group and individual experimentation through the study of somatic movement processes and methodologies. Students explore approaches to movement vocabulary that offer them insights into investigating their own movement generation and dance making material. May be taken for credit six times. " + "name": "\t\t\t\t Topics in Early Christian Texts and Cultures", + "description": "This course investigates the manner in which texts shape religious identities on the individual and communal level in sociohistorical and cultural contexts: various topics include portraits of Jesus, saints\u2019 lives, death and afterlife, martyrdom, demonology, apocalypticism, Christianity, and empire." }, - "TDMV 20": { + "LTWL 158C": { "prerequisites": [], - "name": "Movement Laboratory", - "description": "Continued studio work in ballet technique at the intermediate level and terminology. Emphasis on increasing strength, flexibility, and balance, and the interpretation of classical musical phrasing. Includes proper alignment training and artistic philosophy of classical ballet. May be taken for credit six times. ** Consent of instructor to enroll possible **" + "name": "Topics in Other Christianities", + "description": "A survey of the Christian texts that comprise the fatalities of the battles defining Christian canon (e.g., apocryphal acts, noncanonical gospels, and \u201cGnostic\u201d texts). Considers the social communities, theological views, religious identities, and practices reflected in largely forgotten texts." }, - "TDMV 110": { + "LTWL 159": { "prerequisites": [], - "name": "Intermediate Ballet", - "description": "A contemporary approach to ballet technique, terminology, and performance at the advanced level. Introduces more complex choreographic variations and skills. Individual and group composition will be examined and aesthetic criticism applied. May be taken for credit six times. ** Consent of instructor to enroll possible **" + "name": "Digital Middle East: Culture, Politics, and Religion", + "description": "This course examines the role of Information Communication Technologies (ICTs) such as the internet, mobile, and satellite TV in the reshaping of the Middle East and North Africa. It will focus on how ICTs like the internet are changing culture, politics, and religion in the region and implication of such transformations. " }, - "TDMV 111": { + "LTWL 160": { "prerequisites": [], - "name": "Advanced Ballet", - "description": "Designed for students with advanced training in contemporary modern dance and intermediate to advanced training in ballet. Emphasis is on increasing composition and performance skills in ballet through contemporary modern dance aesthetics. May be taken for credit six times. ** Consent of instructor to enroll possible **" + "name": "Women and Literature", + "description": "This course will explore the relationship between women and literature, i.e., women as producers of literature, as objects of literary discourse, and as readers. Foreign language texts will be read in translation. May be repeated for credit as topics vary. " }, - "TDMV 112": { + "LTWL 165": { "prerequisites": [], - "name": "Advanced\n\t\t\t\t Ballet for Contemporary Dance", - "description": "The development of contemporary dance as an expressive medium, with emphasis on technical skills at the intermediate level. Includes the principles, elements, and historical context of contemporary modern postmodern dance. May be taken for credit six times. ** Consent of instructor to enroll possible **" + "name": "Literature and the Environment", + "description": "With primarily American (and a couple of English) readings, the course inquires into the relation of human and nonhuman nature. Topics include wilderness, animals, Native American thought, women in nature, description as a kind of writing, the spirituality of place." }, - "TDMV 120": { + "LTWL 166": { "prerequisites": [], - "name": "Intermediate Contemporary Dance", - "description": "The development of contemporary somatic approaches to dance as an expressive medium, emphasizing advanced technical skills, efficient athleticism, kinesthetic refinement, individual creative voice, and performance elements. Choreography and aesthetic concepts will be explored. Incorporates various principles of human movement research. May be taken for credit six times. ** Consent of instructor to enroll possible **" + "name": "The Yiddish Novel", + "description": "Yiddish literature is much more than folk songs and jokes. We will read major American and European works by Nobel laureate I. B. Singer, his brother I. J. Singer, and his sister Esther Kreytman, Sholem Aleichem, Mendele, Chava Rozenfarb, and others. (In English translation.)" }, - "TDMV 122": { + "LTWL 168": { "prerequisites": [], - "name": "Advanced Contemporary Dance", - "description": "Students will study the practice of improvisational dancing with a partner. Students will develop skills in giving and supporting body weight, lifting, balancing, falling, rolling, and recovering fluidly together. May be taken for credit three times. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Death and Desire in India", + "description": "This class investigates the link between desire and death in classical and modern Hindu thought. It considers the stories of Hindu deities, as well as the lives of contemporary South Asian men and women, in literature and film." }, - "TDMV 123": { + "LTWL 169": { "prerequisites": [], - "name": "Contact Improvisation", - "description": "Designed to provide training in the technique of jazz dance, while placing the art form in its historical context as an American vernacular form. Builds an intermediate technical jazz level with a focus on style, musicality, dynamics, and performance. May be taken for credit six times. ** Consent of instructor to enroll possible **" + "name": "Yoga, Body, and Transformation", + "description": "This class investigates yoga as a practice aimed at integrating the body, intellect, and spirit. It considers a range of sources and representations, from foundational works in classical Sanskrit through the sometimes kitschy, sometimes serious, spirituality of contemporary pop culture." }, - "TDMV 130": { + "LTWL 172": { "prerequisites": [], - "name": "Intermediate Jazz", - "description": "Further development in the technique of jazz dance, while placing the art form in its historical context as an American vernacular form. Builds an advanced technical jazz level with a focus on style, musicality, dynamics, and performance. May be taken for credit six times. ** Consent of instructor to enroll possible **" + "name": "Special Topics in Literature", + "description": "Studies in specialized literary, philosophic, and artistic movements, approaches to literature, literary ideas, historical moments, etc. LTWL 172 and LTWL 172GS may be taken for credit for a combined total of three times." }, - "TDMV 133": { + "LTWL 176": { "prerequisites": [], - "name": "Advanced Jazz Dance", - "description": "An introduction to the basic technique of hip-hop, studied to enhance an understanding of the historical cultural content of the American form hip-hop and street dances in current choreography. May be taken for credit four times. " + "name": "Literature and Ideas", + "description": "The course will center on writers or movements of international literary, cultural, or ideological significance. The texts studied, if foreign, may be read either in the original language or in English. May be repeated for credit as topics vary. " }, - "TDMV 138": { + "LTWL 177": { "prerequisites": [], - "name": "Beginning Hip-Hop", - "description": "Courses designed for the in-depth study of the dances and historical context of a particular culture or ethnic form: Afro-Cuban, Spanish, Balinese, Japanese, Latin, etc. Specific topic will vary from quarter to quarter. May be taken for credit two times. " + "name": "Literature and Aging", + "description": "A humanistic approach to the research field of healthy aging. Students learn to bring humanistic practices to the study of aging in the fields of neurobiology, biomedical engineering, neuroscience, and medical education.\u00a0 " }, - "TDMV 140": { + "LTWL 180": { "prerequisites": [], - "name": "Beginning Dances of the World", - "description": "Courses designed for the advanced continuing study of the dances and historical context of a particular culture or ethnic form: Afro-Cuban, Spanish, Balinese, Japanese, Latin, etc. Specific topic will vary from quarter to quarter. ** Consent of instructor to enroll possible **" + "name": "Film\n\t\t\t\t Studies and Literature: Film History", + "description": "The study of film history and its effects upon methods of styles in literary history. Repeatable for credit when topics vary. " }, - "TDMV 141": { + "LTWL 181": { "prerequisites": [], - "name": "Advanced Dances of the World", - "description": "To develop an appreciation and understanding of the various Latin dances. Emphasis on learning basic social dance movement vocabulary, history of Latin cultures, and use of each dance as a means of social and economic expression. May be taken for credit three times. " + "name": "Film\n\t\t\t\t Studies and Literature: Film Movement", + "description": "Study of analogies between literary movements and film movements. Repeatable for credit when topics vary. " }, - "TDMV 142": { + "LTWL 183": { "prerequisites": [], - "name": "Latin Dance of the World", - "description": "An introductory course that explores the history of West African cultures and diasporas through student research, oral presentation, dance movement, and performance. Contemporary African dances influenced by drum masters and performing artists from around the world are also covered. Course materials and services fees may apply. May be taken for credit three times. " + "name": "Film\n\t\t\t\t Studies and Literature: Director\u2019s Work", + "description": "Methods of criticism of author\u2019s work applied to the study and analysis of film director\u2019s style and work. Repeatable for credit when topics vary. " }, - "TDMV 143": { + "LTWL 184": { "prerequisites": [], - "name": "West African Dance", - "description": "To develop an appreciation and understanding of the dances from various Asian cultures. Emphasis on learning the basic forms and movement vocabularies, their historical context, and the use of each dance as a means of cultural and artistic expression. May be taken for credit three times. " + "name": "Film Studies and Literature: Close Analysis of Filmic Text", + "description": "Methods of literary analysis applied to the study of shots, sequences, poetics, and deep structure in filmic discourse. Repeatable for credit when topics vary. " }, - "TDMV 144": { + "LTWL 191": { "prerequisites": [], - "name": "Asian Dance", - "description": "To develop an appreciation and understanding of the various Latin dances. Emphasis on learning intermediate social dance movement vocabulary, history of Latin cultures, and use of each dance as a means of social and economic expression. May be taken for credit two times. " + "name": "Honors Seminar", + "description": "Explorations in critical theory and method. This course, designed to prepare students to write an honors thesis, is open only to literature majors invited into the department\u2019s Honors Program. " }, - "TDMV 146": { + "LTWL 192": { "prerequisites": [], - "name": "Intermediate Latin Dances of the World", - "description": "This course is designed to build on the skills developed in TDMV 138, Hip-Hop, also deepening students\u2019 understanding of the social, political, and economic forces at work within hip-hop culture. More complex rhythms and sequencing will be introduced, and musicality will be honed through an added emphasis on freestyle expression. May be taken for credit four times. " + "name": "Senior\n\t\t\t\t Seminar in Literatures of the World", + "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in literature (at the upper-division level). Senior Seminars may be offered in all campus departments. Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" }, - "TDMV 148": { + "LTWL 194": { "prerequisites": [], - "name": "Intermediate Hip-Hop", - "description": "Develops hip-hop skills at the advanced level with further studies of the social, political, and economic forces at work within hip-hop culture. Emphasis is on complex rhythms and sequencing, freestyle expression, choreography, and performance. May be taken for credit six times. ** Consent of instructor to enroll possible **" + "name": "Capstone Course for Literature Majors", + "description": "An advanced seminar open to all literature majors in their senior year. Required for those interested in the Honors Program. It offers an integrative experience by considering key facets of the discipline, including literary theory/historiography, knowledge of neighboring disciplines, and relevance of literature/culture studies in various professions outside of academia. " }, - "TDMV 149": { + "LTWL 194A": { "prerequisites": [], - "name": "Advanced Hip-Hop", - "description": "An in-depth investigation of the role and aesthetics of performer/dancer in a fully staged independent project resulting in a dance performance choreographed by faculty or students. May be taken for credit two times.\u00a0 ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Honors Practicum", + "description": "Honors practicum for those students in the literature department Honors Program. This is a one-unit course for which students in the Honors Program will present their work as part of organized panels at an Honors Program conference (within the department). Students will receive a P/NP grade for LTWL 194A for completing the presentation. " }, - "TDMV 190": { + "LTWL 196": { "prerequisites": [], - "name": "Major Project as Performer", - "description": "The in-depth study of a major dance production in a fall dance cabaret led by faculty. Admission by audition only. " + "name": "Honors Thesis", + "description": "Senior thesis research and writing for students who have been accepted for the Literature Honors Program and who have completed LTWL 191. Oral exam. " }, - "TDPF 160": { + "LTWL 198": { "prerequisites": [], - "name": "Studies\n\t\t\t\t in Performance\u2014Fall Production", - "description": "The in-depth study for a fully staged dance production in various venues, including a fall dance cabaret led by faculty, a winter faculty concert with guest choreographers, and a spring student choreographed concert directed by faculty. Admission by audition only. May be taken for credit four times. " + "name": "Directed Group Study", + "description": "Research seminars and research, under the direction of faculty member. " }, - "TDPF 161": { + "LTWL 199": { "prerequisites": [], - "name": "Studies\n\t\t\t\t in Performance\u2014Winter Production", - "description": "The in-depth study for a fully staged dance production in various venues, including a fall dance cabaret led by faculty, a winter faculty concert with guest choreographers, and a spring student choreographed concert directed by faculty. Admission by audition only. May be taken for credit four times. " + "name": "Special Studies", + "description": "Tutorial; individual guided reading in areas of literature (in translation) not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) ** Upper-division standing required ** " }, - "TDPF 162": { + "LTWR 8A": { "prerequisites": [], - "name": "Studies in Performance Spring Production\n\t\t\t ", - "description": "The study and aesthetic examination of major choreographic works by dance faculty or distinguished guest artists. Students will experience the creative process, staging, production, and performance of a complete dance work in conjunction with a conceptual study of its form and content. Audition is required. May be taken for credit four times. " + "name": "Writing Fiction", + "description": "\u00a0" }, - "TDPF 163": { + "LTWR 8B": { + "prerequisites": [ + "CAT 2", + "and", + "or", + "DOC 2", + "and", + "or", + "HUM 1", + "and", + "and", + "and" + ], + "name": "Writing Poetry", + "description": "Study of fiction in both theory and practice. Narrative technique studied in terms of subjectivity and atmosphere, description, dialogue, and the editing process will be introduced through readings from the history of the novel and short story. Students are required to attend at least three New Writing Series readings during the quarter. " + }, + "LTWR 8C": { + "prerequisites": [ + "CAT 2", + "and", + "or", + "DOC 2", + "and", + "or", + "HUM 1", + "and", + "and", + "and" + ], + "name": "Writing Nonfiction", + "description": "Study and practice of poetry as artistic and communal expression. Techniques of composition (traditional forms, avant garde techniques, dramatic monologue, performance poetry, and new genre) studied through written and spoken examples of poetry. Students are required to attend at least three New Writing Series readings during the quarter. " + }, + "LTWR 100": { + "prerequisites": [ + "CAT 2", + "and", + "or", + "DOC 2", + "and", + "or", + "HUM 1", + "and", + "and", + "and" + ], + "name": "Short Fiction Workshop", + "description": "Study of nonfictional prose in terms of genre and craft. Techniques of composition (journalism, essay, letters, reviews) will be studied through written examples of the genre. " + }, + "LTWR 101": { "prerequisites": [], - "name": "Dance Repertory", - "description": "Students develop skills in directing and producing an independent staged dance concert/production in various settings. May be taken for credit two times.\u00a0" + "name": "Writing Fiction in Spanish", + "description": "A workshop for students with some experience and special interest in writing fiction. This workshop is designed to encourage regular writing in the short forms of prose fiction and to permit students to experiment with various forms. There will be discussion of student work, together with analysis and discussion of representative examples of short fiction from the present and previous ages. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "TDPF 190": { + "LTWR 102": { "prerequisites": [], - "name": "Major Project/Dance Production", - "description": "A production-oriented course that introduces the student to technical fundamentals of costumes, scenery, lighting, and sound for the theatre. Students will be assigned to participate on a crew for a fully mounted theatrical production supported by the department. " + "name": "Poetry Workshop", + "description": "A workshop for students with some experience and special interest in writing poetry. This workshop is designed to encourage regular writing of poetry. There will be discussion of student work, together with analysis and discussion of representative examples of poetry from the present and previous ages. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "TDPR 6": { + "LTWR 103": { "prerequisites": [], - "name": "Theatre Practicum", - "description": "A production performance-oriented course that continues the development of costume, lighting, scenery, or sound production and introduces greater responsibilities in the laboratory format. Students serve as crew heads on major departmental productions or creative projects. May be taken for credit two times. " + "name": "Digital Poetics Workshop", + "description": "This workshop includes instruction on using software and writing basic computer code to allow students to create innovative web-based works that experiment with poetic form, draw on rich media resources, and provide more accessibility and interactivity for public audiences. May be taken up to three times for credit. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "TDPR 102": { + "LTWR 104A": { "prerequisites": [], - "name": "Advanced Theatre Practicum", - "description": "A production performance-oriented course that continues the development of stage management skills and introduces greater responsibilities in the laboratory format. Students serve as either assistant stage managers on main stage productions or stage managers on studio projects. May be taken for credit two times. ** Consent of instructor to enroll possible **" + "name": "The Novella I", + "description": "A two-quarter workshop for fiction writers ready to explore a longer form and committed to developing a single piece over the course of two consecutive quarters. In addition to analyzing student work, we will read and discuss a wide range of published novellas. Two-quarter sequence; students must complete LTWR 104A and LTWR 104B in order to receive final grade in both courses. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "TDPR 104": { + "LTWR 104B": { "prerequisites": [], - "name": "Advanced\n\t\t\t\t Practicum in Stage Management", - "description": "Beginning workshop in the fundamentals of playwriting. Students discuss material from a workbook that elucidates the basic principles of playwriting, do exercises designed to help them put those principles into creative practice, and are guided through the various stages of the playwriting process that culminate with in-class readings of the short plays they have completed. " + "name": "The Novella II", + "description": "A continuation of LTWR 104A in which fiction writers complete the novella manuscripts they began during the previous quarter. Each student will produce a novella of at least fifty revised pages by the end of the quarter. We will continue to read and discuss published novellas with a particular emphasis on narrative strategy, structure, and revision. Two-quarter sequence; students must complete LTWR 104A and LTWR 104B in order to receive final grade in both courses. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. \u00a0 ** Department approval required ** " }, - "TDPW 1": { + "LTWR 106": { "prerequisites": [], - "name": "Introduction to Playwriting", - "description": "A workshop where students present their plays at various stages of development for group analysis and discussion. Students write a thirty-minute play that culminates in a reading. Also includes writing exercises designed to stimulate imagination and develop writing techniques. May be taken for credit two times. ** Consent of instructor to enroll possible **" + "name": "Science Fiction, Fantasy, and Irrealism Workshop", + "description": "In this workshop, students will practice skills of narration, characterization, and style with particular attention to the demands of nonrealistic genres, especially the challenge of suspending disbelief in fictional environments that defy conventional logic. Readings and lectures will accompany writing exercises. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "TDPW 101": { + "LTWR 110": { "prerequisites": [], - "name": "Intermediate Playwriting", - "description": "Advanced workshop where students study the full-length play structure and begin work on a long play. Students present their work at various stages of development for group discussion and analysis. May be taken for credit two times. ** Consent of instructor to enroll possible **" + "name": "Screen Writing", + "description": "A workshop designed to encourage writing of original screenplays and adaptations. There will be discussion of study work, together with analysis of discussion of representative examples of screen writing. May be taken up to three times for credit. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "TDPW 102": { + "LTWR 113": { "prerequisites": [], - "name": "Advanced Playwriting", - "description": "Basic principles of screenwriting using scenario composition, plot points, character study, story conflict, with emphasis on visual action and strong dramatic movement. May be taken for credit two times. " + "name": "Intercultural Writing Workshop", + "description": "This course is an introduction to modes of writing from other cultural systems vastly different from the cultural-aesthetic assumptions of Anglo American writing. While disclosing the limitations of the English language, this course attempts to provide new language strategies for students. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "TDPW 104": { + "LTWR 114": { "prerequisites": [], - "name": "Screenwriting", - "description": "For the advanced student in playwriting/screenwriting. This intensive concentration in the study of playwriting and/or screenwriting will culminate in the creation of a substantial length play. A maximum of eight units of major project study, regardless of area (design, directing, stage management, playwriting) may be used to fulfill major requirements. Applicants must have completed the playwriting sequence, THPW or TDPW 1, 101, and/or consent of instructor. See department for application form. ** Consent of instructor to enroll possible **" + "name": "Graphic Texts Workshop", + "description": "From illuminated manuscripts to digital literature, from alphabets to concrete poems, from artists\u2019 books to comics, this course explores the histories and techniques of combinatory image/word literary arts. The course may emphasize specific movements or genres. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "TDPW 190": { + "LTWR 115": { "prerequisites": [], - "name": "Major\n\t\t\t\t Project in Playwriting/Screenwriting", - "description": "An overview of dance, examining its social and cultural history and its evolution as an art form. Focus is on dance and its many genres as an expressive medium and form of communication. " + "name": "Experimental Writing Workshop", + "description": "This workshop explores writing for which the traditional generic distinctions of prose/poetry, fiction/documentary, narrative/discourse do not apply. Students taking this course will be asked to challenge the boundaries of literature to discover new forms and modes of expression. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "TDTR 10": { + "LTWR 119": { "prerequisites": [], - "name": "Introduction to Dance", - "description": "An overview and analysis of movement theory systems that offer approaches that improve movement quality, prevent injuries, aid in habilitation, develop mental focus and kinesthetic control, establish a positive body language, and develop vocabulary for creative research. " + "name": "Writing for Performance Worksho", + "description": "A workshop and survey of experimental approaches to the writing and production of performance works in a range of literary genres. Emphasis will be placed on the integration of written texts with nonverbal elements from the visual arts, theatre, and music. May be taken up to three times for credit. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "TDTR 15": { + "LTWR 120": { "prerequisites": [], - "name": "Dance Movement and Analysis", - "description": "The study of dance on film and video, the evolution of the creation, filming, editing, and production of dance for the camera. Major dance film works will be analyzed and discussed from choreography in the movies to dances made for film. " + "name": "Personal Narrative Workshop", + "description": "A workshop designed to encourage regular writing of all forms of personal experience narrative, including journals, autobiography, firsthand biography, and firsthand chronicle. Instructor and students will discuss student work as well as published personal narratives. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "TDTR 20": { + "LTWR 121": { "prerequisites": [], - "name": "Dance on Film", - "description": "The study of the theoretical aspects of dance education, including an analysis of movement concepts for all ages. Development of basic technique training in all forms, curriculum planning, social awareness, and problem solving. Fundamental elements of cognitive and kinetic learning skills. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Media Writing Workshop", + "description": "Workshop focusing on the review, the op-ed piece, the column, the blurb, the profile, the interview, and \u201ccontent-providing\u201d for websites. We\u2019ll examine current examples of media writing; students will produce a body of work and critique one another\u2019s productions. May be taken for credit three times.\u00a0Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "TDTR 104": { + "LTWR 122": { "prerequisites": [], - "name": "Dance Theory and Pedagogy", - "description": "A daily program of physical, vocal, and speech exercises designed to prepare the student to move in a focused way into specific class areas with minimum amount of warm-up time. The exercises work on development of flexibility, strength, and coordination throughout the body. Strong emphasis is placed on physical and mental centering within a structured and disciplined approach to preparation. " + "name": "Writing for the Sciences Workshop", + "description": "A workshop in writing about science for the public. Students will study and then construct metaphors or analogues that introduce readers to scientific perplexities. Completion of LTWR 8A, 8B, or 8C highly recommended. May be repeated for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "LATI 10": { + " LTWR 124": { "prerequisites": [], - "name": "Reading North by South: Latin American Studies and the US Liberation Movements", - "description": "The purpose of this class is to study the multilayered relations between Latin American studies and the US liberation movements, particularly Third World movements, the Chicano movement, the black liberation movement, the indigenous movement, human rights activism, and trans-border activism. Students may not receive credit for LATI 100 and LATI 10." + "name": "Translation of Literary Texts Workshop", + "description": "A writing, reading, and critical-thinking workshop designed to produce nonfiction pieces that fall outside the limits of the essay form. Included are travel narratives, memoir, and information-based writing that transform their own materials into compelling literature. May be repeated for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "LATI 50": { + "LTWR 126": { "prerequisites": [], - "name": "Introduction to Latin America", - "description": "Interdisciplinary overview of society and culture in Latin America\u2014including Mexico, the Caribbean, and South America: legacies of conquest, patterns of economic development, changing roles of women, expressions of popular culture, cycles of political change, and US-Latin American relations. " + "name": "Creative Nonfiction Workshop", + "description": "Workshop designed to critique and engage the means of distributing literature within culture. Publishing from \u201czine\u201d through mainstream publication; web publishings; readings and \u201cslams\u201d; publicity and funding; colloquia with writers; politics and literature; and the uses of performance and media. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "LATI 87": { + "LTWR 129": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " + "name": "Distributing Literature Workshop", + "description": "A review of the history of the development of alphabets and writing systems. Survey of the rise of literacy since the fifteenth century and analysis of continuing literacy problems in developed and developing countries. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "LATI 122A": { + "LTWR 140": { "prerequisites": [], - "name": "Field Research Methods for Migration Studies: Seminar", - "description": "Introductory survey of methods used by social and health scientists to gather primary research data on international migrant and refugee populations, including sample surveys, unstructured interviewing, and ethnographic observation. Basic fieldwork practices, ethics, and problem-solving techniques will also be covered. Students may not receive credit for both SOCI 122A and LATI 122A. Recommended: advanced competency in conversational Spanish. " + "name": "History of Writing", + "description": "A close look at sentence-level features of written discourse\u2013stylistics and sentence grammars. Students will review recent research on these topics and experiment in their own writing with various stylistic and syntactic options. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "LATI 122B": { - "prerequisites": [ - "LATI 122A" - ], - "name": "Field Research Methods for Migration Studies: Practicum", - "description": "Students will collect survey and qualitative data among Mexican migrants to the United States and potential migrants, participate in team research, organize data collected for analysis, and submit a detailed outline of an article to be based on field data. Students may not receive credit for both SOCI 122B and LATI 122B. Recommended: advanced competency in conversational Spanish. " + "LTWR 143": { + "prerequisites": [], + "name": "Stylistics and Grammar", + "description": "Wide reading in current theory and practice of teaching writing in schools and colleges. Careful attention to various models of classroom writing instruction and to different approaches in the individual conference. Students in this course may observe instruction in the UC San Diego college writing programs or tutor freshman students in those programs.\u00a0Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "LATI 122C": { - "prerequisites": [ - "LATI 122B" - ], - "name": "Field Research Methods for Migration Studies: Data Analysis", - "description": "Continuation of SOCI 122B. Students analyze primary data they have collected in field research sites and coauthor an article for publication. Methods for organizing and processing field data, techniques of quantitative data analysis, and report preparation conventions will be covered. Students may not receive credit for both SOCI 122C and LATI 122C. " + "LTWR 144": { + "prerequisites": [], + "name": "The Teaching of Writing", + "description": "Hybrid workshop offering writing students a working knowledge of literary theory while exposing literature students to practical techniques from poetry, fiction, and nonfiction to refresh their writing of theoretical nonfiction texts. Discussion of student work and published work.Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " }, - "LATI 180": { - "prerequisites": [ - "LATI 50" - ], - "name": "Special Topics in Latin American Studies", - "description": "Readings and discussion of substantive issues and research in Latin American studies. Topics may include the study of a specific society or a particular issue in comparative cross-national perspective. Topics will vary from year to year. " + "LTWR 148": { + "prerequisites": [], + "name": "Theory for Writers/Writing for Theory", + "description": "An advanced seminar open to all writing majors in their senior year. Required for those interested in the Honors Program. It offers an integrative experience by considering key facets of the discipline and profession, including relationships between aesthetics/culture and politics, genre writing, craft/technique, literary theories/theories of writing, and distribution/publication. Restricted to major code LT34 or consent of the instructor and department. ** Consent of instructor to enroll possible **" }, - "LATI 190": { - "prerequisites": [ - "LATI 50", - "and" - ], - "name": "Senior Seminar", - "description": "Research seminar on selected topics in the study of Latin America; all students will be required to prepare and present independent research papers. (Honors students will present drafts of senior research theses, of no less than fifty pages in length; nonhonors students will present final versions of analytical papers of approximately twenty-five to forty pages in length.) " + "LTWR 194": { + "prerequisites": [], + "name": "Capstone Course for Writing Majors", + "description": "Undergraduate instruction assistance. A student will 1) assist TA in editing students\u2019 writing for LTWR 8A-B-C during class and outside of class; and 2) prepare a paper and report for the professor at the end of the quarter. May be taken for credit up to two times. " }, - "LATI 191": { - "prerequisites": [ - "LATI 50" - ], - "name": "Honors Seminar", - "description": "Independent reading and research under direction of a member of the faculty group in Latin American Studies; goal is to provide honors students with an opportunity to complete senior research thesis (to be defended before three-person interdisciplinary faculty committee). " - }, - "LATI 199": { - "prerequisites": [ - "LATI 50", - "and" - ], - "name": "Individual Study", - "description": "Guided and supervised reading of the literature on Latin America in the interdisciplinary areas of anthropology, communications, economics, history, literature, political science, and sociology. For students majoring in Latin American Studies, reading will focus around potential topics for senior papers; for honors students in Latin American Studies, reading will culminate in formulation of a prospectus for the research thesis. " + "LTWR 195": { + "prerequisites": [], + "name": "Apprentice Teaching", + "description": "Senior thesis research and writing for students who have been accepted for the Literature Honors Program. " }, - "CAT 1": { + "LTWR 196": { "prerequisites": [], - "name": "Culture, Art, and Technology 1", - "description": "A global historical overview of principles and patterns of human development, with emphasis on technology and the arts. Traces causes and consequences of cultural variation. Explores interactions of regional environments (geographic, climatic, biological) with social and cultural forces. " + "name": "Honors Thesis", + "description": "Directed group study in areas of writing not normally covered in courses. (P/NP grades only.) Repeatable for credit when areas of study vary. " }, - "CAT 2": { + "LTWR 198": { "prerequisites": [], - "name": "Culture, Art, and Technology 2", - "description": "Fundamental shifts in one area of endeavor can have a profound impact on whole cultures. Examines select events, technologies, and works of art that revolutionized ways of inhabiting the world. Intensive instructions in university-level writing: featured sections on information literacy. " + "name": "Directed Group Study", + "description": "Tutorial; individual guidance in areas of writing not normally covered in courses. (P/NP grades only.) May be taken for credit three times. ** Upper-division standing required ** " }, - "CAT 3": { + "LTWR 199": { "prerequisites": [], - "name": "Culture, Art, and Technology 3", - "description": "Students engage with various interdisciplinary modes of apprehending the near future. Working in teams on community projects, they are challenged to listen and communicate across cultures and develop cogent technological and artistic responses to local problems. Writing and information literacy instruction. " + "name": "Special Studies", + "description": "This seminar will be organized around any of various topic areas relating to writing (fiction, poetry, cross-genre, theory). Topics might focus on a genre (film, popular novel, theatre) or on the transformations of a theme or metaphor (nation, femininity, the uncanny). S/U grades only. May be taken for credit three times as content varies. " }, - "CAT 24": { + "MUS 1A": { "prerequisites": [], - "name": "Introduction\n\t\t\t\t to Special Projects/Topics", - "description": "Lower-division students are introduced to projects/topics exploring the interplay of culture, art, and technology. Topics and projects will vary. ** Consent of instructor to enroll possible **" + "name": "Fundamentals of Music A", + "description": "This course, first in a three-quarter sequence, is primarily intended for students without previous musical experience. It introduces music notation and basic music theory topics such as intervals, scales, keys, and chords, as well as basic rhythm skills. " }, - "CAT 75": { + "MUS 1B": { + "prerequisites": [ + "MUS 1A" + ], + "name": "Fundamentals of Music B", + "description": "This course, second in a three-quarter sequence, focuses on understanding music theory and in developing musical ability through rhythm, ear training, and sight singing exercises. Topics include major and minor scales, seventh-chords, transposition, compound meter and rudiments of musical form. " + }, + "MUS 1C": { + "prerequisites": [ + "MUS 1B" + ], + "name": "Fundamentals of Music C", + "description": "This course, third in a three-quarter sequence, offers solid foundation in musical literacy through exercises such as harmonic and melodic dictation, sight singing exercises and rhythm in various meters. Topics include complex rhythm, harmony, and basic keyboard skills. " + }, + "MUS 2A-B-C": { "prerequisites": [], - "name": "Experience Art!\u2014Sixth College Seminar Series", - "description": "Seminars are hands-on arts experiences (performances, exhibits, site visits, etc.). Students and faculty attend events together and have discussions before or after, often with guest speakers such as the artists, curators, and/or faculty/graduate students from UC San Diego arts departments. Successful completion of this seminar series satisfies one of the eight Sixth College general education requirements for Art Making. May be taken for credit two times. " + "name": "Basic Musicianship", + "description": "Primarily intended for music majors. Development of basic skills: perception and notation of pitch and temporal relationships. Introduction to functional harmony. Studies in melodic writing. Drills in sight singing, rhythmic reading, and dictation. " }, - "CAT 87": { + "MUS 2AK-BK-CK": { + "prerequisites": [ + "MUS 2A" + ], + "name": "Basic Keyboard", + "description": "Scales, chords, harmonic progressions, transposition, and simple pieces. " + }, + "MUS 2JK": { + "prerequisites": [ + "MUS 2AK", + "and" + ], + "name": "Jazz Keyboard", + "description": "This course will introduce basic voicings and voice leading, stylistically appropriate accompaniment, and basic chord substitution. For majors with a Jazz and the Music of the African diaspora emphasis to be taken concurrently with MUS 2C. ** Consent of instructor to enroll possible **" + }, + "MUS 4": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students with preference given to entering freshmen. " + "name": "Introduction to Western Music", + "description": "A brief survey of the history of Western music from the Middle Ages to the present. Much attention will be paid to the direct experience of listening to music and attendance of concerts. Class consists of lectures, listening labs, and live performances. " }, - "CAT 98": { + "MUS 5": { "prerequisites": [], - "name": "Culture, Art, and Technology Lower-Division Group Study", - "description": "Course designated for lower-division Sixth College students to have the opportunity to work together as a group or team on a project supervised by a faculty member in a specific department, not included in a regular curriculum, where group emphasis would be more beneficial and constructive then individual special studies. ** Upper-division standing required ** " + "name": "Sound in Time", + "description": "An examination and exploration of the art and science of music making. Topics include acoustics, improvisation, composition, and electronic and popular forms. There will be required listening, reading, and creative assignments. No previous musical background required. " }, - "CAT 124": { + "MUS 6": { "prerequisites": [], - "name": "Sixth College Practicum", - "description": "Students initiate, plan, and carry out community-based and/or research-based projects that connect classroom-based experiences and knowledge to the outlying community, and that explicitly explore the interplay of culture, art, and technology. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Electronic Music", + "description": "Lectures and listening sessions devoted to the most significant works of music realized through the use of computers and other electronic devices from the middle of this century through the present. " }, - "CAT 125": { + "MUS 7": { "prerequisites": [], - "name": "Public Rhetoric and Practical Communication", - "description": "" + "name": "Music, Science, and Computers", + "description": "Exploration of the interactions among music, science, and technology, including the history and current development of science and technology from the perspective of music. " }, - "CAT 192": { + "MUS 8": { "prerequisites": [], - "name": "Senior Seminar in Culture, Art, and Technology", - "description": "Upper-division composition course in public rhetoric and practical communication, including oral presentation, writing in print formats, and digital content creation. This course also focuses on how writing can support and extend experiential learning before, during or after students do their practicum project. " + "name": "American Music: Jazz Cultures", + "description": "Jazz is one of the primary foundations for American music in the twentieth and twenty-first centuries. This course highlights the multicultural and international scope of jazz by taking a thematic rather than a chronological approach to the subject, and by highlighting the music and lives of a diverse array of jazz practitioners from around the country and around the world. Students may not receive credit for both MUS 8 and MUS 8GS. " }, - "CAT 195": { + "MUS 9": { "prerequisites": [], - "name": "Apprentice Teaching", - "description": "" + "name": "Symphony", + "description": "The symphonic masterworks course will consist of lectures and listening sessions devoted to a detailed discussion of a small number of recognized masterworks (e.g., Mozart, Beethoven, Berlioz, Stravinsky, Ligeti, etc.). " }, - "CAT 197": { + "MUS 11": { "prerequisites": [], - "name": "Culture, Art, and Technology Field Studies", - "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in Culture, Art, and Technology (at the upper-division level). Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times with a change in topic and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" + "name": "Folk Music", + "description": "A course on folk music of the world, covered through lectures, films, and listening sessions devoted to detailed discussion of music indigenous to varying countries/areas of the world. Topics vary from year to year. May be repeated once for credit. " }, - "CAT 198": { + "MUS 12": { "prerequisites": [], - "name": "Culture, Art, and Technology Directed Group Studies", - "description": "Undergraduate instructional assistance. Responsibilities in areas of learning and instruction. May collect course material and assist with course projects, digital workshops, and collection, organization and analysis of formative assessment data. ** Consent of instructor to enroll possible **" + "name": "Opera", + "description": "A study of opera masterworks that often coincide with operas presented in the San Diego Opera season. Class consists of lectures, listening labs, live performances, and opera on video. " }, - "CAT 199": { - "prerequisites": [ - "CAT 1", - "and" - ], - "name": "Culture, Art, and Technology Independent Studies", - "description": "Supervised community-based or industry-based fieldwork. Designated for Sixth College students to have the opportunity to work on a community-based or industry-based project supervised by a faculty member and community or industry mentor in which the subject or content of the project cannot be represented by a specific academic department. Students will submit written evaluations each week of their ongoing field study. " + "MUS 13": { + "prerequisites": [], + "name": "Worlds of Music", + "description": "Through surveying selected musical traditions and practices from around the world, this course explores the ways in which music both reflects and affects social, cultural, and ecological relationships. Specific case studies will be covered through lectures, films, and listening sessions. " }, - "JAPN 190": { + "MUS 14": { "prerequisites": [], - "name": "Selected Topics in Contemporary Japanese Studies", - "description": "This course is an introduction to the Japanese language. Students will learn basic skills of listening, speaking, reading, and writing over seventy-five characters. Students will also acquire fundamental knowledge of Japanese grammar and learn about Japanese people and culture." + "name": "Contemporary Music", + "description": "This course offers opportunities to prepare oneself for experiences with new music (through preview lectures), hear performances (by visiting or faculty artists), to discuss each event informally with a faculty panel: an effort to foster informed listening to the new in music. " }, - "JAPN 10A": { + "MUS 15": { "prerequisites": [], - "name": "First-Year Japanese", - "description": "This course is an introduction to the Japanese language. Students will learn basic skills of listening, speaking, reading, and writing over seventy-two additional characters. Students will also acquire fundamental knowledge of Japanese grammar and learn about Japanese people and culture. ** Consent of instructor to enroll possible **" + "name": "Popular Music", + "description": "A course on popular music from different time periods, covered through lectures, films, and listening sessions. Topics vary from year to year. May be repeated once for credit. " }, - "JAPN 10B": { + "MUS 16": { "prerequisites": [], - "name": "First-Year Japanese", - "description": "This course is an introduction to the Japanese language. Students will learn basic skills of listening, speaking, reading, and writing over forty-eight additional characters. Students will also acquire fundamental knowledge of Japanese grammar and learn about Japanese people and culture. ** Consent of instructor to enroll possible **" + "name": "The Beatles", + "description": "This course will explore The Beatles from musical, cultural, historical, technological, and critical angles. It will place them in context, examining their assorted confluences and wide influences. The group will be critically examined as artists, innovators, and public personalities. Listening, watching, and discussion will provide a broader, deeper, and more personal understanding of the group\u2019s enduring appeal. " }, - "JAPN 10C": { + "MUS 17": { "prerequisites": [], - "name": "First-Year Japanese", - "description": "Students will improve their fundamental skills in listening, speaking, reading, and writing including acquiring knowledge of Japanese transportation, trips, and geography. ** Consent of instructor to enroll possible **" + "name": "Hip-Hop", + "description": "This class presents a broad chronological overview of the development of hip-hop as a musical form from the late 1970s through today. It examines the development of the style in relation to direct context and to earlier African American musical and cultural forms and considers the technological and legal issues that have impacted its development. The class is listening intensive and students will be expected to know and recognize essential structures and production techniques. " }, - "JAPN 20A": { + "MUS 18": { "prerequisites": [], - "name": "Second-Year Japanese", - "description": "Students will improve their fundamental skills in listening, speaking, reading, and writing including acquiring knowledge of life experiences, Japanese culture, customs, health, and school. ** Consent of instructor to enroll possible **" + "name": "Klezmer Music", + "description": "A survey of Eastern European Jewish folk music, Yiddish theatre and popular song, and their transition to America. Credit not allowed for MUS 18 and JUDA 18. (Cross-listed with JUDA 18.) " }, - "JAPN 20B": { + "MUS 20": { "prerequisites": [], - "name": "Second-Year Japanese", - "description": "Students will improve their fundamental skills in listening, speaking, reading, and writing including acquiring knowledge of Japanese culture and customs. Students will conduct research including writing a short essay and presentation. ** Consent of instructor to enroll possible **" + "name": "Exploring the Musical Mind", + "description": "How do we transform complex sounds into comprehensible and meaningful music? What physiological, neurological, cognitive, and cultural systems are involved? Why do we make music in such diverse ways around the globe? Does music have evolutionary or ecological significance? What is the relationship between music, motion, and emotions? This course explores contemporary understandings of how we hear and how we become musical and invites students to listen to new music in new ways. Students may not receive credit for both MUS 20 and COGS 20. (Cross-listed with COGS 20.) " }, - "JAPN 20C": { + "MUS 32": { "prerequisites": [], - "name": "Second-Year Japanese", - "description": "This course will require students to gain knowledge, comprehend, evaluate, and discuss Japanese customs. Students will critically analyze and compare culture and customs of Japan and other countries. Course work includes student research on issues in Japanese society. ** Consent of instructor to enroll possible **" + "name": "Instrumental/Vocal Instruction", + "description": "Individual instruction on intermediate level in instrumental technique and repertory. For declared music majors and minors. Students must be simultaneously enrolled in a performance ensemble or nonperformance music course. May be taken six times for credit. " }, - "JAPN 130A": { + "MUS 32G": { "prerequisites": [], - "name": "Third-Year Japanese", - "description": "This course will require students to gain knowledge, comprehend, evaluate, and discuss topics of education system and youth issues in Japan and other countries. Students will learn vocabulary and phrases to support, explain, research, and hypothesize concrete and abstract topics. ** Consent of instructor to enroll possible **" + "name": "Group Instrumental Instruction", + "description": "Group instruction in instrumental or vocal technique and repertory. Intermediate level. Intended for students who make an important contribution to Department of Music ensembles. " }, - "JAPN 130B": { + "MUS 32V": { "prerequisites": [], - "name": "Third-Year Japanese", - "description": "This course will require students to gain knowledge, comprehend, evaluate, and discuss the environment and internationalization issues. Students will learn vocabulary and phrases to critically analyze and compare, express their opinions, and present and propose possible solutions for these topics. ** Consent of instructor to enroll possible **" + "name": "Vocal Instruction", + "description": "Individual instruction on intermediate level in vocal technique and repertory. For declared music majors and minors. Students must be simultaneously enrolled in a performance ensemble or nonperformance music course and in MUS 32VM. May be taken six times for credit. " }, - "JAPN 130C": { + "MUS 32VM": { "prerequisites": [ - "JAPN 20C" + "MUS 32V" ], - "name": "Third-Year Japanese", - "description": "Training in oral and written communication skills for professional settings in Japanese. Broad aspects of cultural issues in Japanese organizations are introduced and comparison of American and Japanese cultural business patterns will be conducted. ** Consent of instructor to enroll possible **" + "name": "Vocal Master Class", + "description": "All students enrolled in voice lessons (32V,\n\t\t\t\t 132V, or 132C) perform for one another and their instructors.\n\t\t\t\t Students critique in-class performances, with emphasis on presentation,\n\t\t\t\t diction, dramatic effect, vocal quality, and musicality. " }, - "JAPN 135A": { + "MUS 33A": { "prerequisites": [ - "JAPN 135A" + "MUS 2C" ], - "name": "Japanese for Professional Purposes", - "description": "Continuation of training in oral and written communication skills for professional settings in Japanese. Broad aspects of cultural issues in Japanese organizations are introduced and comparison of American and Japanese cultural business patterns will be conducted. ** Consent of instructor to enroll possible **" + "name": "Introduction to Composition I", + "description": "First course in a sequence for music majors and nonmajors pursuing an emphasis in composition. The course examines \u201csound\u201d itself and various ways of building sounds into musical structures and develops skills in music notation. Students compose solo pieces in shorter forms. Students may not receive credit for both MUS 33 and 33A. ** Consent of instructor to enroll possible **" }, - "JAPN 135B": { + "MUS 33B": { "prerequisites": [ - "JAPN 135B" + "MUS 33A" ], - "name": "Japanese for Professional Purposes", - "description": "Continuation of training in oral and written communication skills for professional settings in Japanese. Broad aspects of cultural issues in Japanese organizations are introduced and comparison of American and Japanese cultural business patterns will be conducted. " + "name": "Introduction to Composition II", + "description": "Second part of course sequence for students pursuing a composition emphasis. Course continues the building of skills with the organization of basic compositional elements: pitch, rhythm, and timbre. It explores issues of musical texture, expression, and structure in traditional and contemporary repertoire. Writing for two instruments in more extended forms. " }, - "JAPN 135C": { + "MUS 33C": { + "prerequisites": [ + "MUS 33B" + ], + "name": "Introduction to Composition III", + "description": "Third part of course sequence for students pursuing a composition emphasis. Course continues the development of skills in instrumentation and analysis. It includes a survey of advanced techniques in contemporary composition, with additional focus on notation, part-preparation, and the art of writing for small groups of instruments. " + }, + "MUS 43": { "prerequisites": [], - "name": "Japanese for Professional Purposes", - "description": "Prerequisites: previous course or consent of instructor.\n ** Consent of instructor to enroll possible **" + "name": "Department Seminar", + "description": "The department seminar serves both as a general department meeting and as a forum for the presentation of research and performances by visitors, faculty, and students. Required of all undergraduate music and music humanities majors every quarter a student is a declared music major. Four units or four quarters of enrollment are required of all undergraduate ICAM music majors who choose the MUS 43. Department Seminar option for their Visitor Series requirement. P/NP grades only. May be taken for credit up to twelve times." }, - "JAPN 140A-B-C": { + "MUS 80": { "prerequisites": [], - "name": "Fourth-Year Japanese", - "description": "Prerequisites: previous course or consent of instructor.\t\t ** Consent of instructor to enroll possible **" + "name": "Special Topics in Music", + "description": "This course presents selected topics in music and consists of lecture and listening sessions. No prior technical knowledge is necessary. The course will be offered during summer session. " }, - "SE 1": { + "MUS 87": { "prerequisites": [], - "name": "Introduction to Structures and Design", - "description": "Introduction to fundamentals of structures and how structures work. Overview of structural behavior and structural design process through hands-on projects. Lessons learned from structural failures. Professional ethics. Role and responsibility of structural engineers. Introduction to four structural engineering focus sequences. Program or materials fees may apply. Priority enrollment given to structural engineering majors." + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "SE 2": { - "prerequisites": [ - "CHEM 6A", - "PHYS 2A" - ], - "name": "Structural Materials", - "description": "Properties and structures of engineering materials, including metals and alloys, ceramics, cements and concretes, polymers, and composites. Elastic deformation, plastic deformation, fracture, fatigue, wearing, and corrosion. Selection of engineering materials based on performance and cost requirements. " + "MUS 95": { + "prerequisites": [], + "name": "Ensemble Performance", + "description": "Performance in an ensemble appropriate to student abilities and interests. Normally each section requires student participation for the whole academic year, with credit for participation each quarter. Sections of MUS 95W have included: African drumming, Korean percussion, Indian sitar and tabla, koto, and Indonesian flute. Not all sections will be offered every year. May be repeated for credit. Grading on participation level, individual testing, comparative papers on repertoire covered, etc. ** Consent of instructor to enroll possible **" }, - "SE 2L": { - "prerequisites": [ - "CHEM 6A", - "PHYS 2A", - "and", - "SE 2" - ], - "name": "Structural Materials Lab", - "description": "Materials testing and/or processing for metals and alloys, polymers and composites, cements, and wood. Materials selection and structural design to meet functional and cost requirements. Structural construction and testing. Use of computer resources. " + "MUS 101A": { + "prerequisites": [], + "name": "Music Theory and Practice I", + "description": "Note: Students in the MUS 95 series courses may enroll with a letter grade option a total of twelve units for registered music majors and a total of six units for all other students; after which students may continue to enroll in MUS 95 courses, but only with a P/NP grade option. There is one exception to the above grading policy. MUS 95G, Gospel Choir, can only be taken for a P/NP grading option." }, - "SE 3": { - "prerequisites": [ - "SE 1" - ], - "name": "Graphical Communication for Engineering Design", - "description": "Use of computer graphics (CAD software) to communicate engineering designs. Includes visualization, sketching, 2D and 3D graphics standards, dimensioning, tolerance, assemblies, and prototyping/testing with light manufacturing methods. Project/system management software, i.e., building information modeling (BIM), will be introduced. Use of computer resources. " + "MUS 101B": { + "prerequisites": [], + "name": "Music Theory and Practice II", + "description": "Section B. Instrument Choir" }, - "SE 7": { + "MUS 101C": { "prerequisites": [], - "name": "Spatial Visualization", - "description": "Spatial visualization is the ability to manipulate 2D and 3D shapes in one\u2019s mind. In this course, students will perform exercises that increase their spatial visualization skills. P/NP grades only. Students may not receive credit for SE 7 and MAE 7. " + "name": "Music Theory and Practice III", + "description": "Section C. Concert Choir" }, - "SE 9": { - "prerequisites": [ - "MATH 20D", - "and", - "MATH 18" - ], - "name": "Algorithms and Programming for Structural Engineering", - "description": "Introduction to the Matlab environment. Variables and types, statements, functions, blocks, loops, and branches. Algorithm development. Functions, function handles, input and output arguments. Data encapsulation and object-oriented programming. Toolboxes and libraries. Models from physics (mechanics and thermodynamics) are used in exercises and projects. " + "MUS 102": { + "prerequisites": [], + "name": "Topics in Music Theory", + "description": "Section D. Symphonic Chorus" }, - "SE 87": { + "MUS 103A": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. " + "name": "Seminar in Composition I", + "description": "Section E. Chamber Orchestra" }, - "SE 99H": { + "MUS 103B": { "prerequisites": [], - "name": "Independent Study", - "description": "Independent study or research under direction of a faculty member. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Seminar in Composition II", + "description": "Section G. Gospel Choir" }, - "SE 101A": { + "MUS 103C": { "prerequisites": [], - "name": "Mechanics I: Statics", - "description": "\u00a0" + "name": "Seminar in Composition III", + "description": "Section JC. Jazz Chamber Ensembles" }, - "SE 101B": { - "prerequisites": [ - "MATH 20C", - "and", - "PHYS 2A" - ], - "name": "Mechanics II: Dynamics", - "description": "Principles of statics using vectors. Two- and three-dimensional equilibrium of statically determinate structures under discrete and distributed loading including hydrostatics; internal forces and concept of stress; free body diagrams; moment, product of inertia; analysis of trusses and beams. " + "MUS 103D-E-F": { + "prerequisites": [], + "name": "Honors Seminar in Composition", + "description": "Section K. Chamber Singers " }, - "SE 101C": { + "MUS 105": { + "prerequisites": [], + "name": "Jazz Composition", + "description": "Section L. Wind Ensemble " + }, + "MUS 106": { + "prerequisites": [], + "name": "Topics in Musical Analysis", + "description": "Section W. World Music Ensembles " + }, + "MUS 107": { "prerequisites": [ - "SE 101A", - "MAE 130A" + "MUS 2C", + "and" ], - "name": "Mechanics III: Vibrations", - "description": "Kinematics and kinetics of particles in two- and three-dimensional motion. Newton\u2019s equations of motion. Energy and momentum methods. Impulsive motion and impact. Systems of particles. Kinetics and kinematics of rigid bodies in 2-D. Introduction to 3-D dynamics of rigid bodies. " + "name": "Critical Studies Seminar", + "description": "Study of modal counterpart in the style of the sixteenth century. Two-voice species counterpoint studies. Analysis of music of the period. Musicianship studies: sight-singing, dictation, and keyboard skills. " }, - "SE 103": { + "MUS 110": { "prerequisites": [ - "MATH 18", - "and", - "SE 101B", - "MAE 130B" + "MUS 2C" ], - "name": "Conceptual Structural Design", - "description": "Free and forced vibrations of damped 1-DOF systems; vibrations isolation, impact and packaging problems. Analysis of discrete MDOF systems using matrix representation; normal mode of frequencies and modal matrix formulation. Lagrange\u2019s equations. Modal superposition for analysis of continuous vibrating systems. " + "name": "Introduction to Ethnomusicology Seminar", + "description": "Study of tonal harmony and counterpoint. Analysis of Bach chorales and other music from the Baroque period. Musicianship studies: sight-singing, dictation, and keyboard skills. " }, - "SE 104": { + "MUS 111": { "prerequisites": [ - "SE 9", - "SE 101A", - "MAE 130A", - "SE 104", - "and", - "SE 104L" + "MUS 101B" ], - "name": "Structural Materials", - "description": "Introduction to structural design approaches for civil structures. Structural materials. Loads and load paths. Gravity and lateral load elements and systems. Code design fundamentals. Construction methods. Structural idealization. Hand and computer methods of analysis. Experimental methods applied through team-based projects. Program or materials fees may apply. " + "name": "Topics/World Music Traditions", + "description": "Tonal harmony and counterpoint. Analysis of larger classical forms: Sonata, Variation, Minuet and Trio, Rondo. Musicianship studies: sight-singing, dictation, and keyboard skills. " }, - "SE 104L": { + "MUS 112": { "prerequisites": [ - "SE 1", - "and", - "SE 101A", - "or", - "MAE 130A" + "MUS 101B" ], - "name": "Structural Materials Lab", - "description": "Properties and structures of engineering materials, including metals and alloys, ceramics, cements and concretes, wood, polymers, and composites. Elastic deformation, plastic deformation, fracture, fatigue, creep.\u00a0Selection of engineering materials based on performance and cost requirements. Measurement techniques.\u00a0" + "name": "Topics in European Music Before 1750", + "description": "Selected topics in music theory. Covers Western classical repertoire from 1850 to the present. Includes chromatic and post-tonal harmony, formal analysis. May be taken for credit up to two times. " }, - "SE 110A": { + "MUS 113": { "prerequisites": [ - "MATH 20D", - "and", - "SE 101A", - "MAE 130A" + "MUS 33C" ], - "name": "Solid Mechanics I", - "description": "Concepts of stress and strain. Hooke\u2019s law. Stress transformation. Axial loading of bars. Torsion of circular shafts. Torsion of thin-walled members. Pure bending of beams. Unsymmetric bending of beams. Shear stresses in beams. Shear stresses in thin-walled beams. Shear center. Differential equation of the deflection curve. Deflections and slopes of beams from integration methods. Statically determinate and indeterminate problems. " + "name": "Topics in Classic, Romantic, and Modern Music", + "description": "First part in composition course sequence. Individual projects will be reviewed in seminar. Techniques of instrumentation will be developed through examination of scores and creative application. Assignments will include short exercises and analysis, and final project for standard ensemble. " }, - "SE 110B": { + "MUS 114": { "prerequisites": [ - "SE 110A", - "MAE 131A", - "SE majors" + "MUS 103A" ], - "name": "Solid Mechanics II", - "description": "Advanced concepts in the mechanics of deformable bodies. Unsymmetrical bending of symmetrical and unsymmetrical sections. Bending of curved beams. Shear center and torsional analysis of open and closed sections. Stability analysis of columns, lateral buckling. Application of the theory of elasticity in rectangular coordinates. " + "name": "Music of the Twentieth Century", + "description": "Second part in composition course sequence. Intensive work in free composition by drafting a composition for presentation at the end of MUS 103C. Written analysis of contemporary repertoire is introduced. Instruction about calligraphic conventions including computer engraving programs. " }, - "SE 115": { + "MUS 115": { "prerequisites": [ - "PHYS 2A", - "and", - "MATH 20D" + "MUS 103B" ], - "name": "Fluid Mechanics for Structural Engineering", - "description": "Fluid statics, hydrostatic forces; integral and differential forms of conservation equations for mass, momentum, and energy; Bernoulli equation; dimensional analysis; viscous pipe flow; external flow, boundary layers; open channel flow. ** Consent of instructor to enroll possible **" + "name": "Women in Music", + "description": "Third part in composition course sequence. A mixture of individual lessons as well as group meetings, with discussion of topics germane to the development of composers, including musical aesthetics and contemporary orchestration techniques. Final performance of students\u2019 work will take place at the end of the quarter. " }, - "SE 120": { + "MUS 116": { "prerequisites": [ - "SE 102", - "and", - "SE 103", - "SE majors" + "MUS 103A-B-C", + "and" ], - "name": "Engineering Graphics & Computer\n\t\t Aided Structural Design", - "description": "Engineering graphics, solid modeling, CAD applications including 2-D and 3-D transformations, 3-D viewing, wire frame and solid models, Hidden surface elimination. Program or materials fees may apply. " + "name": "Popular Music Studies Seminar", + "description": "Advanced individual projects for senior music majors pursuing honors in composition. Projects will be critically reviewed in seminar with fellow students and faculty composers. " }, - "SE 121A": { + "MUS 120A": { "prerequisites": [ - "SE 9", - "and", - "SE 101A", - "MAE 130A" + "MUS 101A", + "and" ], - "name": "Introduction to Computing for Engineers", - "description": "Introduction to engineering computing. Interpolation, integration, differentiation. Ordinary differential equations. Nonlinear algebraic equations. Systems of linear algebraic equations. Representation of data in the computer. Use of computer resources. " + "name": "History of Music in Western Culture I", + "description": "This course will explore a range of compositional possibilities from song forms to modal and more extended forms. May be taken for credit two times. ** Consent of instructor to enroll possible **" }, - "SE 121B": { + "MUS 120B": { "prerequisites": [ - "SE 101C", - "MAE 130C", - "and", - "SE 121A" + "MUS 2C" ], - "name": "Computing Projects in Structural Engineering", - "description": "Exploration of numerical algorithms in engineering computations. Centered around computing projects. Matrix eigenvalue problems, boundary value problems, solution of systems of nonlinear algebraic equations, optimization. Use of computer resources. " + "name": "History of Music in Western Culture II", + "description": "Topics in musical analysis. Covers full range of musical repertoire 1900 to present, including music that does not depend on notation. May be taken for credit up to two times. " }, - "SE 125": { + "MUS 120C": { "prerequisites": [ - "SE majors" + "MUS 120C" ], - "name": "Statistics, Probability and Reliability", - "description": "Probability theory. Statistics, data analysis and inferential statistics, distributions, confidence intervals. Introduction to structural reliability and random phenomena. Applications to components and systems. " + "name": "History of Music in Western Culture III", + "description": "This seminar explores the history of music in relation to critical issues, such as race, gender, sexuality, the environment, and politics. Readings include recent literature in cultural studies, musicology, and sociology. Topics vary. May be taken three times for credit. " }, - "SE 130A\u2013B": { + "MUS 126": { + "prerequisites": [], + "name": "Blues: An Oral Tradition", + "description": "This seminar introduces the central theories, methods, and approaches used to study the music of contemporary cultures, in their local contexts. In addition to surveying key writings, students will document music from their local environment. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + }, + "MUS 127": { + "prerequisites": [], + "name": "Discover Jazz", + "description": "A study of particular regional music in their repertory, cultural context, and interaction with other traditions. Topics vary. May be taken for credit up to three times. " + }, + "MUS 128": { + "prerequisites": [], + "name": "Principles and Practice of Conducting", + "description": "This course will address topics in medieval, Renaissance, and Baroque music; topics will vary from year to year. May be repeated five times for credit. ** Consent of instructor to enroll possible **" + }, + "MUS 130": { + "prerequisites": [], + "name": "Chamber Music Performance", + "description": "This course will focus on Western music between 1750 and the early twentieth century; topics will vary from year to year. May be repeated five times for credit. ** Consent of instructor to enroll possible **" + }, + "MUS 131": { + "prerequisites": [], + "name": "Advanced Improvisation Performance", + "description": "An exploration of materials and methods used in the music of our time. There will be an extra discussion group for music majors. May be repeated once for credit. " + }, + "MUS 132": { + "prerequisites": [], + "name": "Proseminar in Music Performance", + "description": "A survey of the biographical, historical, sociological, and political issues affecting woman musicians, their creativity, their opportunities, and their perception by others. It compares and contrasts the work of women composers, performers, patrons, teachers, and writers on music from the Middle Ages through the present. ** Consent of instructor to enroll possible **" + }, + "MUS 132C": { + "prerequisites": [], + "name": "Vocal Coaching", + "description": "This course examines special topics in popular music from various sociopolitical, aesthetic, and performance perspectives. Readings include recent literature in cultural studies, musicology, and/or performance practice. Topics vary. May be taken three times for credit. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + }, + "MUS 132R": { "prerequisites": [ - "SE 110A", - "MAE 131A" + "MUS 1C" ], - "name": "Structural Analysis", - "description": "Classical methods of analysis for statically indeterminate structures. Development of computer codes for the analysis of civil, mechanical, and aerospace structures from the matrix formulation of the classical structural theory, through the direct stiffness formulation, to production-type structural analysis programs. " + "name": "Recital Preparation", + "description": "First part of intensive historical, analytical, and cultural-aesthetic examination of music in Western culture from the ninth through the twenty-first centuries. Considers both sacred and secular repertories, from Gregorian chant through early opera, c. 800\u20131600. " }, - "SE 131": { + "MUS 132V": { "prerequisites": [ - "SE 101C", - "or", - "MAE 130C", - "and", - "SE 121B" + "MUS 120A" ], - "name": "Finite Element Analysis", - "description": "Development of finite element models based upon the Galerkin method. Application to static and dynamic heat conduction and stress analysis. Formulation of initial boundary value problem models, development of finite element formulas, solution methods, and error analysis and interpretation of results. " + "name": "Proseminar in Vocal Instruction", + "description": "Second part of intensive historical, analytical, and cultural-aesthetic examination of music in Western culture from the ninth through the twenty-first centuries. Considers both instrumental and vocal repertories, from the Baroque to the Romantic, c. 1600\u20131830. " }, - "SE 140": { + "MUS 133": { "prerequisites": [ - "SE 103", - "SE 130B", - "and" + "MUS 120B" ], - "name": "Structures and Materials Laboratory", - "description": "Introduction to concepts, procedures, and key issues of engineering design. Problem formulation, concept design, configuration design, parametric design, and documentation. Project management, team working, ethics, and human factors. Term project in model structure design. Program or materials fees may apply. ** Upper-division standing required ** " + "name": "Projects in New Music Performance", + "description": "Third part of intensive historical, analytical,\n\t\t\t\t and cultural-aesthetic examination of music in Western culture\n\t\t\t\t from the ninth through the twenty-first centuries. Considers\n\t\t\t\t both established traditions and new trends, from Romanticism\n\t\t\t\t through Modernism and Postmodernism, c. 1890\u2013present. " }, - "SE 140A": { - "prerequisites": [ - "SE 130B", - "and", - "SE 150" - ], - "name": "Professional Issues and Design for Civil Structures I", - "description": "Part I of multidisciplinary team experience to design, analyze, build, and test civil/geotechnical engineering components and systems considering codes, regulations, alternative design solutions, economics, sustainability, constructability, reliability, and aesthetics. Professionalism, technical communication, project management, teamwork, and ethics in engineering practice. Use of computer resources. Program or materials fees may apply. " + "MUS 134": { + "prerequisites": [], + "name": "Symphonic Orchestra", + "description": "This course will examine the development of the Blues from its roots in work-songs and the minstrel show to its flowering in the Mississippi Delta to the development of Urban Blues and the close relationship of the Blues with Jazz, Rhythm and Blues, and Rock and Roll. (Cross-listed with ETHN 178.) " }, - "SE 140B": { - "prerequisites": [ - "SE 140A", - "SE 151A", - "and", - "SE 181" - ], - "name": "Professional Issues and Design for Civil Structures II", - "description": "Part II of multidisciplinary team experience to design, analyze, build, and test civil/geotechnical engineering components and systems considering codes, regulations, alternative design solutions, economics, sustainability, constructability, reliability, and aesthetics. Professionalism, technical communication, project management, teamwork, and ethics in engineering practice. Use of computer resources. Program or materials fees may apply. " + "MUS 137A": { + "prerequisites": [], + "name": "Jazz Theory and Improvisation", + "description": "Offers an introduction to jazz, including important performers and their associated styles and techniques. Explores the often-provocative role jazz has played in American and global society, the diverse perceptions and arguments that have surrounded its production and reception, and how these have been inflected by issues of race, class, gender, and sexuality. Specific topics vary from year to year. (Cross-listed with ETHN 179.) " }, - "SE 142": { + "MUS 137B": { "prerequisites": [ - "SE 110A", - "MAE 131A", - "SE 110B", - "and", - "SE 160A" + "MUS 2A-B-C", + "and" ], - "name": "Design of Composite Structures", - "description": "Introduction to advanced composite materials and their applications. Fiber and matrix properties, micromechanics, stiffness, ply-by-ply stress, hygrothermal behavior, and failure prediction. Lab activity will involve design, analysis, fabrication, and testing of composite structure. Program or materials fees may apply. " + "name": "Jazz Theory and Improvisation", + "description": "The theory and practice of instrumental and/or choral conducting as they have to do with basic baton techniques, score reading, interpretation, orchestration, program building, and functional analysis. Members of the class will be expected to demonstrate their knowledge in the conducting of a small ensemble performing literature from the eighteenth, nineteenth, and twentieth centuries. " }, - "SE 143A": { - "prerequisites": [ - "SE 3", - "SE 142", - "and", - "SE 160B" - ], - "name": "Aerospace Structural Design I", - "description": "Conceptual and preliminary structural design of aircraft and space vehicles. Minimum-weight design of primary structures based upon mission requirements and configuration constraints. Multicriteria decision making. Team projects include layout, material selection, component sizing, fabrication, and cost. Oral presentations. Written reports. Use of computer resources. Program or materials fees may apply. " + "MUS 137C": { + "prerequisites": [], + "name": "Jazz Theory and Improvisation", + "description": "Instruction in the preparation of small group performances of representative instrumental and vocal chamber music literature. May be taken for credit six times, after which students must enroll for zero units. ** Consent of instructor to enroll possible **" }, - "SE 143B": { - "prerequisites": [ - "SE 143A" - ], - "name": "Aerospace Structural Design II", - "description": "Detailed structural design of aircraft and space vehicles. Composite material design considerations. Multidisciplinary design optimization. Introduction to aerospace computer-aided design and analysis tools. Team projects include the analysis, fabrication, and testing of a flight vehicle component. Oral presentations. Written reports. Use of computer resources. Program or materials fees may apply. " + "MUS 137D": { + "prerequisites": [], + "name": "Seminar in Jazz Studies I", + "description": "Master class instruction in advanced improvisation performance for declared majors and minors only or consent of instructor. Audition required at first class meeting. May be repeated six times for credit. ** Consent of instructor to enroll possible **" }, - "SE 150": { - "prerequisites": [ - "SE 130A" - ], - "name": "Design of Steel Structures", - "description": "Design concepts and loadings for structural systems. Working stress, ultimate strength design theories. Properties of structural steel. Elastic design of tension members, beams, and columns. Design of bolted and welded concentric and eccentric connections, and composite floors. Introduction to plastic design. " + "MUS 137E": { + "prerequisites": [], + "name": "Seminar in Jazz Studies II", + "description": "Individual or master class instruction in advanced instrumental performance. For declared music majors and minors. Students must be simultaneously enrolled in a performance ensemble or nonperformance music course. May be taken six times for credit. " }, - "SE 151A": { + "MUS 137F": { "prerequisites": [ - "SE 103", - "and", - "SE 130A" + "MUS 132V", + "and" ], - "name": "Design of Reinforced Concrete", - "description": "Concrete and reinforcement\n properties. Service and ultimate limit state analysis and\n design. Design and detailing of structural components.\u00a0" + "name": "Seminar in Jazz Studies III", + "description": "Individual instruction in advanced vocal coaching. Emphasis placed on diction and musical issues. For declared music majors and minors. Students must be simultaneously enrolled in the Vocal Master Class, MUS 32VM. May be taken six times for credit. ** Consent of instructor to enroll possible **" }, - "SE 151B": { - "prerequisites": [ - "SE 151A" - ], - "name": "Design of Prestressed\n Concrete", - "description": "Time-dependent and independent properties of concrete and\n reinforcing material. Concept and application of prestressed\n concrete. Service and ultimate limit state analysis and design\n of prestressed concrete structures and components. Detailing\n of components. Calculation of deflection and prestress losses.\n " + "MUS 143": { + "prerequisites": [], + "name": "Department Seminar", + "description": "Advanced instrumental/vocal preparation for senior music majors pursuing honors in performance. Repertoire for a solo recital will be developed under the direction of the appropriate instrumental/vocal faculty member. Special audition required during Welcome Week preceding fall quarter. " }, - "SE 152": { - "prerequisites": [ - "SE 130B", - "SE 150", - "and", - "SE 151A" - ], - "name": "Seismic Design of Structures", - "description": "Seismic design philosophy. Ductility concepts.\n\t\t\t\t Lateral force resisting systems. Mechanisms of nonlinear deformation.\n\t\t\t\t Methods of analysis. Detailing of structural steel and reinforced\n\t\t\t\t concrete elements. Lessons learned from past earthquakes. Multistory\n\t\t\t\t building design project. " + "MUS 150": { + "prerequisites": [], + "name": "Jazz and the\n\t\t Music of the African Diaspora: Special Topics Seminar", + "description": "Individual instruction in advanced vocal performance. For declared music majors and minors. Students must be simultaneously enrolled in a performance ensemble or nonperformance music course and in the Vocal Master Class, MUS 32VM. May be taken six times for credit. " }, - "SE 154": { - "prerequisites": [ - "SE 103", - "and", - "SE 130A" - ], - "name": "Design of Timber Structures", - "description": "Properties of wood and lumber grades. Beam design. Design of axially loaded members. Design of beam-column. Properties of plywood and structural-use panels. Design of horizontal diaphragms. Design of shear walls. Design of nailed and bolted connections. " + "MUS 151": { + "prerequisites": [], + "name": "Race, Culture, and Social Change", + "description": "Performance of new music of the twentieth century. Normally offered winter quarter only. Required a minimum of one time for all music majors. May be taken two times for credit. ** Consent of instructor to enroll possible **" }, - "SE 160A": { + "MUS 152": { + "prerequisites": [], + "name": "Hip Hop: The Politics of Culture", + "description": "Repertoire is drawn from the classic symphonic literature of the eighteenth, nineteenth, and twentieth centuries with a strong emphasis on recently composed and new music. Distinguished soloists, as well as The La Jolla Symphony Chorus, frequently appear with the orchestra. The La Jolla Symphony Orchestra performs two full-length programs each quarter, each program being performed twice. May be repeated six times for credit. " + }, + "MUS 153": { "prerequisites": [ - "SE 2", - "SE 2L", - "SE 101B", - "MAE 130B", - "and", - "SE 110A", - "MAE 131A" + "MUS 2A-B-C" ], - "name": "Aerospace Structural Mechanics I", - "description": "Aircraft and spacecraft flight loads and operational envelopes, three-dimensional stress/strain relations, metallic and composite materials, failure theories, three-dimensional space trusses and stiffened shear panels, combined extension-bend-twist behavior of thin-walled multicell aircraft and space vehicle structures, modulus-weighted section properties, shear center. " + "name": "African Americans and the Mass Media", + "description": "Study of jazz theory and improvisation, focused on fundamental rhythmic, harmonic, melodic, and formal aspects of modern jazz style. Application of theoretical knowledge to instruments and concepts will be reinforced through listening, transcription work, and composition and improvisation exercises. First course of a yearlong sequence. ** Consent of instructor to enroll possible **" }, - "SE 160B": { + "MUS 160A": { "prerequisites": [ - "SE 101C", - "MAE 130C", - "and", - "SE 160A" + "MUS 137A" ], - "name": "Aerospace Structural Mechanics II", - "description": "Analysis of aerospace structures via work-energy principles and finite element analysis. Bending of metallic and laminated composite plates and shells. Static vibration and buckling analysis of simple and built-up aircraft structures. Introduction to wing divergence and flutter, fastener analysis. " + "name": "Senior Project in Computing Arts I", + "description": "Study of jazz theory and improvisation, focused on fundamental rhythmic, harmonic, melodic, and formal aspects of modern jazz style. Application of theoretical knowledge to instruments and concepts will be reinforced through listening, transcription work, and composition and improvisation exercises. Second course of a yearlong sequence; continuation of MUS 137A. ** Consent of instructor to enroll possible **" }, - "SE 163": { + "MUS 160B": { "prerequisites": [ - "SE 110A", - "and", - "SE 110B" + "MUS 137B" ], - "name": "Nondestructive Evaluation", - "description": "Fourier signal processing, liquid penetrant, elastic wave propagation, ultrasonic testing, impact-echo, acoustic emission testing, vibrational testing, infrared thermography. May be coscheduled with SE 263. ** Consent of instructor to enroll possible **" + "name": "Senior Project in Computing Arts II", + "description": "Study of jazz theory and improvisation, focused on fundamental rhythmic, harmonic, melodic, and formal aspects of modern jazz style. Application of theoretical knowledge to instruments and concepts will be reinforced through listening, transcription work, and composition and improvisation exercises. Third course of a yearlong sequence; continuation of MUS 137B. ** Consent of instructor to enroll possible **" }, - "SE 164": { + "MUS 170": { "prerequisites": [ - "SE 101C", - "MAE 130C", - "and", - "SE 110A" + "MUS 137A-B-C", + "and" ], - "name": "Sensors and Data Acquisition for Structural Engineering", - "description": "This course discusses theory, design, and applications of sensor technologies in the context of structural engineering and structural health monitoring. Topics include sensors and sensing mechanisms; measurement uncertainty; signal conditioning and interface circuits; data acquisition; analog/digital circuits; and emerging sensors. May be coscheduled with SE 264. " + "name": "Musical Acoustics", + "description": "Advanced individual projects for senior music majors pursuing honors in jazz and music of the African diaspora. Projects will be critically reviewed in seminar with fellow students and jazz faculty. First course of a yearlong sequence. " }, - "SE 165": { + "MUS 171": { "prerequisites": [ - "MAE 130C" + "MUS 137D", + "and" ], - "name": "Structural Health Monitoring", - "description": "A modern paradigm of structural health monitoring as it applies to structural and mechanical systems is presented. Concepts in data acquisition, feature extraction, data normalization, and statistical modeling will be introduced in an integrated context. Matlab-based exercise. Term project. Use of computer resources. " + "name": "Computer Music I", + "description": "Advanced individual projects for senior music majors pursuing honors in jazz and music of the African diaspora. Projects will be critically reviewed in seminar with fellow students and jazz faculty. Second course of a yearlong sequence; continuation of 137D. " }, - "SE 168": { + "MUS 172": { "prerequisites": [ - "SE 101C", - "MAE 130C", - "and", - "SE 131" + "MUS 137E", + "and" ], - "name": "Structural System Testing and Model Correlation\n\t\t\t ", - "description": "Dynamic/model testing of structures: test planning/execution,\n actuation, sensing, and data acquisition, signal processing,\n data conditioning, test troubleshooting. Methods of updating\n finite element structural models to correlate with dynamic\n test results. Model/test correlation assessment in industrial\n practice. Knowledge of Matlab strongly encouraged. " + "name": "Computer Music II", + "description": "Advanced individual projects for senior music majors pursuing honors in jazz and music of the African diaspora. Projects will be critically reviewed in seminar with fellow students and jazz faculty. Third course of a yearlong sequence; continuation of 137E. " }, - "SE 171": { + "MUS 173": { + "prerequisites": [], + "name": "Electronic Music Production and Composition ", + "description": "The department seminar serves both as a general department meeting and as a forum for the presentation of research and performances by visitors, faculty, and students. Required of all undergraduate music majors every quarter. " + }, + "MUS 174A": { "prerequisites": [ - "SE 160A" + "MUS 126/ETHN", + "or", + "MUS 127/ETHN" ], - "name": "Aerospace Structures Repair", - "description": "Review methods used to repair aerospace structures. Emphasis on primary load-bearing airframe structures and analysis/design of substantiate repairs. Identification of structural/corrosion distress, fatigue cracking, damage tolerance, integrity and durability of built-up members, patching, health monitoring. Use of computer resources. ** Consent of instructor to enroll possible **" + "name": "Audio/MlDI Studio Techniques I", + "description": "An in-depth writing and listening intensive investigation into a jazz or diaspora-related music history topic. Topics vary from year to year. May be repeated once for credit. ** Consent of instructor to enroll possible **" }, - "SE 180": { + "MUS 174B": { + "prerequisites": [], + "name": "Audio/MlDI Studio Techniques II", + "description": "Aggrieved groups generate distinctive cultural expressions by turning negative ascription into positive affirmation and by transforming segregation into congregation. This course examines the role of cultural expressions in struggles for social change by these communities inside and outside the United States. (Cross-listed with ETHN 108.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + }, + "MUS 174C": { + "prerequisites": [], + "name": "Audio/MlDI Studio Techniques III", + "description": "Examination of hip-hop\u2019s music, technology, lyrics, and its influence in graffiti, film, music video, fiction, advertising, gender, corporate investment, government and censorship with a critical focus on race, gender, popular culture, and the politics of creative expression. (Cross-listed with ETHN 128.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + }, + "MUS 175": { + "prerequisites": [], + "name": "Musical Psychoacoustics", + "description": "Examination of media representations of African Americans from slavery to the present focusing on emergence and transmission of enduring stereotypes, their relationship to changing social, political, and economic frameworks, and African Americans\u2019 responses to and interpretations of these mediated images. (Cross-listed with ETHN 164.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + }, + "MUS 176": { "prerequisites": [ - "SE 110A", - "and", - "SE 130A" + "VIS 141B", + "or", + "VIS 145B", + "or", + "VIS 147B", + "or", + "MUS 172" ], - "name": "Earthquake Engineering", - "description": "Elements of seismicity and seismology. Seismic hazards. Dynamic analysis of structures underground motion. Elastic and inelastic response spectra. Modal analysis, nonlinear time-history analysis. Earthquake resistant design. Seismic detailing. " + "name": "Music Technology Seminar", + "description": "Students pursue projects of their own design over two quarters with support from faculty in a seminar environment. Project proposals are developed, informed by project development guidelines from real world examples. Collaborations are possible. Two production-course limitation. Renumber from ICAM 160A. Students may receive credit for only one of the following: MUS 160A, VIS 160A, ICAM 160A. " }, - "SE 181": { + "MUS 177": { "prerequisites": [ - "SE 110A", + "MUS 160A", "or", - "MAE 131A" + "VIS 160A" ], - "name": "Geotechnical Engineering", - "description": "General introduction to physical and engineering properties of soils. Soil classification and identification methods. Compaction and construction control. Total and effective stress. Permeability, seepage, and consolidation phenomena. Shear strength of sand and clay. " + "name": "Music Programming", + "description": "Continuation of MUS 160A or VIS 160A. Completion and presentation of independent projects along with documentation. Two production-course limitation. Renumbered from ICAM 160B. Students may receive credit for only one of the following: MUS 160B, VIS 160B, ICAM 160B. " }, - "SE 182": { + "MUS 192": { "prerequisites": [ - "SE 181" + "MUS 1A" ], - "name": "Foundation Engineering", - "description": "Application of soil mechanics to the analysis, design, and construction of foundations for structures. Soil exploration, sampling, and in situ testing techniques. Stress distribution and settlement of structures. Bearing capacities of shallow foundations and effects on structural design. Analysis of axial and lateral capacity of deep foundations, including drilled piers and driven piles. " + "name": "Senior Seminar in Music", + "description": "(Formerly MUS 160A.) An introduction to\n\t\t\t\t the acoustics of music with particular emphasis on contemporary digital\n\t\t\t\t techniques for understanding and manipulating sound. " }, - "SE 184": { - "prerequisites": [ - "SE 181" - ], - "name": "Ground Improvement", - "description": "Concepts underpinning mechanical, hydraulic, chemical and inclusion-based methods of ground improvement will be discussed. Students will be able to understand the advantages, disadvantages and limitations of the various methods; and develop a conceptual design for the most appropriate improvement strategy. " + "MUS 195": { + "prerequisites": [], + "name": "Instructional Assistance", + "description": "(Formerly MUS 160C.) A practical introduction to computer techniques for desktop audio editing, MIDI control, and real-time music algorithms using the MAX programming environment. Recommended preparation: completion of MUS 170. ** Consent of instructor to enroll possible **" }, - "SE 192": { + "MUS 198": { "prerequisites": [ - "SE major" + "MUS 171", + "MUS 160C" ], - "name": "Senior Seminar", - "description": "The Senior Seminar is designed to allow senior undergraduates to meet with faculty members to explore an intellectual topic in structural engineering. Topics will vary from quarter to quarter. Enrollment is limited to twenty students with preference given to seniors. ** Consent of instructor to enroll possible **" + "name": "Directed Group Study", + "description": "(Formerly MUS 161.) Computer synthesis techniques\n\t\t\t\t including wavetable and additive synthesis, waveshaping, and sampling.\n\t\t\t\t Transformation of musical sounds using filters, modulation, and delay effects.\n\t\t\t\t Fourier analysis of sounds. ** Consent of instructor to enroll possible **" }, - "SE 195": { + "MUS 199": { "prerequisites": [], - "name": "Teaching", - "description": "Teaching and tutorial assistance in a SE course under supervision of instructor. Not more than four units may be used to satisfy graduation requirements. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Independent Study", + "description": "(Formerly MUS 162.) Creative music production using digital audio workstations (DAWs), emphasizing hands-on composition projects including tempo warping, beat and tonality matching, virtual drum kits, chord progressions, sound processing and effects, arrangement, and remixing in the context of both popular and experimental genres. Existing works are analyzed and dissected for aesthetic value and production technique. ** Consent of instructor to enroll possible **" }, - "SE 197": { + "POLI 5 or 5D": { "prerequisites": [], - "name": "Engineering Internship", - "description": "An enrichment program, available to a limited number of undergraduate students, which provides work experience with industry, government offices, etc., under the supervision of a faculty member and industrial supervisor. Coordination of the Engineering Internship is conducted through UC San Diego\u2019s Academic Internship Program. ** Consent of instructor to enroll possible **" + "name": "Data Analytics for the Social Sciences", + "description": "Introduction to probability and analysis for understanding data in the social world. Students engage in hands-on learning with applied social science problems. Basics of probability, visual display of data, data collection and management, hypothesis testing, and computation. Students may receive credit for only one of the following courses: ECON 5, POLI 5, or POLI 5D. " }, - "SE 198": { + "POLI 10 or 10D": { "prerequisites": [], - "name": "Directed Study Group", - "description": "Directed group study, on a topic or in a field not included in the regular department curriculum, by special arrangement with a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Introduction\n\t\t to Political Science: American Politics", + "description": "This course surveys the processes and institutions of American politics. Among the topics discussed are individual political attitudes and values, political participation, voting, parties, interest groups, Congress, presidency, Supreme Court, the federal bureaucracy, and domestic and foreign policy making. POLI 10 is Lecture only, and POLI 10D is Lecture plus Discussion section. These courses are equivalents of each other in regards to major requirements, and students may not receive credit for both 10 and 10D.\u00a0 " }, - "SE 199": { + "POLI 11 or 11D": { "prerequisites": [], - "name": "Independent Study", - "description": "Independent reading or research on a problem by special arrangement with a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Introduction\n\t\t to Political Science: Comparative Politics", + "description": "The nature of political authority, the experience of a social revolution, and the achievement of an economic transformation will be explored in the context of politics and government in a number of different countries. POLI 11 is Lecture only, and POLI 11D is Lecture plus Discussion section. These courses are equivalents of each other in regards to major requirements, and students may not receive credit for both 11 and 11D.\u00a0 " }, - "ANTH 1": { + "POLI 12 or 12D": { "prerequisites": [], - "name": "Introduction to Culture", - "description": "An introduction to the anthropological approach to understanding human behavior, with an examination of data from a selection of societies and cultures. " + "name": "Introduction\n\t\t to Political Science: International Relations", + "description": "The issues of war/peace, nationalism/internationalism, and economic growth/redistribution will be examined in both historical and theoretical perspectives. POLI 12 is Lecture only, and POLI 12D is Lecture plus Discussion section. These courses are equivalents of each other in regards to major requirements, and students may not receive credit for both 12 and 12D.\u00a0 " }, - "ANTH 2": { + "POLI 13 or 13D": { "prerequisites": [], - "name": "Human Origins", - "description": "An introduction to human evolution from the perspective of physical anthropology, including evolutionary theory and the evolution of the primates, hominids, and modern humans. Emphasis is placed on evidence from fossil remains and behavioral studies of living primates. " + "name": "Power and Justice", + "description": "An exploration of the relationship between power and justice in modern society. Materials include classic and contemporary texts, films, and literature. POLI 13 is Lecture only, and POLI 13D is Lecture plus Discussion section. These courses are equivalents of each other in regards to major requirements, and students may not receive credit for both 13 and 13D.\u00a0" }, - "ANTH 3": { - "prerequisites": [], - "name": "Global Archaeology ", - "description": "This course examines theories and methods used by archaeologists to investigate the origins and nature of human culture and its materiality. Case studies from the past and present, and digital heritage are explored. Recommended for many upper-division archaeology courses." + "POLI 27": { + "prerequisites": [ + "CAT 2", + "and", + "DOC 2", + "and", + "and", + "HUM 1", + "and", + "and" + ], + "name": "Ethics and Society", + "description": "An examination of ethical\n\t\t\t\t principles (e.g., utilitarianism, individual rights, etc.)\n\t\t\t\t and their social and political applications to contemporary\n\t\t\t\t issues such as abortion, environmental protection, and affirmative action.\n\t\t\t\t Ethical principles will also be applied to moral dilemmas familiar in government,\n\t\t\t\t law, business, and the professions. Satisfies the Warren College\n\t\t\t\t ethics and society requirement. " }, - "ANTH 4": { + "POLI 28": { "prerequisites": [], - "name": "Words and Worlds: Introduction to the Anthropology of Language", - "description": "How does one\u2019s language mutually interact with the social, cultural, and conceptual worlds one inhabits and mutually constructs with others? This course will introduce the comparative study of social life through the lens of the uniquely human capacity for language." + "name": "Ethics and Society II", + "description": "An examination of a single set of major contemporary social, political, or economic issues (e.g., environmental ethics, international ethics) in light of ethical and moral principles and values. Warren College students must take course for a letter grade in order to satisfy the Warren College general-education requirement. " }, - "ANTH 5": { + "POLI 30 or 30D": { "prerequisites": [], - "name": "The Human Machine: The Skeleton Within ", - "description": "Course will provide an introduction to bones as a tissue, to different bones in the body, and the ligaments and muscles surrounding major joints. You will learn how the skeleton, ligaments, and muscles support our mode of locomotion; the differences between male and female skeletons; and the differences across human populations. You\u2019ll see how nutrition and disease can affect bones. Course examines functional areas within the body." + "name": "Political Inquiry", + "description": "Introduction to the logic of inference in social science and to quantitative analysis in political science and public policy including research design, data collection, data description and computer graphics, and the logic of statistical inference (including linear regression). POLI 30 is Lecture only, and POLI 30D is Lecture plus Discussion section. These courses are equivalents of each other in regards to major requirements, and students may not receive credit for both 30 and 30D.\u00a0" }, - "ANTH 21": { + "POLI 40": { "prerequisites": [], - "name": "Race and Racisms", - "description": "Why does racism still matter? How is racism experienced in the United States and across the globe? With insights from the biology of human variation, archaeology, colonial history, and sociocultural anthropology, we examine how notions of race and ethnicity structure contemporary societies. " + "name": "Introduction to Law and Society", + "description": "This course is designed as a broad introduction to the study of law as a social institution and its relations to other institutions in society. The focus will be less on the substance of law (legal doctrine and judicial opinions) than on the process of law\u2013how legal rules both reflect and shape basic social values and their relation to social, political, and economic conflicts within society. " }, - "ANTH 23": { + "POLI 87": { "prerequisites": [], - "name": "Debating Multiculturalism: Race, Ethnicity, and Class in American Societies", - "description": "This course focuses on the debate about multiculturalism in American society. It examines the interaction of race, ethnicity, and class, historically and comparatively, and considers the problem of citizenship in relation to the growing polarization of multiple social identities. " + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. May not be used to fulfill any major or minor requirements in political science. " }, - "ANTH 42": { + "POLI 90": { "prerequisites": [], - "name": "Primates in a Human-Dominated World ", - "description": "Major primate field studies will be studied to illustrate common features of primate behavior and behavioral diversity. Topics will include communication, female hierarchies, protocultural behavior, social learning and tool use, play, cognition, and self-awareness." + "name": "Undergraduate Seminar", + "description": "Selected topics to introduce students to current issues and trends in political science. May not be used to fulfill any major or minor requirements in political science. P/NP grades only. May be taken for credit four times. " }, - "ANTH 43": { + "POLI 99H": { "prerequisites": [], - "name": "Introduction to Biology and Culture of Race", - "description": "This course examines conceptions of race from evolutionary and sociocultural perspectives. We will critically examine how patterns of current human genetic variation map onto conceptions of race. We will also focus on the history of the race concept and explore ways in which biomedical researchers and physicians use racial categories today. Finally, we will examine the social construction of race, and the experiences and consequences of racism on health in the United States and internationally." + "name": "Independent Study", + "description": "Independent study or research under direction of a member of the faculty. " }, - "ANTH 44": { + "POLI 100A": { "prerequisites": [], - "name": "Gender, Sexuality, and New Media Fandom in the Korean Wave", - "description": "This course examines new media fandoms through the representation and reception of gender and sexuality in Korean media consumed around the world by highlighting how Korean images are differently interpreted by other national groups. Contrasting various understandings of masculinity, homosexuality, and transgenderism, we explore how the meanings attached to gender and sexuality are not fixed by the productive frame of Korean society, but cocreated and reimagined by international audiences. " + "name": "The Presidency", + "description": "The role of the presidency in American politics. Topics will include nomination and election politics, relations with Congress, party leadership, presidential control of the bureaucracy, international political role, and presidential psychology. " }, - "ANTH 87": { + "POLI 100B": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges. Topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " + "name": "The US Congress", + "description": "This course will examine the nomination and election of congressmen, constituent relationships, the development of the institution, formal and informal structures, leadership, comparisons of House with Senate, lobbying, and relationship with the executive branch. " }, - "ANTH 101": { + "POLI 100C": { "prerequisites": [], - "name": "Foundations of Social Complexity", - "description": "Course examines archaeological evidence for three key \u201ctipping points\u201d in the human career: (1) the origins of modern human social behaviors, (2) the beginnings of agriculture and village life, and (3) the emergence of cities and states. " + "name": "American Political Parties", + "description": "This course examines the development of the two major parties from 1789 to the present. Considers the nature of party coalitions, the role of leaders, activists, organizers, and voters, and the performance of parties in government. " }, - "ANTH 102": { + "POLI 100DA": { "prerequisites": [], - "name": "Humans Are Cultural Animals", - "description": "This class examines humans from a comparative perspective; if we ignore culture, what\u2019s left? How do culture and biology interact? And how does biology inform cultural debates over race, sex, marriage, war, peace, etc.? " + "name": "Voting, Campaigning, and Elections", + "description": "A consideration of the nature of public opinion and voting in American government. Studies of voting behavior are examined from the viewpoints of both citizens and candidates, and attention is devoted to recent efforts to develop models of electoral behavior for the study of campaigns. The role of mass media and money also will be examined. " }, - "ANTH 103": { + "POLI 100E": { "prerequisites": [], - "name": "Sociocultural Anthropology", - "description": "A systematic analysis of social anthropology and of the concepts and constructs required for cross-cultural and comparative study of human societies. Required for all majors in anthropology. " + "name": "Interest Group Politics", + "description": "The theory and practice of interest group politics in the United States. Theories of pluralism and collective action, the behavior and influence of lobbies, the role of political action committees, and other important aspects of group action in politics are examined. " }, - "ANTH 104": { + "POLI 100F": { "prerequisites": [], - "name": "Transforming the Global Environment", - "description": "Introduction to the role of humans as modifiers and transformers of the physical environment. Emphasis on current changes and contemporary public issues. " + "name": "Social Networks", + "description": "This class explores the many ways in which face-to-face social networks have a powerful effect on a wide range of human behaviors. With a foundation in understanding real-world networks, we can then consider how these networks function online." }, - "ANTH 105": { + "POLI 100G": { "prerequisites": [], - "name": "Climate Change, Race, and Inequality", - "description": "This course introduces students to the ways in which climate change exacerbates environmental racism and inequality. We will consider the ways that structural violence and discriminatory policies create environmental inequalities where marginalized communities take on more of the risk and burdens of climate change. We will address community organizing and social justice efforts to combat the systems of power that unevenly distribute the burdens of climate change to marginalized communities. " + "name": "How to Win or Lose an Election", + "description": "This course explores the various aspects of a political campaign including campaign organization, vote targeting, political parties, social media, fundraising, polling, media interactions, and more. These areas are examined citing specific examples from federal, state, and local campaigns." }, - "ANTH 106": { + "POLI 100H": { "prerequisites": [], - "name": "Climate and Civilization", - "description": "An introductory course that questions the whole collapse narrative while teaching students about the ways in which it has and hasn\u2019t impacted humans. " + "name": "Race and Ethnicity in American Politics", + "description": "This course examines the processes by which racial and ethnic groups have/have not been incorporated into the American political system. The course focuses on the political experiences of European immigrant groups, blacks, Latinos, and Asians. " }, - "ANTH 107": { + "POLI 100I": { "prerequisites": [], - "name": "Designing for Disasters, Emergencies, and Extreme Weather", - "description": "Examines the social, economic, environmental, and health impacts of anthropogenic climate change through engaged learning that integrates practice and theory. " + "name": "Participation and Inequality", + "description": "This course examines the causes and consequences of the unequal participation and representation of groups in US politics. " }, - "ANTH 108": { + "POLI 100J": { "prerequisites": [], - "name": "Indigenous Peoples, Extractive Development, and Climate Change", - "description": "Across the world, indigenous peoples\u2019 lands and livelihoods are increasingly vulnerable to extractive development projects such as mines, gas wells, dams, logging, and monoculture agriculture, all of which increase the impacts on climate change. This class addresses the ways indigenous communities use cultural and political resources to negotiate environmental, market, and political forces. Can protecting indigenous ways of life provide alternatives for global climate change? " + "name": "Race in American Political Development", + "description": "Readings examine how the multiracial character of the United States has shaped the broad outlines of American politics. Cases include the founding/the Constitution, southern politics, social organization in formerly Mexican regions, the New Deal, consequences of limited suffrage. " }, - "ANTH 109": { + "POLI 100K": { "prerequisites": [], - "name": "Climate Change, Cultural Heritage, and Vulnerability", - "description": "Cultural heritage is a human right that is threatened by climate change. This course introduces students to the concept of heritage, how multiple historical and ancient processes influence social vulnerabilities, and what challenges are being faced in the context of changing climate. We will explore the formation and meanings of tangible and intangible heritage, its relation to traditional knowledge and the roles of knowledge over social vulnerability. " + "name": "Railroads and American Politics", + "description": "The railroads transformed the economy and politics of the United States in the nineteenth century. The railroads were the first big businesses, and their sheer size led inevitably to conflict with governments at all levels. This conflict shaped modern politics. " }, - "ANTH 110": { + "POLI 100M": { "prerequisites": [], - "name": "The Climate Change Seminar", - "description": "Explores climate change from the perspectives of biological, archaeological, sociocultural, and medical anthropology and global health. Students develop projects on key topics, such as food, health, sustainability, political economy, and the interaction of ecological and human processes across local, regional, and global scales. Examines social impacts and existential risks.\u00a0Considers questions related to public policy, education, ethics, and interdisciplinary research collaboration.\u00a0" + "name": "Political Psychology", + "description": "We begin with hypotheses about how people develop political attitudes, and methods to test those hypotheses. The second half focuses on emerging cognitive neuroscience insights, including brain imaging, and asks how these inform theories of political cognition, affect, and behavior. " }, - "ANTH 111": { + "POLI 100N": { "prerequisites": [], - "name": "Religion and Ecology: How Religion Matters in the Anthropocene", - "description": "This course will study the role that religion has played, and possibly will play, in the Anthropocene, with religion construed broadly and comparatively. Topics include use of religion and ritual to regulate the ecology, religious conceptions of the relation between humanity and nature, how religion shapes ethical stances toward the nonhuman, religious ideas of ownership or stewardship of nonhuman resources, and the role of apocalyptic narratives in shaping reaction to climate change. " + "name": "Politics in Washington", + "description": "Examines Washington as a political community, its institutions, culture, and history. In addition to its elected officeholders and senior government officials, it examines Washington\u2019s subcommunities: the national news industry, diplomatic service, the representation of interests. ** Department approval required ** " }, - "ANTH 147": { + "POLI 100O": { "prerequisites": [], - "name": "Understanding the Human Social Order: Anthropology and the Long-Term", - "description": "This course explores the nature of human social systems over the long term. Returning to the original project of anthropology in the broadest sense, we examine the origins and reproduction of the state, social classes, multiethnic configurations, and political economies. " + "name": "Perspectives on Race", + "description": "This course looks at race in American politics from a variety of perspectives. We may consider psychological, genetic, neuroscience, economic, political, sociological, and legal views of what drives powerful dynamics of race in our country. " }, - "ANTH 192": { + "POLI 100P": { "prerequisites": [], - "name": "Senior Seminar in Anthropology", - "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in anthropology (at the upper-division level). Senior Seminars may be offered in all campus departments. Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and consent of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" + "name": "Economic Entrepreneurs and American Politics", + "description": "This course is concerned with the interaction between representative democracy and capitalism in American political history. The key to understanding this interaction is the role of the entrepreneur in the economy and how unexpected economic change shapes politics. " }, - "ANTH 195": { + "POLI 100Q": { "prerequisites": [], - "name": "Instructional Apprenticeship in Anthropology", - "description": "Course gives students experience in teaching of anthropology at the lower-division level. Students, under direction of instructor, lead discussion sections, attend lectures, review course readings, and meet regularly to prepare course materials and to evaluate examinations and papers. Course not counted toward minor or major.\u00a0P/NP grades only. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " + "name": "Advanced Topics in Racial Politics", + "description": "This course explores how race shapes outcomes in American democracy through in-depth exploration of key issues in American politics. Topics include race in the voting booth, immigration, discrimination, and inter-minority conflict." }, - "ANTH 196A": { + "POLI 100T": { "prerequisites": [], - "name": "Honors Studies in Anthropology", - "description": "Seminar to explore student research interests and methodologies needed to complete Honors Thesis in ANTH 196B. Students will be admitted to the Honors Program by invitation of the department in the spring of their junior year. Completion of this course with a grade of at least B+ is a prerequisite to ANTH 196B. ** Department approval required ** " - }, - "ANTH 196B": { - "prerequisites": [ - "ANTH 196A" - ], - "name": "Honors Studies in Anthropology ", - "description": "Independent preparation of a senior thesis under the supervision of a faculty member. Students begin two-quarter sequence in fall quarter. " - }, - "ANTH 196C": { - "prerequisites": [ - "ANTH 196A-B" - ], - "name": "Honors Studies in Anthropology", - "description": "A weekly research seminar where students share, read, and discuss in-depth research findings resulting from ANTH 196A and 196B along with selected background literature used in each individual thesis. Students are also taught how to turn their theses into brief presentations for both specialized and broader audiences. Students will be offered opportunities to present their findings at campus events and outreach events during the quarter. " + "name": "Business and Politics", + "description": "This course uses the tools of political science and economics to study how corporations affect and are affected by politics. We will cover a broad range of issues, including regulation, lawmaking, mass media, interest group mobilization, and corporate social responsibility." }, - "ANTH 197": { + "POLI 100U": { "prerequisites": [], - "name": "Field Studies", - "description": "Directed group study on a topic or in a field not included in the regular departmental curriculum by special arrangement with a faculty member. Student may take this course twice for credit. Please note: Majors may only apply eight units of approved P/NP credit toward the major, and minors may only apply four units of P/NP credit toward the minor. Please contact the department for a list of courses you may take on a P/NP basis and apply toward the major or minor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " + "name": "Games, Strategy, and Politics", + "description": "This course provides an introduction to game theory with an emphasis on applications in economics, political science, and business. Game theory uses simple mathematical models to understand social phenomena. The required mathematical background is minimal (high school algebra)." }, - "ANTH 198": { + "POLI 100V": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Independent study and research under the direction of a member of the faculty. Student may take this course twice for credit. Please note: majors may only apply eight units of approved P/NP credit toward the major, and minors may only apply four units of P/NP credit toward the minor. Please contact the department for a list of courses you may take on a P/NP basis and apply toward the major or minor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " + "name": "Organized Interests", + "description": "This course provides a theoretical and practical examination of political parties, interest groups, and social movements in the United States. " }, - "ANTH 199": { + "POLI 100W": { "prerequisites": [], - "name": "Independent Study", - "description": "Course will vary in title and content. When offered, the current description and title is found in the current Schedule of Classes and the Department of Anthropology website. May be taken for credit four times. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Politics, Policy, and Educational Inequality ", + "description": "Education is often thought of as \u201cthe great equalizer\u201d but in the U.S. and around the world, many governments fail to ensure that all citizens have access to high-quality educational opportunities. Why? This course will give students the conceptual tools to understand who shapes education policy decisions, through what channels, and how those policy decisions affect the quality and equity of education. Emphasis is on the U.S., but analyzed in comparative perspective. " }, - "ANAR 100": { + "POLI 100Y": { "prerequisites": [], - "name": "Special Topics in Anthropological Archaeology", - "description": "This course is an introduction to geographic information systems (GIS) and spatial analysis for anthropologists and archaeologists. The course will provide students with background theory and basic skills in GIS through lectures and hands-on lab activities. Students will learn the basics of acquiring, storing, manipulating, analyzing, and visualizing spatial data for anthropological study. " + "name": "Asian American Politics in the United States", + "description": "This class is a survey of historical and contemporary issues in Asian American politics in the U.S.; race and ethnicity in the context of US politics; comparisons of racial and ethnic group experiences in the U.S. with those experienced by racial and ethnic groups elsewhere; Asian American access to the political system through political participation. " }, - "ANAR 104": { + "POLI 101E": { "prerequisites": [], - "name": "Introduction to Geographic Information Systems", - "description": "As part of the broad discipline of anthropology, archaeology provides the long chronological record needed for investigating human and social evolution. The theories and methods used in this field are examined. (Archaeology core sequence course.) Recommended preparation: ANTH 3. " + "name": "The Politics of Race, Ethnicity, and Immigration", + "description": "This course examines the interplay between racial/ethnic identity and politics. How do race and ethnicity become politicized? What role does ethnic or racial identity play in political behavior and decision-making processes? To what extent do political institutions and institutional design reinforce the salience of ethnic or racial identity in politics? We will be taking a comparative approach to this topic, and cover readings in both American politics and comparative politics literature." }, - "ANAR 111": { + "POLI 102C": { "prerequisites": [], - "name": "Foundations of Archaeology", - "description": "The class will provide a basic overview of Israel\u2019s natural resources, including water, stone, minerals, oil, and gas. Case studies on ancient exploitation of these resources will be presented (e.g., copper extraction from ore in the Negev, water management in Biblical Israel, stone quarrying for the Temple Mount, etc.), followed by a discussion on the current role of these resources in the economy of modern Israel. " + "name": "American Political Development", + "description": "Examines selected issues and moments in the political history of the United States, comparing competing explanations and analyses of US politics. Likely topics include the founding, \u201cAmerican exceptionalism,\u201d change in the party system, race in US politics, the \u201cnew institutionalism.\u201d " }, - "ANAR 113": { + "POLI 102D": { "prerequisites": [], - "name": "Past, Present, and Future Perspectives on Natural Resources in Israel", - "description": "Israel, like California, is located on a complex tectonic boundary, which is responsible for a history of earthquakes, volcanism, and tsunamis. How great is the risk today and what will be the regional impact of a major earthquake? We will try to answer these questions by understanding the basic geology of Israel and reviewing the history of natural disasters as recorded by archaeology and historical documentation. " + "name": "Voting Rights Act: Fifty Years Later", + "description": "The Voting Rights Act (VRA) is one of the most significant and controversial acts in American history. We will examine the environment that led to its introduction, the legislative process, executive implementation, and the political ramifications and subsequent state government and court decisions.\u00a0 " }, - "ANAR 114": { + "POLI 102E": { "prerequisites": [], - "name": "Environmental Hazards in Israel", - "description": "Students will develop a broad understanding of the morphological features that are identified in coastal systems, and the short- and long-term processes that shape them through time. Students will become familiar with terminology, approaches, and methodologies used in coastal geomorphological research, which are relevant for today\u2019s study of climate and environmental change, with a focus on coastal sedimentary environments and an emphasis on the coast of Israel from ancient times until today. " + "name": "Urban Politics", + "description": "(Same as USP107) This survey course focuses upon the following six topics: the evolution of urban politics since the mid-nineteenth century; the urban fiscal crisis; federal/urban relationships; the \u201cnew\u201d ethnic politics; urban power structure and leadership; and selected contemporary policy issues such as downtown redevelopment, poverty, and race. " }, - "ANAR 115": { + "POLI 102F": { "prerequisites": [], - "name": "Coastal Geomorphology and Environmental Change\u2014Perspectives from Israel and the South-Eastern Mediterranean", - "description": "This course provides students with a broad understanding of the most current sea level change research that has been conducted around the globe. Students will be introduced to the general terminology used in this field, coastal shallow marine and deep-sea sea level indicators, and their degree of uncertainty, along with corresponding dating methods. An emphasis will be given to sea-level studies conducted in Israel and neighboring lands. " + "name": "Mass Media and Politics", + "description": "This course will explore both the role played by mass media in political institutions, processes and behaviors, and reciprocally, the roles played by political systems in guiding communication processes. " }, - "ANAR 116": { + "POLI 102G": { "prerequisites": [], - "name": "Sea Level Change\u2014The Israel Case in World Perspective", - "description": "The archaeological field and laboratory class will take place in the field in San Diego or adjacent counties. This course is a hands-on introduction to the research design of interdisciplinary archaeological projects and techniques of data collection, including survey, excavation, or laboratory analysis. May be taken for credit up to two times. Program or materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Special Topics in American Politics", + "description": "An undergraduate course designed to cover various aspects of American politics. May be repeated for credit two times, provided each course is a separate topic, for a maximum of twelve units. " }, - "ANAR 117": { + "POLI 102J": { "prerequisites": [], - "name": "Archaeological Field and Lab Class, Southern California", - "description": "Our campus houses some of the earliest human settlements in North America. This course reviews the archaeology, climate, and environment of the sites and outlines research aimed at understanding the lives of these early peoples. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Advanced Topics in Urban Politics", + "description": "(Same as USP 110) Building upon the introductory urban politics course, the advanced topics course explores issues such as community power, minority empowerment, and the politics of growth. A research paper is required. Students may not receive credit for both POLI 102J and USP 110. " }, - "ANAR 118": { + "POLI 102K": { "prerequisites": [], - "name": "Archaeology of the UC San Diego Campus", - "description": "The archaeological field and laboratory class will take place at Moquegua, Peru. It is an introduction to the research design of interdisciplinary projects, the technique of data collections, the methods of excavation and postexcavation lab work. Course materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "The Urban Underclass", + "description": "The lives of individuals living in ghetto poverty in the United States. Causes and consequences of ghetto poverty. Political debates surrounding the underclass and different possible solutions. " }, - "ANAR 119S": { + "POLI 102L": { "prerequisites": [], - "name": "Archaeological Field and Lab Class", - "description": "This course will help familiarize students with the types of methods that people use to document shifting climate in the past and present day, in addition to training on geospatial data sets. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "The Politics of Regulation", + "description": "Politics and policy-making issues in regulation. Themes: regulation versus legislation; general versus specific grants of regulatory power; market versus command mechanisms; private property; and risk assessment. Emphasis on American regulatory policy, examples from current regulatory debates (e.g., health care and environment). " }, - "ANAR 120": { + "POLI 103A": { "prerequisites": [], - "name": "Documenting Climate Change: Past and Present", - "description": "Concerns the latest developments in digital data capture, analyses, curation, and dissemination for cultural heritage. Introduction to geographic information systems (GIS), spatial analysis, and digital technologies applied to documentation and promotion of cultural heritage and tourism. Lectures and lab exercises. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "California Government and Politics", + "description": "(Same as USP 109) This survey course explores six topics: 1) the state\u2019s political history; 2) campaigning, the mass media, and elections; 3) actors and institutions in the making of state policy; 4) local government; 5) contemporary policy issues; e.g., Proposition 13, school desegregation, crime, housing and land use, transportation, water; 6) California\u2019s role in national politics. " }, - "ANAR 121": { + "POLI 103B": { "prerequisites": [], - "name": "Cyber-Archaeology and World Digital Cultural Heritage", - "description": "This course explores the archaeology of Asia from the first humans through the rise of state societies. Topics include the environmental setting, pioneer migrations, hunting and gathering societies, plant and animal domestication, and the development of metallurgy, agriculture, technology, trade, and warfare in early civilizations. We consider how ancient political, intellectual, and artistic achievements shape the archaeological heritage in present-day Asia. " + "name": "Politics and Policymaking in Los Angeles", + "description": "(Same as USP 113) This course examines politics and policymaking in the five-county Los Angeles region. It explores the historical development of the city, suburbs, and region; politics, power, and governance; and major policy challenges facing the city and metropolitan area. " }, - "ANAR 124": { + "POLI 103C": { "prerequisites": [], - "name": "Archaeology of Asia", - "description": "Study Abroad program that examines the origins and history of ancient Mediterranean civilizations from the late Neolithic period through the Classical era. During the course, students will visit some of the most important archaeological sites in the world, from the ancient megalithic temples of Malta, to Phoenician colonies of the early Iron Age, to the Carthaginian and Greek cities of Sicily, and ending with Roman Pompeii and Herculaneum, destroyed by the eruption of Vesuvius in AD 79. Students are required to apply for this Study Abroad course. Program or materials fees may apply. ** Department approval required ** " + "name": "Politics and Policymaking in San Diego", + "description": "(Same as USP 115) This course examines how\n\t\t\t\t major policy decisions are made in San Diego. It analyzes the region\u2019s\n\t\t\t\t power structure (including the roles of nongovernmental organizations\n\t\t\t\t and the media), governance systems and reform efforts, and the politics\n\t\t\t\t of major infrastructure projects. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ANAR 135S": { + "POLI 103D": { "prerequisites": [], - "name": "Ancient Mediterranean Civilization", - "description": "This course explores in detail the rise of the world\u2019s earliest cities and states in Mesopotamia and the ancient Near East during the fourth millennium B.C. " + "name": "California Local Government: Finance and Administration", + "description": "(Same as USP 116) This course surveys public finance and administration. It focuses upon California local governments\u2014cities, counties, and special districts\u2014and also examines state and federal relationships. Topics explored include revenue, expenditure, indebtedness, policy responsibilities, and administrative organization and processes. " }, - "ANAR 138": { + "POLI 104A": { "prerequisites": [], - "name": "Mesopotamia: The Emergence of Civilization", - "description": "Israel is a land-bridge between Africa and Asia. Course highlights the prehistory of the Levant and its interconnections from the Paleolithic to the rise of the earliest cities in anthropological perspective. " + "name": "The Supreme Court and the Constitution", + "description": "An introduction to the study of the Supreme Court and constitutional doctrine. Topics will include the nature of judicial review, federalism, race, and equal protection. The relation of judicial and legislative power will also be examined. " }, - "ANAR 141": { + "POLI 104B": { "prerequisites": [], - "name": "Prehistory of the Holy Land", - "description": "The emergence and consolidation of the state in ancient Israel is explored by using archaeological data, biblical texts, and anthropological theories. The social and economic processes responsible for the rise and collapse of ancient Israel are investigated. Recommended preparation: ANTH 3. " + "name": "Civil Liberties\u2014Fundamental Rights", + "description": "This course will examine issues of civil liberties from both legal and political perspectives. Topics will include the First Amendment rights of speech, press, assembly, and religion; other \u201cfundamental\u201d rights, such as the right to privacy; and some issues in equal protection. Conflicts between governmental powers and individual rights will be examined. " }, - "ANAR 142": { + "POLI 104C": { "prerequisites": [], - "name": "The Rise and Fall of Ancient Israel", - "description": "The relationship between archaeological data, historical research, the Hebrew Bible, and anthropological theory are explored along with new methods and current debates in Levantine archaeology. " + "name": "Civil Liberties\u2014The Rights of the Accused and Minorities ", + "description": "Examines the legal issues surrounding the rights of criminal suspects, as well as the rights of \u201cmarginal\u201d groups such as aliens, illegal immigrants, and the mentally ill. Also includes a discussion of the nature of discrimination in American society. " }, - "ANAR 143": { + "POLI 104D": { "prerequisites": [], - "name": "Biblical Archaeology\u2014Fact or Fiction ", - "description": "An introductory survey of the archaeology, history, art, and architecture of ancient Egypt that focuses on the men and women who shaped Western civilization. " + "name": "Judicial Politics", + "description": "Introduction to the study of law and courts as political institutions and judges as political actors, including the role of the judiciary in our constitutional system and decision making both within the Supreme Court and within the judicial hierarchy. " }, - "ANAR 144": { + "POLI 104E": { "prerequisites": [], - "name": "Pharaohs, Mummies, and Pyramids: Introduction to Egyptology", - "description": "Introduction to the archaeology, history, art, architecture, and hieroglyphs of ancient Egypt. Taught in the field through visits to important temples, pyramids, palaces, and museums in Egypt. Complementary to ANAR 144.\u00a0Course/program fees may apply. ** Consent of instructor to enroll possible **" + "name": "Environmental Law and Policy", + "description": "The course is an introduction to US environmental law at the federal level. It emphasizes issues and current controversies involving natural resources, such as wilderness, biodiversity, water, and climate change. " }, - "ANAR 145S": { - "prerequisites": [], - "name": "Study Abroad: Egypt of the Pharaohs", - "description": "What should we eat and how should we farm to guide a sustainable future? This course will examine what humans evolved to eat and how we began to first cultivate the foods we rely on today. After a survey of traditional farming methods around the world, we will examine how farming systems have changed since the Green Revolution and its successes and failures. The final part of class will focus on the last twenty years, when humans began to modify plant life at the genetic level. Students may not receive credit for ANAR 146 and SIO 146. " + "POLI 104F": { + "prerequisites": [ + "POLI 104A-B" + ], + "name": "Constitutional Law", + "description": "This course provides an intensive examination of a major issue in constitutional law. Students will be required to do legal research on a topic, write a legal brief, and argue a case to the class. " }, - "ANAR 146": { + "POLI 104G": { "prerequisites": [], - "name": "Feeding the World", - "description": "The archaeology, anthropology, and history of the Maya civilization, which thrived in Mexico and Central America from 1000 BC, until the Spanish conquest.\u00a0" + "name": "Election Law", + "description": "A detailed analysis of the legislative and judicial history of election related topics including registration laws, election administration, candidate requirements, voting rights, party organizational rules, nomination procedures, redistricting, and campaign finance. " }, - "ANAR 153": { + "POLI 104I": { "prerequisites": [], - "name": "The Mysterious Maya", - "description": "Introduction to the archaeology of the ancient culture of Mexico from the early Olmec culture through the Postclassic Aztec, Tarascan, Zapotec, and Mixtec states. Agriculture; trade and exchange; political and social organization; kinship networks; religious system, ideology, and worldviews. " + "name": "Law and\n\t\t Politics\u2014Courts and Political Controversy", + "description": "This course will examine the role of the courts in dealing with issues of great political controversy, with attention to the rights of speech and assembly during wartime, questions of internal security, and the expression of controversial views on race and religion. The conflict between opposing Supreme Court doctrines on these issues will be explored in the context of the case studies drawn from different historical periods. " }, - "ANAR 154": { - "prerequisites": [], - "name": "The Aztecs and their Ancestors", - "description": "This course is an introduction to the archaeology of Mesoamerica and will provide students with the opportunity to gain practical skills from the field. Students will learn hands on by visiting significant ancient cities and museums in Mexico and Central America. Students may receive a combined total of twelve units for ANAR 155 and ANAR 155S. Program or material fee may apply. ** Consent of instructor to enroll possible **" + "POLI 104J": { + "prerequisites": [ + "POLI 104A" + ], + "name": "Introduction to Legal Reasoning", + "description": "The ability to write and argue is one of the noted benefits of a legal education. Students will learn the basics of legal research and reasoning by learning to read and brief case law and write persuasive and objective memorandums. " }, - "ANAR 155": { - "prerequisites": [], - "name": "Study Abroad: Ancient Mesoamerica", - "description": "Introduction to archaeology of Mesoamerica, taught through visits to important ancient cities and museums of Mexico and Central America. Complementary to ANAR 154. Itinerary and subject will vary, so course may be taken more than once. Students may receive a combined total of twelve units for ANAR 155S and ANAR 155. Program or material fee may apply. " + "POLI 104K": { + "prerequisites": [ + "POLI 104J" + ], + "name": "Legal Argument Formulation", + "description": "This course examines the role that legal arguments have in the US court system. Students will utilize legal reasoning and research skills to craft arguments in both written and oral formats, and then participate in a moot court final. " }, - "ANAR 155S": { + "POLI 104L": { "prerequisites": [], - "name": "Study Abroad: Ancient Mesoamerica", - "description": "This course will examine archaeological evidence for the development of societies in the South American continent. From the initial arrival of populations through to the Inca period and the arrival of the Spaniards. " + "name": "Positive Political Theory of Law", + "description": "We will discuss modern theories of the origins of law and legal behavior. " }, - "ANAR 156": { + "POLI 104M": { "prerequisites": [], - "name": "The Archaeology of South America", - "description": "The civilizations of Wari and Tiwanaku built the first empires of Andean South America long before the Inca. Middle Horizon (AD 500\u20131000) mythohistory, urbanism, state origins, art, technology, agriculture, colonization, trade, and conquest are explored using ethnohistory and archaeological sources. Students may not receive credit for both ANAR 157S and ANAR 157. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Law and Sex", + "description": "How law regulates and impacts sexuality and orientation with focus on constitutional law in areas of privacy, free speech, association, regulation of sexual conduct under criminal law pornography, procreation, reproductive rights, and regulation of family status. " }, - "ANAR 157": { + "POLI 104N": { "prerequisites": [], - "name": "Early Empires of the Andes: The Middle Horizon", - "description": "The civilizations of Wari and Tiwanaku built the first empires of Andean South America long before the Inca. Middle Horizon (AD 500\u20131000) mythohistory, urbanism, state origins, art, technology, agriculture, colonization, trade, and conquest are explored using ethnohistory and archaeological sources. Course is offered during summer Study Abroad. Students may not receive credit for both ANAR 157 and ANAR 157S. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Race and Law", + "description": "Has the law helped end or contributed to racism in the United States? This course will explore the law of Slavery, Segregation, and Immigration, and study Equal Protection, Affirmative Action, and Criminal Justice (including hate crimes and First Amendment implications)." }, - "ANAR 157S": { + "POLI 104P": { "prerequisites": [], - "name": "Early Empires of the Andes: The Middle Horizon", - "description": "The history and culture of the Inca Empire of South America and its fatal encounter with the West. Archaeological excavations, accounts from the sixteenth and seventeenth centuries, and ethnographies of present-day peoples of the Andes are explored. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Science, Technology, and the Law", + "description": "Science advances exponentially. The law is slower to follow. This course examines legal issues created by today\u2019s scientific breakthroughs and explores what future legal challenges might await tomorrow\u2019s scientific discoveries, from privacy on the internet to the meaning of life. " }, - "ANAR 158": { + "POLI 105A": { "prerequisites": [], - "name": "The Inca: Empire of the Andes", - "description": "This course considers in detail a particular region or archaeological site within the Maya area.\u00a0Content will cover primary literature on Maya archaeology, epigraphy, and art history. Course content will vary based on the specific region/site. May be taken for credit three times. ** Upper-division standing required ** " + "name": "Latino Politics in the U.S.", + "description": "This course examines contemporary issues in Latino politics in the U.S.; comparisons of racial and ethnic group experiences in the U.S.; Latino access to the political system through political participation. " }, - "ANAR 160": { + "POLI 108": { "prerequisites": [], - "name": "Ancient Maya: Archaeological Problems and Perspectives", - "description": "(Cross-listed with SIO 164.) Underwater archaeology provides access to ancient environmental and cultural data concerning human adaptation to climate and environmental change. Provides an overview of methods, theories, and practice of marine archaeology including environmental characteristics of coastal and underwater settings; the nature of ports, navigation, maritime culture, submerged landscapes, shipbuilding; methods of research in underwater settings; and legislative issues regarding underwater and coastal heritage. Students may not receive credit for both ANAR 164 and SIO 164. " + "name": "Politics of Multiculturalism", + "description": "This course will examine central issues in debates about race, ethnicity, and multiculturalism in the United States. It will look at relations not only between whites and minorities, but also at those among racial and ethnic communities. " }, - "ANAR 164": { + "POLI 110A": { "prerequisites": [], - "name": "Underwater Archaeology\u2014From Atlantis to Science", - "description": "This course will follow the interaction between humans and the sea in cultures that formed the biblical world of the second and first millennium BCE: the Canaanites, Israelites, Egyptians, Phoenicians, Philistines, and cultures of the Aegean Sea. Themes discussed will be maritime matters in the Canaanite and biblical narrative, key discoveries in maritime coastal archaeology of the eastern Mediterranean, shipwrecks: Canaanite, Phoenician, and Aegean, Egyptian ports, and Egyptian sea adventures. " + "name": "Citizens\n\t\t and Saints: Political Thought from Plato to Augustine", + "description": "This course focuses on the development of politics and political thought in ancient Greece, its evolution through Rome and the rise of Christianity. Readings from Plato, Aristotle, Augustine, Machiavelli, and others. " }, - "ANAR 165": { + "POLI 110B": { "prerequisites": [], - "name": "Marine and Coastal Archaeology and the Biblical Seas", - "description": "(Cross-listed with SIO 166.) Introduction to the multidisciplinary tools for paleoenvironmental analysis\u2014from ecology, sedimentology, climatology, zoology, botany, chemistry, and others\u2014and provides the theory and method to investigate the dynamics between human behavior and natural processes. This socioecodynamic perspective facilitates a nuanced understanding of topics such as resource overexploitation, impacts on biodiversity, social vulnerability, sustainability, and responses to climate change. Students may not receive credit for ANAR 166 and SIO 166. " - }, - "ANAR 166": { - "prerequisites": [ - "ANTH 3", - "and", - "SIO 50" - ], - "name": "Introduction to Environmental Archaeology\u2014Theory and Method of Socioecodynamics and Human Paleoecology", - "description": "(Cross-listed with SIO 167.) As specialists in human timescales, archaeologists are trained to identify subtle details that are often imperceptible for other geoscientists. This course is designed to train archaeologists to identify the natural processes affecting the archaeological record, and geoscientists to identify the influence of human behavior over land surfaces. The course, which includes lectures, laboratory training, and field observations, focuses on the articulation of sedimentology and human activity. Students may not receive credit for both ANAR 167 and SIO 167. " + "name": "Sovereigns, Subjects, and the Modern State: Political Thought from Machiavelli to Rousseau", + "description": "The course deals with the period that marks the rise and triumph of the modern state. Central topics include the gradual emergence of human rights and the belief in individual autonomy. Readings from Machiavelli, Hobbes, Locke, Rousseau, and others. " }, - "ANAR 167": { + "POLI 110C": { "prerequisites": [], - "name": "Geoarchaeology in Theory and Practice", - "description": "This course examines the ways in which archaeologists study ancient artifacts, contexts, and their distribution in time and space to interpret ancient cultures. It will cover basic techniques of collections and field research with particular concentration on the quantitative contextual, spatial, stylistic, and technological analyses of artifacts and ecofacts from ongoing UC San Diego field projects in archaeology. " + "name": "Revolution\n\t\t and Reaction: Political Thought from Kant to Nietzsche", + "description": "The course deals with the period that marks the triumph and critique of the modern state. Central topics include the development of the idea of class, of the irrational, of the unconscious, and of rationalized authority as they affect politics. Readings drawn from Rousseau, Kant, Hegel, Marx, Nietzsche, and others. " }, - "ANAR 180": { + "POLI 110DA": { "prerequisites": [], - "name": "Archaeology Workshop: Advanced Lab Work in Archaeology ", - "description": "Varying theoretical models and available archaeological evidence are examined to illuminate the socio-evolutionary transition from nomadic hunter-gathering groups to fully sedentary agricultural societies in the Old and New Worlds. Archaeology concentration course. Recommended preparation: ANTH 3. " + "name": "Freedom\n\t\t and Discipline: Political Thought in the Twentieth Century", + "description": "This course addresses certain problems that are characteristic of the political experience of the twentieth century. Topics considered are revolution, availability of tradition, and the problems of the rationalization of social and political relations. Readings from Nietzsche, Weber, Freud, Lenin, Gramsci, Dewey, Oakeshott, Arendt, Merleau-Ponty. " }, - "ANAR 182": { + "POLI 110EA": { "prerequisites": [], - "name": "Origins of Agriculture and Sedentism", - "description": "The course focuses on theoretical models for the evolution of complex societies and on archaeological evidence for the development of various pre- and protohistoric states in selected areas of the Old and New Worlds. Archaeology concentration course. Recommended preparation: ANTH 3. " + "name": "American\n\t\t Political Thought from Revolution to Civil War", + "description": "The first quarter examines the origins and development of American political thought from the revolutionary period to the end of the nineteenth century with special emphasis on the formative role of eighteenth-century liberalism and the tensions between \u201cprogressive\u201d and \u201cconservative\u201d wings of the liberal consensus. " }, - "ANAR 183": { + "POLI 110EB": { "prerequisites": [], - "name": "Chiefdoms, States, and the Emergence of Civilizations", - "description": "In what ways were ancient empires different from modern ones? We discuss theories of imperialism and examine cross-cultural similarities and differences in the strategies ancient empires used to expand and explore how they produced, acquired, and distributed wealth. " + "name": "American\n\t\t Political Thought from Civil War to Civil Rights", + "description": "The second quarter examines some of the major themes of American political thought in the twentieth century including controversies over the meaning of democracy, equality, and distributive justice, the nature of \u201cneoconservatism,\u201d and America\u2019s role as a world power. " }, - "ANAR 184": { + "POLI 110EC": { "prerequisites": [], - "name": "Empires in Archaeological Perspective ", - "description": "The course uses a comparative perspective to examine changes in how human societies organized themselves after the end of the last Ice Age across the world and the impact that those changes had on the planet\u2019s natural environment. " + "name": "American\n\t\t Political Thought: Contemporary Debates", + "description": "This course explores contemporary issues in American political thought. Topics may include liberalism and rights, gender and sexuality, race and ethnicity, cultural diversity, and the boundaries of modern citizenship. Readings include political pamphlets, philosophical treatises, court decisions, and works of literature. " }, - "ANAR 185": { + "POLI 110ED": { "prerequisites": [], - "name": "Middle East Desert Cultural Ecology", - "description": "The archaeological field school will take place in the eastern Mediterranean region. It is an introduction to the design of research projects, the techniques of data collection, and the methods of excavation. Includes postexcavation lab work, study trips, and field journal. Program or materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Seminar in American Political Thought", + "description": "This seminar explores debates over ideals, institutions, and identities in American political thought. Themes and topics will vary. Readings will include political pamphlets, philosophical treatises, court decisions, and works of literature. " }, - "ANAR 186": { + "POLI 110G": { "prerequisites": [], - "name": "The Human Era: The Archaeology of the Anthropocene", - "description": "Students learn advanced field methods in cyber-archaeology and excavation. Includes 3-D data capture tools and processing, digital photography, construction of research designs, cyber-infrastructure. Takes place in the eastern Mediterranean region. Program or materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "International Political Thought", + "description": "This course will examine the historical development of the ideal of democracy from Periclean Athens to the present in the light of criticism by such thinkers as Plato, Tocqueville, and Mosca and difficulties encountered in efforts to realize the ideal. " }, - "ANAR 190": { + "POLI 110H": { "prerequisites": [], - "name": "Eastern Mediterranean Archaeological Field School ", - "description": "Course usually taught by visiting faculty in biological anthropology. Course will vary in title and content. When offered, the current description and title is found in the current Schedule\nof Classes and the Department of Anthropology website. May be taken for credit four times as topics vary. " + "name": "Democracy and Its Critics", + "description": "This course examines how power has been conceived and contested during the course of American history. The course explores the changes that have occurred in political rhetoric and strategies as America has moved from a relatively isolated agrarian and commercial republic to a military and industrial empire. " }, - "ANAR 191": { + "POLI 110J": { "prerequisites": [], - "name": "Advanced Cyber-Archaeology Field School", - "description": "A weekly forum for presentation and discussion of work in anthropology and cognitive neuroscience by faculty, students, and guest speakers. P/NP only. Please note: Majors may only apply eight units of approved P/NP credit toward the major, and minors may only apply four units of P/NP credit toward the minor. " + "name": "Power in American Society", + "description": "Leading political theories of liberal democracy since 1950. What is the meaning of political liberty? Political equality is the equality of what? Course will consider thinkers such as J.S. Mill, Berlin, Rawls, Dworkin, Taylor, Sen, Nussbaum, G. Cohen, Petit.\u00a0 " }, - "ANBI\n\t\t\t\t 100": { + "POLI 110K": { "prerequisites": [], - "name": "Special Topics in Biological Anthropology", - "description": "Major stages of human evolution including the fossil evidence for biological and cultural changes through time. " + "name": "Liberty and Equality", + "description": "Leading theories of environmental justice, ethics, and politics since 1960. Thinkers such as Dauvergne, Dobson, Dryzek, Eckersley, Latour, Plumwood, and Simon on ecosystems, climate change, sustainability, preservation, human welfare, nonhuman animals, place, feminism, state, market, and green political movements. " }, - "ANBI 109": { + "POLI 110M": { "prerequisites": [], - "name": "Brain Mind Workshop", - "description": "Cytoarchitecture reveals the fundamental structural organization of the human brain and stereology extracts quantitative information in a three-dimensional space. Students will learn the principles of both fields and their applications. ** Consent of instructor to enroll possible **" + "name": "Green Political Thought", + "description": "Nationalist ideologies. Examination of the rhetoric of nationalist mobilization. Theories about the relationship between nationalist movements and democracy, capitalism, warfare, and the state. " }, - "ANBI 111": { + "POLI 110N": { "prerequisites": [], - "name": "Human Evolution", - "description": "Primate (and other vertebrate) conservation involves a variety of methods: field (e.g., population and habitat assessment), computer (e.g., population genetic models), and increasingly the web (e.g. interactive GIS and databases). Course takes problem-solving approach to learning some of these methods. " + "name": "Theories of Nationalism", + "description": "An examination of some of the ideas and values\n\t\t\t\t associated with major social and political movements in Europe\n\t\t\t\t and the United States since the French Revolution. Topics will vary and\n\t\t\t\t may include liberalism, populism, democracy, communism, nationalism, fascism,\n\t\t\t\t and feminism. " }, - "ANBI 112": { + "POLI 110T": { "prerequisites": [], - "name": "Methods in Human Comparative Neuroscience ", - "description": "This course examines how human sexuality evolved and how it is similar/dissimilar to that of other primates. The topics include the evolution of mating strategies and parenting strategies including the role of sexual selection and how hormones control these behaviors. " + "name": "Modern Political Ideologies", + "description": "Discuss the idea of justice from multiple perspectives: theory, philosophy, institutions, markets, social mobilization, politics, and environment. Examine the assets and capabilities of diverse justice-seeking organizations and movements aimed at improving quality of life and place locally, regionally, and globally." }, - "ANBI 114": { + "POLI 111B": { "prerequisites": [], - "name": "Methods in Primate Conservation", - "description": "From fragments of ancient DNA discovered in the pigment of 50,000-year-old cave paintings, to the remains of Neanderthal bones buried in caves, the potential to extract DNA from ancient human remains has revolutionized the study of human prehistory and evolution. In this course we will focus on technological benchmarks that have allowed the interpretation of ancient genomes. Some highlights include evidence of ancient hominid-human mixing and the spread of farming and languages across the globe. " + "name": "Global Justice in Theory and Action", + "description": "Study of types of social norms and practices, and how to change them. Illustrated with development examples such as the end of footbinding, female genital cutting, urban violence in Colombia, Serbian student revolution, early marriage, and other adverse gender norms." }, - "ANBI\n\t\t\t\t 116": { + "POLI 111D": { "prerequisites": [], - "name": "Human Sexuality in an Evolutionary Perspective ", - "description": "Mobile tools are democratizing access to biomedicine in low resource areas of the world. This course highlights the impact of portable technologies on human biology through three modes of innovation: communication (e.g., sensors, cellphones), intervention (e.g., telemedicine, drones), and population analytics (e.g., metadata, epidemic tracking). " + "name": "Changing Harmful Social Norms", + "description": "An introduction to theories of political behavior developed with the assumptions and methods of economics. General emphasis will be upon theories linking individual behavior to institutional patterns. Specific topics to be covered will include collective action, leadership, voting, and bargaining. " }, - "ANBI 117": { + "POLI 112A": { "prerequisites": [], - "name": "Ancient Genomics: Who We Are and How We Got Here", - "description": "All human endeavors are subject to human biases. We\u2019ll cover several issues that are subject to such biases: \u201crace\u201d concept; transfer of human remains to Native American tribal members; nonhuman primate testing; and use of human materials, including cell lines. " + "name": "Economic Theories of Political Behavior", + "description": "The course explores the modes of political thinking found in arts, especially in drama and literature. It may include ends and means, political leadership, and political economy. Students may not receive credit for both POLI 112CS and POLI 112C. " }, - "ANBI 118": { + "POLI 112C": { "prerequisites": [], - "name": "Technology on the Go: Mobile Tools for Human Biology", - "description": "Biological and health consequences of racial and social inequalities. Psychosocial stress and measurement of health impact. Effects on disease and precursors to disease, including measures of molecular biology (e.g., epigenetics, gene expression), and biomarkers of inflammation, cardiometabolic health, and immune function. " + "name": "Political Theory and Artistic Vision", + "description": "This course examines the major traditions of East Asian thought in comparative perspective. Topics include Confucianism, Taoism, Buddhism, and contemporary nationalist and East Asian political thought. Throughout, focused comparisons and contrasts will be made between western and eastern thought. " }, - "ANBI 120": { + "POLI 113A": { "prerequisites": [], - "name": "Ethical Dilemmas in Biological Anthropology ", - "description": "This course examines conceptions of race from both evolutionary and sociocultural perspectives. We will examine current patterns of human genetic variation and critically determine how these patterns map onto current and historic conceptions of race in the United States, and abroad. We will also explore the social construction of race throughout US history, the use of racial categories in biomedicine today, and consequences of racism and discrimination on health. " + "name": "East\n\t\t Asian Thought in Comparative Perspective", + "description": "Examines philosophical traditions of ancient and modern China and Japan, to understand how these have been reflected in Chinese and Japanese development. Course will be in English; however, students with Chinese or Japanese language skills will have opportunity to use these. Graduate students will be required to complete a seminar-length research paper; undergraduate students will write a paper. ** Upper-division standing required ** " }, - "ANBI 121": { + "POLI 113B": { "prerequisites": [], - "name": "The Original Moonshot: The Voyaging Achievements of the Polynesian Ancestors", - "description": "Interdisciplinary discussion of the human predicament, biodiversity crisis, and importance of biological conservation. Examines issues from biological, cultural, historical, economic, social, political, and ethical perspectives emphasizing new approaches and new techniques for safeguarding the future of humans and other biosphere inhabitants. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Chinese and Japanese Political Thought I", + "description": "A continuation of 113B, which follows political philosophical themes in China and Japan through the twentieth century. Important topics include Buddhism and Confucianism as they changed in each context in response to internal and external stimuli. " }, - "ANBI 130": { + "POLI 113C": { "prerequisites": [], - "name": "Biology of Inequality", - "description": "The great apes are our closest living relatives and their ecology and evolution provide insights for human evolutionary history and perhaps ideas about how to coexist with them. The course examines the natural history, behavior, ecology, and life history of each of the great apes including orangutans, gorillas, bonobos, and chimpanzees. We will also consider conservation issues facing wild great apes, the welfare of apes in captivity, and ethical debates on ape \u201cpersonhood.\u201d " - }, - "ANBI 131": { - "prerequisites": [ - "BILD 1", - "and" - ], - "name": "Biology and Culture of Race", - "description": "This course explores how genetic data can be used to address core issues in human evolution. We will reconstruct population history and explore sources of human genetic diversity, such as migration and selection, based on studies of modern and ancient DNA. Through critical evaluation of recent publications, we will discuss the molecular evidence for the origin of modern humans, race, reconstruction of key human migrations, interactions with the environment, and implications for disease. May be coscheduled with ANTH 264. " + "name": "Chinese and Japanese Political Thought II", + "description": "An introduction to Marxist thought from its roots in the Western tradition through its development in non-Western contexts. Emphasis is placed on how adaptations were made in Marxism to accommodate the specific challenges of each environment. " }, - "ANBI\n\t\t\t\t 132": { + "POLI 114B": { "prerequisites": [], - "name": "Conservation and the Human Predicament", - "description": "This course provides hands-on experience with the latest molecular techniques as applied to questions of anthropological and human genetic interest. Students will isolate their own DNA and generate DNA sequence data. They will also measure and analyze the percent of DNA methylation at certain regions of their own genomes. We will also discuss measurement of other nongenetic biomarkers that can be incorporated into anthropological research of living populations, e.g., cortisol measures. " + "name": "Marxist Political Thought", + "description": "Our understanding of politics, power, conflict, and quality continue to be challenged and transformed by considering gender as it intersects with nationality, race, class, and ethnicity. We will consider the importance of gender in each of the subfields of political science. " }, - "ANBI 133": { + "POLI 115A": { "prerequisites": [], - "name": "Planet of the Apes: Evolution and Ecology of the Great Ape", - "description": "The human brain and the structural and functional adaptations it has undergone throughout primate evolution are responsible for the most defining characteristics of our species. This course familiarizes students with major brain structures and functions linked to human cognitive and behavioral specializations and examines the relationship between structural variation of the brain and behavior through comparative neuroanatomical studies in human neuropathologies. " + "name": "Gender and Politics", + "description": "Readings in historical and contemporary feminist theory; development of gender as a category of political analysis; alternative perspectives on core concepts and categories in feminist thought. " }, - "ANBI 134": { + "POLI 116A": { "prerequisites": [], - "name": "Human Evolutionary Genetics", - "description": "The course will explore the major epidemiological transitions from ape-like ancestors to foraging tribes, farmers, and pastoralists to the global metropolitan primate we now are. We will focus on how diseases have shaped humans and how humans have shaped disease. " + "name": "Feminist Theory", + "description": "(Same as SIO 109.) Climate change is an urgent global problem affecting the lives of hundreds of millions of people, now and for the foreseeable future. This course will empower students to confront climate change as critical actors to innovate creative cross-disciplinary solutions. Students may not receive credit for POLI 117 and SIO 109. " }, - "ANBI 135": { + "POLI 117": { "prerequisites": [], - "name": "Genetic Anthropology Lab Techniques", - "description": "Introduction to the organization of the brain of humans and apes. Overview of the theoretical perspectives on the evolution of the primate cortex and limbic system. Exposure to contemporary techniques applied to the comparative study of the hominoid brain. " + "name": "Bending the Curve: Solutions to Climate Change", + "description": "This course introduces students to game theory and its uses in political science. Topics covered include the concepts of Nash equilibrium, dominant strategies, subgame perfection and backwards induction, and the applications of those concepts to the study of voting, electoral competition, public goods provision, legislatures, and collective action. An emphasis is placed on developing students' analytical reasoning and problem-solving skills through weekly problem sets and in-class exercises. " }, - "ANBI 136": { + "POLI 118": { "prerequisites": [], - "name": "Human Comparative Neuroanatomy", - "description": "The genotype of our ancestors had no agriculture or animal domestication, or rudimentary technology. Our modern diet contributes to heart disease, cancers, and diabetes. This course will outline the natural diet of primates and compare it with early human diets. " + "name": "Game Theory in Political Science", + "description": "An undergraduate course designed to cover various aspects of political theory. May be repeated for credit two times, provided each course is a separate topic, for a maximum of twelve units." }, - "ANBI 139": { + "POLI 119A": { "prerequisites": [], - "name": "Evolution of Human Disease", - "description": "Learn the bones of your body; how bone pairs differ even within the body, between men, women, ethnic groups; and how nutrition and disease affect them. Course examines each bone and its relation with other bones and muscles that allow your movements. " + "name": "Special Topics in Political Theory", + "description": "An examination of various paths of European political development through consideration of the conflicts that shaped these political systems: the commercialization of agriculture; religion and the role of the church; the army and the state bureaucracy; and industrialization. Stress will be on alternative paradigms and on theorists. " }, - "ANBI 140": { + "POLI 120A": { "prerequisites": [], - "name": "The Evolution of the Human Brain", - "description": "This course will introduce students to the internal structure of the human body through dissection tutorials on CD-ROM. " + "name": "Political Development of Western Europe", + "description": "An analysis of the political system of the Federal Republic of Germany with an emphasis on the party system, elections, executive-legislative relations, and federalism. Comparisons will be made with other West European democracies and the Weimar Republic. " }, - "ANBI 141": { + "POLI 120B": { "prerequisites": [], - "name": "The Evolution of Human Diet", - "description": "How are skeletal remains used to reconstruct human livelihoods throughout prehistory? The effects of growth, use, and pathology on morphology and the ways that skeletal remains are understood and interpreted by contemporary schools of thought. Recommend related course in human anatomy. " + "name": "The German Political System", + "description": "This course will examine the consequences of social and economic change in France. Specific topics will include institutional development under a semi-presidential system, parties, and elections. " }, - "ANBI 143": { + "POLI 120C": { "prerequisites": [], - "name": "The Human Skeleton", - "description": "The stable isotopes of carbon, nitrogen, oxygen, and hydrogen in animal tissues, plant tissues, and soils indicate aspects of diet and ecology. The course will introduce students to this approach for reconstructing paleo-diet, paleo-ecology, and paleo-climate. " + "name": "Politics in France", + "description": "Consideration of political, economic, and security factors that have kept Germany at the center of European developments for more than a century. " }, - "ANBI 144": { + "POLI 120D": { "prerequisites": [], - "name": "Human Anatomy", - "description": "The course examines the evolution of primate behaviors (e.g., group formation, dispersal, parenting, coalition formation) from a comparative behavioral, ecological, and evolutionary perspective. Observational methodology and analytical methods will also be discussed. Attendance in lab sections is required. " + "name": "Germany: Before, During, and After Division", + "description": "Introduction to the politics and societies of the Scandinavian states (Denmark, Finland, Norway, and Sweden). Focuses on historical development, political culture, constitutional arrangements, political institutions, parties and interest groups, the Scandinavian welfare states, and foreign policy. " }, - "ANBI 145": { + "POLI 120E": { "prerequisites": [], - "name": "Bioarcheology", - "description": "This course is a seminar where we will discuss the latest scientific research in epigenetic mechanisms (changes to gene expression without changing underlying DNA sequences) and their role in regulating health and behavior of humans and other mammals in response to environmental stimuli. Our focus will be on publications related to social and behavioral epigenetics phenomena. Recommended preparation: students should have research experience in a molecular lab. ** Consent of instructor to enroll possible **" + "name": "Scandinavian Politics", + "description": "Emphasis will be placed on the interaction between British political institutions and processes and contemporary policy problems: the economy, social policy, foreign affairs. The course assumes no prior knowledge of British politics and comparisons with the United States will be drawn." }, - "ANBI 146": { + "POLI 120G": { "prerequisites": [], - "name": "Stable Isotopes in Ecology", - "description": "Attitudes toward other individuals (and species) are often shaped by their apparent \u201cintelligence.\u201d This course discusses the significance of brain size/complexity, I.Q. tests, communication in marine mammals and apes, complex behavioral tactics, and the evolution of intelligence. " + "name": "British Politics", + "description": "This course reviews the origins and development of the European Community/European Union and its institutions, theories of integration and the challenges inherent in the creation of a supranational political regime. " }, - "ANBI 148": { + "POLI 120H": { "prerequisites": [], - "name": "Not by Genes Alone: The Ecology and Evolution of Primate Behavior", - "description": "The last divide between humans and other animals is in the area of cognition. A comparative perspective to explore recent radical reinterpretations of the cognitive abilities of different primate species, including humans and their implications for the construction of evolutionary scenarios. " + "name": "European Integration", + "description": "This course will provide a comparative perspective on the development and functioning of the Italian political system. It includes analysis of political institutions, ideological traditions, parties and elections, political elites in the policy process, and the evolving importance of Italy within European integration. " }, - "ANBI 149": { + "POLI 120I": { "prerequisites": [], - "name": "Social and Behavioral Epigenetics", - "description": "Conservation on a human-dominated planet is a complex topic. Sometimes a picture is worth a thousand words. This course explores how films about conservation and the human predicament tackle current problems. What makes them effective and what makes them \u201cfail\u201d? We view one film a week and discuss it based on articles and books about that week\u2019s topic. " + "name": "Politics in Italy", + "description": "This course offers a systematic study of civil wars, electoral violence, anti-immigrant violence, genocides, coups, riots, and rebel groups in sub-Saharan Africa. It will explore why some regions experience certain types of violence and others do not. " }, - "ANBI 159": { + "POLI 120N": { "prerequisites": [], - "name": "Biological and Cultural Perspectives on Intelligence", - "description": "Models of human evolution combine science and myth. This course examines methods used in reconstructions of human evolution. Models such as \u201cman the hunter\u201d and \u201cwoman the gatherer\u201d are examined in light of underlying assumptions, and cultural ideals. " + "name": "Contention and Conflict in Africa", + "description": "This course examines reasons why we can be cautiously optimistic about development, growth, peace and democratization in Africa. Sample cases include Botswana\u2019s resource blessing, postconflict reconstruction in Uganda, and democratization in Ghana, Benin, and Niger." }, - "ANBI 173": { + "POLI 120P": { "prerequisites": [], - "name": "How Monkeys See the World ", - "description": "(Cross-listed with GLBH 101.) Examines aging as process of human development, from local and global perspectives. Focuses on the interrelationships of social, cultural, psychological, and health factors that shape the experience and well-being of aging populations. Students explore the challenges and wisdom of aging. Students may not receive credit for GLBH 101 and ANSC 101. " + "name": "Africa\u2019s Success Stories", + "description": "This course introduces students to the comparative study of ethnic politics. It examines the relationships between ethnicity on one hand, and mobilization, political contestation, violence, trust, and pork on the other. It draws from analysis from a variety of contexts and regions, such as sub-Saharan Africa, Eastern Europe, North America, South Asia, and Western Europe. " }, - "ANBI 174": { + "POLI 120Q": { "prerequisites": [], - "name": "Conservation and the Media: Film Lab", - "description": "This course puts the perennial hot-button topic of the border into historical and anthropological perspective, unpacking its importance for both Mexico and the United States. After establishing its implications since 1848 for national identities, flows of labor and capital, and state consolidation, we will explore a series of contemporary topics including tourism and cross-border consumption, violence and illegal traffic, border enforcement technologies, migration and asylum, and more. " + "name": "Ethnic Politics ", + "description": "This course examines general themes affecting the region (social structure and regime type, religion and modernization, bonds and tensions), the character of major states, and efforts to resolve the conflict between Israel and its Arab and Islamic neighbors. " }, - "ANBI 175": { + "POLI 121": { "prerequisites": [], - "name": "Paleofantasy: The Evidence for Our Early Ancestors", - "description": "(Cross-listed with GLBH 105.) Why is there variation of health outcomes across the world? We will discuss health and illness in context of culture and address concerns in cross-national health variations by comparing healthcare systems in developed, underdeveloped, and developing countries. In addition, we\u2019ll study the role of socioeconomic and political change in determining health outcomes and examine social health determinants in contemporary global health problems: multidrug resistance to antibiotics, gender violence, human trafficking, etc. Students may receive credit for one of the following: ANSC 105GS, ANSC 105S, ANSC 105, or GLBH 105. ** Consent of instructor to enroll possible **" + "name": "Government and Politics of the Middle East", + "description": "An interdisciplinary study of Israel as both a unique and yet a common example of a modern democratic nation-state. We will examine Israel\u2019s history, its political, economic, and legal systems, social structure and multicultural tensions, the relation between state and religion, national security, and international relations. " }, - "ANSC 100": { + "POLI 121B": { "prerequisites": [], - "name": "Special Topics in Sociocultural Anthropology", - "description": "Why is there variation of health outcomes across the world? We will discuss health and illness in context of culture and address concerns in cross-national health variations by comparing health-care systems in developed, underdeveloped, and developing countries. In addition, we\u2019ll study the role of socioeconomic and political change in determining health outcomes, and examine social health determinants in contemporary global health problems\u2014multidrug resistance to antibiotics, gender violence, human trafficking, etc. Students may receive credit for one of the following: ANSC 105GS, ANSC 105S, ANSC 105, or GLBH 105. Program or materials fees may apply. Students must apply at http://globalseminars.ucsd.edu." + "name": "Politics in Israel", + "description": "What do we mean by \u201cinternational\n human rights\u201d?\n Are they universal? This course examines human rights abuse\n and redress over time, and across different regions of the\n world. From this empirically grounded perspective, we\n critically evaluate contemporary human rights debates. " }, - "ANSC 101": { + "POLI 122": { "prerequisites": [], - "name": "Aging: Culture and Health in Late Life Human Development", - "description": "Why is there variation of health outcomes across the world? We will discuss health and illness in context of culture and address concerns in cross-national health variations by comparing healthcare systems in developed, underdeveloped, and developing countries. In addition, we\u2019ll study the role of socioeconomic and political change in determining health outcomes, and examine social health determinants in contemporary global health problems: multidrug resistance to antibiotics, gender violence, and human trafficking, etc. Students must apply to the Study Abroad Program online at http://anthro.ucsd.edu. Program or materials fees may apply. Students may receive credit for one of the following: ANSC 105GS, ANSC 105S, ANSC 105, or GLBH 105." + "name": "Politics of Human Rights", + "description": "Power, a crucial part of politics, can be, and often is, abused. This course discusses the nature of power and surveys a variety of abuses, including agenda manipulation, rent extraction, fraud, extortion, corruption, exploitation, and gross political oppression. " }, - "ANSC 104": { + "POLI 122D": { "prerequisites": [], - "name": "The US-Mexico Border", - "description": "Drawing on medical anthropology ethnography, students will explore a variety of forms of healing among rural and urban indigenous communities. A particular focus on intercultural health will allow the students to analyze contemporary medical landscapes where patients encounter indigenous and Western medicine. Students will learn about the complexities of urban and rural indigenous healing settings and their sociopolitical significance in contexts of state biomedical interventions. Students may not receive credit for ANSC 106 and ANSC 106S. Freshmen and sophomores cannot enroll without consent of the instructor. ** Consent of instructor to enroll possible **" + "name": "Abuse of Power", + "description": "In between \u201crises\u201d and \u201cdeclines,\u201d empires are political entities with highly heterogeneous populations that must be governed. The course examines the similarities and differences in imperial governance, comparing the internal and external political dynamics of traditional (Roman, Ottoman), modernizing (Habsburg), and modern (British) empires. " }, - "ANSC 105": { + "POLI 123": { "prerequisites": [], - "name": "Global Health and Inequality", - "description": "Drawing on medical anthropology ethnography, students will explore a variety of forms of healing among rural and urban indigenous communities. A particular focus on intercultural health will allow the students to analyze contemporary medical landscapes where patients encounter indigenous and Western medicine. Students will learn about the complexities of urban and rural indigenous healing settings and their sociopolitical significance in contexts of state biomedical interventions. Students may not receive credit for ANSC 106 and ANSC 106S. Students must apply to the Study Abroad UC San Diego program online at http://anthro.ucsd.edu." + "name": "Politics of Empire in Comparative Perspective", + "description": "(Same as SOCI 188I.) In this course, we will examine the national and colonial dimensions of this long-lasting conflict and then turn our attention to the legal, governmental/political, and everyday aspects of the Israeli occupation of the West Bank and Gaza following the 1967 war. " }, - "ANSC 105GS": { + "POLI 124": { "prerequisites": [], - "name": "Global Health and Inequality", - "description": "This course examines societies and cultures of the Caribbean in anthropological and historical perspective. Topics include slavery, emancipation, indentureship, kinship, race, ethnicity, class, gender, politics, food, religion, music, festivals, popular culture, migration, globalization, and tourism. " + "name": "Israeli-Palestinian Conflict", + "description": "A comparative survey of the major dimensions of the electoral systems used in contemporary democracies (including plurality and majority systems, proportional representation, and districting methods) and of their effects on party competition." }, - "ANSC 105S": { + "POLI 124A": { "prerequisites": [], - "name": "Global Health and Inequality\u2014Study Abroad", - "description": "This course will provide an anthropological perspective on Chinese culture in Taiwan from its earliest settlement to the present, including distinctive Taiwanese variants of traditional Chinese marriage and family life, institutions, festivals, agricultural practices, etc. " + "name": "Political Consequences of Electoral Systems", + "description": "What have been the effects of globalization on gender, and how has gender shaped conceptions and processes of globalization? Through case studies drawn from the global north and south, this course critically assesses contemporary theoretical debates on global gender justice." }, - "ANSC 106": { + "POLI 125": { "prerequisites": [], - "name": "Global Health: Indigenous Medicines in Latin America", - "description": "Young people draw on language as well as clothing and music to display identities in contemporary societies. We examine the relation of language to race, class, gender, and ethnicity in youth identity construction, especially in multilingual and multiracial societies. " + "name": "Gender, Politics, and Globalization", + "description": "A popular new idea in environmental protection is to include local communities in conservation efforts. But what are these communities? What challenges do they face in governing their own resources? This course uses both theory and case studies to explore the political economy of community-based conservations. " }, - "ANSC 106S": { + "POLI 125A": { "prerequisites": [], - "name": "Global Health: Indigenous Medicines in Latin America\u2014Study Abroad", - "description": "This course explores the diverse food cultures of South Asia, focusing on the ways food, spices, and beverages shape identity, social relations, and cultural heritage. It will place food practices in the context of food security, sustainability, inequality, nutrition, family, and kinship. Students develop projects focused on understanding the cultural and historical significance of a particular food dish or regional culinary tradition. " + "name": "Communities and the Environment", + "description": "This course explores emerging issues in production and consumption of food in a global economy. On production side, we discuss issues such as famine, overproduction of commercial crops, and sustainability. On consumption side, we explore issues such as fair trade, ethical consumption, and public health consequences (such as obesity).\u00a0Then we discuss the roles of governments, international organizations, and communities to address these issues." }, - "ANSC 110": { + "POLI 125B": { "prerequisites": [], - "name": "Societies and Cultures of the Caribbean", - "description": "An introduction to the languages and cultures of speakers of the Mayan family of languages, with emphasis on linguistic structures, ethnography, and the social history of the region. The course will concentrate on linguistic and ethnographic literature of a single language or subbranch, emphasizing commonalities with the family and region as a whole. " + "name": "The Politics of Food in a Global Economy", + "description": "Conservation in developing countries concerns resources that are extremely important to policymakers, militaries, environmental organizations, communities, and individuals. This course examines these groups' struggle for control over wildlife and forests\u2014from the capital to the village\u2014on several continents. " }, - "ANSC 111": { + "POLI 125E": { "prerequisites": [], - "name": "The Chinese Heritage in Taiwan", - "description": "This course contrasts mainstream Anglo-American conceptualizations of transgenderism with ethnographic accounts of the experiences and practices of gender expansive people of color (African, Native, Asian/Pacific Islander, and Latinx Americans) in the U.S. and abroad. It will question the idea of transgenderism as a crossing from one gender to another one, the distinction between gender identity and sexuality, and the analytic of intersectionality. Students will not receive credit for both CGS 117 and ANSC 117. " + "name": "The Politics of Conservation in Developing Countries", + "description": "Why are some countries rich and others poor? This course examines how political and economic factors shape development trajectories, focusing on Africa, Asia, and Latin America. Topics include the impact of democracy, corruption, oil, and foreign aid on economic development. " }, - "ANSC 113": { - "prerequisites": [], - "name": "Language, Style, and Youth Identities", - "description": "An introduction to the study of cultural patterns of thought, action, and expression, in relation to language. We consider comparatively semiotics and structuralism, cognition and categorization, universals versus particulars, ideologies of stasis and change, cultural reconstruction, and ethnopoetics. " + "POLI 126": { + "prerequisites": [ + "POLI 11" + ], + "name": "Political Economy of Development", + "description": "This course explores how economic factors affect political institutions and how political action affects economic behavior in the United States and Western Europe. Particular attention is given to relations between business and labor, economic policy choices, and the impact of international trade. ** Consent of instructor to enroll possible **" }, - "ANSC 114": { + "POLI 126AA": { "prerequisites": [], - "name": "Food Cultures of South Asia", - "description": "The course is an introduction to a flourishing area of research that connects linguistic communication to alternate and complementary modalities\u2014manual gesticulation, the face, the body, and aspects of the \u201clived environment\u201d (spaces, tools, artifacts). Credit not allowed for both ANSC 119GS and ANSC 119. " + "name": "Fundamentals\n\t\t of Political Economy: Modern Capitalism", + "description": "This course explores the interrelationship of politics and economics in Eastern Europe, analyzing the historic evolution of the area, the socialist period, and contemporary political and economic change there. " }, - "ANSC 116": { + "POLI 126AB": { "prerequisites": [], - "name": "Languages of the Americas: Mayan", - "description": "A critical examination of research connecting language to alternate complementary modalities\u2014the hands, face, body, and aspects of \u201clived environments\u201d (spaces, tools, artifacts). Program or materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Politics and Economics in Eastern Europe", + "description": "This course critically examines central concepts and theories of development, and assesses their utility in understanding political, economic, and social change in the developing world. Central case studies are drawn from three regions: Latin America, Sub-Saharan Africa, and Southeast Asia. " }, - "ANSC 117": { + "POLI 127": { "prerequisites": [], - "name": "Transgenderisms", - "description": "Explores religious life in various cultures. Topics addressed include the problem of religious meaning, psychocultural aspects of religious experience, religious conversion and revitalization, contrasts between traditional and world religions, religion and social change. " + "name": "Politics of Developing Countries", + "description": "This course considers the interplay between factor endowments, political institutions, and economic performance. It focuses on the connection between representative political institutions and the emergence and expansion of markets." }, - "ANSC 118": { + "POLI 128": { "prerequisites": [], - "name": "Language and Culture", - "description": "Interrelationships of aspects of individual personality and various aspects of sociocultural systems are considered. Relations of sociocultural contexts to motives, values, cognition, personal adjustment, stress and pathology, and qualities of personal experience are emphasized. " + "name": "Autocracy, Democracy, and Prosperity", + "description": "Examine the role of elections in new and fragile democracies, explore how politicians construct elections to suppress increased levels of democracy, the techniques used to undermine free and fair elections, and the strategic responses to these actions by domestic/international actors. " }, - "ANSC 119": { + "POLI 129": { "prerequisites": [], - "name": "Gesture,\n\t\t\t\t Communication, and the Body", - "description": "This course examines the role of communicative practices and language differences in organizing social life. Topics include social action through language; child language socialization; language and social identity (ethnicity, gender, class); interethnic communication; language ideologies; and language and power in social institutions and everyday life. " + "name": "How to Steal an Election", + "description": "An examination of the dynamics of the Russian Revolution from 1905 through the Stalinist period and recent years in light of theories of revolutionary change. Emphasis is placed on the significance of political thought, socioeconomic stratification, and culturo-historical conditions. " }, - "ANSC 119GS": { + "POLI 130AD": { "prerequisites": [], - "name": "\t\t\t\t Gesture, Communication, and the Body", - "description": "Humans are goal seekers, some with public goals. Course considers ways goals are pursued, which are desirable, and how this pursuit is carried out at the local level with attention to the parts played by legitimacy and coercion. " + "name": "The Politics of the Russian Revolution", + "description": "This course analyzes the political system of China since 1949, including political institutions, the policy-making process, and the relationship between politics and economics. The main focus is on the post-Mao era of reform beginning in 1978. " }, - "ANSC 120": { + "POLI 130B": { "prerequisites": [], - "name": "Anthropology of Religion", - "description": "This course introduces the concept of culture and the debates surrounding it. Cultural anthropology asks how people create meaning and order in society, how culture intersects with power, and how national and global forces impact local meanings and practices. " + "name": "Politics in the People\u2019s Republic of China", + "description": "The course gives an overview of Indian politics since 1947. It addresses the following: (1) To what extent is India a full-fledged democracy in which all citizens enjoy political equality? (2) Why has political violence occurred in some parts of India, and at certain times, but not others? (3) How well have the country's institutions fared in alleviating poverty? " }, - "ANSC 121": { + "POLI 130G": { "prerequisites": [], - "name": "Psychological Anthropology", - "description": "How are gender and sexuality shaped by cultural ideologies, social institutions, and social change? We explore their connections to such dimensions of society as kinship and family, the state, religion, and popular culture. We also examine alternative genders/sexualities cross-culturally. Students may not receive credit for ANSC 125 and ANSC 125GS. " + "name": "Politics of Modern India", + "description": "Is there a Muslim challenge to immigrant integration in Christian-heritage societies? This course asks if and why Muslim immigrants integrate into their host societies, and evaluates the various solutions put forth by politicians and scholars." }, - "ANSC 122": { + "POLI 131": { "prerequisites": [], - "name": "Language in Society", - "description": "How are gender and sexuality shaped by cultural ideologies, social institutions, and social change? We explore their connections to such dimensions of society as kinship and family, the state, religion, and popular culture. We also examine alternative genders/sexualities cross-culturally. Students may not receive credit for ANSC 125GS and ANSC 125. Program or materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Muslim Integration and Exclusion", + "description": "An analysis of the dynamics of the Chinese Revolution from the fall of the Qing Dynasty (1644\u20131911) to the present. Emphasis is placed on the relationship between political thought and the dynamics of the revolutionary process. " }, - "ANSC 123": { + "POLI 131C": { "prerequisites": [], - "name": "Political Anthropology", - "description": "This course examines the diversity of practices of child-rearing, socialization, and enculturation across cultures, and the role of culture in the development of personality, morality, spirituality, sexuality, emotion, and cognition. " + "name": "The Chinese Revolution", + "description": "Political development has dominated the study of comparative politics among US academicians since the revival of the Cold War in 1947. This course examines critically this paradigm and its Western philosophical roots in the context of the experience of modern China. " }, - "ANSC 124": { + "POLI 132": { "prerequisites": [], - "name": "Cultural Anthropology", - "description": "The course considers how social life is constituted and negotiated through language and interaction. How do people establish, maintain, and alter social relationships through face-to-face talk, and how do different modalities of interaction (including discourse and gesture) affect social life? ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Political Development and Modern China", + "description": "This course will analyze the political systems of modern Japan in comparative-historical perspective." }, - "ANSC 125": { + "POLI 133A": { "prerequisites": [], - "name": "Gender, Sexuality, and Society", - "description": "(Cross-listed with GLBH 129.) This course examines the nature of healing across cultures, with special emphasis on religious and ritual healing. Students may not receive credit for GLBH 129 and ANSC 129. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Japanese\n\t\t Politics: A Developmental Perspective", + "description": "This course discusses the following major topics in three East Asian countries (Japan, South Korea, and the Philippines) from a comparative perspective: (a) economic and political development; (b) political institutions; and (c) policies." }, - "ANSC 125GS": { + "POLI 133D": { "prerequisites": [], - "name": "Gender, Sexuality, and Society", - "description": "An anthropological introduction to Hinduism, focusing on basic religious concepts and practices. Topics include myth, ritual, and symbolism; forms of worship; gods and goddesses; the roles of priest and renouncer; pilgrimages and festivals; the life cycle; popular Hinduism, Tantrism. " + "name": "Political Institutions of East Asian Countries", + "description": "The relationship between the United States and Japan has been described as \u201cthe most important in the world, bar none.\u201d This course will examine US-Japan security and economic relations in the postwar period from the Occupation and Cold War alliance through the severe bilateral trade friction of the 1980s and 1990s to the present relationship and how it is being transformed by the forces of globalization, regionalization, and multilateralism. " }, - "ANSC 126": { + "POLI 133G": { "prerequisites": [], - "name": "Childhood and Adolescence", - "description": "Legal systems are central in (re)organizing social institutions, international arrangements, (in)equalities, and are an arena where linguistic practices predominate and define outcomes. With an anthropological approach to language, examine languages of the law, legal conceptions of language, and most importantly, the nature and structure of talk in a range of legal institutions and activities. Students will engage in direct anthropological fieldwork in local contexts involving the legal bureaucracy. " + "name": "Postwar US-Japan Relations", + "description": "This course is primarily about the politics and political economy of South Korea, but will also briefly look at politics and political economy of North Korea as well as foreign and unification policies of the two Koreas. " }, - "ANSC 127": { - "prerequisites": [], - "name": "Discourse, Interaction, and Social Life", - "description": "What is love? This course explores evolutionary, historical, philosophical, physiological, psychological, sociological, political-economic, and anthropological perspectives on love. We examine how love has evolved, study various aspects considered biological or cultural, and address contemporary debates around the nature and uses of love, including topics such as monogamy, arranged marriage, companionship, interracial relationships, and online dating. " + "POLI 133J": { + "prerequisites": [ + "POLI 11" + ], + "name": "Korean Politics", + "description": "Comparative analysis of contemporary political systems and developmental profiles of selected Latin American countries, with special reference to the ways in which revolutionary and counter-revolutionary movements have affected the political, economic, and social structures observable in these countries today. Analyzes the performance of \u201crevolutionary\u201d governments in dealing with problems of domestic political management, reducing external economic dependency, redistributing wealth, creating employment, and extending social services. Introduction to general theoretical works on Latin American politics and development. ** Consent of instructor to enroll possible **" }, - "ANSC 129": { + "POLI 134AA": { "prerequisites": [], - "name": "Meaning and Healing", - "description": "This course explores the living structures, family and gender relations, economy, and religion in the Middle East. We will especially focus on how people come to terms with recent transformations such as nationalism, literacy, globalism, and Islamism. " + "name": "Comparative Politics of Latin America", + "description": "General survey of the Mexican political system as it operates today. Emphasis on factors promoting the breakdown of Mexico\u2019s authoritarian regime and the transition to a more democratic political system. Changing relationship between the state and various segments of Mexico society (economic elites, peasants, urban labor, and the Church). New patterns of civil-military relations. " }, - "ANSC 130": { + "POLI 134B": { "prerequisites": [], - "name": "Hinduism", - "description": "Indigenous peoples in the Americas have long been dominated and exploited. They have also resisted and reworked the powerful forces affecting them. This course will trace this centuries-long contestation, focusing on ways anthropological representations have affected those struggles. " + "name": "Politics in Mexico", + "description": "A comparative analysis of contemporary political issues in Latin America. Material to be drawn from two or three countries. Among the topics: development, nationalism, neoimperialism, political change. May be taken for credit two times. " }, - "ANSC 131": { + "POLI 134D": { "prerequisites": [], - "name": "Language, Law, and Social Justice ", - "description": "Course examines major institutions and culture patterns of traditional China, especially as studied through ethnographic sources. Topics include familism, religion, agriculture, social mobility, and personality. " + "name": "Selected Topics in Latin American Politics", + "description": "This course is a comparative analysis of twentieth-century political developments and issues in the southern cone of Latin America: Argentina, Chile, and Uruguay. The course will also examine the social and economic content and results of contrasting political experiments. " }, - "ANSC 132": { + "POLI 134I": { "prerequisites": [], - "name": "Sex and Love", - "description": "The religious world of ordinary precommunist times, with some reference to major Chinese religious traditions. Recommended preparation: background in premodern Chinese history. " + "name": "Politics\n\t\t in the Southern Cone of Latin America", + "description": "Students will study the origins and direction of the Cuban revolution and the actions and personality of Castro. Additional topics will include the Cuban economy today, Cuban political organizations and public opinion, important social issues including health care and public education, and Cuban foreign policy and relations between the U.S. and Cuba. The class will instruct students on Cuban contemporary social media and conclude with an examination of alternative scenarios for Cuba's future. " }, - "ANSC 133": { + "POLI 134J": { "prerequisites": [], - "name": "Peoples and Cultures of the Middle East", - "description": "Explores anthropological approaches to finding solutions to human problems. Using cultural analysis and ethnographic approaches, students conduct supervised field projects to assess real-world problems and then design, evaluate, and communicate possible solutions. " + "name": "Cuba: Revolution and Reform", + "description": "This course is designed to expose students to the study of LGBT politics, focusing specifically on the formation of LGBT movements, the presence (or absence) of political opportunities to advance their desired goals, as well as their political success (or lack thereof). Although the course will initially examine the US LGBT movement, the course will also examine the formation (and political success/failure) of LGBT movements in other democratic political systems. " }, - "ANSC 135": { + "POLI 135": { "prerequisites": [], - "name": "Indigenous Peoples of Latin America", - "description": "(Cross-listed with GLBH 139.) This course examines fact and fiction with respect to epidemics of contagious diseases including smallpox and tuberculosis, alcohol and drug dependency, diabetes and obesity, depression and suicide. We analyze health care with respect to the history and development of the Indian Health Service, health care efforts by Christian missionaries, tribal-led health initiatives, indigenous spiritual healing, and collaborations between indigenous healers and biomedical professionals. Students may not receive credit for ANSC 139 and GLBH 139. ANSC 139/GLBH 139 may be coscheduled with ANTH 237/GLBH 245. " + "name": "Comparative LGBT Politics", + "description": "The political impact of major religious traditions\u2014including Christianity, Islam, Hinduism, and Confucianism\u2014around the world. " }, - "ANSC 136": { + "POLI 136": { "prerequisites": [], - "name": "Traditional Chinese Society", - "description": "Interdisciplinary discussion that outlines the structure and functioning of the contemporary human rights regime, and then delves into the relationship between selected human rights protections\u2014against genocide, torture, enslavement, political persecution, etc.\u2014and their violation, from the early Cold War to the present. Students may not receive credit for both ANSC 140 and HMNR 101. " + "name": "Religion and Politics", + "description": "An examination of nationalist politics as practiced by opposition movements and governments in power. Appropriate case studies from around the world will be selected. " }, - "ANSC 137": { + "POLI 136A": { "prerequisites": [], - "name": "Chinese Popular Religion", - "description": "This course explores the interrelationships of language, politics, and identity in the United States: the ways that language mediates politics and identity, the ways that the connection between identity and language is inherently political, and the ways that political language inevitably draws on identity in both subtle and explicit ways. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Nationalism and Politics", + "description": "Sports analytics is a fast-growing field. It uses data and statistical methods to measure performance in competitive sports. The approach's popularity has generated a wealth of data that can be used to shed light on social science questions in interesting ways. We will focus on topics such as violent behavior, discrimination, cultural/ethnic diversity, corruption, and cognitive biases using examples from baseball, basketball, figure skating, football, hockey, soccer, and sumo wrestling. " }, - "ANSC 138": { + "POLI 137": { "prerequisites": [], - "name": "The Cultural Design Practicum: Using Anthropology to Solve Human Problems", - "description": "This course will examine the overarching legacies of colonialism, the persistence of indigenous peoples and cultures, the importance of class and land reform, the effects of neoliberalism, and citizens\u2019 efforts to promote social change in contemporary democracies. " + "name": "A Sports Analytics Approach to the Social Sciences", + "description": "This course serves as an introduction to the comparative study of political parties and interest groups as well as an analytical introduction to parties, interest groups, and their role in democratic representation. " }, - "ANSC 139": { + "POLI 137A": { "prerequisites": [], - "name": "Native American Health and Healing", - "description": "(Cross-listed with GLBH 143.) Why is mental health a global concern? This anthropological course reviews globalization, culture, and mental health. We examine issues of social suffering, stigma, and economic burden associated with mental illness, gender inequality, political violence, \u201cglobal security,\u201d pharmaceutical and illegal drugs. May be coscheduled with ANTH 243. Students may not receive credit for both ANSC 143 and GLBH 143. " + "name": "Comparative Political Parties and Interest Groups", + "description": "An undergraduate course designed to cover various aspects of comparative politics. May be repeated for credit three times, provided each course is a separate topic, for a maximum of twelve units." }, - "ANSC 140": { + "POLI 138D": { "prerequisites": [], - "name": "Human Rights II: Contemporary Issues", - "description": "Examines physical and mental health sequalae of internal and transnational movement of individuals and populations due to warfare, political violence, natural disaster, religious persecution, poverty and struggle for economic survival, and social suffering of communities abandoned by migrants and refugees. May be coscheduled with ANTH 238. " + "name": "Special Topics in Comparative Politics", + "description": "International law is central to the efforts to create a world order to limit armed conflict, regulate world economy, and set minimum standards for human rights. This course introduces international law and explains theories advanced by academic analysts and practitioners to explain its role. " }, - "ANSC 141": { + "POLI 140A": { "prerequisites": [], - "name": "Language, Politics, and Identity", - "description": "This course addresses: 1) Diversity among traditional Native American cultures with respect to social organization, religion, environmental adaptation, subsistence, and reaction to colonial conquest and domination; and, 2) Contemporary social issues including tribal sovereignty, religious freedom, health, education, gambling, and repatriation of artifacts/remains. " + "name": "International Law", + "description": "Introduction to the analytical and comparative study of revolutionary movements and related forms of political violence. Topics include the classical paradigm, types of revolutionary episodes, psychological theories, ideology and belief systems, coups, insurgencies, civil wars, and terrorism and revolutionary outcomes. " }, - "ANSC 142": { + "POLI 140B": { "prerequisites": [], - "name": "Anthropology of Latin America", - "description": "(Cross-listed with GLBH 146.) HIV is a paradigmatic disease: globally and locally patterned, biologically and socially constructed, involving science and social change. Cases from the Americas, Africa, and Asia examine how HIV necessitated new practices in policy, research, prevention, treatment, and activism. Health disparities, social inequalities, and stigma associated with the populations that have been most affected, community responses, and their political contexts are highlighted. Students may not receive credit for ANSC 146 and GLBH 146. " + "name": "Concepts and Aspects of Revolution", + "description": "A survey of international peacekeeping and peace enforcement in civil conflicts with a simulation of international diplomacy. " }, - "ANSC 143": { + "POLI 140C": { "prerequisites": [], - "name": "Mental Health as Global Health Priority", - "description": "(Cross-listed with GLBH 147.) Examines interactions of culture, health, and environment. Rural and urban human ecologies, their energy foundations, sociocultural systems, and characteristic health and environmental problems are explored. The role of culture and human values in designing solutions will be investigated. Students may not receive credit for GLBH 147 and ANSC 147. " + "name": "International Crisis Diplomacy", + "description": "International migration creates a distinct set of human rights challenges. This course examines the conflict between international legal obligations and domestic politics of citizenship, human rights, asylum, and human trafficking. " }, - "ANSC 144": { - "prerequisites": [], - "name": "Immigrant and Refugee Health", - "description": "(Cross-listed with GLBH 148.) Introduction to global health from the perspective of medical anthropology on disease and illness, cultural conceptions of health, doctor-patient interaction, illness experience, medical science and technology, mental health, infectious disease, and health-care inequalities by ethnicity, gender, and socioeconomic status. May be coscheduled with ANTH 248. Students may not receive credit for GLBH 148 and ANSC 148. " + "POLI 140D": { + "prerequisites": [ + "POLI 12" + ], + "name": "International Human Rights Law: Migrant Populations", + "description": "United States foreign policy from the colonial period to the present era. Systematic analysis of competing explanations for US policies\u2014strategic interests, economic requirements, or the vicissitudes of domestic politics. Interaction between the U.S., foreign states (particularly allies), and transnational actors are examined. ** Consent of instructor to enroll possible **" }, - "ANSC 145": { + "POLI 142A": { "prerequisites": [], - "name": "Indigenous Peoples of North America", - "description": "Mitigating the effects of conflict and inequality is a major priority for global health practitioners. This course explores the ways that conflict and structural inequalities deeply affect people\u2019s mental and physical health and how they cope and survive in these conditions. We know that the effects of violence and war do not just disappear after the fact but linger for a long time. How do we know how and when a person\u2019s health is restored after massive disruptions? " + "name": "United States Foreign Policy", + "description": "This course provides an overview of the challenges posed by chemical, biological, radiological, and nuclear weapons. Students will learn about how these weapons work, why states seek them, and attempts to prevent proliferation. We will delve into technical and policy challenges related to these weapons, and address how CBRN weapons shape national and regional security dynamics. Efforts to restrict the proliferation of these weapons will be discussed. We will also analyze CBRN terrorism. " }, - "ANSC 146": { + "POLI 142D": { "prerequisites": [], - "name": "A Global Health Perspective on HIV", - "description": "(Cross-listed with GLBH 150.) This course reviews mental health cross-culturally and transnationally. Issues examined are cultural shaping of the interpretation, experience, symptoms, treatment, course, and recovery of mental illness. World Health Organization findings of better outcome in non-European and North American countries are explored. Students may not receive credit for GLBH 150 and ANSC 150. " + "name": "Weapons of Mass Destruction", + "description": "A survey of theories of defense policies and international security. " }, - "ANSC 147": { + "POLI 142I": { "prerequisites": [], - "name": "Global Health and the Environment", - "description": "This course examines ethnographies of the US-Mexican borderlands to understand how the binational relationship shapes social life on both sides of the border. Topics discussed will include the maquiladora industry, drug trafficking, militarization, migration, tourism, missionary work, femicide, and prostitution. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "National and International Security", + "description": "A survey of American strategies for national defense. Topics may include deterrence, coercive diplomacy, limited war, and unconventional warfare. " }, - "ANSC 148": { + "POLI 142J": { "prerequisites": [], - "name": "Global Health and Cultural Diversity", - "description": "Violence seems ubiquitous in our world, whether it results from natural disasters, wars, accidents, or interpersonal conflict. Experts agree that violence does not simply disappear after the fact, but it stays for a long time. In this course, we will explore militarism, war, and empire, and look at what anthropologists call \u201cstructural violence.\u201d " + "name": "National Security Strategy", + "description": "This course offers an exploration of general theories of the origins of warfare; the impact of the state on war in the modern world; and the microfoundations of combat and compliance in the context of the costs of war and military mobilization. The course should be of special interest to students in international relations and comparative politics. " }, - "ANSC 149": { + "POLI 142K": { "prerequisites": [], - "name": "Conflict, Health, and Inequality", - "description": "This course explores the intersections of religion and gender. Focusing on modern Islam, Christianity, and Judaism, we will address such questions as: How and why are gender and sexuality significant in the context of religious beliefs and practices? Why do religions place so much emphasis on defining proper gender roles for women and men? How do nonheterosexual people of faith grapple with religious ideologies that reject LGBTQ ways of life? " - }, - "ANSC 150": { - "prerequisites": [ - "ANTH 101", - "and" - ], - "name": "Culture and Mental Health", - "description": "This course examines the intended and unintended consequences of humanitarian aid. How do organizations negotiate principles of equality with the reality of limited resources? What role does medicine play in aid efforts? In spaces where multiple vulnerabilities coexist, how do we decide whom we should help first? While the need for aid, charity, and giving in the face of suffering is often taken as a commonsensical good, this course reveals the complexities underpinning humanitarian aid. " + "name": "Politics and Warfare", + "description": "\u201cTerrorism\u201d uses \u201cillegitimate\u201d violence to achieve political goals. This course uses philosophical, historical, and contemporary material from distinct cultures to understand which actions are defined as \u201cterrorist,\u201d who uses them, why, and when, as well as the determinants of their effectiveness. " }, - "ANSC 151": { + "POLI 142L": { "prerequisites": [], - "name": "US-Mexico Border Ethnographies", - "description": "This course examines historical and cultural dimensions of madness as depicted in iconic and popular films such as \u201cOne Flew Over the Cuckoo\u2019s Nest,\u201d \u201cGirl Interrupted,\u201d \u201cSilver Linings Playbook,\u201d along with ethnographic and artistic films that utilize anthropological approaches. " + "name": "Insurgency and Terrorism", + "description": "Lectures and readings examine US foreign policy in Europe, Latin America, and East Asia with attention to current problems with specific nations (e.g., Bosnia) and issues (e.g., terrorism). This course integrates historical, comparative, and foreign perspectives on regional security dynamics. " }, - "ANSC 153": { + "POLI 142M": { "prerequisites": [], - "name": "War in Lived Experience", - "description": "Starting at the crisis of 2008, but with beginnings in the early 1980s, the theme of this course is the dynamic mechanisms that lead to crisis, systemic and otherwise. It will deal with historical and archaeological discussions of particular cases of breakdowns, collapses, and transformations. It also deals extensively with crisis misrecognition and its causes from moral dramas, witchcraft epidemics, intimate violence, overt conflict, ethnicity, etc. " + "name": "US Foreign Policy/Regional Security", + "description": "An introduction to analytic techniques for assessing policy options in the field of national security. " }, - "ANSC 154": { + "POLI 142N": { "prerequisites": [], - "name": "Gender and Religion", - "description": "What can we learn by looking at a society\u2019s ideas about marriage, intimate relationships, and family? Why do these \u201cprivate\u201d institutions draw so much public scrutiny and debate? How are they linked to concepts of national progress, individualism, religion, status, or morality? We will explore these questions in Western and non-Western contexts through such topics as polygamy, same-sex marriage, transnational marriage, and the global impact of Western ideas of love and companionate marriage. " + "name": "American Defense Policy", + "description": "This course examines the most critical areas in contemporary world politics. While the emphasis will be placed on American involvement in each crisis, an effort will be made to acquaint the student with its historical and political background. " }, - "ANSC 155": { + "POLI 142P": { "prerequisites": [], - "name": "Humanitarian Aid: What Is It Good For?", - "description": "Course examines theories concerning the relation of nature and culture. Particular attention is paid to explanations of differing ways cultures conceptualize nature. Along with examples from non-Western societies, the course examines the Western environmental ideas embedded in contemporary environmentalism. " + "name": "Crisis Areas in World Politics", + "description": "This course explores the way in which the international rivalry between the Soviet Union and the United States affected relationships between the two powers, their allies, the Third World, and above all, their internal domestic affairs and development." }, - "ANSC 156": { + "POLI 142Q": { "prerequisites": [], - "name": "Mad Films: Cultural Studies of Mental Illness in Cinema", - "description": "This course explores social and cultural processes that shape life in California. Topics include health, technologies, climate change, cultural geography, immigration, social relations, and cultural identity. Students use the research methods and perspectives of anthropology to develop their own projects under supervision. " + "name": "Cold War", + "description": "How has warfighting evolved over the centuries? How has it varied across cultures? What has war been like for soldiers and civilians? How do societies mobilize for war, and how do they change in the short and long term from fighting? " }, - "ANSC 158": { + "POLI 143A": { "prerequisites": [], - "name": "Comparative Anthropology of Crisis", - "description": "This course examines the use of language difference in negotiating identity in bilingual and bidialectal communities, and in structuring interethnic relations. It addresses social tensions around language variation and the social significance of language choices in several societies. " + "name": "War and Society", + "description": "This course serves as an introduction to the study of international political economy. We will examine the evolution of international economic relations in trade, finance, and economic development and discuss different explanations for its likely causes and consequences.\u00a0 " }, - "ANSC 159": { - "prerequisites": [], - "name": "The Anthropology of Marriage", - "description": "This course explores contemporary cultural life in South Asia by examining selected works of literature, film, and ethnography. " - }, - "ANSC\n\t\t 160": { - "prerequisites": [], - "name": "Nature, Culture, and Environmentalism", - "description": "Explores films from China, India, Japan and other Asian countries. Popular, documentary, and ethnographic films are examined for what they reveal about family life, gender, politics, religion, social change and everyday experience in South Asia. " - }, - "ANSC 161": { - "prerequisites": [], - "name": "California: Undergraduate Research Seminar", - "description": "This course explores experiences of the human life cycle\u2014birth, death, love, family relations, coming of age, suffering, the quest for identity, the need for meaning\u2014from diverse cultural perspectives. Examines anthropological thought concerning what it means to be human. " - }, - "ANSC 162": { - "prerequisites": [], - "name": "Language, Identity, and Community", - "description": "Examines the role of culture in the way people perceive and interact with the natural environment. Combines reading of select anthropological studies with training in ethnographic research methods. Students develop a research project and analyze data. Limit: fifteen students. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "POLI 144": { + "prerequisites": [ + "POLI 12" + ], + "name": "International Political Economy", + "description": "This course will consider major theories purporting to explain and predict the workings of the international order from the point of view of political economy. An extended discussion of one aspect of the economic order (e.g., the multinational corporation) will serve as the test case. One quarter of economics recommended. " }, - "ANSC 164": { + "POLI 144AB": { "prerequisites": [], - "name": "Introduction to Medical Anthropology ", - "description": "What is modernity? How does it shape human experience? Using selected works of art, film, literature, anthropology, philosophy and social theory, the course explores conceptions of self, identity, and culture that characterize modernity. " + "name": "Selected\n\t\t Topics in International Political Economy", + "description": "Examination of effects of national policies and international collaboration on public and private international financial institutions, in particular the management of international debt crises, economic policy coordination, and the role of international lender of last resort. " }, - "ANSC 165": { + "POLI 144D": { "prerequisites": [], - "name": "Contemporary South Asia", - "description": "Examines methods for employing iconic recording techniques into ethnographic field research, with an emphasis on digital audio and video recording technologies and analysis. " + "name": "International Political Economy: Money and Finance", + "description": "Examines theories of trade and protectionism, focusing both on relations among advanced industrial nations and on relations between developed and developing countries. Topics include standard and strategic trade theory, nontariff barriers to trade, export-led growth strategies, regional trade agreements, and the future of the WTO. " }, - "ANSC 166": { + "POLI 144E": { "prerequisites": [], - "name": "Film and Culture in Asia", - "description": "This practicum course will explore anthropology\u2019s traditional methodology, ethnography, through texts, films, and literature, and give students practical experience through a quarter-long case study. " + "name": "The Politics of International Trade", + "description": "Examines the welfare and distributional aspects of international trade and finance as they relate to the politics of economic policy making. Topics include: globalization in historical perspective; origins and consequences of trade policy; exchange-rate arrangements; international capital flows; currency crises; economic development. " }, - "ANSC 168": { + "POLI 144F": { "prerequisites": [], - "name": "The Human Condition", - "description": "This course considers together the economic, political, social, and cultural dimensions of capitalist relations on the planet. Focuses on the current trajectory of capitalism, especially its changing margins and centers. Emphasizes new research on money, paid and unpaid work, and the material concerns of water, energy, food, and shelter. " + "name": "The Politics\n\t\t of International Trade and Finance", + "description": "This course examines the domestic and international aspects of the drug trade. It will investigate the drug issues from the perspectives of consumers, producers, traffickers, money launderers, and law enforcement. Course material covers the experience of the United States, Latin America, Turkey, Southeast Asia, Western Europe, and Japan. " }, - "ANSC 169": { + "POLI 145A": { "prerequisites": [], - "name": "Culture and Environment: Research Seminar and Practicum", - "description": "Examines interdisciplinary field of Critical Military Studies (CMS), led by sociocultural anthropologist research on aspects of militarism and on specific military forces in varied geographical and historical context. Focuses on changing strategies and doctrines into specific forms of military practice in regard to the way past conflicts inform current approaches and tactics. Also looks at field research conducted by social scientists on behalf of the US military, drawing on local experts in San Diego. " + "name": "International Politics and Drugs", + "description": "The nature of international politics appears to have changed dramatically since 1989. This course applies different theoretical approaches to enhance our understanding of the new international environment, future prospects for peace and war, and current problems of foreign policy. " }, - "ANSC 170": { + "POLI 145C": { "prerequisites": [], - "name": "Modernity and Human Experience", - "description": "Course aims to explore the ways in which historicity can be turned to a critical field of inquiry and reflection. Shows how the past isn\u2019t something that \u201chas happened,\u201d but that actively lingers\u00a0and invades the present, both inviting and constraining possible futures. Challenges the assumptions and practices of each modern discipline, affecting key concepts, methods, modes of analysis, and narrative forms that both anthropologists and historians have used. " + "name": "International\n\t\t Relations After the Cold War: Theory and Prospect", + "description": "An analytical survey of US relations with\n\t\t\t\t Latin America from the 1820s to the present, with particular\n\t\t\t\t emphasis on the post\u2013Cold War environment. Topics include\n\t\t\t\t free trade and economic integration; drugs and drug trafficking;\n\t\t\t\t illegal migration and immigration control. Focus covers US policy, Latin\n\t\t\t\t American reactions, dynamics of cooperation, and options for the future. " }, - "ANSC 171": { + "POLI 146A": { "prerequisites": [], - "name": "Multimodal Methods in Ethnography", - "description": "Students will learn firsthand a new transdisciplinary effort to understand the intersection of individual and society at all levels of analysis. This course introduces students to a remarkable convergence led by transdisciplinary scholars at UC San Diego (anthropology, cognitive science, psychology, history, philosophy, the arts, etc.), based on the recognition that individual neurological, cognitive, emotional, and behavioral capacities are reciprocally related to aggregate social, cultural, and historical processes. " + "name": "The U.S.\n\t\t and Latin America: Political and Economic Relations", + "description": "A historical and topical survey of major issues in Russian-American relations, such as security arrangements in the post-Soviet space, the war on terrorism, arms control and nonproliferation, and international energy." }, - "ANSC 173": { + "POLI 147B": { "prerequisites": [], - "name": "Ethnography in Practice", - "description": "This course introduces students to the field of economic anthropology and situates it within the historical development of the discipline since the late nineteenth century. In particular, the course focuses on the complexities of capitalism and its relations with what appear to be \u201cnoncapitalist\u201d contexts and ways of life. " + "name": "Russian-American Relations", + "description": "Comparative analysis of attempts by the United States and other industrialized countries to initiate, regulate and reduce immigration from Third World countries. Social and economic factors shaping outcomes of immigration policies, public opinion toward immigrants, anti-immigration movements, and immigration policy reform options in industrialized countries. ** Upper-division standing required ** " }, - "ANSC 175": { - "prerequisites": [], - "name": "Money, Work, and Nature: The Anthropology of Capitalism", - "description": "Drawing insight from anti-colonial and queer of color critique, this course critically examines the demands capitalism makes on us to perform gender, and how that relates to processes of exploitation and racialization. We will explore alternatives and develop strategies for navigating jobs in this system. Students may receive credit for one of the following: CGS 120, CGS 180 and ANSC 180. CGS 120 is renumbered from CGS 180. " + "POLI 150A": { + "prerequisites": [ + "POLI 12" + ], + "name": "Politics of Immigration", + "description": "Surveys the theory and function\n of IOs (UN, NATO, EU, World Bank, IMF) in promoting international\n cooperation in security, peacekeeping, trade, environment,\n and human rights. We\n discuss why IOs exist, how they work, and what challenges they\n face. " }, - "ANSC 176": { + "POLI 151": { "prerequisites": [], - "name": "The Meaning of Political Violence ", - "description": "We humans are animals. How do our relations with other animals\u2014how we rely on them, how we struggle against them, how we live among them\u2014shape our own worlds? In this course, we examine, through ethnography and speculative fiction, the boundary between human and other animals. " + "name": "International Organizations", + "description": "This course introduces students to the role of the EU as a foreign policy actor. Topics include the development of the EU\u2019s trade policy, foreign aid policy, security policy, as well as case studies of EU foreign policy." }, - "ANSC 177": { + "POLI 153": { "prerequisites": [], - "name": "Step Into Anthrohistory: The Past and Its Hold on the Future", - "description": "In this seminar, we investigate gun violence from a critical perspective that draws on social and health sciences, films, media, and more. While we take the contemporary issue of gun violence in the United States as a primary case study, we employ a global and comparative perspective. We explore controversies to include cultural, gendered, ethnic, political, and economic analysis. We examine discourses on gun violence as rational/irrational, healthy/pathological, and individually or socially produced. " + "name": "The European Union in World Politics", + "description": "An undergraduate course designed to cover various aspects of international relations. May be repeated for credit two times, provided each course is a separate topic, for a maximum of twelve units." }, - "ANSC 178": { - "prerequisites": [], - "name": "Brain, Mind, Culture, and History", - "description": "Explores the role of film, photography, digital media, and visualization technologies in understanding human life. Students develop their own visualization projects. " + "POLI 154": { + "prerequisites": [ + "POLI 10" + ], + "name": "Special Topics in International Relations", + "description": "(Same as USP 101) This course will explore the process by which the preferences of individuals are converted into public policy. Also included will be an examination of the complexity of policy problems, methods for designing better policies, and a review of tools used by analysts and policy makers. " }, - "ANSC 179": { - "prerequisites": [], - "name": "The New Economic Anthropology: Producing, Consuming, and Exchanging Stuff Worldwide", - "description": "This seminar addresses the production, consumption, and distribution of food, with particular emphasis on the culture of food. Food studies provide insight into a wide range of topics including class, poverty, hunger, ethnicity, nationalism, capitalism, gender, race, and sexuality. " + "POLI 160AA": { + "prerequisites": [ + "POLI 160AA" + ], + "name": "Introduction to Policy Analysis", + "description": "In this course, students will use their knowledge of the political and economic foundations of public policy making to conduct research in a wide variety of public policy problems. " }, - "ANSC 180": { + "POLI 160AB": { "prerequisites": [], - "name": "Capitalism and Gender", - "description": "(Cross-listed with AAS 185.) This seminar traces the historical roots and growth of the Black Lives Matter social movement in the United States and comparative global contexts. Occupy Wall Street, protests against the prison industrial complex, black feminist, and LGBTQ intersectionality are explored in the context of millennial and postmillennial youth as the founders of this movement. Students may not receive credit for ANSC 185 and AAS 185. " + "name": "Introduction to Policy Analysis", + "description": "This course will explore contemporary environmental issues such as global warming, endangered species, and land use. Students will be asked to analyze various policy options and to write case analyses. Policies may be debated in class. " }, - "ANSC 181": { + "POLI 162": { "prerequisites": [], - "name": "Animal Affairs", - "description": "(Cross-listed with CGS 118.) This course investigates the ways in which forces of racism, gendered violence, and state control intersect in the penal system. The prison-industrial complex is analyzed as a site where certain types of gendered and racialized bodies are incapacitated, neglected, or made to die. Students may not receive credit for ANSC 186 and CGS 118. " + "name": "Environmental Policy", + "description": "Politics are understood as the combination of individual preferences and decisions into collective choices. What are the issues involved in aggregating individual preferences, what is the choice of rules\u2014formal and informal\u2014for doing so. " }, - "ANSC 182": { + "POLI 163": { "prerequisites": [], - "name": "Gun Violence as Social Pathology", - "description": "Like other modern nation-states, mental health in Israel is constituted by therapeutic interventions that assume that psychiatry, psychotherapy, and social work are the \u201ctaken for granted\u201d ways to treat mental disorders. Drawing upon diverse ethnographies and using the tools of medical anthropology and psychological anthropology, we will examine the role and work of these experts and analyze how their expertise is contested by diverse groups. " + "name": "Analyzing Politics", + "description": "How do politics determine policy? In this course, students will be introduced to the skill of conducting a cost-benefit analysis, and then will discuss how political ideas, interests, and institutions often move policy outcomes away from those based on cost-benefit analysis." }, - "ANSC 183": { + "POLI 164": { "prerequisites": [], - "name": "Visualizing the Human: Film, Photography, and Digital Technologies", - "description": "This course looks at how illness, health, and healing are understood and experienced in contexts where they are not defined merely as physiological problems, but are seen as having important spiritual, aesthetic, and sociopolitical dimensions. We will look at the role of traditional healers, such as shamans; how cultures vary in what they consider to be the forces that lead to illness; what forms illness takes; and how we evaluate the effectiveness of healing practices. " + "name": "The Politics of Public Policy", + "description": "An undergraduate course designed to cover various aspects of policy analysis. May be repeated for credit two times, provided each course is a separate topic, for a maximum of twelve units." }, - "ANSC 184": { + "POLI 165": { "prerequisites": [], - "name": "Food, Culture, and Society", - "description": "Yoga practices have recently gained dizzying popularity in the U.S. But how has yoga changed and transformed over time? How might we contextualize yoga practices in India and globally? This course is divided into two parts. First, we will do a close reading of philosophical texts about yoga, such as The Yoga Sutras of Patanjali. Second, we will examine yoga practices, including processes of commodification and popularization of yoga in the West. " + "name": "Special Topic: Policy Analysis", + "description": "The use of real data to assess policy alternatives. Introduction to benefit/cost analysis, decision theory, and the valuation of public goods. Applications to health, environmental, and regulatory economic policy making. " }, - "ANSC 185": { + "POLI 168": { "prerequisites": [ - "ANTH 103", - "and" + "POLI 30", + "or", + "POLI 30D" ], - "name": "#BlackLivesMatter", - "description": "This course introduces students to the medical anthropology of South Asia. This course will be divided into two parts. First, we will analyze how religious, cultural, political, and economic structures impact health and well-being. Second, we will look at ethnomedicine, that is, how local systems of healing provide alternative ideas of illness and health. Program or materials fees may apply. ** Department approval required ** " + "name": "Policy Assessment", + "description": "This course is an advanced introductory course for undergraduates. It will acquaint students with statistical methodology as it is used in the social sciences. It is assumed that the student has the mathematical background to progress through the materials a bit faster than in a true introductory course. ** Consent of instructor to enroll possible **" }, - "ANSC 186": { - "prerequisites": [], - "name": "Gender and Incarceration", - "description": "A recurrent theme in the study of subjectivity has been the subject\u2019s capacity to posit herself as such in language. This course explores both individual and collective subjectivity as emergent in a range of contextually grounded narrative practices: in news and novels, ritual verse and everyday chit-chat, songs, and cartoons. The course includes a workshop component where students will be encouraged to present material from their own research projects. " + "POLI 170A": { + "prerequisites": [ + "POLI 5", + "ECON 5", + "and", + "POLI 30" + ], + "name": "Applied Data Analysis for Political Science ", + "description": "This class explores how we can make policy recommendations using data. We attempt to establish causal relationships between policy intervention and outcomes based on statistical evidence. Hands-on examples will be provided throughout the course. " }, - "ANSC 187": { + "POLI 171": { "prerequisites": [ - "ANTH 1", - "ANTH 21", - "ANTH 23", - "or", - "ANTH 103", - "and" + "POLI 5", + "ECON 5", + "and", + "POLI 30" ], - "name": "Anthropology of Mental Health in Israel and the Diaspora", - "description": "Popular representations of South Asia abound in clich\u00e9s: poverty and luxury, cities and hamlets, ascetics and call centers. What do these clich\u00e9s do to our understanding of South Asia? How do we get beneath or beyond these representations? We will respond to these questions by exploring how people in South Asia live on a day-to-day basis, while also attending to how major historical events, such as colonialism and the Partition of India and Pakistan, shape contemporary life and politics. Program or materials fees may apply. ** Department approval required ** " + "name": "Making Policy with Data", + "description": "An accelerated course in computer programming and data analytics for collecting, analyzing, and understanding data in the social world. Students engage in hands-on learning with applied social science problems, developing statistical and computational skills for sophisticated data manipulation, analysis, visualization. " }, - "ANSC 188": { + "POLI 172": { "prerequisites": [], - "name": "Cultures of Healing", - "description": "Using a variety of sources, this course surveys the varied efforts by people acting in contexts worldwide to overcome capitalist relations and imperial systems and construct new ways of organizing life on the planet. " + "name": "Advanced Social Data Analytics", + "description": "This class introduces tools for analyzing social networks including graph visualization, egocentric and sociocentric network measures, network simulation, and data management. " }, - "ANSC 190": { + "POLI 173": { "prerequisites": [], - "name": "Yoga Practices: From Banaras to Beverly Hills", - "description": "This course examines the way that the United States became a world power during the twentieth century and up to the present. It addresses the question of whether this nation-state can be understood as an imperial power in the same way as other colonial empires. The course focuses on the economic, political, sociocultural, and ecological dimensions of United States\u2019 world-power status. " + "name": "Social Network Analysis", + "description": "Special topics course in quantitative methods for political science and broader social sciences. May be taken for credit up to three times. " }, - "ANSC 190GS": { + "POLI 179": { "prerequisites": [], - "name": "Medicine and Healing in South Asia", - "description": "Why are so many people poor? What does poverty mean for those who live it and for those who try to help them? This course examines the field of international development, to understand the discourses and practices that governments, aid agencies, and communities have tried. To what extent are these practices linked to colonial legacies, race, and class? Looking to new innovations in participatory and compassionate development, this will prepare students for critical engagement with development. Program or materials fees may apply. ** Department approval required ** " + "name": "Special Topics in Political Science Methodology", + "description": "This course is open only to seniors interested in qualifying for departmental honors. Admission to the course will be determined by the department. Each student will write an honors essay under the supervision of a member of the faculty. " }, - "ANSC 191": { + "POLI 191A\u2013B": { "prerequisites": [], - "name": "Narrative and Subjectivity", - "description": "This course explores the way that \u201ccapitalism,\u201d understood as a combined economic, political, and cultural system, shapes features of the world that typically have been understood as \u201cnatural.\u201d The course considers how these categorical distinctions affect our understandings of contemporary life and our chances to change it. " + "name": "\t\t Senior Honors Seminar: Frontiers of Political Science", + "description": "The Senior Seminar is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in political science at the upper-division level. Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" }, - "ANSC 191GS": { + "POLI 192": { "prerequisites": [], - "name": "Everyday Life in South Asia: Beyond the Clich\u00e9s", - "description": "In this course, we will examine the dominant human rights framework to think about one issue that has escaped its purview: environmental justice. If we all share a common planet, is there a universal right to a clean environment? Why are the effects of pollution and climate change unequally distributed among the world\u2019s peoples? Can human rights norms serve as effective tools to fight the unequal effects of climate change and contamination? Program or materials fees may apply. ** Department approval required ** " + "name": "Senior Seminar in Political Science", + "description": "(Same as COMM 194, USP 194, HITO 193, SOCI 194, COGS 194) Course attached to six-unit internship taken by students participating in the UCDC Program. Involves weekly seminar meetings with faculty and teaching assistant and a substantial research paper. " }, - "ANSC 192": { + "POLI 194": { "prerequisites": [], - "name": "Liberation Bound: Struggles Against Capitalism and Imperialism Worldwide", - "description": "This course uses the study of language to unpack contemporary processes of human mobility across geopolitical borders. We will explore both the role of language in shaping movement and the politics of language that arise from and around these movements. Migrations to the United States will be a core theme, though we will also work to put them in comparative perspective. Ultimately, our aim will be to critically rethink all three of the title terms\u2014language, migration, and borders\u2014in tandem. " + "name": "Research Seminar in Washington, DC", + "description": "Preparation of a major paper from research conducted while participating in the Research Apprenticeship (POLI 198RA). Presentations to and participation in weekly seminar meetings also required. Students can enroll in POLI 194RA only if they have previously taken or are simultaneously enrolled in 198RA. ** Upper-division standing required ** " }, - "ANSC 192A": { + "POLI 194RA": { "prerequisites": [], - "name": "US Empire: What Is It?", - "description": "Every year thousands of scholars and students are imprisoned by oppressive regimes across the world. This course provides students with the opportunity to work as a team to provide advocacy for one such person. We will pick one person in prison and gather information about them and design a strategy to draw attention to their case, including contacting public officials and media. " + "name": "Research Apprenticeship Seminar", + "description": "The Local Internship Research Seminar will be paired with a Local Internship in Political Science (POLI 197SD) in the same quarter. The linkage to this research seminar will provide advanced academic training in analytic skills appropriate to the internship experience and requires a substantial paper based on original research. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "ANSC 192GS": { + "POLI 194SD": { "prerequisites": [], - "name": "Rethinking Poverty and Development", - "description": "Course will vary in title and content. When offered, the current description and title is found in the current Schedule of Classes and the Anthropology department web site. (Can be taken a total of four times as topics vary.) " + "name": "Local Internship Research Seminar", + "description": "Teaching and tutorial activities associated with courses and seminars. Limited to advanced political science majors with at least a 3.5 GPA in upper-division political science courses. P/NP grades only. May be taken for credit two times, but only four units may be used for major credit. " }, - "ANSC 193": { + "POLI 195": { "prerequisites": [], - "name": "Capitalism and Nature", - "description": "Course examines the birth of Olmec and Maya civilizations in the Formative period, the rise of city states during the Early Classic, the decline of the Classic Maya, and the resurgence of the Postclassic period. " + "name": "Apprentice Teaching", + "description": "This internship is attached to the UCDC Program. Students participating in the UCDC Program are placed in an internship in the Washington, DC, area requiring approximately seventeen to twenty-three hours per week. " }, - "ANSC 193GS": { + "POLI 197I": { "prerequisites": [], - "name": "Human Rights and Environmental Justice", - "description": "This course, intended for first-year anthropology graduate students, examines the contemporary practice of anthropology. We discuss the construction of a multiple-year research project including how to differentiate theory and evidence, the contours of anthropological interest, the question of audience, and rhetorical style. We analyze nine recent ethnographies as possible models for our own practice. " + "name": "Political Science Washington Internship", + "description": "Individual placements for field learning integrated with political science. A written contract involving all parties with learning objectives, a project outline, and a means of supervision and progress evaluation must be filed with the faculty adviser and department undergraduate coordinator prior to the beginning of the internship. P/NP grades only. May be taken for credit two times. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "ANSC 194": { + "POLI 197SD": { "prerequisites": [], - "name": "Language, Migration, Borders", - "description": "This course builds upon the question can authentic anthropology emerge from the critical intellectual traditions and counter-hegemonic struggles of Third World peoples? (Harrison 1991:1). We will analyze the rise of postcolonial and decolonial approaches across the four fields of the discipline over the past decade. In turn, we will analyze the ways a lack of attention to decolonial anthropology functions to reiterate hierarchies and oppressive systems of knowledge production. " + "name": "Local Internship in Political Science", + "description": "Directed group study in an area not presently covered by the departmental curriculum. P/NP grades only. " }, - "ANSC 196": { + "POLI 198": { "prerequisites": [], - "name": "Human Rights Advocacy Seminar", - "description": "This graduate seminar examines how racial and ethnic categories are constructed, how contemporary societies manage difference through multicultural policies, and how discourses and institutions of citizenship can act as sites of contestation over inclusion and exclusion. " + "name": "Directed Group Study", + "description": "Students conduct directed research as part of a principal investigator\u2019s project and under the supervision of a department mentor. Students may conduct research with a department mentor for up to two quarters. This course is part of the Research Apprenticeship program in political science. P/NP grades only. May be taken for credit two times. ** Upper-division standing required ** " }, - "PHIL 1": { + "POLI 198RA": { "prerequisites": [], - "name": "Introduction to Philosophy", - "description": "A general introduction to some of the fundamental questions, texts, and\n\t\t\t\t methods of philosophy. Multiple topics will be covered, and may include\n\t\t\t\t the existence of God, the nature of mind and body, free will, ethics and\n\t\t\t\t political philosophy, knowledge and skepticism." + "name": "Research Apprenticeship", + "description": "Independent reading in advanced political science by individual students. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "PHIL 10": { + "POLI 199": { "prerequisites": [], - "name": "Introduction to Logic", - "description": "Basic concepts and techniques in both informal and formal logic and reasoning, including a discussion of argument, inference, proof, and common fallacies, and an introduction to the syntax, semantics, and proof method in sentential (propositional) logic. May be used to fulfill general-education requirements for Warren and Eleanor Roosevelt Colleges." + "name": "Independent Study for Undergraduates", + "description": "An introduction to the theoretical concepts in the discipline of political science that are commonly used across various subfields. Each week will introduce the core concept(s) and discuss applications from several, if not all subfields in the department. " }, - "PHIL 12": { + "LIGN 3": { "prerequisites": [], - "name": "Scientific Reasoning", - "description": "Strategies of scientific inquiry: how elementary logic, statistical inference, and experimental design are integrated to evaluate hypotheses in the natural and social sciences. May be used to fulfill general-education requirements for Marshall, Warren, and Eleanor Roosevelt Colleges." + "name": "Language as a Social and Cultural Phenomenon", + "description": "The role of language in thought, myth, ritual, advertising, politics, and the law. Language variation, change, and loss; multilingualism, pidginization and creolization; language planning, standardization, and prescriptivism; writing systems. " }, - "PHIL 13": { + "LIGN 4": { "prerequisites": [], - "name": "Introduction to Philosophy: Ethics", - "description": "An inquiry into the nature of morality and its role in personal or social life by way of classical and/or contemporary works in ethics. May be used to fulfill general-education requirements for Muir and Marshall Colleges." + "name": "Language as a Cognitive System", + "description": "Fundamental issues in language and cognition. Differences between animal communication, sign systems, and human language; origins and evolution of language; neural basis of language; language acquisition in children and adults. " }, - "PHIL 14": { + "LIGN 5": { "prerequisites": [], - "name": "Introduction\n\t\t\t\t to Philosophy: The Nature of Reality", - "description": "A survey of central issues and figures in\n\t\t\t\t the Western metaphysical tradition. Topics include the mind-body problem,\n\t\t\t\t freedom and determinism, personal identity, appearance and reality, and\n\t\t\t the existence of God. " + "name": "The Linguistics of Invented Languages", + "description": "Introduction to the study of language through the investigation of invented languages, whether conscious (Elvish, Klingon, Esperanto) or unconscious (creoles, twin/sibling languages). Students will participate in the invention of a language fragment. Topics discussed include language structure, history, culture, and writing systems. " }, - "PHIL 15": { + "LIGN 6": { "prerequisites": [], - "name": "Introduction\n\t\t\t\t to Philosophy: Knowledge and Its Limits", - "description": "A study of the grounds and scope of human\n\t\t\t\t knowledge, both commonsense and scientific, as portrayed in the competing\n\t\t\t\t traditions of Continental rationalism, British empiricism, and contemporary\n\t\t\t cognitive science. " + "name": "Computers and Language", + "description": "Computers and \u201cvirtual assistants\u201d are increasingly expected to understand, process, and interact with us using natural human language. This course will focus on the difficult computational and linguistic problems that working with natural language presents; and learn to implement some of the basic computational techniques used to model, process, and produce human language in Python." }, - "PHIL 16": { + "LIGN 7": { "prerequisites": [], - "name": "Science Fiction and Philosophy", - "description": "An introduction to philosophy which uses science fiction to make abstract philosophical problems vivid. Science fiction themes may include time travel, teleportation, virtual reality, super-intelligent robots, futuristic utopias, and parallel universes. These scenarios raise philosophical questions about knowledge, reality, ethics, and the mind." + "name": "Sign Language and Their Cultures", + "description": "Deaf history since the eighteenth century. The structure of American Sign Language and comparison with oral languages. ASL poetry and narrative and Deaf people\u2019s system of cultural knowledge. Basic questions concerning the nature of language and its relation to culture. " }, - "PHIL 25": { + "LIGN 8": { "prerequisites": [], - "name": "Science, Philosophy, and the Big Questions", - "description": "An inquiry into fundamental questions at the intersection\n of science and philosophy. Topics can include Einstein\u2019s universe;\n scientific revolutions; the mind and the brain." + "name": "Languages and Cultures in America", + "description": "Language in American culture and society.\n\t\t\t\t Standard and nonstandard English in school, media, pop culture,\n\t\t\t\t politics; bilingualism and education; cultural perception of\n\t\t\t\t language issues over time; languages and cultures in the \u201cmelting\n\t\t\t\t pot,\u201d including Native American, Hispanic, African American,\n\t\t\t\t Deaf. " }, - "PHIL 26": { + "LIGN 9GS": { "prerequisites": [], - "name": "Science, Society, and Values", - "description": "An exploration of the interaction between scientific theory\n and practice on the one hand, and society and values on the\n other. Topics can include the relationship between science\n and religion, global climate change, DNA, medicine, and ethics. " - }, - "PHIL 27": { - "prerequisites": [ - "CAT 2", - "and", - "or", - "DOC 2", - "and", - "and", - "HUM 1", - "and", - "and", - "and" - ], - "name": "Ethics and Society", - "description": "An examination of ethical principles (e.g., utilitarianism, individual rights, etc.) and their social and political applications to contemporary issues: abortion, environmental protection, and affirmative action. Ethical principles will also be applied to moral dilemmas in government, law, business, and the professions. Warren College students must take course for a letter grade in order to satisfy the Warren College general-education requirement. " - }, - "PHIL 28": { - "prerequisites": [ - "PHIL 27", - "or", - "POLI 27" - ], - "name": "Ethics and Society II", - "description": "An examination of a single set of major contemporary social, political, or economic issues (e.g., environmental ethics, international ethics) in light of ethical and moral principles and values. Warren College students must take course for a letter grade in order to satisfy the Warren College general-education requirement. " + "name": "Sign Languages and Deaf Culture in the U.S. and France", + "description": "This course explores and compares the use of sign language and its role in the cultures of deaf people in the U.S. and France. Through signed discussion and viewing language samples, students become acquainted with how introductions, descriptions, numbers, fingerspelling, and more are commonly communicated in the two countries and gain practical experience in signing both ASL and Langues des Signes Francaise (LSF). Program or material fee may apply. " }, - "PHIL 31": { + "LIGN 17": { "prerequisites": [], - "name": "Introduction\n\t\t\t\t to Ancient Philosophy", - "description": "A survey of classical Greek philosophy with\n\t\t\t\t an emphasis on Socrates, Plato and Aristotle, though some consideration\n\t\t\t may be given to Pre-Socratic and/or Hellenistic philosophers. " + "name": "Making and Breaking Codes", + "description": "A rigorous analysis of symbolic systems and their interpretations. Students will learn to encode and decode information using progressively more sophisticated methods; topics covered include ancient and modern phonetic writing systems, hieroglyphics, computer languages, and ciphers (secret codes). " }, - "PHIL 32": { + "LIGN 87": { "prerequisites": [], - "name": "Philosophy and the Rise of Modern Science ", - "description": "An exploration of central philosophical issues as they have been taken up in the diverse philosophical traditions of the Americas, such as indigenous philosophy, Latin American philosophy, American Pragmatism, and the Civil Rights movement, among others. Topics may include ethics, social and political philosophy, colonialism, philosophy of race and gender, environmentalism, and issues in philosophy of language." + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen.\t\t" }, - "PHIL 33": { + "LIGN 101": { "prerequisites": [], - "name": "Philosophy between Reason and Despair", - "description": "A survey of philosophical issues concerning law and society, such as the rule of law, the moral limits of the law, individual rights, judicial review in a constitutional democracy, the justification of punishment, and responsibility." + "name": "Introduction to the Study of Language", + "description": "Language is what makes us human, but how does it work? This course focuses on speech sounds and sound patterns, how words are formed, organized into sentences, and understood, how language changes, and how it is learned. " }, - "PHIL 35": { + "LIGN 105": { "prerequisites": [], - "name": "Philosophy in the Americas", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen." + "name": "Law and Language", + "description": "The interpretation of language in understanding the law: 1) the language of courtroom interaction (hearsay, jury instructions); 2) written legal language (contracts, ambiguity, legal fictions); 3) language-based issues in the law (First Amendment, libel and slander). " }, - "PHIL 50": { + "LIGN 108": { "prerequisites": [], - "name": "Law and Society", - "description": "An investigation of a selected philosophical topic through\n readings, discussions, and written assignments. May be taken\n for credit twice, when topics vary." + "name": "Languages of Africa", + "description": "Africa is home to an astonishing variety of languages. This course investigates the characteristics of the major language families as well as population movements and language contact, and how governments attempt to regulate language use. " }, - "PHIL 87": { + "LIGN 110": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "A study of Socrates and/or Plato through major dialogues of Plato. Possible topics include the virtues and happiness; weakness of the will; political authority and democracy; the theory of Forms and sensible flux; immortality; relativism, skepticism, and knowledge. May be repeated for credit with change of content and approval of instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " + "name": "Phonetics", + "description": "The study of sounds that are used in human languages. How speech sounds are physically produced; acoustics of speech; speech perception; practical training in phonetic transcription and in interpreting visual representations of the acoustic signal. The class covers both English and its dialects and languages other than English. ** Consent of instructor to enroll possible **" }, - "PHIL 90": { + "LIGN 111": { "prerequisites": [], - "name": "Basic Problem in Philosophy", - "description": "A study of major issues in Aristotle\u2019s works, such as the categories; form and matter; substance, essence, and accident; the soul; virtue, happiness, and politics. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Phonology I", + "description": "Why does one language sound different from another? This course analyzes how languages organize sounds into different patterns, how those sounds interact, and how they fit into larger units, such as syllables. Focus on a wide variety of languages and problem solving. " }, - "PHIL 100": { + "LIGN 112": { "prerequisites": [], - "name": "Plato", - "description": "A study of selected texts from the main schools of Hellenistic philosophy\u2014Stoicism, Epicureanism, and Skepticism. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Speech Sounds and Speech Disorders", + "description": "How do we measure differences in the way sounds are produced and perceived? This course focuses on measuring and analyzing the acoustic and auditory properties of sounds as they occur in nonpathological and pathological speech. ** Consent of instructor to enroll possible **" }, - "PHIL 101": { + "LIGN 113": { "prerequisites": [], - "name": "Aristotle", - "description": "A study of one or more figures from seventeenth- and/or eighteenth-century philosophy, such as Bacon, Descartes, Hobbes, Cavendish, Conway, Spinoza, Locke, Malebranche, Leibniz, Astell, Berkeley, Du Chatelet, Hume, or Reid. The focus may be on particular texts or intellectual themes and traditions. May be taken for credit up to two times. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "PHIL 102": { - "prerequisites": [ - "PHIL 32" - ], - "name": "Hellenistic Philosophy", - "description": "A study of selected portions of The Critique of Pure Reason and other theoretical writings and/or his major works in moral theory. May be repeated for credit with change in content and approval of the instructor. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Hearing Science and Hearing Disorders", + "description": "An introductory course focused on the hearing component of speech, speech perception, and language disorders, this course gives students an introduction to the anatomy and function of human hearing, the principles and practice of audiology, and the modern methods of addressing hearing loss in patients like hearing aids and cochlear implants. " }, - "PHIL 105": { + "LIGN 119": { "prerequisites": [], - "name": "Topics in Early Modern Philosophy ", - "description": "A study of one or more of Hegel\u2019s major works, in particular, The Phenomenology of Spirit and The Philosophy of Right. Readings and discussion may also include other figures in the Idealist tradition\u2014such as Fichte, H\u00f6lderlin, and Schelling\u2014and critics of the Idealist tradition\u2014such as Marx and Kierkegaard. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "First and Second Language Learning: From Childhood through Adolescence", + "description": "(Same as EDS 119) An examination of how human language learning ability develops and changes over the first two decades of life, including discussion of factors that may affect this ability. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PHIL 106": { + "LIGN 120": { "prerequisites": [], - "name": "Kant", - "description": "A study of one or more figures in nineteenth-century philosophy, such as Schopenhauer, Nietzsche, Kierkegaard, Marx, Emerson, Thoreau, Goldman, Luxemburg, James, and Mill. The focus may be on particular figures or intellectual themes and traditions. May be repeated for credit with change of content and approval of instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " + "name": "Morphology", + "description": "How do some languages express with one word complex meanings that English needs several words to express? Discovery of underlying principles of word formation through problem solving and analysis of data from a wide variety of languages. ** Consent of instructor to enroll possible **" }, - "PHIL 107": { + "LIGN 121": { "prerequisites": [], - "name": "Hegel", - "description": "Central texts, figures, and traditions in\n\t\t\t\t analytic philosophy. Figures may include Frege, Russell, Wittgenstein, Carnap, Moore, Austin, Quine, and Anscombe. May be repeated for credit with change of content and\n\t\t\t\t approval of the instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " + "name": "Syntax I", + "description": "What universal principles determine how words combine into phrases and sentences? Introduction to research methods and results. Emphasis on how argumentation in problem-solving can be used in the development of theories of language. ** Consent of instructor to enroll possible **" }, - "PHIL 108": { + "LIGN 130": { "prerequisites": [], - "name": "Nineteenth-Century Philosophy", - "description": "An examination of ancient Greek philosophy, focusing on major works of Plato and Aristotle. PHIL 10, PHIL 111, and PHIL 112 should be taken in order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "PHIL 109": { - "prerequisites": [ - "PHIL 110", - "and" - ], - "name": "History of Analytic Philosophy", - "description": "An examination of seventeenth- and eighteenth-century philosophy, focusing on major works of Descartes, Locke, and Hume. PHIL 110, PHIL 111, and PHIL 112 should be taken in order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "PHIL 110": { - "prerequisites": [ - "PHIL 111", - "and" - ], - "name": "History of Philosophy: Ancient", - "description": "An examination of late eighteenth and nineteenth-century philosophy, focusing on major works of Kant and Hegel. PHIL 110, PHIL 111, and PHIL 112 should be taken in order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Semantics", + "description": "Introduction to the formal study of meaning. What is the meaning of a word? What is the meaning of a sentence? Which role does the context play in determining linguistic meaning? ** Consent of instructor to enroll possible **" }, - "PHIL 111": { + "LIGN 139": { "prerequisites": [], - "name": "History of Philosophy: Early Modern", - "description": "This course provides an introduction to the techniques of philosophical inquiry through detailed study of selected philosophical texts and through extensive training in philosophical writing based on those texts. Enrollment limited and restricted to majors; must be taken for letter grade. May not be repeated for credit. " - }, - "PHIL 112": { - "prerequisites": [ - "PHIL 10" - ], - "name": "History of Philosophy: Late Modern", - "description": "The syntax, semantics, and proof-theory of first-order predicate logic with identity, emphasizing both conceptual issues and practical skills (e.g., criteria for logical truth, consistency, and validity; the application of logical methods to everyday as well as scientific reasoning). ** Consent of instructor to enroll possible **" - }, - "PHIL 115": { - "prerequisites": [ - "PHIL 120" - ], - "name": "Philosophical Methods Seminar", - "description": "Topics vary from year to year. They include Metalogic (Mathematical Logic), Modal Logic, Foundations of Logic, Foundations of Set Theory, G\u00f6del\u2019s Incompleteness Theorems, and others. ** Consent of instructor to enroll possible **" - }, - "PHIL 120": { - "prerequisites": [ - "PHIL 120" - ], - "name": "Symbolic Logic I", - "description": "Philosophical issues underlying standard and nonstandard logics, the nature of logical knowledge, the relation between logic and mathematics, the revisability of logic, truth and logic, ontological commitment and ontological relativity, logical consequence, etc. May be repeated for credit with change in content and approval of instructor. ** Consent of instructor to enroll possible ** ** Department approval required ** " - }, - "PHIL 122": { - "prerequisites": [ - "PHIL 120" - ], - "name": "Advanced Topics in Logic", - "description": "The character of logical and mathematical truth and knowledge; the relations between logic and mathematics; the significance of G\u00f6del\u2019s Incompleteness Theorem; Platonism, logicism, and more recent approaches. ** Consent of instructor to enroll possible **" + "name": "Field Methods", + "description": "Methods and practice of gathering, processing, and analyzing data based on working with a native speaker of a language. Students gain experience in learning to discriminate and transcribe sounds and analyze grammatical features from their own collected data. Ethical and practical issues of working with native speakers and language communities are addressed. May be taken for credit up to two times. Recommended preparation: LIGN 111, LIGN 120, LIGN 121. " }, - "PHIL 123": { + "LIGN 141": { "prerequisites": [], - "name": "Philosophy of Logic", - "description": "Central problems in metaphysics, such as free will and determinism, the mind-body problem, personal identity, causation, primary and secondary qualities, the nature of universals, necessity, and identity. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Language Structures", + "description": "Detailed investigation of the structure of one or more languages. May be repeated for credit as topics vary. ** Consent of instructor to enroll possible **" }, - "PHIL 124": { + "LIGN 143": { "prerequisites": [], - "name": "Philosophy of Mathematics", - "description": "An in-depth study of some central problem, figure, or tradition in metaphysics. May be repeated for credit with change of content and approval of instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " + "name": "The Structure of Spanish", + "description": "Surveys aspects of Spanish phonetics, phonology, morphology, and syntax. Topics include dialect differences between Latin American and Peninsular Spanish (both from a historical and contemporary viewpoint), gender classes, verbal morphology, and clause structure. ** Consent of instructor to enroll possible **" }, - "PHIL 130": { + "LIGN 144": { "prerequisites": [], - "name": "Metaphysics", - "description": "Central problems in epistemology such as skepticism; a priori knowledge; knowledge of other minds; self-knowledge; the problem of induction; foundationalist, coherence, and causal theories of knowledge. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Discourse Analysis: American Sign Language and Performing Arts", + "description": "A discourse-centered examination of ASL verbal arts: rhyme, meter, rhythm, handedness, nonmanual signals, and spatial mapping; creation of scene and mood; properties of character, dialogue, narration, and voice; cultural tropes; poetic constructions in everyday genres; transcription, body memory and performance. ** Consent of instructor to enroll possible **" }, - "PHIL 131": { + "LIGN 146": { "prerequisites": [], - "name": "Topics in Metaphysics", - "description": "Examination of contemporary debates about meaning, reference, truth, and thought. Topics include descriptional theories of reference, sense and reference, compositionality, truth, theories of meaning, vagueness, metaphor, and natural and formal languages. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Sociolinguistics in Deaf Communities", + "description": "An examination of sociolinguistic research on Deaf communities throughout the world, including: sociohistorical contexts for phonological, lexical and syntactic variation, contact between languages, multilingualism, language policies and planning, second language learning, language attitudes, and discourse analysis of specific social contexts. Course will be conducted in ASL. ** Consent of instructor to enroll possible **" }, - "PHIL 132": { + "LIGN 148": { "prerequisites": [], - "name": "Epistemology", - "description": "Different conceptions of the nature of mind and its relation to the physical world. Topics include identity theories, functionalism, eliminative materialism, internalism and externalism, subjectivity, other minds, consciousness, self-knowledge, perception, memory, and imagination. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Psycholinguistics of Sign Language", + "description": "The study of how sign languages are structured, and how they are understood and produced by adults. Topics include the contrast between gesture and language, sign language acquisition, brain processing, sociolinguistics, and the role of sign language in reading. ** Consent of instructor to enroll possible **" }, - "PHIL 134": { + "LIGN 149GS": { "prerequisites": [], - "name": "Philosophy of Language", - "description": "The nature of action and psychological explanation. Topics include action individuation, reasons as causes, psychological laws, freedom and responsibility, weakness of will, self-deception, and the emotions. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "The Historical Roots of American Sign Language", + "description": "Emphasizing linguistic evidence and historical documents, this course examines the roots of ASL with particular focus on contributions from Langue des Signes Francaise, Native American Sign Language, Black ASL, and Hawaiian Sign Language. Topics include illustrated and descriptive records documenting the linguistics of each language, and similarities and differences among the varieties. Program or material fee may apply. " }, - "PHIL 136": { + "LIGN 150": { "prerequisites": [], - "name": "Philosophy of Mind", - "description": "A study of the nature and significance of responsibility. Possible topics include freedom, determinism, and responsibility; moral luck; responsibility and reactive attitudes such as blame and forgiveness; responsibility and situationism; moral and criminal responsibility; responsibility and excuse; insanity and psychopathy, immaturity, addiction, provocation, and duress. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Historical Linguistics", + "description": "Language is constantly changing. This course\n\t\t\t\t investigates the nature of language change, how to determine\n\t\t\t\t a language\u2019s\n\t\t\t\t history, its relationship to other languages, and the search\n\t\t\t\t for common ancestors or \u201cprotolanguage.\u201d ** Consent of instructor to enroll possible **" }, - "PHIL 137": { + "LIGN 152": { "prerequisites": [], - "name": "Moral Psychology", - "description": "Social justice issues as they arise across the borders of nation-states. Topics may include nationalism and cosmopolitanism, theories of just war and just warfare, issues of migration and immigration, global distributive justice and fair trade, and international cooperation in the face of global problems such as climate change and human rights violations. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Indigenous Languages of the Americas", + "description": "This course is an introduction to the study of the indigenous languages of the Americas. Its goals are to offer orientation in a broad field and to prepare students for possible future research. Topics covered include grammatical structures, genetic classification, characteristics of major language families, and factors affecting language use and mother tongue transmission of these languages in contemporary societies. Recommended preparation: LIGN 101. " }, - "PHIL 138": { + "LIGN 154": { "prerequisites": [], - "name": "Responsibility", - "description": "Investigation into the nature of free will, including arguments for and against its compatibility with a scientific picture of the world and competing accounts of the metaphysics of free will. Possible topics include disputes about the nature of free will; what it is for agents to cause actions; the nature of abilities or capacities to act; the relevance of neuroscience to accounts of free will; whether free will skepticism is a stable view; and experimental research on free will. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Language and Consciousness", + "description": "Origins of linguistic analysis (phonetics, phonology, morphology, thematic and grammatical relations, lexical semantics) in ancient India, history of naturalism vs. conventionalism, sound symbolism, relationship of language with myth and ritual, linguistic relativism, physical effects of language, metaphysical approaches to language. " }, - "PHIL 139": { + "LIGN 155": { "prerequisites": [], - "name": "Global Justice", - "description": "This course considers whether human life has meaning, and, if so, what meaning it has and under what conditions such meaning may be secured. Negative proposals considered include that life is nothing but suffering, that it is absurd, that it has no meaning. Positive proposals considered include that meaning derives from free choices, from just being, from some passion, from something transcendent, or from human relationships or purposeless play or knowledge or achievement or morality. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Evolution of Language", + "description": "History of thought on language\n origins, genetic, neural, anatomical, and gestural theories\n of language evolution in relation to prior hominid and other\n species, the role of generational differences in language\n acquisition, and computational models. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "PHIL 140": { + "LIGN 160": { "prerequisites": [], - "name": "Free Will", - "description": "Central problems in philosophy of science, such as the nature of confirmation and explanation, the nature of scientific revolutions and progress, the unity of science, and realism and antirealism. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Pragmatics", + "description": "An introduction to the context-dependent aspects of language meaning. Topics include given versus new information, Gricean maxims and rules of conversation, presupposition, implicature, reference and cognitive status, discourse coherence and structure, and speech acts. ** Consent of instructor to enroll possible **" }, - "PHIL 141": { + "LIGN 165": { "prerequisites": [], - "name": "The Meaning of Life", - "description": "Philosophical problems in the development of modern physics, such as the philosophy of space and time, the epistemology of geometry, the philosophical significance of Einstein\u2019s theory of relativity, the interpretation of quantum mechanics, and the significance of modern cosmology. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Computational Linguistics", + "description": "An introduction to the fundamental concepts of computational linguistics, in which we study natural language syntax and semantics from an interpretation perspective, describe methods for programming computer systems to perform such interpretation, and survey applications of computational linguistics technology. " }, - "PHIL 145": { + "LIGN 167": { "prerequisites": [], - "name": "Philosophy of Science", - "description": "Philosophical problems in the biological sciences, such as the relation between biology and the physical sciences, the status and structure of evolutionary theory, and the role of biology in the social sciences. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Deep Learning for Natural Language Understanding", + "description": "An introduction to neural network methods for analyzing linguistic data. Basic neural network architectures and optimization through backpropagation and stochastic gradient descent. Word vectors and recurrent neural networks, and their uses and limitations in modeling the structure of natural language. " }, - "PHIL 146": { + "LIGN 170": { "prerequisites": [], - "name": "Philosophy of Physics", - "description": "Investigation of ethical and epistemological questions concerning our relationship to the environment. Topics may include the value of nature, biodiversity, policy and science, and responsibility to future generations. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Psycholinguistics", + "description": "The study of how humans learn, represent, comprehend, and produce language. Topics include visual and auditory recognition of words, sentence comprehension, reading, sentence production, language acquisition, neural representation of language, bilingualism, and language disorders. ** Consent of instructor to enroll possible **" }, - "PHIL 147": { + "LIGN 171": { "prerequisites": [], - "name": "Philosophy of Biology", - "description": "Philosophical issues raised by psychology, including the nature of psychological explanation, the role of nature versus nurture, free will and determinism, and the unity of the person. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Child Language Acquisition", + "description": "A central cognitive, developmental mystery is how children learn their first language. Overview of research in the learning of sound systems, word forms and word meanings, and word combinations. Exploration of the relation between cognitive and language development. ** Consent of instructor to enroll possible **" }, - "PHIL 148": { + "LIGN 174": { "prerequisites": [], - "name": "Philosophy and the Environment", - "description": "Theoretical, empirical, methodological, and\n\t\t\t\t philosophical issues at work in the cognitive sciences (e.g., psychology,\n\t\t\t\t linguistics, neuroscience, artificial intelligence, and computer science),\n\t\t\t\t concerning things such as mental representation, consciousness, rationality,\n\t\t\t\t explanation, and nativism. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Gender and Language in Society", + "description": "(Same as SOCI 116.) This course examines how language contributes to the social construction of gender identities, and how gender impacts language use and ideologies. Topics include the ways language and gender interact across the life span, within ethnolinguistic minority communities in the United States, across sexual orientations and cultures. Recommended preparation: LIGN\n\t\t\t\t 101, or upper-division standing, or consent of instructor. ** Consent of instructor to enroll possible **" }, - "PHIL 149": { + "LIGN 175": { "prerequisites": [], - "name": "Philosophy of Psychology", - "description": "An introduction to elementary neuroanatomy and neurophysiology and an examination of theoretical issues in cognitive neuroscience and their implications for traditional philosophical conceptions of the relation between mind and body, perception, consciousness, understanding, emotion, and the self. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Sociolinguistics", + "description": "The study of language in its social context, with emphasis on the different types of linguistic variation and the principles underlying them. Dialects, registers, gender-based linguistic differences, multilingualism, pidginization and creolization, factors influencing linguistic choice, formal models of variation; emphasis is given both to socially determined differences within the United States and US ethnic groups and to cross-cultural differences in language use and variation. ** Consent of instructor to enroll possible **" }, - "PHIL 150": { + "LIGN 176": { "prerequisites": [], - "name": "Philosophy of the Cognitive Sciences", - "description": "Philosophical issues of method and substance in the social sciences, such as causal and interpretive models of explanation, structuralism and methodological individualism, value neutrality, and relativism. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Language of Politics and Advertising", + "description": "How can we explain the difference between what is literally said versus what is actually conveyed in the language of law, politics, and advertising? How people\u2019s ordinary command of language and their reasoning skills are used to manipulate them. " }, - "PHIL 151": { + "LIGN 177": { "prerequisites": [], - "name": "Philosophy of Neuroscience", - "description": "Introduction to Mexican philosophy with discussion of the work of such figures as Las Casas, Sor Juana Ines de la Cruz, Vasconcelos, Uranga, Zea, Villoro, Dussel, Hierro, Lara, and Hurtado. Topics may include historical movements, such as scholasticism, positivism, Mexican existentialism, and indigenous thought, as well as contemporary developments and the relationship to philosophy in the United States, Europe, and elsewhere." + "name": "Multilingualism", + "description": "Official and minority languages, pidgins and Creoles, language planning, bilingual education and literacy, code switching, and language attrition. ** Consent of instructor to enroll possible **" }, - "PHIL 152": { + "LIGN 178": { "prerequisites": [], - "name": "Philosophy of Social Science", - "description": "Philosophical issues surrounding Latina/o/x peoples, which may include debates about the nature, function, and stability of this identity; social and political issues, such as immigration, economics, racial politics, and justice; phenomenological and existential accounts of latinidad; Latina feminism; and the relationship of these concerns to other philosophical traditions. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Spanish Sociolinguistics", + "description": "This course examines how social variables, such as age, education, gender, and social status may be linguistically expressed in different varieties of Spanish. Attitudes toward different linguistic variants and how these impact language policy will be studied. Special emphasis will be given to the varieties of Spanish spoken in the United States. ** Consent of instructor to enroll possible **" }, - "PHIL 155": { + "LIGN 179": { "prerequisites": [], - "name": "Mexican Philosophy", - "description": "Systematic and/or historical perspectives on central issues in ethical theory such as deontic, contractualist, and consequentialist conceptions of morality; rights and special obligations; the role of happiness and virtue in morality; moral conflict; ethical objectivity and relativism; and the rational authority of morality. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Second Language Acquisition Research", + "description": "This course will investigate topics in second language acquisition including the critical period, the processing and neural representation of language in bilinguals, theories of second language acquisition and creolization, exceptional language learners, and parallels with first language acquisition. ** Consent of instructor to enroll possible **" }, - "PHIL 156": { + "LIGN 180": { "prerequisites": [], - "name": "Latinx Philosophy", - "description": "Central issues and texts in the history of ethics. Subject matter can vary, ranging from one philosopher (e.g., Confucius, Aristotle, Kant, or Mill) to a historical tradition (e.g., Greek ethics or the British moralists). May be repeated for credit with change in content and approval of instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " + "name": "Language Representation in the Brain", + "description": "The mind/body problem, modularity,\n basic neuroanatomy, cerebral lateralization, re-evaluation\n of classical language areas, aphasia, dyslexia, the KE family\n and FOXP2 gene, mirror neurons, sign language, brain development,\n cortical plasticity, and localization studies of language\n processing (electrical stimulation, MEG, fMRI, and PET). Students\n may not receive credit for both LIGN 172 and LIGN 180. ** Consent of instructor to enroll possible **" }, - "PHIL 160": { + "LIGN 181": { "prerequisites": [], - "name": "Ethical Theory", - "description": "An examination of contemporary moral issues, such as abortion, euthanasia, war, affirmative action, and freedom of speech. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Language Processing in the Brain", + "description": "Modularity and models of language processing, basic neurophysiology,\n EEG/MEG, linguistic event-related brain potentials (ERPs),\n crosslinguistic functional significance of ERP components\n and their MEG correlates: N400, N400-700, lexical processing\n negativity, slow anterior negative potentials, (early) left\n anterior negativity, and late positivity. ** Consent of instructor to enroll possible **" }, - "PHIL 161": { + "LIGN 192": { "prerequisites": [], - "name": "Topics in the History of Ethics", - "description": "Moral issues in medicine and the biological sciences, such as patient\u2019s rights and physician\u2019s responsibilities, abortion and euthanasia, the distribution of health care, experimentation, and genetic intervention. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Senior Seminar in Linguistics", + "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in linguistics (at the upper-division level). Senior Seminars may be offered in all campus departments. Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" }, - "PHIL 162": { + "LIGN 195": { "prerequisites": [], - "name": "Contemporary Moral Issues", - "description": "Philosophical issues involved in the development of modern science, the growth of technology, and control of the natural environment. The interaction of science and technology with human nature and political and moral ideals. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Apprentice Teaching", + "description": "Students lead a class section of a lower-division linguistics course. They also attend a weekly meeting on teaching methods. (This course does not count toward minor or major.) May be repeated for credit, up to a maximum of four units. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "PHIL 163": { + "LIGN 197": { "prerequisites": [], - "name": "Biomedical Ethics", - "description": "Examination of freedom and equality under the US Constitution, focusing on Supreme Court cases concerning discrimination on grounds of race, ethnic background, gender, undocumented status, wealth, and sexual orientation, and cases regarding contraceptives, abortion, interracial marriage, polygamy, and same-sex marriage. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Linguistics Internship", + "description": "The student will undertake a program of practical research in a supervised work environment. Topics to be researched may vary, but in each case the course will provide skills for carrying out these studies. ** Consent of instructor to enroll possible **" }, - "PHIL 164": { + "LIGN 199": { "prerequisites": [], - "name": "Technology and Human Values", - "description": "Central issues about the justification, proper functions, and limits of the state through classic texts in the history of political philosophy by figures such as Plato, Aristotle, Hobbes, Locke, Rousseau, Marx, and Arendt. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Independent Study in Linguistics", + "description": "The student undertakes a program of research or advanced reading in linguistics under the supervision of a faculty member of the Department of Linguistics. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "PHIL 165": { + "LIGN 199H": { "prerequisites": [], - "name": "Freedom, Equality, and the Law", - "description": "Different perspectives on central issues in contemporary political philosophy, such as the nature of state authority and political obligation, the limits of government and individual liberty, liberalism and its critics, equality and distributive justice. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Honors Independent Study in Linguistics", + "description": "The student undertakes a program of research and advanced reading in linguistics under the supervision of a faculty member in the Department of Linguistics. (P/NP grades only.) " }, - "PHIL 166": { + "Linguistics/American\n\t\t Sign Language (LISL) 1A": { "prerequisites": [], - "name": "Classics in Political Philosophy", - "description": "A study of issues in analytical jurisprudence such as the nature of law, the relation between law and morality, and the nature of legal interpretation and issues in normative jurisprudence such as the justification of punishment, paternalism and privacy, freedom of expression, and affirmative action. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "", + "description": "Study of American Sign Language (ASL) and analysis of its syntactic, morphological, and phonological features. Readings and discussions of cultural information. The course is taught entirely in ASL. Must be taken with LISL 1A. " }, - "PHIL 167": { + "Linguistics/American\n\t\t Sign Language (LISL) 1AX": { "prerequisites": [], - "name": "Contemporary Political Philosophy", - "description": "Philosophical examination of core concepts and theses in feminism, feminist philosophy, and critiques of traditional philosophical approaches to morality, politics, and science, from a feminist perspective. May also treat the historical development of feminist philosophy and its critiques. May be taken for credit two times with permission of instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "", + "description": "Small tutorial meetings with a signer of American Sign Language (ASL). Conversational practice organized around common everyday communicative situations. Must be taken with LISL 1BX. " }, - "PHIL 168": { + "Linguistics/American\n\t\t Sign Language (LISL) 1B": { "prerequisites": [], - "name": "Philosophy of Law", - "description": "A philosophical investigation of the topics of race and racism. The role of \u201crace\u201d in ordinary speech. The ethics of racial discourse. Anthropological and biological conceptions of race. The social and political significance of racial categories. Post-racialist conceptions of race. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "", + "description": "Study of American Sign Language (ASL) and analysis of its syntactic, morphological, and phonological features. Readings and discussions of cultural information. The course is taught entirely in ASL. Must be taken with LISL 1B. " }, - "PHIL 169": { + "Linguistics/American\n\t\t Sign Language (LISL) 1BX": { "prerequisites": [], - "name": "Feminism and Philosophy", - "description": "An in-depth exploration of an issue in bioethics. Topics will vary, and may include the ethics of genetic engineering, mental capacity and genuinely informed consent, the just distribution of health care, the ethics of geo-engineering, and the ethics of climate change and health. May be taken for credit two times. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "", + "description": "Small tutorial meetings with a signer of American Sign Language (ASL). Conversational practice organized around common everyday communicative situations. Must be taken with LISL 1CX. " }, - "PHIL 170": { + "Linguistics/American\n\t\t Sign Language (LISL) 1C": { "prerequisites": [], - "name": "Philosophy and Race", - "description": "A survey of ethical issues arising in the collection, storage, analysis, consolidation, and application of data. Topics may include data as property and public resource, privacy and surveillance, data and discrimination, algorithms and fairness, and data regulation. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "", + "description": "Study of American Sign Language (ASL) and analysis of its syntactic, morphological, and phonological features. Readings and discussions of cultural information. The course is taught entirely in ASL. Must be taken with LISL 1C. " }, - "PHIL 173": { + "Linguistics/American\n\t\t Sign Language (LISL) 1CX": { "prerequisites": [], - "name": "Topics in Bioethics", - "description": "Central issues in philosophical aesthetics such as the nature of art and aesthetic experience, the grounds of artistic interpretation and evaluation, artistic representation, and the role of the arts in education, culture, and politics. May be taken for credit two times. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "", + "description": "Small conversation sections taught entirely in American Sign Language. Emphasis on developing signing fluency and greater cultural awareness. Practice of the principal language functions needed for successful communication. Must be taken in conjunction with LISL 1DX. Successful completion of LISL 1D and LISL 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " }, - "PHIL 174": { + "Linguistics/American\n\t\t Sign Language (LISL) 1D": { "prerequisites": [], - "name": "Data Ethics", - "description": "A study of philosophical themes contained in selected fiction, drama, or poetry, and the philosophical issues that arise in the interpretation, appreciation, and criticism of literature. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "", + "description": "Practice of the grammatical functions indispensable for comprehensible communication in the language. The course is taught entirely in American Sign Language. Must be taken in conjunction with LISL 1D. Successful completion of LISL 1D and LISL 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " }, - "PHIL 175": { + "Linguistics/American\n\t\t Sign Language (LISL) 1DX": { "prerequisites": [], - "name": "Aesthetics", - "description": "Careful, line-by-line translation of passages of intermediate difficulty from German philosophical texts, both classic (Kant, Fichte, Hegel, Schopenhauer) and contemporary (Heidegger, Wittgenstein, Habermas). P/NP grades only. May be taken for credit six times as topics vary. LIGM 1D or equivalent level of study recommended. ** Consent of instructor to enroll possible **" - }, - "PHIL 177": { - "prerequisites": [ - "PHIL 178" - ], - "name": "Philosophy and Literature", - "description": "Continuation of PHIL 178 in the careful, line-by-line translation of passages of advanced difficulty from German philosophical texts, both classic (Kant, Fichte, Hegel, Schopenhauer) and contemporary (Heidegger, Wittgenstein, Habermas). May be repeated for credit as topics vary. ** Consent of instructor to enroll possible **" + "name": "", + "description": "Course aims to improve language skills through discussion of topics relevant to the Deaf community. Central topics will include education and American Sign Language (ASL) literature. Conducted entirely in American Sign Language. " }, - "PHIL 178": { + "Linguistics/American Sign Language (LISL) 1E": { "prerequisites": [], - "name": "Topics in German Philosophy Translation\u2014Intermediate", - "description": "An examination of the phenomenological tradition through the works of its major classical and/or contemporary representatives. Authors studied will vary and may include Brentano, Husserl, Heidegger, Stein, Merleau-Ponty, Levinas, and Irigaray. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "", + "description": "This course concentrates on those language\n\t\t\t\t skills essential for communication: signing, comprehension,\n\t\t\t\t grammar analysis, and deaf culture. UC San Diego students: LISL 5A\n\t\t\t\t is equivalent to LISL 1A/1AX, LISL 5B to LISL 1B/BX, and LISL\n\t\t\t\t 5C to LISL 1C/1CX. Enrollment is limited. " }, - "PHIL 179": { + "Linguistics/American Sign Language (LISL) 5A, 5B, 5C": { "prerequisites": [], - "name": "Topics in German Philosophy Translation\u2014Advanced", - "description": "Classical texts and issues of existentialism. Authors studied will vary and may include Nietzsche, Kierkegaard, Heidegger, Sartre, de Beauvoir, and Fanon. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIAB 1AX. " }, - "PHIL 180": { + "Linguistics/Arabic (LIAB) 1A": { "prerequisites": [], - "name": "Phenomenology", - "description": "The focus will be on a leading movement in continental philosophy (e.g., the critical theory of the Frankfurt school, structuralism and deconstruction, postmodernism) or some particular issue that has figured in these traditions (e.g., freedom, subjectivity, historicity, authenticity). May be repeated for credit with change in content and approval of instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. This course is taught entirely in Arabic. Must be taken in conjunction with LIAB 1A. " }, - "PHIL 181": { + "Linguistics/Arabic (LIAB) 1AX": { "prerequisites": [], - "name": "Existentialism", - "description": "A general introduction to the philosophy of religion through the study of classical and/or contemporary texts. Among the issues to be discussed are the existence and nature of God, the problem of evil, the existence of miracles, the relation between reason and revelation, and the nature of religious language. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIAB 1BX. " }, - "PHIL 183": { + "Linguistics/Arabic (LIAB) 1B": { "prerequisites": [], - "name": "Topics in Continental Philosophy", - "description": "Independent study by special arrangement with and under the supervision of a faculty member, including a proposal for the honors essay. An IP grade will be awarded at the end of this quarter; a final grade will be given for both quarters at the end of 191B. ** Consent of instructor to enroll possible **" + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. This course is taught entirely in Arabic. Must be taken in conjunction with LIAB 1B. " }, - "PHIL 185": { + "Linguistics/Arabic (LIAB) 1BX": { "prerequisites": [], - "name": "Philosophy of Religion", - "description": "Continuation of 191A: independent study by special arrangement with and under the supervision of a faculty member, leading to the completion of the honors essay. A letter grade for both 191A and 191B will be given at the end of this quarter. ** Consent of instructor to enroll possible **" + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIAB 1CX. " }, - "PHIL 191A": { + "Linguistics/Arabic (LIAB) 1C": { "prerequisites": [], - "name": "Philosophy Honors", - "description": "Under the supervision of the instructor, student will lead one discussion section of a lower-division philosophy class. The student must attend the lecture for the class and meet regularly with the instructor. Applications are available in the Department of Philosophy. ** Consent of instructor to enroll possible **" + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. This course is taught entirely in Arabic. Must be taken in conjunction with LIAB 1C. " }, - "PHIL 191B": { + "Linguistics/Arabic (LIAB) 1CX": { "prerequisites": [], - "name": "The Honors Essay", - "description": "Directed individual study by special arrangement with and under the supervision of a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIAB 1DX. Successful completion of LIAB 1D and 1DX satisfies the requirement for language proficiency in Revelle and Eleanor Roosevelt Colleges. " }, - "PHIL 195": { + "Linguistics/Arabic (LIAB) 1D": { "prerequisites": [], - "name": "Introduction to Teaching Philosophy", - "description": "Introduction to philosophical methods of analysis through study of classic historical or contemporary texts. Writing intensive. Enrollment limited to philosophy entering graduate students. " + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. This course is taught entirely in Arabic. Must be taken in conjunction with LIAB 1D. Successful completion of LIAB 1D and 1DX satisfies the requirement for language proficiency in Revelle and Eleanor Roosevelt Colleges. " }, - "PHIL 199": { + "Linguistics/Arabic (LIAB) 1DX": { "prerequisites": [], - "name": "Directed Individual Study", - "description": "A study of selected texts or topics in the history of philosophy. Usually the focus will be on a single major text. May be taken for credit nine times with changed content. " + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIAB 1EX. " }, - "DOC 1": { + "Linguistics/Arabic (LIAB) 1E": { "prerequisites": [], - "name": "Dimensions of Culture: Diversity", - "description": "This course focuses on sociocultural diversity in examining class, ethnicity, race, gender, and sexuality as significant markers of differences among persons. Emphasizing American society, it explores the cultural understandings of diversity and its economic, moral, and political consequences. Three hours of lecture, one hour of discussion. Open to Marshall College students only. (Letter grade only.) (F) " + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in Arabic. Must be taken in conjunction with LIAB 1E. " }, - "DOC 2": { + "Linguistics/Arabic (LIAB) 1EX": { "prerequisites": [], - "name": "Dimensions of Culture: Justice", - "description": "This course considers the nature of justice in philosophical, historical, and legal terms. Topics include racial justice, political representation, economic justice, gender and justice, the rights of cultural minorities, and crime and punishment. The course offers intensive instruction in writing university-level expository prose. Three hours of lecture, two hours of discussion and writing instruction. Open to Marshall College students only. (Letter grade only.) Prerequisite: completion of UC Entry Level Writing requirement. (W) " + "name": "", + "description": "A course to increase the proficiency level of students who have completed LIAB 1E/1EX or who are at an equivalent level. Attention to listening comprehension, conversation, vocabulary building, reading, grammar analysis, and culture. " }, - "DOC 3": { + "Linguistics/Arabic (LIAB) 1F": { "prerequisites": [], - "name": "Dimensions of Culture: Imagination", - "description": "Using the arts, this course examines the evolution of pluralistic culture to the modern period. There is a special emphasis on the interdisciplinary study of twentieth-century American culture, including music, literature, art, film, and photography. The course offers intensive instruction in writing university-level expository prose. Three hours of lecture, two hours of discussion and writing instruction. Open to Marshall College students only. (Letter grade only.) Prerequisite: completion of UC Entry Level Writing requirement. (S)" + "name": "", + "description": "A course to increase the proficiency level of students who have completed LIAB 1F or who are at an equivalent level. Attention to listening comprehension, conversation, vocabulary building, reading, grammar analysis, and culture. " }, - "DOC 100D": { + "Linguistics/Arabic (LIAB) 1G": { "prerequisites": [], - "name": "Dimensions of Culture: Promises and Contradictions in US Culture", - "description": "This course provides a broad overview of key historical contradictions in US history and explores the origins of social stratifications and movements.\u00a0Students acquire tools for analyzing national tensions. Central aspects include slavery, women\u2019s rights, and rising corporate power.\u00a0Course introduces concepts at the intersections of class, gender, religion, race, and sexuality.\u00a0Students learn to analyze and discuss complex historical/societal artifacts. Designed for two student sectors: 1) Marshall College transfer students who have not taken the DOC sequence, and 2) Transfer and other upper-division students from all six colleges who want to fulfill the campuswide diversity requirement. May be taken for credit two times. ** Upper-division standing required ** " + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIFR 1AX. " }, - "FILM 87": { + "Linguistics/French (LIFR) 1A": { "prerequisites": [], - "name": "Film Studies Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in French. Must be taken in conjunction with LIFR 1A. " }, - "GLBH 20": { + "Linguistics/French (LIFR) 1AX": { "prerequisites": [], - "name": "Introduction to Global Health", - "description": "Provides a foundational interdisciplinary understanding of complex global health issues and introduces major concepts and principles in global health. The course surveys the range of problems contributing to the global burden of disease and disability including infectious disease, mental illness, refugee and immigrant health, natural disasters, climate change, and food insecurity." + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIFR 1BX. " }, - "GLBH 100": { + "Linguistics/French (LIFR) 1B": { "prerequisites": [], - "name": "Special Topics in Global Health", - "description": "Selected topics in global health. Content will vary from quarter to quarter. May be taken for credit up to four times." + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in French. Must be taken in conjunction with LIFR 1B. " }, - "GLBH 101": { + "Linguistics/French (LIFR) 1BX": { "prerequisites": [], - "name": "Aging: Culture and Health in Late Life Human Development", - "description": "(Cross-listed with ANSC 101.) Examines aging as a process of human development from local and global perspectives. Focuses on the interrelationships of social, cultural, psychological, and health factors that shape the experience and well-being of aging populations. Students explore the challenges and wisdom of aging. Students may not receive credit for GLBH 101 and ANSC 101. " - }, - "GLBH 102": { - "prerequisites": [ - "COGS 14B", - "or", - "MATH 11", - "or", - "PSYC 60", - "and", - "GLBH 20", - "or", - "FMPH 40" - ], - "name": "Global Health Epidemiology", - "description": "This course will address basic epidemiology principles, concepts, and procedures that are used in investigation of health-related states or events from a global perspective. Explores study designs and methods appropriate for studies of incidence and prevalence, causality and prevention, with emphasis on research in resource-poor settings. " + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIFR 1CX. " }, - "GLBH 105": { + "Linguistics/French (LIFR) 1C": { "prerequisites": [], - "name": "Global Health and Inequality", - "description": "(Cross-listed with ANSC 105.) Why is there variation of health outcomes across the world? We will discuss health and illness in context of culture and address concerns in cross-national health variations by comparing health care systems in developed, underdeveloped, and developing countries. In addition, we\u2019ll study the role of socioeconomic and political change in determining health outcomes, and examine social health determinants in contemporary global health problems\u2014multi-drug resistance to antibiotics, gender violence, human trafficking, etc. Students may receive credit for one of the following: GLBH 105, ANSC 105, ANSC 105S, or ANSC 105GS." + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in French. Must be taken in conjunction with LIFR 1C. " }, - "GLBH 110": { + "Linguistics/French (LIFR) 1CX": { "prerequisites": [], - "name": "Demography and Social Networks in Global Health", - "description": "This course will provide an overview of demographic principles, and their associations with maternal and child health outcomes. We will focus on demographic trends in developing countries, using research from the DHS to discuss inequalities in fertility, mortality, and morbidity. The remainder of the class will question why we see such spatial variation in many maternal and child health outcomes, with a focus on theories of social norms, and social network methods for uncovering those trends." + "name": "", + "description": "Small conversation sections taught entirely in French. Emphasis on speaking, reading, writing, and culture. Practice of the language functions needed for successful communication. Must be taken in conjunction with LIFR 1DX. Successful completion of LIFR 1D and LIFR 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " }, - "GLBH 111": { + "Linguistics/French (LIFR) 1D": { "prerequisites": [], - "name": "Clinic on the Border: Health Frontiers in Tijuana", - "description": "Introduces students to the physical and mental health needs of vulnerable migrants and socially marginalized communities, including substance users, LGBTQ, deportees, and the homeless and medically indigent. Students will become integrated into a free clinic in Tijuana where they will obtain community-based field experiences in interacting with these populations; learn about delivering evidence-based health care in underserved settings and be introduced to issues regarding cultural appropriation. Program or materials fees may apply. May be taken for credit up to three times. Students are required to cross the US-Mexico border to attend clinic in Tijuana as part of the requirements for the course. Recommended preparation: upper-division global health course work prior to participation is recommended." + "name": "", + "description": "Practice of the grammatical functions indispensable for comprehensible communication in the language. The course is taught entirely in French. Must be taken in conjunction with LIFR 1D. Successful completion of LIFR 1D and LIFR 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " }, - "GLBH 113": { + "Linguistics/French (LIFR) 1DX": { "prerequisites": [], - "name": "Women\u2019s Health in Global Perspective", - "description": "The course examines women\u2019s and girls\u2019 health throughout the world, focusing on the main health problems experienced primarily in low resource settings. This course presents issues in the context of a woman\u2019s life from childhood, through adolescence, reproductive years, and aging. The course will have a strong emphasis on social, economic, environmental, behavioral, and political factors that affect health behaviors, reproductive health, maternal morbidity/mortality, and STIs/HIV." + "name": "", + "description": "This course concentrates on those language skills essential for communication: listening comprehension, conversation, reading, writing, and grammar analysis. UC San Diego students: LIFR 5A is equivalent to LIFR 1A/1AX, LIFR 5B to LIFR 1B/1BX, LIFR 5C to LIFR 1C/1CX, and LIFR 5D to LIFR 1D/1DX. Enrollment is limited. " }, - "GLBH 129": { + "Linguistics/French (LIFR) 5B, 5C, 5D": { "prerequisites": [], - "name": "Meaning and Healing", - "description": "(Cross-listed with ANSC 129.) This course examines the nature of healing across cultures, with special emphasis on religious and ritual healing. Students may not receive credit for GLBH 129 and ANSC 129." + "name": "", + "description": "A self-instructional program designed to prepare graduate students to meet reading requirements in French. After a one-week introduction to French orthography/ sound correspondence, students work with a self-instructional textbook. Midterm and final examinations. (F,W,S) " }, - "GLBH 141": { + "Linguistics/French (LIFR) 11": { "prerequisites": [], - "name": "Clinical Perspectives in Global Health", - "description": "This course aims to understand the salient aspects of global health from the point of view of the clinician who translates epidemiological knowledge into treatment approaches for their patients. The perspective of the clinician illuminates that of the patient and allows us to understand public health on the front line. The course will examine many aspects of global health from the point of view of the clinicians involved, whose perspectives will help illuminate those of their patients. May be coscheduled with GLBH 241." + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIGM 1AX. " }, - "GLBH 142": { + "Linguistics/German (LIGM) 1A": { "prerequisites": [], - "name": "\u201cWhen the field is a ward\u201d: Ethnographies of the Clinic", - "description": "The purpose of this course is to introduce ethnography as a strategy to conduct research on clinical contexts. During the first part of the course, students will learn about the ethnographic method, and how both qualitative research and ethnography may be utilized in healthcare and medical education. The course will also examine some key limitations to these methods." + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in German. Must be taken with LIGM 1A. " }, - "GLBH 146": { + "Linguistics/German (LIGM) 1AX": { "prerequisites": [], - "name": "A Global Health Perspective on HIV", - "description": "(Cross-listed with ANSC 146.) An introductory course to HIV taught through a medical student format, with emphasis on research and experiential learning, including observation of physicians providing care for patients from diverse socioeconomic and cultural backgrounds, and who may be underinsured or uninsured, homeless, and/or immigrants. Students may not receive credit for ANSC 146 and GLBH 146." + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIGM 1BX. " }, - "GLBH 147": { + "Linguistics/German (LIGM) 1B": { "prerequisites": [], - "name": "Global Health and the Environment", - "description": "(Cross-listed with ANSC 147.) Examines interactions of culture, health, and environment. Rural and urban human ecologies, their energy foundations, sociocultural systems, and characteristic health and environmental problems are explored. The role of culture and human values in designing solutions will be investigated. Students may not receive credit for GLBH 147 and ANSC 147." + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in German. Must be taken with LIGM 1B. " }, - "GLBH 148": { + "Linguistics/German (LIGM) 1BX": { "prerequisites": [], - "name": "Global Health and Cultural Diversity", - "description": "(Cross-listed with ANSC 148.) Introduction to global health from the perspective of medical anthropology on disease and illness, cultural conceptions of health, doctor-patient interaction, illness experience, medical science and technology, mental health, infectious disease, and health-care inequalities by ethnicity, gender, and socioeconomic status. Students may not receive credit for GLBH 148 and ANSC 148." + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIGM 1CX. " }, - "GLBH 150": { + "Linguistics/German (LIGM) 1C": { "prerequisites": [], - "name": "Culture and Mental Health", - "description": "(Cross-listed with ANSC 150.) This course reviews mental health cross-culturally and transnationally. Issues examined are cultural shaping of the interpretation, experience, symptoms, treatment, course, and recovery of mental illness. World Health Organization findings of better outcomes in non-European and North American countries are explored. Students may not receive credit for GLBH 150 and ANSC 150." + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in German. Must be taken with LIGM 1C. " }, - "GLBH 150A": { + "Linguistics/German (LIGM) 1CX": { "prerequisites": [], - "name": "Global Health Capstone Seminar I", - "description": "Course will consist of intensive reading and discussion in fields related to each student\u2019s primary interest and building on their Global Health Field Experience. The course is oriented toward producing a senior thesis that serves as credential for students applying for postgraduate or professional training. ** Department approval required ** " + "name": "", + "description": "Small conversation sections taught entirely in German. Emphasis on speaking, reading, writing, and culture. Practice of the language functions needed for successful communication. Must be taken in conjunction with LIGM 1DX. Successful completion of LIGM 1D and LIGM 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " }, - "GLBH 150B": { - "prerequisites": [ - "GLBH 150A" - ], - "name": "Global Health Capstone Seminar II", - "description": "Course will be a workshop with critical input from all participants focused on preparing a senior thesis. The course is oriented toward producing a senior thesis that serves as credential for students applying for postgraduate or professional training. ** Department approval required ** " + "Linguistics/German (LIGM) 1D": { + "prerequisites": [], + "name": "", + "description": "Practice of the grammatical functions indispensable for comprehensible communication in the language. The course is taught entirely in German. Must be taken in conjunction with LIGM 1D. Successful completion of LIGM 1D and LIGM 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " }, - "GLBH 160": { + "Linguistics/German (LIGM) 1DX": { "prerequisites": [], - "name": "Global Health Policy", - "description": "Students will learn fundamental principles and concepts of global health policy, law, and governance. The course will focus on identifying critical global health policy challenges and solving them using a multidisciplinary approach that takes into account the perspectives of various stakeholders. " + "name": "", + "description": "A self-instructional program designed to prepare graduate students to meet reading requirements in German. After a one-week introduction to German orthography/sound correspondences, students work with a self-instructional textbook. Midterm and final examinations. (F,W,S) " }, - "GLBH 171R": { + "Linguistics/German (LIGM) 11": { "prerequisites": [], - "name": "Global Mental Health", - "description": "Global Mental Health (GMH) is a field of research, practice, and advocacy prioritizing mental health for all persons and communities worldwide. GMH recognizes mental, neurological, or substance use disorders as the leading causes of disability worldwide and works to counteract social stigma and discrimination commonly associated with such conditions. The course introduces this interdisciplinary field based on analysis of and writing about critical sources from the relevant scholarly literature. " + "name": "", + "description": "This course concentrates on those language skills essential for communication: listening comprehension, reading, writing, and grammar analysis. UC San Diego students: LIGM 5A is equivalent to LIGM 1A/1AX, LIGM 5B to LIGM 1B/1BX, and LIGM 5C to LIGM 1C/1CX. Enrollment is limited. " }, - "GLBH 181": { + "Linguistics/German\n\t\t (LIGM) 5A, 5B, 5C, 5D": { "prerequisites": [], - "name": "Essentials of Global Health", - "description": "Illustrates and explores ecologic settings and frameworks for study and understanding of global health and international health policy. Students acquire understanding of diverse determinants and trends of disease in various settings and interrelationships between socio-cultural-economic development and health. " + "name": "", + "description": "For students who already comprehend informal spoken Arabic but who have little or no reading and writing skills. Topics include the Arabic alphabet, basic reading and writing, and differences between colloquial and written Arabic. ** Consent of instructor to enroll possible **" }, - "GLBH 195": { + "Linguistics/Heritage Languages (LIHL) 16": { "prerequisites": [], - "name": "Instructional Apprenticeship in Global Health", - "description": "Course gives students experience in teaching global health courses. Students, under direction of instructor, lead discussion sections, attend lectures, review course readings, and meet regularly to prepare course materials and to evaluate examinations and papers. Students will need to apply for the undergraduate instructional apprentice position through ASES, fulfill the Academic Senate regulations, and receive the approval of the department, instructor, department chair, and Academic Senate. May be taken for credit up to two times. Course cannot be used to fulfill requirements for the global health major or minor. ** Department approval required ** " + "name": "", + "description": "For students who already comprehend informal spoken Persian but who have little or no reading and writing skills. Topics include the Persian alphabet, basic reading and writing, and differences between colloquial and written Persian. ** Consent of instructor to enroll possible **" }, - "GLBH 197": { + "Linguistics/Heritage Languages (LIHL) 17": { "prerequisites": [], - "name": "Global Health Academic Internship Program", - "description": "Offers global health students the opportunity to intern and gain credit for their global health field experience requirement. Students will intern and work with a faculty adviser to elaborate on the intellectual analysis and critique of the field experience. Students must complete the AIP application process and have the consent of a faculty adviser. May be taken for credit up to two times. Must be taken for a letter grade to fulfill requirements for the global health major or minor. ** Consent of instructor to enroll possible **" + "name": "", + "description": "For students who comprehend informal spoken Filipino but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and family life/festivals; dialect and language style differences; structure and history of Filipino. May not receive credit for both LIHL112 and LIHL112F. Courses may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - " GLBH 198": { + "Linguistics/Heritage Languages (LIHL) 112F": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Directed group study for students to delve deeper into global health topics or elaborate the intellectual analysis and critique of their field experience. For students enrolled in the global health major or minor. May be taken for credit two times. ** Department approval required ** " + "name": "", + "description": "For students who comprehend informal spoken Filipino but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and media/arts; dialect and language style differences; structure and history of Filipino. May not receive credit for both LIHL112 and LIHL112W. Courses may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "GLBH 199": { + "Linguistics/Heritage Languages (LIHL) 112W": { "prerequisites": [], - "name": "Independent Study in Global Health Field Experience", - "description": "Independent study opportunity for students to work with global health affiliated faculty on relevant research or to elaborate the intellectual analysis and critique of their global health field experience. For students enrolled in the global health major or minor. May be taken for credit two times. ** Department approval required ** " + "name": "", + "description": "For students who comprehend informal spoken Filipino but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and entertainment/culture; dialect and language style differences; structure and history of Filipino. May not receive credit for both LIHL112 and LIHL112P. Courses may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 1": { + "Linguistics/Heritage Languages (LIHL) 112P": { "prerequisites": [], - "name": "The Scope of Chemistry and Biochemistry", - "description": "This seminar connects first-year students with the chemistry community (peers, staff, faculty, and other researchers) as they explore learning resources, study strategies, professional development, and current areas of active research. With an emphasis on academic and career planning, the series will feature guest lectures by UC San Diego faculty and staff, as well as industrial scientists and representatives from professional organizations such as the American Chemical Society (ACS). P/NP grades only." + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on domestic culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Filipino. LIHL 132F, LIHL 132W, and LIHL 132P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 4": { + "Linguistics/Heritage Languages (LIHL) 132F": { "prerequisites": [], - "name": "Basic Chemistry", - "description": "Offers less well-prepared science majors the fundamental skills necessary to succeed in CHEM 6. Emphasizes quantitative problems. Topics include nomenclature, stoichiometry, basic reactions, bonding, and the periodic table. May not receive credit for both CHEM 4 and CHEM 11. Includes a laboratory/discussion each week. Recommended: concurrent enrollment in MATH 3C, 4C or 10A or higher. Restricted to freshmen and sophomores. " + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on media/arts. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Filipino. LIHL 132F, LIHL 132W, and LIHL 132P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 6A": { + "Linguistics/Heritage Languages (LIHL) 132W": { "prerequisites": [], - "name": "General Chemistry I", - "description": "First quarter of a three-quarter sequence intended for science and engineering majors. Topics include atomic theory, bonding, molecular geometry, stoichiometry, types of reactions, and thermochemistry. May not be taken for credit after CHEM 6AH. Recommended: proficiency in high school chemistry and/or physics. Corequisite: MATH 10A or 20A or prior enrollment. " + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on entertainment/culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Filipino. LIHL 132F, LIHL 132W, and LIHL 132P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 6AH": { + "Linguistics/Heritage Languages (LIHL) 132P": { "prerequisites": [], - "name": "Honors General Chemistry I", - "description": "First quarter of a three-quarter honors sequence intended for well-prepared science and engineering majors. Topics include quantum mechanics, molecular orbital theory, and bonding. An understanding of nomenclature, stoichiometry, and other fundamentals is assumed. Students completing 6AH may not subsequently take 6A for credit. Recommended: completion of a high school physics course strongly recommended. Concurrent enrollment in MATH 20A or higher." + "name": "", + "description": "For students who already comprehend informal\n spoken Armenian but wish to improve their communicative and\n sociocultural competence and their analytic understanding.\n Language functions for oral communication, reading, writing,\n and culture; dialect and language style differences; structure\n and history of Armenian. Some speaking ability in Armenian\n recommended. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 6B": { - "prerequisites": [ - "CHEM 6A", - "and", - "MATH 10A" - ], - "name": "General Chemistry II", - "description": "Second quarter of a three-quarter sequence intended for science and engineering majors. Topics include covalent bonding, gases, liquids, and solids, colligative properties, physical and chemical equilibria, acids and bases, solubility. May not be taken for credit after CHEM 6BH. " + "Linguistics/Heritage Languages (LIHL) 113": { + "prerequisites": [], + "name": "", + "description": "For students who comprehend informal spoken Vietnamese but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and family life/festivals; dialect and language style differences; structure and history of Vietnamese. LIHL 114F, LIHL 114W, and LIHL 114P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 6BH": { - "prerequisites": [ - "CHEM 6AH", - "and", - "MATH 20A" - ], - "name": "Honors General Chemistry II", - "description": "Second quarter of a three-quarter honors sequence intended for well-prepared science and engineering majors. Topics include colligative properties, bulk material properties, chemical equilibrium, acids and bases, and thermodynamics. Three hour lecture and one hour recitation.\n\t\t\t\t Students completing 6BH may not subsequently take 6B for credit. " + "Linguistics/Heritage Languages (LIHL) 114F": { + "prerequisites": [], + "name": "", + "description": "For students who comprehend informal spoken Vietnamese but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and entertainment/culture; dialect and language style differences; structure and history of Vietnamese. LIHL 114F, LIHL 114W, and LIHL 114P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 6C": { - "prerequisites": [ - "CHEM 6B" - ], - "name": "General Chemistry III", - "description": "Third quarter of a three-quarter sequence intended for science and engineering majors. Topics include thermodynamics, kinetics, electrochemistry, coordination chemistry, and introductions to nuclear, main group organic, and biochemistry. May not be taken for credit after CHEM 6CH. " + "Linguistics/Heritage Languages (LIHL) 114P": { + "prerequisites": [], + "name": "", + "description": "For students who comprehend informal spoken Vietnamese but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and media/arts; dialect and language style differences; structure and history of Vietnamese. LIHL 114F, LIHL 114W, and LIHL 114P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 6CH": { - "prerequisites": [ - "CHEM 6BH", - "and", - "MATH 20B" - ], - "name": "Honors General Chemistry III", - "description": "Third quarter of a three-quarter honors sequence intended for well-prepared\n\t\t\t\t science and engineering majors. Topics are similar to those in 6C but are\n\t\t\t\t taught at a higher level and faster pace. Students completing 6CH may not\n\t\t\t\t subsequently take 6C for credit. " + "Linguistics/Heritage Languages (LIHL) 114W": { + "prerequisites": [], + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on domestic culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Vietnamese. LIHL 134F, LIHL 134W, and LIHL 134P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 7L": { - "prerequisites": [ - "CHEM 6B", - "or", - "CHEM 6BH" - ], - "name": "General Chemistry Laboratory", - "description": "Condenses a year of introductory\n training in analytical, inorganic, physical, and synthetic\n techniques into one intensive quarter. A materials fee is required.\n A mandatory safety exam must be passed. Students may not receive credit for both CHEM 7L and CHEM 7LM. " + "Linguistics/Heritage Languages (LIHL) 134F": { + "prerequisites": [], + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on media/arts. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Vietnamese. LIHL 134F, LIHL 134W, and LIHL 134P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 7LM": { - "prerequisites": [ - "CHEM 6B", - "or", - "CHEM 6BH" - ], - "name": "General Chemistry Laboratory for Majors", - "description": "Condenses a year of introductory training in analytical, inorganic, physical, and synthetic techniques into one intensive quarter. Students may not receive credit for both CHEM 7L and CHEM 7LM. A materials fee is required. A safety exam must be passed. Enrollment preference given to chemistry and biochemistry majors, followed by other science/engineering majors. " - }, - "CHEM 11": { + "Linguistics/Heritage Languages (LIHL) 134W": { "prerequisites": [], - "name": "The Periodic Table", - "description": "Introduction to the material world of atoms and small inorganic molecules. Intended for nonscience majors. Students may not receive credit for both CHEM 4 and CHEM 11." + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on entertainment/culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Vietnamese. LIHL 134F, LIHL 134W, and LIHL 134P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 12": { - "prerequisites": [ - "CHEM 11" - ], - "name": "Molecules and Reactions", - "description": "Introduction to molecular bonding and structure and chemical reactions, including organic molecules and synthetic polymers. Intended for nonscience majors. Cannot be taken for credit after any organic chemistry course. " + "Linguistics/Heritage Languages (LIHL) 134P": { + "prerequisites": [], + "name": "", + "description": "For students who comprehend informal spoken Korean but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and family life/festivals; dialect and language style differences; structure and history of Korean. LIHL 115F, LIHL 115W, and LIHL 115P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 13": { + "Linguistics/Heritage Languages (LIHL) 115F": { "prerequisites": [], - "name": "Chemistry of Life", - "description": "Introduction to biochemistry for nonscience majors. Topics include carbohydrates, lipids, amino acids and proteins, with an introduction to metabolic pathways in human physiology.\t\t\t\t" + "name": "", + "description": "For students who comprehend informal spoken Korean but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and media/arts; dialect and language style differences; structure and history of Korean. LIHL 115F, LIHL 115W, and LIHL 115P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 40A": { - "prerequisites": [ - "CHEM 6B", - "or", - "CHEM 6BH" - ], - "name": "Organic Chemistry I", - "description": "Renumbered from CHEM 140A. Introduction to organic chemistry with applications to biochemistry. Bonding theory, isomerism, stereochemistry, chemical and physical properties. Introduction to substitution, addition, and elimination reactions. Students may only receive credit for one of the following: CHEM 40A, 40AH, 140A, or 140AH. " + "Linguistics/Heritage Languages (LIHL) 115W": { + "prerequisites": [], + "name": "", + "description": "For students who comprehend informal spoken Korean but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and entertainment/culture; dialect and language style differences; structure and history of Korean. LIHL 115F, LIHL 115W, and LIHL 115P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 40AH": { - "prerequisites": [ - "CHEM 6C", - "or", - "CHEM 6CH" - ], - "name": "Honors Organic Chemistry I", - "description": "Renumbered from CHEM 140AH. Rigorous introduction to organic chemistry, with preview of biochemistry. Bonding theory, isomerism, stereochemistry, physical properties, chemical reactivity. Students may only receive credit for one of the following: CHEM 40A, 40AH, 140A, or 140AH. " + "Linguistics/Heritage Languages (LIHL) 115P": { + "prerequisites": [], + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on domestic culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Korean LIHL 135F, LIHL 135W, and LIHL 135P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 40B": { - "prerequisites": [ - "CHEM 40A", - "CHEM 140A" - ], - "name": "Organic Chemistry II", - "description": "Renumbered from CHEM 140B. Continuation of CHEM 40A, Organic Chemistry I. Methods of analysis, chemistry of hydrocarbons, chemistry of the carbonyl group. Introduction to the reactions of biologically important molecules. Students may only receive credit for one of the following: CHEM 40B, 40BH, 140B, or 140BH. " + "Linguistics/Heritage Languages (LIHL) 135F": { + "prerequisites": [], + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on media/arts. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Korean. LIHL 135F, LIHL 135W, and LIHL 135P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 40BH": { - "prerequisites": [ - "CHEM 40A" - ], - "name": "Honors Organic Chemistry II", - "description": "Renumbered from CHEM 140BH. Organic chemistry course for honors-level students with a strong background in chemistry. Similar to CHEM 40B but emphasizes mechanistic aspects of reactions and effects of molecular structure on reactivity. Students may only receive credit for one of the following: CHEM 40B, 140B, 40BH, or 140BH. " + "Linguistics/Heritage Languages (LIHL) 135W": { + "prerequisites": [], + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on entertainment/culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Korean. LIHL 135F, LIHL 135W, and LIHL 135P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 40C": { - "prerequisites": [ - "CHEM 40B", - "CHEM 40B" - ], - "name": "Organic Chemistry III", - "description": "Renumbered from CHEM 140C. Continuation of CHEM 40A, Organic Chemistry I and CHEM 40B, Organic Chemistry II. Organic chemistry of biologically important molecules: carboxylic acids, carbohydrates, proteins, fatty acids, biopolymers, natural products. Students may only receive credit for one of the following: CHEM 40C, 40CH, 140C, or 140CH. " + "Linguistics/Heritage Languages (LIHL) 135P": { + "prerequisites": [], + "name": "", + "description": "For students who comprehend informal spoken Arabic but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and family life/festivals; dialect and language style differences; structure and history of Arabic. LIHL 116F, LIHL 116W, and LIHL 116P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 40CH": { - "prerequisites": [ - "CHEM 40B", - "CHEM 40BH" - ], - "name": "Honors Organic Chemistry", - "description": "Renumbered from CHEM 140CH. Continuation of Organic Chemistry 40B or 40BH, at honors level. Chemistry of carboxylic acids, carbohydrates, proteins, lipids biopolymers, natural products. Emphasis on mechanistic aspects and structure reactivity relationships. Students may only receive credit for one of the following: CHEM 40C, 40CH, 140C, or 140CH. " + "Linguistics/Heritage Languages (LIHL) 116F": { + "prerequisites": [], + "name": "", + "description": "For students who comprehend informal spoken Arabic but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and media/arts; dialect and language style differences; structure and history of Arabic. LIHL 116F, LIHL 116W, and LIHL 116P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 43A": { - "prerequisites": [ - "CHEM 7L", - "and" - ], - "name": "Organic Chemistry Laboratory", - "description": "Renumbered from CHEM 143A. Introduction to organic laboratory techniques. Separation, purification, spectroscopy, product analysis, and effects of reaction conditions. A materials fee is required. Students must pass a safety exam. Students may only receive credit for one of the following: CHEM 43A, 43AM, 143A, or 143AM. " + "Linguistics/Heritage Languages (LIHL) 116W": { + "prerequisites": [], + "name": "", + "description": "For students who comprehend informal spoken Arabic but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and entertainment/culture; dialect and language style differences; structure and history of Arabic. LIHL 116F, LIHL 116W, and LIHL 116P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 43AM": { - "prerequisites": [ - "CHEM 7L", - "and", - "CHEM 40A" - ], - "name": "Organic Chemistry Laboratory for Majors", - "description": "Organic chemistry laboratory for chemistry majors; nonmajors with strong background in CHEM 40A or 140A may also enroll, though preference will be given to majors. Similar to CHEM 43A, but emphasizes instrumental methods of product identification, separation, and analysis. A materials fee is required. Students must pass a safety exam. CHEM 43AM is renumbered from CHEM 143AH. Students may only receive credit for one of the following: CHEM 43AM, 143AM, 43A, or 143A. " + "Linguistics/Heritage Languages (LIHL) 116P": { + "prerequisites": [], + "name": "", + "description": "Instruction stresses language functions required for advanced oral communication, reading, writing, and cultural understanding in professional contexts. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Arabic. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 87": { + "Linguistics/Heritage Languages (LIHL) 136": { "prerequisites": [], - "name": "Freshman Seminar in Chemistry and Biochemistry", - "description": "This seminar will present topics in chemistry at a level appropriate for first-year students. " + "name": "", + "description": "For students who comprehend informal spoken Persian but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and family life/festivals; dialect and language style differences; structure and history of Persian. LIHL 117F, LIHL 117W, and LIHL 117P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 96": { + "Linguistics/Heritage Languages (LIHL) 117F": { "prerequisites": [], - "name": "Introduction to Teaching Science", - "description": "(Cross-listed with EDS 31.) Explores routine challenges and exceptional\n\t\t\t\t difficulties students often have in learning science. Prepares students\n\t\t\t\t to make meaningful observations of how K\u201312 teachers deal with difficulties. Explores\n\t\t\t\t strategies that teachers may use to pose problems that stimulate students\u2019\n\t\t\t\t intellectual curiosity." + "name": "", + "description": "For students who comprehend informal spoken Persian but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and media/arts; dialect and language style differences; structure and history of Persian. LIHL 117F, LIHL 117W, and LIHL 117P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 99": { + "Linguistics/Heritage Languages (LIHL) 117W": { "prerequisites": [], - "name": "Independent Study", - "description": "Independent literature or laboratory research\n\t\t\t\t by arrangement with and under the direction of a member of\n\t\t\t\t the Department of Chemistry and Biochemistry faculty. Students\n\t\t\t\t must register on a P/NP basis. ** Consent of instructor to enroll possible **" + "name": "", + "description": "For students who comprehend informal spoken Persian but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and entertainment/culture; dialect and language style differences; structure and history of Persian. LIHL 117F, LIHL 117W, and LIHL 117P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 99R": { + "Linguistics/Heritage Languages (LIHL) 117P": { "prerequisites": [], - "name": "Independent Study", - "description": "Independent study or research under the direction of a member\n of the faculty. ** Upper-division standing required ** " + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on domestic culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Persian. LIHL 137F, LIHL 137W, and LIHL 137P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 100A": { - "prerequisites": [ - "CHEM 6C", - "and", - "CHEM 6BL" - ], - "name": "Analytical Chemistry Laboratory", - "description": "Laboratory course emphasizing classical quantitative chemical analysis techniques, including separation and gravimetric methods, as well as an introduction to instrumental analysis. Program or materials fees may apply. " + "Linguistics/Heritage Languages (LIHL) 137F": { + "prerequisites": [], + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on media/arts. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Persian. LIHL 137F, LIHL 137W, and LIHL 137P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 100B": { - "prerequisites": [ - "CHEM 100A", - "and", - "PHYS 2C", - "and", - "PHYS 2BL" - ], - "name": "Instrumental Chemistry Laboratory", - "description": "Hands-on laboratory course focuses on development of correct laboratory work habits and methodologies for the operation of modern analytical instrumentation. Gas chromatography, mass spectrometry, high performance liquid chromatography, ion chromatography, atomic absorption spectroscopy, fluorescence spectrometry, infrared spectrometry. Lecture focuses on fundamental theoretical principles, applications, and limitations of instrumentation used for qualitative and quantitative analysis. Program or materials fees may apply. Students may not receive credit for both CHEM 100B and 10. " + "Linguistics/Heritage Languages (LIHL) 137W": { + "prerequisites": [], + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on entertainment/culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Persian. LIHL 137F, LIHL 137W, and LIHL 137P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 105A": { - "prerequisites": [ - "CHEM 6CL", - "PHYS 2BL", - "CHEM 126" - ], - "name": "Physical Chemistry Laboratory", - "description": "Laboratory course in experimental physical chemistry. Program or materials fees may apply. " + "Linguistics/Heritage Languages (LIHL) 137P": { + "prerequisites": [], + "name": "", + "description": "For students who already comprehend informal\n\t\t\t\t spoken Cantonese but wish to improve their communicative and sociocultural\n\t\t\t\t competence and their analytic understanding. Language functions for oral\n\t\t\t\t communication, reading, writing, and culture; dialect and language style\n\t\t\t\t differences; structure and history of Cantonese. Some speaking ability\n\t\t\t\t in Cantonese recommended. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 105B": { - "prerequisites": [ - "CHEM 105A" - ], - "name": "Physical Chemistry Laboratory", - "description": "Laboratory course in experimental physical chemistry. Program or materials fees may apply. " + "Linguistics/Heritage Languages (LIHL) 118": { + "prerequisites": [], + "name": "", + "description": "Instruction stresses language functions required\n\t\t\t\t for advanced oral communication, reading, writing, and cultural\n\t\t\t\t understanding in professional contexts. High-level vocabulary\n\t\t\t\t and texts; dialect differences and formal language styles (registers).\n\t\t\t\t Advanced structural analysis and history of Cantonese. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 108": { - "prerequisites": [ - "CHEM 43A", - "and", - "CHEM 114A" - ], - "name": "Protein Biochemistry Laboratory", - "description": "The application of techniques to study protein\n\t\t\t\t structure and function, including electrophoresis, protein purification,\n\t\t\t\t column chromatography, enzyme kinetics, and immunochemistry. Students may not receive credit for CHEM 108 and BIBC 103. A materials fee may be required for this course. " + "Linguistics/Heritage Languages (LIHL) 138": { + "prerequisites": [], + "name": "", + "description": "For students who comprehend informal spoken Hindi but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and family life/festivals; dialect and language style differences; structure and history of Hindi. LIHL 119F, LIHL 119W, and LIHL 119P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 109": { - "prerequisites": [ - "CHEM 43A", - "and", - "CHEM 114A" - ], - "name": "Recombinant DNA Laboratory", - "description": "This laboratory will introduce students to the tools of molecular biology\n\t\t\t\t and will involve experiments with recombinant DNA techniques. Students may not receive credit for both CHEM 109 and BIMM 101. A materials fee may be required for this course. " + "Linguistics/Heritage Languages (LIHL) 119F": { + "prerequisites": [], + "name": "", + "description": "For students who comprehend informal spoken Hindi but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and family media/arts; dialect and language style differences; structure and history of Hindi. LIHL 119F, LIHL 119W, and LIHL 119P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 111": { - "prerequisites": [ - "CHEM 6C" - ], - "name": "Origins of Life and the Universe", - "description": "A chemical perspective of the origin and evolution of the biogeochemical systems of stars, elements, and planets through time. The chemical evolution of the earth, its atmosphere, and oceans, and their historical records leading to early life are discussed. The content includes search techniques for chemical traces of life on other planets. " + "Linguistics/Heritage Languages (LIHL) 119W": { + "prerequisites": [], + "name": "", + "description": "For students who comprehend informal spoken Hindi but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and entertainment/culture; dialect and language style differences; structure and history of Hindi. LIHL 119F, LIHL 119W, and LIHL 119P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 113": { - "prerequisites": [ - "CHEM 40C" - ], - "name": "Biophysical Chemistry of Macromolecules\n\t\t\t\t ", - "description": "A discussion of the physical principles governing biomolecular structure and function. Experimental and theoretical approaches to understand protein dynamics, enzyme kinetics, and mechanisms will be covered. May be coscheduled with CHEM 213B. " + "Linguistics/Heritage Languages (LIHL) 119P": { + "prerequisites": [], + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on domestic culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Hindi. LIHL 139F, LIHL 139W, and LIHL 139P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 114A": { - "prerequisites": [ - "CHEM 40A" - ], - "name": "Biochemical Structure and Function", - "description": "Introduction to biochemistry from a structural\n\t\t\t\t and functional viewpoint. Emphasis will be placed on the structure-functions relationships of nucleic acids, proteins, enzymes, carbohydrates, and lipids. Students may not receive credit for both CHEM 114A and BIBC 100. " + "Linguistics/Heritage Languages (LIHL) 139F": { + "prerequisites": [], + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on media/arts. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Hindi. LIHL 139F, LIHL 139W, and LIHL 139P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 114B": { - "prerequisites": [ - "CHEM 40B" - ], - "name": "Biochemical Energetics and Metabolism", - "description": "This course is an introduction to the metabolic reactions in the cell which produce and utilize energy. The course material will include energy-producing pathways: glycolysis, Krebs cycle, oxidative phosphorylation, fatty-acid oxidation. Biosynthesis of amino acids, lipids, carbohydrates, purines, pyrimidines, proteins, nucleic acids. Students may not receive credit for both CHEM 114B and BIBC 102. " + "Linguistics/Heritage Languages (LIHL) 139W": { + "prerequisites": [], + "name": "", + "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on entertainment/culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Hindi. LIHL 139F, LIHL 139W, and LIHL 139P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "CHEM 114C": { - "prerequisites": [ - "CHEM 114A", - "or", - "BIBC 100" - ], - "name": "Biosynthesis of Macromolecules", - "description": "Mechanisms of biosynthesis of macromolecules\u2014particularly\n\t\t\t\t proteins and nucleic acids. Emphasis is on how these processes are controlled\n\t\t\t\t and integrated with metabolism of the cell. Students may not receive credit for both CHEM 114C and BIMM 100. " + "Linguistics/Heritage Languages (LIHL) 139P": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught entirely\n\t\t\t\t in the target language. Emphasis on listening comprehension,\n\t\t\t\t speaking, vocabulary building, reading, and culture. Must be taken in conjunction\n\t\t\t\t with LIHI 1AX. " }, - "CHEM 114D": { - "prerequisites": [ - "CHEM 114A", - "and" - ], - "name": "Molecular and Cellular Biochemistry", - "description": "This course represents a continuation of 114C, or an introductory course for first- and second-year graduate students and covers topics in molecular and cellular biochemistry. Emphasis will be placed on contemporary approaches to the isolation and characterization of mammalian genes and proteins, and molecular genetic approaches to understanding eukaryotic development and human disease. May be coscheduled with CHEM 214. " + "Linguistics/Hindi (LIHI) 1A": { + "prerequisites": [], + "name": "", + "description": "Presentation and practice of the basic grammatical\n\t\t\t\t structures needed for oral and written communication and for\n\t\t\t\t reading. This course is taught entirely in Hindi. Must be taken in conjunction\n\t\t\t\t with LIHI 1A. " }, - "CHEM 115": { - "prerequisites": [ - "CHEM 114A" - ], - "name": "Genome, Epigenome, and Transcriptome Editing", - "description": "A discussion of current topics involving nucleic acid modification, including systems derived from zinc fingers, TALEs, and CRISPR-Cas9. Topics of particular emphasis include delivery of genome editing agents, gene drives, and high-throughput genetic screens. May be coscheduled with CHEM 215. " + "Linguistics/Hindi (LIHI) 1AX": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught entirely\n\t\t\t\t in the target language. Emphasis on listening comprehension,\n\t\t\t\t speaking, vocabulary building, reading, and culture. Must be taken in conjunction\n\t\t\t\t with LIHI 1BX. " }, - "CHEM 116": { - "prerequisites": [ - "CHEM 40C", - "and", - "CHEM 114A" - ], - "name": "Chemical Biology ", - "description": "A discussion of current topics in chemical biology including mechanistic aspects of enzymes and cofactors, use of modified enzymes to alter biochemical pathways, chemical intervention in cellular processes, and natural product discovery. " + "Linguistics/Hindi (LIHI) 1B": { + "prerequisites": [], + "name": "", + "description": "Presentation and practice of the basic grammatical\n\t\t\t\t structures needed for oral and written communication and for\n\t\t\t\t reading. This course is taught entirely in Hindi. Must be taken\n\t\t\t\t in conjunction with LIHI 1B. " }, - "CHEM 118": { - "prerequisites": [ - "CHEM 114A" - ], - "name": "Pharmacology and Toxicology", - "description": "A survey of the biochemical action of drugs and toxins as well as their\n\t absorption and excretion. " + "Linguistics/Hindi (LIHI) 1BX": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIHI 1CX. " }, - "CHEM 119": { - "prerequisites": [ - "BIMM 100", - "or", - "CHEM 114C", - "and", - "CHEM 40C", - "or", - "CHEM 40CH" - ], - "name": "RNA Biochemistry", - "description": "This course discusses RNA structure and function, as well as biological pathways involving RNA-centered complexes.\u00a0Emphasis will be placed on catalytic RNA mechanisms, pre-mRNA splicing, noncoding RNA biology, building blocks of RNA structure, and genome editing using RNA-protein complexes. " + "Linguistics/Hindi\n\t\t (LIHI) 1C": { + "prerequisites": [], + "name": "", + "description": "Presentation and practice of the basic grammatical\n\t\t\t\t structures needed for oral and written communication and for\n\t\t\t\t reading. This course is taught entirely in Hindi. Must be taken in conjunction\n\t\t\t\t with LIHI 1C. " }, - "CHEM 120A": { - "prerequisites": [ - "CHEM 6C", - "and", - "CHEM 40A" - ], - "name": "Inorganic Chemistry I", - "description": "The chemistry of the main group elements in\n\t\t\t\t terms of atomic structure, ionic and covalent bonding. Structural\n\t\t\t\t theory involving s, p, and unfilled d orbitals. Thermodynamic and spectroscopic\n\t\t\t\t criteria for structure and stability of compounds and chemical\n\t\t\t\t reactions of main group elements in terms of molecular structure\n\t\t\t\t and reactivity. " + "Linguistics/Hindi (LIHI) 1CX": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught entirely\n\t\t\t\t in the target language. Emphasis on listening comprehension,\n\t\t\t\t speaking, vocabulary building, reading, and culture. Must be taken in conjunction\n\t\t\t\t with LIHI 1DX. " }, - "CHEM 120B": { - "prerequisites": [ - "CHEM 120A" - ], - "name": "Inorganic Chemistry II", - "description": "A continuation of the discussion of structure, bonding, and reactivity with emphasis on transition metals and other elements using filled d orbitals to form bonds. Coordination chemistry in terms of valence bond, crystal field, and molecular orbital theory. The properties and reactivities of transition metal complexes including organometallic compounds. " + "Linguistics/Hindi (LIHI) 1D": { + "prerequisites": [], + "name": "", + "description": "Presentation and practice of the basic grammatical\n\t\t\t\t structures needed for oral and written communication and for\n\t\t\t\t reading. This course is taught entirely in Hindi. Must be taken in conjunction\n\t\t\t\t with LIHI 1D. " }, - "CHEM 123": { - "prerequisites": [ - "CHEM 114A" - ], - "name": "Advanced Inorganic Chemistry Laboratory", - "description": "The roles of metal ions in biological systems, with emphasis on transition metal ions in enzymes that transfer electrons, bind oxygen, and fix nitrogen. Also included are metal complexes in medicine, toxicity, and metal ion storage and transport. May be coscheduled with CHEM 225. " + "Linguistics/Hindi (LIHI) 1DX": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIIT 1AX. " }, - "CHEM 125": { - "prerequisites": [ - "CHEM 6C", - "PHYS 1C", - "and", - "MATH 10C" - ], - "name": "Bioinorganic Chemistry", - "description": "Renumbered from CHEM 127. This course covers thermodynamics and kinetics of biomolecules from fundamental principles to biomolecular applications. Topics include thermodynamics, first and second laws, chemical equilibrium, solutions, kinetic theory, enzyme kinetics. Students may not receive credit for CHEM 126A and either CHEM 127, CHEM 131, or CHEM 132. " + "Linguistics/Italian\n\t\t (LIIT) 1A": { + "prerequisites": [], + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in Italian. Must be taken with LIIT 1A. " }, - "CHEM 126A": { - "prerequisites": [ - "CHEM 126A" - ], - "name": "Physical Biochemistry I: Thermodynamics and Kinetics of Biomolecules", - "description": "Renumbered from CHEM 126. This course covers quantum and statistical mechanics of biomolecules. Topics include quantum mechanics, molecular structure, spectroscopy fundamentals and applications to biomolecules, optical spectroscopy, NMR, and statistical approaches to protein folding. Students may not receive credit for CHEM 126B and either CHEM 126 or CHEM 130. " + "Linguistics/Italian (LIIT) 1AX": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIIT 1BX. " }, - "CHEM 126B": { - "prerequisites": [ - "CHEM 6C", - "and", - "PHYS 2C", - "and", - "MATH 20D" - ], - "name": "Physical Biochemistry II: Quantum and Statistical Mechanics of Biomolecules", - "description": "Renumbered from CHEM 133. With CHEM 131 and 132, CHEM 130 is part of the Physical Chemistry sequence taught over three quarters. Recommended as the first course of the sequence. Key topics covered in this course include quantum mechanics, atomic and molecular spectroscopy, and molecular structure. Students may not receive credit for CHEM 130 and either 126B, 126, or 133. " + "Linguistics/Italian (LIIT) 1B": { + "prerequisites": [], + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in Italian. Must be taken with LIIT 1B. " }, - "CHEM 130": { - "prerequisites": [ - "CHEM 6C", - "MATH 20C", - "and", - "PHYS 2C" - ], - "name": "Chemical Physics: Quantum Mechanics", - "description": "With CHEM 130 and 132, CHEM 131 is part of the Physical Chemistry sequence taught over three quarters. Recommended as the second course of the sequence. Key topics covered in this course include thermodynamics, chemical equilibrium, phase equilibrium, and chemistry of solutions. Students may not receive credit for CHEM 131 and either CHEM 127 or CHEM 126A. " + "Linguistics/Italian (LIIT) 1BX": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIIT 1CX. " }, - "CHEM 131": { - "prerequisites": [ - "CHEM 130", - "and", - "CHEM 131" - ], - "name": "Chemical Physics: Stat Thermo I ", - "description": "With CHEM 130 and 131, CHEM 132 is part of the Physical Chemistry sequence taught over three quarters. Recommended as the third course of the sequence. Key topics covered in this course include chemical statistics, kinetic theory, and reaction kinetics. Students may not receive credit for CHEM 132 and either CHEM 126A or CHEM 127. \n " + "Linguistics/Italian (LIIT) 1C": { + "prerequisites": [], + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in Italian. Must be taken with LIIT 1C. " }, - "CHEM 132": { - "prerequisites": [ - "CHEM 6C", - "and", - "PHYS 2C" - ], - "name": "Chemical Physics: Stat Thermo II ", - "description": "Foundations of polymeric materials. Topics: structure of polymers; mechanisms of polymer synthesis; characterization methods using calorimetric, mechanical, rheological, and X-ray-based techniques; and electronic, mechanical, and thermodynamic properties. Special classes of polymers: engineering plastics, semiconducting polymers, photoresists, and polymers for medicine. Students may not receive credit for both CENG 134, CHEM 134, or NANO 134. " + "Linguistics/Italian (LIIT) 1CX": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught\n entirely in the target language. Emphasis on listening comprehension,\n speaking, vocabulary building, reading, and culture. Must be\n taken in conjunction with LIIT 1DX. Successful completion\n of LIIT 1D and LIIT 1DX satisfies the requirement for language\n proficiency in Revelle and Eleanor Roosevelt Colleges. " }, - "CHEM 134": { - "prerequisites": [ - "CHEM 126", - "and", - "MATH 20D" - ], - "name": "Polymeric Materials", - "description": "Time-dependent behavior of systems; interaction of matter with light; selection rules. Radiative and nonradiative processes, coherent phenomena, and the density matrices. Instrumentation, measurement, and interpretation. May be coscheduled with CHEM 235. Prior or concurrent enrollment in CHEM 105A recommended. " + "Linguistics/Italian (LIIT) 1D": { + "prerequisites": [], + "name": "", + "description": "Practice of the grammatical functions\n indispensable for comprehensible communication in the language. The\n course is taught entirely in Italian. Must be taken in conjunction\n with LIIT 1D. Successful completion of LIIT 1D and LIIT 1DX satisfies\n the requirement for language proficiency in Revelle and Eleanor Roosevelt\n Colleges. " }, - "CHEM 135": { - "prerequisites": [ - "CHEM 40A" - ], - "name": "Molecular Spectroscopy", - "description": "This course will provide an introduction to the physics and chemistry of soft matter, followed by a literature-based critical examination of several ubiquitous classes of organic nanomaterials and their technological applications. Topics include self-assembled monolayers, block copolymers, liquid crystals, photoresists, organic electronic materials, micelles and vesicles, soft lithography, organic colloids, organic nanocomposites, and applications in biomedicine and food science. " + "Linguistics/Italian (LIIT) 1DX": { + "prerequisites": [], + "name": "", + "description": "A communicative introduction to Italian for students with no prior exposure, with attention to listening comprehension, conversation, reading, writing, grammar analysis, and culture. Equivalent to LIIT 1A/1AX. " }, - "CHEM 141": { - "prerequisites": [ - "CHEM 40B", - "and", - "BIBC 100", - "or", - "BILD 1", - "or", - "CHEM 114A" - ], - "name": "Organic Nanomaterials", - "description": "The primary aim of this course is to provide an overview of fundamental facts, concepts, and methods in glycoscience. The course is structured around major themes in the field, starting from basic understanding of structure and molecular interactions of carbohydrates, to the mechanisms of their biological functions in normal and disease states, to their applications in materials science and energy generation. May be coscheduled with CHEM 242. CHEM 40C and at least one course in either general biology, molecular biology, or cell biology is strongly encouraged. " + "Linguistics/Italian (LIIT) 5AS": { + "prerequisites": [], + "name": "", + "description": "A course to increase the proficiency level of students who have completed LIIT 1A/1AX, 5AS or who are at an equivalent level. Attention to listening comprehension, conversation, reading, writing, grammar analysis, and culture. Equivalent to LIIT 1B/1BX. ** Consent of instructor to enroll possible **" }, - "CHEM 142": { - "prerequisites": [ - "CHEM 43A", - "and", - "CHEM 40B" - ], - "name": "Introduction to Glycosciences", - "description": "Continuation of CHEM 43A, 143A, 43AM, and 143AM, emphasizing synthetic methods of organic chemistry. Enrollment is limited to majors in the Department of Chemistry and Biochemistry unless space is available. A materials fee is required. " + "Linguistics/Italian (LIIT) 5BS": { + "prerequisites": [], + "name": "", + "description": "A course to increase the proficiency level of students who have completed LIIT 1B/1BX, 5BS or who are at an equivalent level. Attention to listening comprehension, conversation, reading, writing, grammar analysis, and culture. Equivalent to LIIT 1C/1CX. ** Consent of instructor to enroll possible **" }, - "CHEM 143B": { - "prerequisites": [ - "CHEM 43A", - "and", - "CHEM 40B" - ], - "name": "Organic Chemistry Laboratory", - "description": "Identification of unknown organic compounds by a combination of chemical and physical techniques. Enrollment is limited to majors in the Department of Chemistry and Biochemistry unless space is available. Program or materials fees may apply. " + "Linguistics/Italian (LIIT) 5CS": { + "prerequisites": [], + "name": "", + "description": "A course to increase the proficiency level of students who have completed LIIT 1C/1CX, 5CS or who are at an equivalent level. Attention to listening comprehension, conversation, reading, writing, grammar analysis, and culture. Equivalent to LIIT1D/1DX. ** Consent of instructor to enroll possible **" }, - "CHEM 143C": { - "prerequisites": [ - "CHEM 40C", - "and", - "CHEM 143B" - ], - "name": "Organic Chemistry Laboratory", - "description": "Advanced organic synthesis. Relationships between molecular structure and reactivity using modern synthetic methods and advanced instrumentation. Stresses importance of molecular design, optimized reaction conditions for development of practically useful synthesis, and problem-solving skills. A materials fee is required. " + "Linguistics/Italian (LIIT) 5DS": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught entirely\n\t\t\t\t in the target language. Emphasis on listening comprehension,\n\t\t\t\t speaking, vocabulary building, reading, and culture. Emphasis\n\t\t\t\t on the language and culture of Brazil. Must be taken in conjunction with\n\t\t\t\t LIPO 1AX. " }, - "CHEM 143D": { - "prerequisites": [ - "CHEM 40B" - ], - "name": "Molecular Design and Synthesis", - "description": "Fundamentals of the chemistry and biochemistry of biofuel and renewable materials technologies. This course explores chemical identity and properties, metabolic pathways and engineering, refining processes, formulation, and analytical techniques related to current and future renewable products. " + "Linguistics/Portuguese (LIPO) 1A": { + "prerequisites": [], + "name": "", + "description": "Presentation and practice of the basic grammatical\n\t\t\t\t structures needed for oral and written communication and reading. The course\n\t\t\t\t is taught entirely in Portuguese. Must be taken in conjunction with LIPO\n\t\t\t\t 1A. " }, - "CHEM 145": { + "Linguistics/Portuguese (LIPO) 1AX": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught entirely\n\t\t\t\t in the target language. Emphasis on listening comprehension, speaking,\n\t\t\t\t vocabulary building, reading, and culture. Emphasis on the language and\n\t\t\t\t culture of Brazil. Must be taken in conjunction with LIPO 1BX. " + }, + "Linguistics/Portuguese (LIPO) 1B": { + "prerequisites": [], + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and reading. The course is taught entirely in Portuguese. Must be taken in conjunction with LIPO 1B. " + }, + "Linguistics/Portuguese (LIPO) 1BX": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught entirely\n\t\t\t\t in the target language. Emphasis on listening comprehension, speaking,\n\t\t\t\t vocabulary building, reading, and culture. Emphasis on the language and\n\t\t\t\t culture of Brazil. Must be taken in conjunction with LIPO 1CX. " + }, + "Linguistics/Portuguese (LIPO) 1C": { + "prerequisites": [], + "name": "", + "description": "Presentation and practice of the basic grammatical\n\t\t\t\t structures needed for oral and written communication and reading. The course\n\t\t\t\t is taught entirely in Portuguese. Must be taken in conjunction with LIPO\n\t\t\t\t 1C. " + }, + "Linguistics/Portuguese (LIPO) 1CX": { + "prerequisites": [], + "name": "", + "description": "Small conversion sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIPO 1DX. Successful completion of LIPO 1D and LIPO 1DX satisfies the requirement for language proficiency in Revelle and Eleanor Roosevelt Colleges. " + }, + "Linguistics/Portuguese (LIPO) 1D": { + "prerequisites": [], + "name": "", + "description": "Practice of the grammatical functions indispensable for comprehensible communication in the language. The course is taught entirely in Portuguese. Must be taken in conjunction with LIPO 1D. Successful completion of LIPO 1D and LIPO 1DX satisfies the requirement for language proficiency in Revelle and Eleanor Roosevelt Colleges. " + }, + "Linguistics/Portuguese (LIPO) 1DX": { + "prerequisites": [], + "name": "", + "description": "Conducted entirely in Portuguese. Course aims to improve oral\n language skills through discussions of social science topics,\n with emphasis on social and political movements in contemporary\n Brazil. Course materials may encompass televised news broadcasts,\n newspapers, and periodicals. ** Consent of instructor to enroll possible **" + }, + "Linguistics/Portuguese (LIPO) 15": { + "prerequisites": [], + "name": "", + "description": "Conducted entirely in Portuguese. Course aims to improve oral\n language skills through discussions of social science topics,\n with emphasis on culture and the arts in contemporary Brazil.\n Course materials may encompass televised news broadcasts, newspapers,\n and periodicals. ** Consent of instructor to enroll possible **" + }, + "Linguistics/Portuguese\n (LIPO) 16": { + "prerequisites": [], + "name": "", + "description": "Conducted entirely in Portuguese. Course aims to improve oral\n language skills through discussions of social science topics,\n with emphasis on the role of ethnicity in contemporary Brazil.\n Course materials may encompass televised news broadcasts, newspapers\n and periodicals. ** Consent of instructor to enroll possible **" + }, + "Linguistics/Portuguese (LIPO) 17": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LISP 1AX. " + }, + "Linguistics/Spanish (LISP) 1A": { + "prerequisites": [], + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in Spanish. Must be taken with LISP 1A. " + }, + "Linguistics/Spanish (LISP) 1AX": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LISP 1BX. " + }, + "Linguistics/Spanish (LISP) 1B": { + "prerequisites": [], + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in Spanish. Must be taken with LISP 1B. " + }, + "Linguistics/Spanish (LISP) 1BX": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LISP 1CX. " + }, + "Linguistics/Spanish (LISP) 1C": { + "prerequisites": [], + "name": "", + "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in Spanish. Must be taken with LISP 1C. " + }, + "Linguistics/Spanish (LISP) 1CX": { + "prerequisites": [], + "name": "", + "description": "Small conversation sections taught entirely in Spanish. Emphasis on speaking, reading, writing, and culture. Practice of the language functions needed for successful communication. Must be taken in conjunction with LISP 1DX. Successful completion of LISP 1D and LISP 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " + }, + "Linguistics/Spanish (LISP) 1D": { + "prerequisites": [], + "name": "", + "description": "Practice of the grammatical functions indispensable for comprehensible communication in the language. The course is taught entirely in Spanish. Must be taken in conjunction with LISP 1D. Successful completion of LISP 1D and LISP 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " + }, + "Linguistics/Spanish (LISP) 1DX": { + "prerequisites": [], + "name": "", + "description": "This course concentrates on those language\n\t\t\t\t skills essential for communication: listening comprehension, conversation,\n\t\t\t\t reading, writing, and grammar analysis. UC San Diego students: LISP 5A is equivalent\n\t\t\t\t to LISP 1A/1AX, LISP 5B to LISP 5B/5BX, LISP 5C to LISP 1C/1CX and LISP\n\t\t\t\t 5D to LISP 1D/1DX. Enrollment is limited. " + }, + "Linguistics/Spanish (LISP) 5A, 5B, 5C, 5D": { + "prerequisites": [], + "name": "", + "description": "Conducted entirely in Spanish. Course aims to improve oral language skills through discussions of social science topics, with emphasis on political events and current affairs. Course materials encompass televised news broadcasts, newspapers and periodicals. LISP 15 is offered fall quarter only, LISP 16 is offered winter quarter only, and LISP 17 is offered spring quarter only. Each course may be taken one time and need not be taken in sequence. " + }, + "Linguistics/Spanish (LISP) 15, 16, 17": { + "prerequisites": [], + "name": "", + "description": "An intermediate-level course on Spanish as used in the health sciences, especially in clinical and field settings. Attention to listening, speaking, relevant vocabulary, cultural knowledge, reading, and writing. May be taken for credit up to two times. " + }, + "Linguistics/Spanish (LISP) 18": { + "prerequisites": [], + "name": "", + "description": "Introductory-level study of a language in the language laboratory on a self-instructional basis. Depending on the availability of appropriate study materials, the course may be taken in blocks of two or four units of credit and may be repeated up to the total number of units available for that language. " + }, + "JAPN 190": { + "prerequisites": [], + "name": "Selected Topics in Contemporary Japanese Studies", + "description": "This course is an introduction to the Japanese language. Students will learn basic skills of listening, speaking, reading, and writing over seventy-five characters. Students will also acquire fundamental knowledge of Japanese grammar and learn about Japanese people and culture." + }, + "JAPN 10A": { + "prerequisites": [], + "name": "First-Year Japanese", + "description": "This course is an introduction to the Japanese language. Students will learn basic skills of listening, speaking, reading, and writing over seventy-two additional characters. Students will also acquire fundamental knowledge of Japanese grammar and learn about Japanese people and culture. ** Consent of instructor to enroll possible **" + }, + "JAPN 10B": { + "prerequisites": [], + "name": "First-Year Japanese", + "description": "This course is an introduction to the Japanese language. Students will learn basic skills of listening, speaking, reading, and writing over forty-eight additional characters. Students will also acquire fundamental knowledge of Japanese grammar and learn about Japanese people and culture. ** Consent of instructor to enroll possible **" + }, + "JAPN 10C": { + "prerequisites": [], + "name": "First-Year Japanese", + "description": "Students will improve their fundamental skills in listening, speaking, reading, and writing including acquiring knowledge of Japanese transportation, trips, and geography. ** Consent of instructor to enroll possible **" + }, + "JAPN 20A": { + "prerequisites": [], + "name": "Second-Year Japanese", + "description": "Students will improve their fundamental skills in listening, speaking, reading, and writing including acquiring knowledge of life experiences, Japanese culture, customs, health, and school. ** Consent of instructor to enroll possible **" + }, + "JAPN 20B": { + "prerequisites": [], + "name": "Second-Year Japanese", + "description": "Students will improve their fundamental skills in listening, speaking, reading, and writing including acquiring knowledge of Japanese culture and customs. Students will conduct research including writing a short essay and presentation. ** Consent of instructor to enroll possible **" + }, + "JAPN 20C": { + "prerequisites": [], + "name": "Second-Year Japanese", + "description": "This course will require students to gain knowledge, comprehend, evaluate, and discuss Japanese customs. Students will critically analyze and compare culture and customs of Japan and other countries. Course work includes student research on issues in Japanese society. ** Consent of instructor to enroll possible **" + }, + "JAPN 130A": { + "prerequisites": [], + "name": "Third-Year Japanese", + "description": "This course will require students to gain knowledge, comprehend, evaluate, and discuss topics of education system and youth issues in Japan and other countries. Students will learn vocabulary and phrases to support, explain, research, and hypothesize concrete and abstract topics. ** Consent of instructor to enroll possible **" + }, + "JAPN 130B": { + "prerequisites": [], + "name": "Third-Year Japanese", + "description": "This course will require students to gain knowledge, comprehend, evaluate, and discuss the environment and internationalization issues. Students will learn vocabulary and phrases to critically analyze and compare, express their opinions, and present and propose possible solutions for these topics. ** Consent of instructor to enroll possible **" + }, + "JAPN 130C": { "prerequisites": [ - "CHEM 40C" + "JAPN 20C" ], - "name": "Biofuels and Renewable Materials ", - "description": "Methodology of mechanistic organic chemistry; integration of rate expression, determination of rate constants, transition state theory; catalysis, kinetic orders, isotope effects, solvent effects, linear free energy relationship; product studies, stereochemistry; reactive intermediates; rapid reactions. May be coscheduled with CHEM 246. " + "name": "Third-Year Japanese", + "description": "Training in oral and written communication skills for professional settings in Japanese. Broad aspects of cultural issues in Japanese organizations are introduced and comparison of American and Japanese cultural business patterns will be conducted. ** Consent of instructor to enroll possible **" }, - "CHEM 146": { + "JAPN 135A": { "prerequisites": [ - "CHEM 40A" + "JAPN 135A" ], - "name": "Kinetics and Mechanism of Organic Reactions", - "description": "A look at some of nature\u2019s most intriguing molecules and the ability to discover, synthesize, modify, and use them. The role of chemistry in society, and how chemical synthesis\u2014the art and science of constructing molecules\u2014shapes our world. " + "name": "Japanese for Professional Purposes", + "description": "Continuation of training in oral and written communication skills for professional settings in Japanese. Broad aspects of cultural issues in Japanese organizations are introduced and comparison of American and Japanese cultural business patterns will be conducted. ** Consent of instructor to enroll possible **" }, - "CHEM 151": { + "JAPN 135B": { "prerequisites": [ - "CHEM 40C" + "JAPN 135B" ], - "name": "Molecules that Changed the World", - "description": "A survey of reactions of particular utility in the organic laboratory. Emphasis is on methods of preparation of carbon-carbon bonds and oxidation reduction sequences. May be coscheduled with CHEM 252. " + "name": "Japanese for Professional Purposes", + "description": "Continuation of training in oral and written communication skills for professional settings in Japanese. Broad aspects of cultural issues in Japanese organizations are introduced and comparison of American and Japanese cultural business patterns will be conducted. " }, - "CHEM 152": { + "JAPN 135C": { + "prerequisites": [], + "name": "Japanese for Professional Purposes", + "description": "Prerequisites: previous course or consent of instructor.\n ** Consent of instructor to enroll possible **" + }, + "JAPN 140A-B-C": { + "prerequisites": [], + "name": "Fourth-Year Japanese", + "description": "Prerequisites: previous course or consent of instructor.\t\t ** Consent of instructor to enroll possible **" + }, + "CHIN 10AN": { + "prerequisites": [], + "name": "First Year Chinese\u2014Nonnative speakers I", + "description": "Introductory course of basic Chinese\n for students with no background in Chinese. First quarter of a one-year\n curriculum for entry-level Chinese in communicative skills. Covers\n pronunciation, fundamentals of Chinese grammar, and vocabulary. Topics\n include greetings, family affairs, numbers, and daily exchanges.\n Students may not receive duplicate credit for CHIN 11 and CHIN 10AN.\n " + }, + "CHIN\n 10AM": { + "prerequisites": [], + "name": "First Year Chinese\u2014Mandarin speakers I", + "description": "Introductory course of basic Chinese\n for students with background in Mandarin Chinese. First quarter of\n one-year curriculum for entry-level Chinese in communicative skills.\n Covers pronunciation, fundamentals of Chinese grammar, and vocabulary.\n Topics include greetings, family affairs, numbers, and daily exchanges.\n Students may not receive duplicate credit for CHIN 11 and CHIN 10AM.\n " + }, + "CHIN 10AD": { + "prerequisites": [], + "name": "First Year Chinese\u2014Dialect speakers I", + "description": "Introductory course of basic Chinese\n for students with background in a dialect of Chinese. First quarter\n of one-year curriculum for entry-level Chinese in communicative skills.\n Covers pronunciation, fundamentals of Chinese grammar, and vocabulary.\n Topics include greetings, family affairs, numbers, and daily exchanges.\n Students may not receive duplicate credit for CHIN 11 and CHIN 10AD.\n " + }, + "CHIN 10BN": { "prerequisites": [ - "CHEM 40C" + "CHIN 11", + "CHIN 10AN" ], - "name": "Synthetic Methods in Organic Chemistry", - "description": "A qualitative approach\n\t\t\t\t to the mechanisms of various organic reactions; substitutions, additions,\n\t\t\t\t eliminations, condensations, rearrangements, oxidations, reductions, free-radical\n\t\t\t\t reactions, and photochemistry. Includes considerations of molecular structure\n\t\t\t\t and reactivity, synthetic methods, spectroscopic tools, and stereochemistry.\n\t\t\t\t The topics emphasized will vary from year to year. This is the first quarter\n\t\t\t\t of the advanced organic chemistry sequence. May be coscheduled with CHEM 254. " + "name": "First Year Chinese\u2014Nonnative speakers II", + "description": "Continuation of basic Chinese for students\n with no background in Chinese. Second course of one-year curriculum\n for entry-level Chinese communicative skills. Covers pronunciation,\n more elaborate grammar, and vocabulary. Focus on goal-oriented tasks:\n school life, shopping, and transportation. Students may not receive\n duplicate credit for CHIN 12 and CHIN 10BN. " }, - "CHEM 154": { + "CHIN 10BM": { "prerequisites": [ - "CHEM 152" + "CHIN 11", + "CHIN 10AM" ], - "name": "Mechanisms of Organic Reactions", - "description": "This course discusses planning economic routes for the synthesis of complex organic molecules. The uses of specific reagents to control stereochemistry will be outlined and recent examples from the primary literature will be highlighted. (May not be offered every year.) May be coscheduled with CHEM 255. " + "name": "First Year Chinese\u2014Mandarin speakers II", + "description": "Continuation introduction of basic\n Chinese for students with background in Mandarin Chinese. Second\n course of one-year curriculum for entry-level Chinese communicative\n skills. Covers pronunciation, more elaborate Chinese grammar, and\n expanded vocabulary. Focus on goal-oriented tasks such as school\n life, shopping, and transportation. Students may not receive duplicate\n credit for CHIN 12 and CHIN 10BM. " }, - "CHEM 155": { + "CHIN 10BD": { "prerequisites": [ - "CHEM 40C" + "CHIN 11", + "CHIN 10AM" ], - "name": "Synthesis of Complex Molecules", - "description": "Introduction to the measurement and theoretical correlation of the physical properties of organic molecules. Topics covered include molecular geometry, molecular-orbital theory, orbital hybridization, aromaticity, chemical reactivity, stereochemistry, infrared and electronic spectra, photochemistry, and nuclear magnetic resonance. May be coscheduled with CHEM 256. " + "name": "First Year Chinese\u2014Dialect speakers II", + "description": "Continuation introduction of basic\n Chinese for students with background in a dialect of Chinese. Second\n course of one-year curriculum for entry-level Chinese communicative\n skills. Covers pronunciation, more elaborate Chinese grammar, and\n expanded vocabulary. Focus on goal-oriented tasks such as school\n life, shopping, and transportation. Students may not receive duplicate\n credit for CHIN 12 and CHIN 10BD. " }, - "CHEM 156": { + "CHIN 10CN": { "prerequisites": [ - "CHEM 40C" + "CHIN 12", + "CHIN 10BN" ], - "name": "Structure\n\t\t and Properties of Organic Molecules", - "description": "A comprehensive survey of modern bioorganic and natural products chemistry. Topics will include biosynthesis of natural products, molecular recognition, and small molecule-biomolecule interactions. May be coscheduled with CHEM 257. " + "name": "First Year Chinese\u2014Nonnative speakers III", + "description": "Continuation course of basic Chinese\n for students with no background in Chinese. Third course of one-year\n curriculum for entry-level Chinese communicative skills. Expansion\n on pronunciation and more elaborate Chinese grammar and increasing\n vocabulary. Topics include dining, direction, and social life. Students\n may not receive duplicate credit for CHIN 13 and CHIN 10CN. " }, - "CHEM 157": { + "CHIN 10CM": { "prerequisites": [ - "CHEM 40C" + "CHIN 12", + "CHIN 10BM" ], - "name": "Bioorganic and Natural Products Chemistry", - "description": "Intensive coverage of modern spectroscopic techniques used to determine the structure of organic molecules. Problem solving and interpretation of spectra will be emphasized. May be coscheduled with CHEM 258. " + "name": "First Year Chinese\u2014Mandarin speakers III", + "description": "Further continuation course of basic\n Chinese for students with background in Mandarin Chinese. Third course\n of one-year curriculum for entry-level Chinese communicative skills.\n Expansion on pronunciation and more elaborate Chinese grammar and\n increasing vocabulary. Topics include dining, direction, and social\n life. Students may not receive duplicate credit for CHIN 13 and CHIN\n 10CM. " }, - "CHEM 158": { + "CHIN 10CD": { "prerequisites": [ - "BIBC 100", - "or", - "CHEM 114A", - "and", - "BIBC 102", - "or", - "CHEM 114B", - "and", - "BIMM 100", - "or", - "CHEM 114C" + "CHIN 12", + "CHIN 10BD" ], - "name": "Applied Spectroscopy", - "description": "(Cross-listed with BIMM 164.)\n An introduction to virus structures, how they are determined,\n and how they facilitate the various stages of the viral life\n cycle from host recognition and entry to replication, assembly,\n release, and transmission to uninfected host cells. (May not\n be offered every year.) " + "name": "First Year Chinese\u2014Dialect speakers III", + "description": "Further continuation course of basic\n Chinese for students with background in a dialect of Chinese. Third\n course of one-year curriculum for entry-level Chinese communicative\n skills. Expansion on pronunciation and more elaborate Chinese grammar\n and increasing vocabulary. Topics include dining, direction, and\n social life. Students may not receive duplicate credit for CHIN 13\n and CHIN 10CD. " }, - "CHEM 164": { + "CHIN 20AN": { "prerequisites": [ - "CHEM 114A", - "or", - "BIBC 100" + "CHIN 13", + "CHIN 10CN", + "and" ], - "name": "Structural Biology of Viruses", - "description": "(Cross-listed with BIMM 162.) The resolution revolution in cryo-electron microscopy has made this a key technology for the high-resolution determination of structures of macromolecular complexes, organelles, and cells. The basic principles of transmission electron microscopy, modern cryo-electron microscopy, image acquisition, and 3D reconstruction will be discussed. Examples from the research literature using this state-of-the-art technology will also be discussed. " + "name": "Second Year Chinese\u2014Nonnative speakers I", + "description": "Second year of basic Chinese for students with no background. First\n course of second year of a one-year curriculum for Chinese in intermediate\n communicative skills. Covers sentence structure, idiomatic expression,\n development of listening, speaking, reading, and written competence\n in Chinese. Topics include sports, travel, and special events. Students\n may not receive duplicate credit for both CHIN 21 and CHIN 20AN. ** Exam placement options to enroll possible ** " }, - "CHEM 165": { + "CHIN 20AM": { "prerequisites": [ - "CHEM 40C", - "and", - "CHEM 114A" + "CHIN 13", + "CHIN 10CM", + "and" ], - "name": "3D Cryo-Electron Microscopy of Macromolecules and Cells ", - "description": "Basics of medicinal chemistry, emphasizing rigorous descriptions of receptor-protein structure, interactions, and dynamics; their implications for drug development; and an integrated treatment of pharmacodynamic and pharmacokinetic considerations in drug design. Treats computational approaches as well as practical experimental approaches. " + "name": "Second Year Chinese\u2014Mandarin speakers I", + "description": "Second year of basic Chinese for students with background in Mandarin.\n First course of second year of one-year curriculum for Chinese in intermediate\n communicative skills. Covers sentence structure and idiomatic expression,\n development of listening, speaking, reading, and written competence.\n Topics include sports, travel, and special events. Students may not\n receive duplicate credit for both CHIN 21 and CHIN 20AM. ** Exam placement options to enroll possible ** " }, - "CHEM 167": { + "CHIN 20AD": { "prerequisites": [ - "CHEM 40C", - "and", - "CHEM 114A" + "CHIN 13", + "CHIN 10CD", + "and" ], - "name": "Medicinal Chemistry", - "description": "Practical methods to make drugs currently in use and to design future drugs. Treats both chemical synthesis and biologics like monoclonal antibodies. Topics include fragment-based screening, solid phase synthesis, directed evolution, and bioconjugation as well as efficacy, metabolism, and toxicity. " + "name": "Second Year Chinese\u2014Dialect speakers I", + "description": "Second year of basic Chinese for students with background in a\n dialect of Chinese. First course of second year of one-year curriculum\n for Chinese in intermediate communicative skills. Covers sentence\n structure and idiomatic expression, development of listening, speaking,\n reading, and written competence in Chinese. Topics include sports,\n travel, and special events. Students may not receive duplicate credit\n for both CHIN 21 and CHIN 20AD. ** Exam placement options to enroll possible ** " }, - "CHEM 168": { + "CHIN 20BN": { "prerequisites": [ - "CHEM 6C" + "CHIN 21", + "CHIN 20AN", + "and" ], - "name": "Drug Synthesis and Design", - "description": "An introduction to chemical concerns in nature with emphasis on atmospheric issues like air pollution, chlorofluorocarbons and the ozone hole, greenhouse effects and climate change, impacts of radioactive waste, sustainable resource usage, and risks and benefits of energy sources. Students may only receive credit for one of the following: CHEM 149A or 171. " + "name": "Second Year Chinese\u2014Nonnative speakers II", + "description": "Continuation of second year of basic Chinese for students with\n no background. Second course of one-year curriculum for Chinese intermediate\n communicative skills. Covers sentence structure and idiomatic expressions,\n development of listening, speaking, reading and written competence\n in Chinese. Topics focus on China, population and other nationalities.\n Students may not receive duplicate credit for both CHIN 22 and CHIN\n 20BN. ** Exam placement options to enroll possible ** " }, - "CHEM 171": { + "CHIN 20BM": { "prerequisites": [ - "CHEM 6C" + "CHIN 21", + "CHIN 20AD", + "and" ], - "name": "Environmental Chemistry I", - "description": "An introduction to chemical concerns in nature with emphasis on soil and water issues like agricultural productivity, biological impacts in the environment, deforestation, ocean desserts, natural and manmade disasters (fires, nuclear winter, volcanoes), and waste handling. Recommended preparation: CHEM 171 (formerly 149A). Students may only receive credit for one of the following: CHEM 172 or 149B. " + "name": "Second Year Chinese\u2014Mandarin speakers II", + "description": "Continuation of second year of basic Chinese for students with\n background in a dialect of Chinese. Second course of one-year curriculum\n for Chinese intermediate communicative skills. Covers sentence structure\n and idiomatic expressions, development of listening, speaking, reading,\n and written competence in Chinese. Topics focus on China, population,\n and other nationalities. Students may not receive duplicate credit\n for both CHIN 22 and CHIN 20BD. ** Exam placement options to enroll possible ** " }, - "CHEM 172": { + "CHIN 20BD": { "prerequisites": [ - "CHEM 6C" + "CHIN 22", + "CHIN 20BN", + "and" ], - "name": "Environmental Chemistry II", - "description": "Chemical principles applied to the study of atmospheres. Atmospheric photochemistry, radical reactions, chemical lifetime determinations, acid rain, greenhouse effects, ozone cycle, and evolution are discussed. May be coscheduled with CHEM 273. " + "name": "Second Year Chinese\u2014Dialect speakers II", + "description": "Final course of second year Chinese for students with no background.\n Third course of a one-year curriculum for Chinese intermediate communicative\n skills. Expansion on pronunciation and more elaborate Chinese grammar\n and increasing vocabulary. Topics include food, physical actions, and\n culture. Students may not receive duplicate credit for both CHIN 23\n and CHIN 20CN. ** Exam placement options to enroll possible ** " }, - "CHEM 173": { + "CHIN 20CN": { "prerequisites": [ - "CHEM 6C" + "CHIN 22", + "CHIN 20BM", + "and" ], - "name": "Atmospheric Chemistry", - "description": "(Cross-listed with SIO 141.) Introduction to the chemistry and distribution of the elements in seawater, emphasizing basic chemical principles such as electron structure, chemical bonding, and group and periodic properties and showing how these affect basic aqueous chemistry in marine systems. Students may not receive credit for SIO 141 and CHEM 174. " + "name": "Second Year Chinese\u2014Nonnative speakers III", + "description": "Final course of second year Chinese for students with background\n in Mandarin. Third course of one-year curriculum for Chinese intermediate\n communicative skills. Expansion on pronunciation and Chinese grammar\n and increasing vocabulary. Topics include food, physical actions, and\n culture. Students may not receive duplicate credit for both CHIN 23\n and CHIN 20CM. ** Exam placement options to enroll possible ** " }, - "CHEM 174": { + "CHIN 20CM": { "prerequisites": [ - "BIMM 181", - "or", - "BENG 181", - "or", - "CSE 181" + "CHIN 22", + "CHIN 20BD", + "and" ], - "name": "Chemical Principles of Marine Systems", - "description": "(Cross-listed with BIMM 184/BENG 184/CSE 184.)\n\t\t\t\t This advanced course covers the application of machine learning and modeling\n\t\t\t\t techniques to biological systems. Topics include gene structure, recognition\n\t\t\t\t of DNA and protein sequence patterns, classification, and protein structure\n\t\t\t\t prediction. Pattern discovery, Hidden Markov models/support vector machines/neural\n\t\t\t\t network/profiles, protein structure prediction, functional characterization\n\t\t\t\t or proteins, functional genomics/proteomics, metabolic pathways/gene networks. Bioinformatics majors only. " + "name": "Second Year Chinese\u2014Mandarin speakers III", + "description": "Final course of second year Chinese for students with background\n in a dialect of Chinese. Third course of one-year curriculum for\n Chinese intermediate communicative skills. Expansion on pronunciation\n and more elaborate Chinese grammar and increasing vocabulary. Topics\n include food, physical actions, and culture. Students may not receive\n duplicate credit for both CHIN 23 and CHIN 20CD. ** Exam placement options to enroll possible ** " }, - "CHEM 184": { + "CHIN 20CD": { "prerequisites": [ - "CHEM 126", - "and", - "MATH 20C" + "CHIN 23", + "CHIN 20CN" ], - "name": "Computational Molecular Biology", - "description": "Course in computational methods, with focus on quantum chemistry. The course content is built on a background in mathematics and physical chemistry, and provides an introduction to computational theory, ab initio methods, and semiempirical methods. The emphasis is on applications and reliability. May be coscheduled with CHEM 285. " + "name": "Second Year Chinese\u2014Dialect speakers III", + "description": "Intermediate\n course of Chinese for students with no background. First course of\n third year of one-year curriculum that focuses on listening, reading,\n and speaking. Emphasizing the development of advanced oral, written\n competence, and aural skills in Mandarin. Topics include education,\n literature, history of Chinese language and society. Students may not\n receive duplicate credit for both CHIN 111 and CHIN 100AN. " }, - "CHEM 185": { + "CHIN 100AN": { "prerequisites": [ - "MATH 20C", - "and", - "CHEM 126", - "or", - "CHEM 126B", - "or", - "CHEM 130", + "CHIN 23", + "CHIN 20CM", "or", - "CHEM 133" + "CHIN 20CD" ], - "name": "Quantum Chemistry Lab ", - "description": "Course in computational methods, with focus on molecular simulations. The course content is built on a background in mathematics and physical chemistry, and provides an introduction to computational theory and molecular mechanics. The emphasis is on applications and reliability. May be coscheduled with CHEM 286. " + "name": "Third Year Chinese\u2014Nonnative speakers I", + "description": "Intermediate course of Chinese for students with background in\n Mandarin and other dialects. First course of third year of one-year\n curriculum that focuses on listening, reading, and speaking. Topics\n include education, literature, history of Chinese language and society.\n Students may not receive duplicate credit for both CHIN 111 and CHIN\n 100AM. " }, - "CHEM 186": { + "CHIN 100AM": { "prerequisites": [ - "CHEM 6C", - "and", - "CHEM 96", - "or", - "EDS 31" + "CHIN 111", + "CHIN 100AN" ], - "name": "Molecular Simulations Lab", - "description": "(Cross-listed with EDS 122.) Examine theories of learning and how they are important in the science classroom. Conceptual development in the individual student, as well as the development of knowledge in the history of science. Key conceptual obstacles in science will be explored. " + "name": "Third Year Chinese\u2014Mandarin speakers I", + "description": "Intermediate course of Chinese for students with no background.\n Second course of third year of Chinese that emphasizes the development\n of advanced oral, written competence and aural skills in Mandarin.\n Topics include various cultural aspects of the Chinese language,\n additional family issues and society. Students may not receive duplicate\n credit for both CHIN 112 and CHIN 100BN. " }, - "CHEM 187": { + "CHIN 100BN": { "prerequisites": [ - "CHEM 6C", - "and", - "CHEM 187", - "or", - "EDS 122" + "CHIN 111", + "CHIN 100AM" ], - "name": "Foundations\n\t\t of Teaching and Learning Science", - "description": "(Cross-listed with EDS 123.) In the lecture\n\t\t\t\t and observation format, students continue to explore the theories of learning\n\t\t\t\t in the science classroom. Conceptual development is fostered, as well as\n\t\t\t\t continued development of knowledge of science history. Students are exposed\n\t\t\t\t to the science of teaching in science in actual practice. " + "name": "Third Year Chinese\u2014Nonnative speakers II", + "description": "Intermediate course of Chinese for students with background in\n Mandarin and other dialects. Second course of third year of Chinese\n that emphasizes the development of advanced oral, written competence,\n and aural skills in Mandarin. Topics include cultural aspects of\n the Chinese language, additional family issues and society. Students\n may not receive duplicate credit for both CHIN 112 and CHIN 100BM.\n " }, - "CHEM 188": { - "prerequisites": [], - "name": "Capstone Seminar in Science Education", - "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in chemistry or biochemistry. May be taken for credit up to four times, with a change in topic, and permission of the department. P/NP grades only. ** Consent of instructor to enroll possible **" + "CHIN 100BM": { + "prerequisites": [ + "CHIN 112", + "CHIN 100BN" + ], + "name": "Third Year Chinese\u2014Mandarin speakers II", + "description": "Intermediate course of Chinese for students with no background.\n Third course of third year of one-year curriculum in Chinese language\n acquisition. Continue to develop proficiency at intermediate level.\n Improves students\u2019 Chinese language skills and knowledge of the culture\n with an emphasis of reading and writing. Students may not receive\n duplicate credit for both CHIN 113 and CHIN 100CN. " }, - "CHEM 192": { - "prerequisites": [], - "name": "Senior Seminar\n\t\t in Chemistry and Biochemistry", - "description": "Selected topics in the field of chemistry. Course will vary in title and content. Students are expected to actively participate in course discussions, read, and analyze primary literature. Current subtitles will be listed on the Schedule of Classes. May be taken for credit up to four times as topics vary. Students may not receive credit for the same topic." + "CHIN 100CN": { + "prerequisites": [ + "CHIN 112", + "CHIN 100BM" + ], + "name": "Third Year Chinese\u2014Nonnative speakers III", + "description": "Intermediate course of Chinese for students with background in\n Mandarin and other dialects. Third course of third year of one-year\n curriculum in Chinese language acquisition. Continue to develop proficiency\n at intermediate level. Improves students\u2019 Chinese language skills\n and knowledge of the culture with an emphasis of reading and writing.\n Topics include economic development in China. Students may not receive\n duplicate credit for both CHIN 113 and CHIN 100CM. " }, - "CHEM 194": { + "CHIN 100CM": { "prerequisites": [], - "name": "Special Topics in Chemistry", - "description": "An introduction to teaching chemistry. Students are required to attend a weekly class on methods of teaching chemistry and will teach a discussion section of one of the lower-division chemistry courses. Attendance at lecture of the lower-division course in which the student is participating is required. P/NP grades only. ** Consent of instructor to enroll possible **" + "name": "Third Year Chinese\u2014Mandarin speakers III", + "description": "This course introduces the primary sources used by historians of late Imperial and twentieth-century Chinese history. Reading material includes diaries, newspaper articles, Qing documents, gazetteers, essays, speeches, popular fiction, journal articles, scholarly prose, and field surveys. May be repeated for credit. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "CHEM 195": { - "prerequisites": [], - "name": "Methods of Teaching Chemistry", - "description": "Independent literature or discipline-based education research \n\t\t\t\t by arrangement with, and under the direction of, a member of the Department\n\t\t\t\t of Chemistry and Biochemistry faculty. P/NP grades only. ** Consent of instructor to enroll possible **" + "CHIN\n 160/260": { + "prerequisites": [ + "CHIN 113", + "CHIN 100CM", + "CHIN 100CN" + ], + "name": "Late Imperial and Twentieth-Century Chinese Historical Texts\n ", + "description": "Basic training in oral and written communication\n\t\t\t\t skills for business, including introduction to modern business terminology\n\t\t\t\t and social conventions. " }, - "CHEM 196": { - "prerequisites": [], - "name": "Reading and Research in Chemical Education", - "description": "An internship program that provides work experience with public/private sector employers. Subject to the availability of positions, students will work in a local company under the supervision of a faculty member and site supervisor. P/NP grades only. May be taken for credit three times. " + "CHIN 165A": { + "prerequisites": [ + "CHIN 165A" + ], + "name": "Business Chinese", + "description": "Continuation of CHIN 165A. Basic training in oral and written communication skills for business, including introduction to modern business terminology and social conventions. " }, - "CHEM 197": { - "prerequisites": [], - "name": "Chemistry Internship", - "description": "Directed group study on a topic or in a field not included in the regular department curriculum, by arrangement with a chemistry and biochemistry faculty member. P/NP grades only. May be taken for credit two times. ** Department approval required ** " + "CHIN 165B": { + "prerequisites": [ + "CHIN 165B" + ], + "name": "Business Chinese", + "description": "Continuation of CHIN 165B. Basic training in oral and written communication skills for business, including introduction to modern business terminology and social conventions. " }, - "CHEM 198": { + "CHIN 165C": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Independent literature or laboratory research by arrangement with, and under the direction of, a member of the Department of Chemistry and Biochemistry faculty. Students must register on a P/NP basis. ** Consent of instructor to enroll possible **" + "name": "Business Chinese", + "description": "Course focuses on conversational Chinese for students interested in medicine and health care. Designed to prepare students to speak, listen, and read effectively in a Chinese medical environment. Course aims to instruct students in basic to intermediate medical Chinese terminology for comprehensive patient review. ** Department approval required ** " }, - "CHEM 199": { - "prerequisites": [], - "name": "Reading and Research", - "description": "Fundamental theoretical principles, capabilities, applications, and limitations of modern analytical instrumentation used for qualitative and quantitative analysis. Students will learn how to define the nature of an analytical problem and how to select an appropriate analytical method. Letter grades only. Recommended preparation: background equivalent to CHEM 100A and introductory optics and electricity from physics. (W)" + "CHIN 169A": { + "prerequisites": [ + "CHIN 169A", + "and", + "and" + ], + "name": "Medical Chinese I", + "description": "Course designed to improve conversational Chinese for students interested in medicine and health care. Course aims for stronger Chinese proficiency within a medical environment. ** Department approval required ** " }, - "LTAF 110": { - "prerequisites": [], - "name": "African Oral Literature", - "description": "Survey of various genres of African and oral literary traditions. Oral narrative genres, investigation of proverb, riddle, praise poetry, and epic. Development and use of a methodology to analyze aspects of performance, composition, and education in oral traditional systems. " + "CHIN 169B": { + "prerequisites": [ + "CHIN 113", + "CHIN 100C" + ], + "name": "Medical Chinese II", + "description": "An introduction to classical Chinese for students with advanced Chinese background. Basic structures and function words are taught through fables of the pre-Qing period. " }, - "LTAF 120": { - "prerequisites": [], - "name": "Literature and Film of Modern Africa", - "description": "This course traces the rise of modern literature in traditional African societies disrupted by the colonial and neocolonial experience. Contemporary films by African and Western artists will provide an additional insight into the complex social self-images of the continent." + "CHIN 182A": { + "prerequisites": [ + "CHIN 182A" + ], + "name": "Introduction\n\t to Classical Chinese\u2014Advanced I", + "description": "Continuation of CHIN 182A. Selections from Kongzi, Mengzi, and other philosophers\u2019 work will be taught. Focus is on structures, function words, and overall comprehension of a text. " }, - "LTAM 87": { - "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " - }, - "LTAM 100": { - "prerequisites": [], - "name": "Latino/a Cultures in the United States", - "description": "An introductory historical and cultural overview of the various Latino/a populations in the United States with a study of representative cultural texts." + "CHIN 182B": { + "prerequisites": [ + "CHIN 182B" + ], + "name": "Introduction\n\t\t to Classical Chinese\u2014Advanced II", + "description": "Continuation of CHIN 182B. Selections from later periods like Shiji and poetry will be introduced. Upon completion of this yearlong curriculum, students should be able to read classical Chinese texts on their own with the help of a dictionary. " }, - "LTAM 101": { - "prerequisites": [], - "name": "Early Latino/a-Chicano/a Cultures: 1848\u20131960", - "description": "A cross-disciplinary study of nineteenth- and early twentieth-century Latino/a-Chicano/a literature, the visual and performing arts, and other cultural practices. May be repeated for credit as topics vary. " + "CHIN 182C": { + "prerequisites": [ + "CHIN 113", + "CHIN 100CM", + "CHIN 100CN" + ], + "name": "Introduction\n\t\t to Classical Chinese\u2014Advanced III", + "description": "Designed for students who want advanced language\n\t\t\t\t skills, this course will enlarge students\u2019 vocabulary and improve students\u2019\n\t\t\t\t reading skills through studies of original writings and other media on\n\t\t\t\t Chinese culture and society, past and present. " }, - "LTAM 105": { - "prerequisites": [], - "name": "Gender and Sexuality in Latino/a-Chicano/a Cultural Production", - "description": "A study of the construction of differences in gender and sexual orientation in Latino/a-Chicano/a literature and other cultural production with an emphasis on examining various theoretical/ideological perspectives on these issues. May be repeated for credit as topics vary. " + "CHIN 185A-B-C": { + "prerequisites": [ + "CHIN 113", + "CHIN 100CN", + "CHIN 100CM" + ], + "name": "Readings in Chinese Culture and Society\n\t\t\t\t ", + "description": "Introduction to the specialized vocabulary\n\t\t\t\t and verbal forms relating to Chinese politics, trade, development\n\t\t\t\t and society. Designed for students in the social sciences or with career\n\t\t\t\t interests in international trade, the course will stress rapid vocabulary\n\t\t\t\t development, reading and translating. " }, - "LTAM 106": { + "CHIN 186A-B-C": { "prerequisites": [], - "name": "Modern Chicana and Mexican Women Writings", - "description": "A study of themes and issues in the writings of Chicana and Mexican women with a view toward establishing connections while recognizing national and cultural differences between the two. May be repeated for credit as topics vary. " + "name": "Readings in Chinese Economics, Politics,\n\t\t\t\t and Trade", + "description": "Study of specific aspects in Chinese civilization\n not covered in regular course work, under the direction of faculty members\n in Chinese studies. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "LTAM 107": { + "CHIN 196": { "prerequisites": [], - "name": "Comparative Latino/a and US Ethnic Cultures", - "description": "A comparative and intersecting study of Latino/a and other US ethnic cultures. Literary texts will be viewed as \u201cwindows\u201d into real time and spaces where cultures meet and mix. May be repeated for credit as topics vary. " + "name": "Directed Thesis Research", + "description": "The student will undertake a program of research\n\t\t\t\t or advanced reading in selected areas in Chinese studies under\n\t\t\t\t the supervision of a faculty member of the Program in Chinese\n\t\t\t\t Studies. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "LTAM 108": { + "\t\t\tCHIN 198": { "prerequisites": [], - "name": "Chicano/a and Latino/a Cultures: Intellectual and Political Traditions", - "description": "The course will center on Chicano/a-Latino/a writers and movements of literary, intellectual, cultural, or political significance. Texts may be read in the original language or in English. May be repeated for credit as topics vary. " + "name": "Directed\n\t\t\t Group Study in Chinese Studies", + "description": "This course introduces the primary sources\n\t\t\t\t used by historians of the late Imperial and twentieth-century\n\t\t\t\t Chinese history. Reading material includes diaries, newspaper articles,\n\t\t\t\t Qing documents, gazetteers, essays, speeches, popular fiction, journal\n\t\t\t\t articles, scholarly prose, and field surveys. May be repeated for credit.\n\t\t\t\t (P/NP grades only) ** Consent of instructor to enroll possible **" }, - "LTAM 109": { + "CHIN 199": { "prerequisites": [], - "name": "Cultural Production of the Latino/a Diasporas", - "description": "A study of the cultural production of Latino/a immigrant groups with a focus on the literary representation of homeland, national culture, and the forces that led to migration. May be repeated for credit as topics vary. " + "name": "Independent Study in Chinese Studies", + "description": "(Cross-listed with MED 269.) This introductory\n\t\t\t\t course is designed to develop a working knowledge of medical\n\t\t\t\t Mandarin that will enable the student to communicate with Mandarin-speaking\n\t\t\t\t patients. There will be instruction in basic medical vocabulary and grammar,\n\t\t\t\t with a focus on taking a medical history. This is only a conversational\n\t\t\t\t course and no previous knowledge of Mandarin is required. (S/U only.) " }, - "LTAM 110": { + "TWS 20": { "prerequisites": [], - "name": "Latin American Literature in Translation", - "description": "Reading of representative works in Latin American literature with a view to literary analysis (form, theme, meaning), the developmental processes of the literature, and the many contexts: historical, social, cultural. Texts may be read in English. May be repeated for credit as topics vary. " + "name": "Introduction to Third World Studies", + "description": "This introductory course examines historical and theoretical debates on the Third World. Especially important are socioeconomic, political, as well as cultural processes, as they are key factors to understanding the Third World across the globe." }, - "LTAM 111": { + "TWS 21-22-23-24-25-26": { "prerequisites": [], - "name": "Comparative Caribbean Discourse", - "description": "Comparative survey of Caribbean literatures from the Spanish, French, English, and Dutch Caribbean. Literary texts trace historical paradigms including the development of plantation slavery, emancipation, the quest for nationhood, migration, and transnational identities. Films and music may complement discussion. " + "name": "\t\t Third World Literatures", + "description": "This course will investigate novelistic and dramatic treatments of European society in the era of nineteenth-century imperialism, Third World societies under the impact of colonialism, and the position of national minorities inside the United States to the present day. Attention will center on the interplay between the aesthetic merits and social-historical-philosophical content of the works read." }, - "LTAM 130": { + "TWS 132": { "prerequisites": [], - "name": "Reading North by South", - "description": "An analysis of the readings and appropriations of European and US traditions by Latin American, Caribbean, and Filipino writers. The course addresses philosophies, ideologies, and cultural movements and explores the specific literary strategies used by authors in constructing their particular \u201ccosmovisi\u00f3n.\u201d " + "name": "Literature and Third World Societies", + "description": "Seminars will be organized on the basis of topics with readings, discussions, and papers. Specific subjects to be covered will change each quarter depending on particular interest of instructors or students. May be repeated for credit. " }, - "LTAM 140": { + "TWS 190": { "prerequisites": [], - "name": "Topics in Culture and Politics", - "description": "Study of the relationships between cultural production (literature, film, popular culture), social change, and political conflict, covering topics such as colonialism, imperialism, modernization, social movements, dictatorship, and revolution. Repeatable for credit when topics vary. " + "name": "Undergraduate Seminars", + "description": "In an attempt to explore and study some unique processes and aspects of community life, students will engage in research in field settings. Topics to be researched may vary, but in each case the course will provide skills for carrying out these studies. " }, - "LTCH 101": { + "TWS 197": { "prerequisites": [], - "name": "Readings\n\t\t in Contemporary Chinese Literature", - "description": "Intended for students who have the competence to read contemporary Chinese texts, poetry, short stories, and criticism in vernacular Chinese. May be repeated for credit as topics vary. " + "name": "Fieldwork", + "description": "Directed group study on a topic or in a field not included in the regular department curriculum, by special arrangement with a faculty member. " }, - "LTCS 50": { + "TWS 198": { "prerequisites": [], - "name": "Introduction to Cultural Studies", - "description": "An introduction to cultural studies with a focus on the following areas: literary and historical studies, popular culture, women\u2019s studies, ethnic studies, science studies, and gay/lesbian studies. Particular emphasis on the question of \u201ccultural practices\u201d and their social and political conditions and effects." + "name": "Directed Group Studies", + "description": "Tutorial, individual guided reading and research projects (to be arranged between student and instructor) in an area not normally covered in courses currently being offered in the department. (P/NP grades only.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTCS 52": { + "SIO 1": { "prerequisites": [], - "name": "Topics in Cultural Studies", - "description": "This course is designed to complement LTCS 50, Introduction to Cultural Studies. In this course, cultural studies methods are further introduced and applied to various concrete topics in order to illustrate the practical analysis of culture and cultural forms." + "name": "The Planets", + "description": "Space exploration has revealed an astonishing\n\t\t\t\t diversity among the planets and moons in our solar system. The planets\n\t\t\t\t and their histories will be compared to gain insight and a new perspective\n\t on planet Earth. " }, - "LTCS 87": { + "SIO 3": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " + "name": "Life in the Oceans", + "description": "An introduction to the wide variety of organisms that live in the oceans, the habitats they occupy, and how species interact with each other and their environment. Included will be examinations of adaptations, behavior, ecology, and a discussion of local and global resource management and conservation issues. This course is designed for nonbiology majors. " }, - "LTCS 100": { + "SIO 10": { "prerequisites": [], - "name": "Theories\n\t\t and Methods in Cultural Studies", - "description": "Reading in some of the major theoretical texts that have framed work in cultural studies, with particular emphasis on those drawn from critical theory, studies in colonialism, cultural anthropology, feminism, semiotics, gay/lesbian studies, historicism, and psychoanalytic theory. " + "name": "The Earth", + "description": "An introduction to structure of the Earth\n\t\t\t\t and the processes that form and modify it. Emphasizes material\n\t\t\t\t that is useful for understanding geological events as reported\n\t\t\t\t in the news and for making intelligent decisions regarding\n\t\t\t\t the future of our environment. " }, - "LTCS 102": { + "SIO 10GS": { "prerequisites": [], - "name": "Practicing Cultural Studies", - "description": "Survey and application of methods central to cultural studies as a critical social practice, examining the relationship between cultural studies and social transformation. Students will study varieties of material culture, and experiment with techniques of reading, interpretation, and intervention. " + "name": "The Earth", + "description": "This Global Seminar course will provide an introduction to planet Earth and the processes that shape it. Topics to be covered include Earth layers, materials, plate tectonics, weathering and erosion, and coastal processes.\u00a0The geology of Iceland will be a specific emphasis and will thus be used as a lens through which to learn about the Earth. Program or material fee may apply. " }, - "LTCS 108": { + "SIO 12": { "prerequisites": [], - "name": "Gender, Race, and Artificial Intelligence", - "description": "This course explores the idea of artificial intelligence in both art and science, its relation to the quest to identify what makes us human, and the roles gender and race have played in both. Students may not receive credit for CGS 108 and LTCS 108. " + "name": "History of the Earth and Evolution", + "description": "Evolution of the Earth from its origin in the early solar system to formation of continents and ocean basins, and how the planet became habitable. It examines the geologic record of evolution, extinction, plate tectonics, and climate changes through time. " }, - "LTCS 110": { + "SIO 15": { "prerequisites": [], - "name": "Popular Culture", - "description": "A reading of recent theory on popular culture and a study of particular texts dealing with popular cultural practices, both contemporary and noncontemporary, as sites of conflict and struggle. LTCS 110 and LTCS 110GS may be taken for credit for a combined total of three times. " + "name": "Natural Disasters", + "description": "Introduction to environmental perils and their impact on everyday life. Geological and meteorological processes, including earthquakes, volcanic activity, large storms, global climate change, mass extinctions throughout Earth\u2019s history, and human activity that causes and prevents natural disasters. " }, - "LTCS 111": { + "SIO 16": { "prerequisites": [], - "name": "Special\n\t\t Topics in Popular Culture in Historical Context", - "description": "Exploration of forms of popular culture in different historical and geographical contexts. Topics may include folklore, dime novels and other types of popular literature, racial performances, popular religions, theatrical melodrama, photojournalism, and early film. LTCS 111 and LTCS 111GS may be taken for credit for a combined total of three times. " + "name": "Geology of the National Parks", + "description": "An introduction to fundamental concepts of\n\t\t\t\t geology and environmental science through the lens of the national park\n\t\t\t\t system. Topics covered include the geologic time scale; plate tectonics;\n\t\t\t\t igneous, metamorphic, and sedimentary processes; geomorphology; climate\n\t\t\t\t change; and environmental degradation. " }, - "LTCS 119": { + "SIO 20": { "prerequisites": [], - "name": "Asian American Film and Media", - "description": "(Cross-listed with CGS 119.) The course explores the politics of pleasure in relation to the production, reception, and performance of Asian American identities in the mass media of film, video, and the internet. The course considers how the \u201cdeviant\u201d sexuality of Asian Americans (e.g., hypersexual women and emasculated men) does more than uniformly harm and subjugate Asian American subjects. The texts explored alternate between those produced by majoritarian culture and the interventions made by Asian American filmmakers. Students may not receive credit for LTCS 119 and CGS 119. " + "name": "The Atmosphere", + "description": "Descriptive introduction to meteorology and climate studies. Topics include global and wind and precipitation patterns, weather forecasting, present climate and past climate changes (including droughts, El Ni\u00f1o events), greenhouse gas effects, ozone destruction, the \u201clittle ice age,\u201d acid rain. " }, - "LTCS 120": { + "SIO 25": { "prerequisites": [], - "name": "Historical Perspectives on Culture", - "description": "The course will explore the relation among cultural production, institutions, history, and ideology during selected historical periods. In considering different kinds of texts, relations of power and knowledge at different historical moments will be discussed. Repeatable for credit when topics vary. " + "name": "Climate Change and Society", + "description": "Climate change is one of the most complex\n\t\t\t\t and critical issues affecting societies today. This course\n\t\t\t\t will present the scientific evidence for climate change and\n\t\t\t\t its impacts and consider governmental policy responses and possible adaptation\n\t\t\t\t strategies. " }, - "LTCS 125": { + "SIO 30": { "prerequisites": [], - "name": "Cultural\n\t\t Perspectives on Immigration and Citizenship", - "description": "Introduction to the studies of cultural dimensions of immigration and citizenship. Examines the diverse cultural texts\u2014literature, law, film, music, the televisual images, etc.\u2014that both shape and are shaped by immigration and the idea of citizenship in different national and historical contexts. " + "name": "The Oceans", + "description": "Presents modern ideas and descriptions of the physical, chemical, biological, and geological aspects of oceanography, and considers the interactions between these aspects. Intended for students interested in the oceans, but who do not necessarily intend to become professional scientists. " }, - "LTCS 130": { + "SIO 35": { "prerequisites": [], - "name": "Gender,\n\t\t Race/Ethnicity, Class, and Culture", - "description": "The course will focus on the representation of gender, ethnicity, and class in cultural production in view of various contemporary theories of race, sex, and class. Repeatable for credit when topics vary. " + "name": "Water", + "description": "This course will examine the properties of water that make it unique and vital to living things. Origin of water on Earth and neighboring planets will be explored. Socially relevant issues concerning water use and contamination will be covered. " }, - "LTCS 131": { + "SIO 40": { "prerequisites": [], - "name": "Topics\n\t\t in Queer Cultures/Queer Subcultures", - "description": "This course examines the intersection of sex, sexuality, and popular culture by looking at the history of popular representations of queer sexuality and their relation to political movements for gay and lesbian rights. Repeatable for credit when readings and focus vary. " + "name": "Life and Climate on Earth", + "description": "Explores life on Earth and its relationship\n\t\t\t\t to the environment\u2014past, present, and future. Topics include\n\t\t\t\t origins of life, earth history, elemental cycles, global climate\n\t\t\t\t variability and human impacts on our environment. " }, - "LTCS 132": { + "SIO 45": { "prerequisites": [], - "name": "Special\n\t\t Topics in Social Identities and the Media", - "description": "A study of media representation and various aspects of identity, such as gender, sexuality, race, ethnicity, social class, culture, and geopolitical location. Students will consider the various media of film, television, alternative video, advertising, music, and the internet. Repeatable for credit when readings and focus vary. " + "name": "Volcanoes", + "description": "This class will provide students with an introduction to volcanoes, including the mechanisms, products, and hazards associated with various types of volcanic eruptions. A key area of emphasis will be the impact of volcanism on human societies. " }, - "LTCS 133": { + "SIO 45GS": { "prerequisites": [], - "name": "Globalization and Culture", - "description": "Studies of cultural dimensions of immigration and citizenship. This course examines the diverse cultural texts\u2014literature, law, film, music, the televisual images, etc., that both shape and are shaped by immigration and the idea of citizenship in different national and historical contexts. " + "name": "Volcanoes", + "description": "This class will provide students with an introduction to volcanoes, including the mechanisms, products, and hazards associated with various types of volcanic eruptions. A key area of emphasis will be the impact of volcanism on human societies. " }, - "LTCS 134": { + "SIO 46GS": { "prerequisites": [], - "name": "Culture and Revolution", - "description": "This course examines the cultural practices of revolutionary societies from the French Revolution to present time. It focuses on China, Cuba, Russia, and Iran and explores how various cultural practices are produced in the course of building revolutionary societies." + "name": "Global Volcanism", + "description": "This global seminar course will focus on European volcanism\u2014past, present, and future. Students will learn in detail about the volcanoes of Europe, including their geologic origins, eruptive styles, and histories. A special focus will be on the impact of volcanic hazards on the people, cultures, and societies of this heavily populated region. Notable volcanoes and historical eruptions (Vesuvius and Pompeii, Mt. Etna, Santorini, Campi Flegrei) will be discussed in detail. Program or materials fees may apply. " }, - "LTCS 141": { + "SIO 50": { "prerequisites": [], - "name": "Special Topics in Race and Empire", - "description": "The role of race and culture within the history of empires; may select a single empire for consideration, such as France, Britain, United States, or Japan, or choose to examine the role of race and culture in comparative histories of colonialism. Repeatable for credit when readings and focus vary. " + "name": "Introduction\n\t\t\t\t to Earth and Environmental Sciences", + "description": "This course is an introduction to how our planet works, focusing on the formation and evolution of the solid earth, and the processes affecting both its surface and interior. Laboratories and substantial field component complement and extend the lecture material. Program and/or materials fees may apply. " }, - "LTCS 150": { + "SIO 60": { "prerequisites": [], - "name": "Topics in Cultural Studies", - "description": "The course will examine one or more forms of cultural production or cultural practice from a variety of theoretical and historical perspectives. Topics may include contemporary debates on culture, genres of popular music/fiction/film, AIDS and culture, the history of sexuality, subcultural styles, etc. Repeatable for credit when topics vary. " + "name": "Experiences in Oceanic and Atmospheric Sciences", + "description": "Oceanic and atmospheric sciences are introduced through a series of modules where students learn basic principles in the classroom and then have hands-on experiences demonstrating these principles. The course will include trips to the beach, the Ellen Browning Scripps Memorial Pier, and laboratories at Scripps Institution of Oceanography. " }, - "LTCS 155": { + "SIO 87": { "prerequisites": [], - "name": "Health, Illness, and Global Culture", - "description": "A medical humanities course that examines compelling written and cinematic accounts of health issues confronting contemporary societies such as environmental pollution, contaminated food supply, recreational drug use, HIV/AIDS, cancer, chronic conditions (allergies, diabetes, obesity, arthritis), famine, natural disasters, and war. May be taken for credit two times when topics vary." + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide the new students with the opportunity to explore and intellectual topic with a faculty member in a small setting. Topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. (P/NP grades only). " }, - "LTCS 165": { + "SIO 90": { "prerequisites": [], - "name": "Special Topics: The Politics of Food", - "description": "This course will examine the representation and politics of\n food in literary and other cultural texts. Topics may include\n food and poverty, the fast food industry, controversies about\n seed, sustainable food production, myths about hunger, eating\n and epistemology, aesthetics, etc. Repeatable for credit up\n to three times when topics vary." + "name": "Undergraduate Seminar", + "description": "Perspectives on ocean sciences. This seminar introduces students to exciting and current research topics in ocean science as presented by faculty and researchers at Scripps Institution of Oceanography. Formerly ERTH 90. " }, - "LTCS 170": { + "SIO 96": { "prerequisites": [], - "name": "Visual Culture", - "description": "The course will focus on visual practices and discourses in their intersection and overlap, from traditional media, print, and photography to film, video, TV, computers, medical scanners, and the internet. " + "name": "Frontiers in the Earth Sciences", + "description": "An introduction to current research in the earth sciences. Background in science not required but may be useful for some topics. Areas covered vary from year to year. " }, - "LTCS 172": { + "SIO 99": { "prerequisites": [], - "name": "Special\n\t\t Topics in Screening Race/Ethnicity, Gender and Sexuality", - "description": "Exploring both Hollywood and international filmmaking, an exploration of screen representations with attention to race/ethnicity, gender, and sexuality in different historical and linguistic contexts. Historical periods may extend from silent, through wartime and cold war, to contemporary era of globalization. Repeatable for credit when readings and focus vary. " + "name": "Independent Study", + "description": "Independent reading or research on a problem by special arrangement with a faculty member. " }, - "LTCS 173": { - "prerequisites": [], - "name": "Topics in Violence and Visual Culture", - "description": "This course focuses on the critical study of representations of violence, such as war, genocide, sexual violence, and crime, across a range of media, including literature, film, photography, and other forms of visual culture. Repeatable for credit when readings and focus vary. " + "SIO 100": { + "prerequisites": [ + "SIO 50" + ], + "name": "Introduction to Field Methods", + "description": "Mapping and interpretation of geologic units. Fieldwork is done locally, and the data are analyzed in the laboratory. There will be one mandatory weekend field trip to Anza Borrego State Park. Program and/or materials fees may apply. ** Consent of instructor to enroll possible **" }, - "LTCS 180": { - "prerequisites": [], - "name": "Programming for the Humanities", - "description": "Introduction to a script programming language (like Python + NLTK or R) and its usages in the processing of literary and historical digital corpora." + "SIO 101": { + "prerequisites": [ + "CHEM 6A" + ], + "name": "California Coastal Oceanography", + "description": "This course emphasizes oceanographic connections\n\t\t\t\t between physical and climate forcing and marine ecosystem responses using\n\t\t\t\t examples from and activities in the California coastal environment. The\n\t\t\t\t approach is inquiry-based, combining classroom and experiential learning\n\t\t\t\t to build critical and quantitative thinking and research insights and abilities. ** Consent of instructor to enroll possible **" }, - "LTCS 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "Directed group research, under the guidance of a member of the faculty, in an area not covered in courses currently offered by the department. (P/NP only.) " + "SIO 102": { + "prerequisites": [ + "SIO 50", + "CHEM 6A-B-C" + ], + "name": "Introduction to Geochemistry", + "description": "An introduction to the chemical composition and evolution of the Earth and solar system. Applications of chemical methods to elucidate the origin and geologic history of the Earth and the planets, evolution of oceans and atmosphere, and human environmental impacts. ** Consent of instructor to enroll possible **" }, - "LTCS 199": { - "prerequisites": [], - "name": "Special Studies", - "description": "Individual reading in an area not covered in courses currently offered by the department. (P/NP only.) " + "SIO 103": { + "prerequisites": [ + "MATH 20A-B-C-D", + "and", + "PHYS 2A-B-C", + "SIO 50" + ], + "name": "Introduction to Geophysics", + "description": "An introduction to the structure and composition\n\t\t\t\t of the solid earth. Topics include seismology, the gravity\n\t\t\t\t and magnetic fields, high-pressure geophysics, and concepts\n\t\t\t\t in geodynamics. Emphasis is on global geophysics, i.e., on\n\t\t\t\t the structure and evolution of the planet. ** Consent of instructor to enroll possible **" }, - "LTEA 100A": { - "prerequisites": [], - "name": "Classical Chinese Poetry in Translation", - "description": "A survey of different genres of traditional Chinese poetry from various periods. " + "SIO 104/SIOG 255": { + "prerequisites": [ + "BILD 3" + ], + "name": "Paleobiology and History of Life", + "description": "An introduction to the major biological transitions\n\t\t\t\t in Earth history from the origins of metabolism and cells\n\t\t\t\t to the evolution of complex societies. The nature and limitations\n\t\t\t\t of the fossil record, patterns of adaptation and diversity, and the tempo\n\t\t\t\t and mode of biological evolution. Laboratories and substantial field component\n\t\t\t\t complement and extend the lecture material. Program and/or\n\t\t\t\t materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTEA 100B": { - "prerequisites": [], - "name": "Modern Chinese Poetry in Translation", - "description": "A survey of Chinese poetry written in the vernacular from 1918 to 1949. " + "SIO 105": { + "prerequisites": [ + "SIO 50" + ], + "name": "Sedimentology and Stratigraphy", + "description": "This course will examine sedimentary environments\n\t\t\t\t from mountain tops to the deep sea across a variety of time scales. The\n\t\t\t\t focus is to develop the skills to interpret stratigraphy and read the history\n\t\t\t\t of the Earth that it records. Laboratories and substantial field component\n\t\t\t\t complement and extend lecture material. Program and/or course materials\n\t\t\t\t fees may apply. ** Consent of instructor to enroll possible **" }, - "LTEA 100C": { - "prerequisites": [], - "name": "Contemporary Chinese Poetry in Translation", - "description": "A survey of Chinese poetic development from 1949 to the present. " + "SIO 106": { + "prerequisites": [ + "SIO 50", + "MATH 20C", + "PHYS 2C", + "and", + "CHEM 6C" + ], + "name": "Introduction to Hydrogeology", + "description": "An introduction to the theory and practice of hydrogeology, emphasizing current concepts of aquifer and water properties and practical considerations related to groundwater quality, groundwater flow, and sustainability of groundwater reservoirs. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTEA 110A": { - "prerequisites": [], - "name": "Classical Chinese Fiction in Translation", - "description": "The course will focus on a few representative masterpieces of Chinese literature in its classical age, with emphasis on the formal conventions and the social or intellectual presuppositions that are indispensable to their understanding. May be repeated for credit when topics vary. " + "SIO 108": { + "prerequisites": [ + "ESYS 102", + "or", + "SIO 50", + "or", + "SIO 12" + ], + "name": "Introduction to Paleoclimatology", + "description": "An introduction to basic principles and applications of paleoclimatology, the study of climate and climate changes that occurred prior to the period of instrumental records. A review of processes and archives of climate data will be investigated using examples from Earth history. ** Consent of instructor to enroll possible **" }, - "LTEA 110B": { + "SIO 109": { "prerequisites": [], - "name": "Modern Chinese Fiction in Translation", - "description": "A survey of representative works of the modern period from 1919 to 1949. May be repeated for credit when topics vary." + "name": "Bending the Curve: Climate Change Solutions", + "description": "(Cross-listed with POLI 117). This course will focus on scalable solutions for carbon neutrality and climate stability. The course adopts climate change mitigation policies, technologies, governance, and actions that California, the UC system, and cities around the world have adopted as living laboratories and challenges students to identify locally and globally scalable solutions. Students may only receive credit for one of the following: POLI 117, POLI 117R, SIO 109, or SIO 109R." }, - "LTEA 110C": { + "SIO 109R": { "prerequisites": [], - "name": "Contemporary Chinese Fiction in Translation", - "description": "An introductory survey of representative texts produced after 1949 with particular emphasis on the social, cultural, and political changes. May be taken for credit three times as topics vary." + "name": "Bending the Curve Online: Climate Change Solutions", + "description": "(Cross-listed with POLI 117R). This online course focuses on developing urgent climate change solutions that integrate technology, policy and governance, finance, land-use, and social/educational dimensions. Students may only receive credit for one of the following: POLI 117, POLI 117R, SIO 109, or SIO 109R." }, - "LTEA 120A": { + "SIO 110": { "prerequisites": [], - "name": "Chinese Films", - "description": "A survey of representative films from different periods of Chinese cinematic development. Priority may be given to Chinese studies majors and literature majors. Repeatable for credit when topics vary. " + "name": "Introduction to GIS and GPS for Scientists", + "description": "A hands-on introduction to science applications\n\t\t\t\t of geographic information systems and global positioning system. Students\n\t\t\t\t acquire data through GPS field surveys, design and construct GIS using\n\t\t\t\t ESRI\u2019s ArcGIS software, analyze spatial data, and present the results\n\t\t\t\t in a web-based environment. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTEA 120B": { - "prerequisites": [], - "name": "Taiwan Films", - "description": "A survey of \u201cNew Taiwan Cinema\u201d of the eighties and nineties. Priority may be given to Chinese studies majors and literature majors. Repeatable for credit when topics vary. " + "SIO 111": { + "prerequisites": [ + "PHYS 2A\u2013C", + "or", + "PHYS 4A\u2013C", + "and", + "MATH 20A\u2013E" + ], + "name": "\t\t\t\t Introduction to Ocean Waves", + "description": "The linear theory of ocean surface waves, including: group velocity, wave dispersion, ray theory, wave measurement and prediction, shoaling waves, giant waves, ship wakes, tsunamis, and the physics of the surf zone. Cross-listed with PHYS 111. ** Consent of instructor to enroll possible **" }, - "LTEA 120C": { - "prerequisites": [], - "name": "Hong Kong Films", - "description": "An examination of representative works of different film genres from Hong Kong. Priority may be given to Chinese studies majors and literature majors. Repeatable for credit when topics vary. " + "SIO 113": { + "prerequisites": [ + "SIO 50" + ], + "name": "Introduction to Computational Earth Science", + "description": "Computers are used in the geosciences to understand complex natural systems. This course includes beginning programming with a user-friendly language (Python). ** Consent of instructor to enroll possible **" }, - "LTEA 132": { + "SIO 114": { "prerequisites": [], - "name": "Later Japanese Literature in Translation", - "description": "An introduction to later Japanese (kogo) literature in translation. Will focus on several \u201cmodern\u201d works, placing their forms in the historical context. No knowledge of Japanese required. Repeatable for credit when topics vary. " + "name": "The Science and Analysis of Environmental Justice", + "description": "Introduction to the scientific basis and critical analysis of environmental justice, with an emphasis on case studies, activism, and community engagement. This course will prepare students to critique and develop scientific models, research designs, and measurements consistent with environmental justice. Students may not receive credit for ETHN 136 and SIO 114. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTEA 138": { - "prerequisites": [], - "name": "Japanese Films", - "description": "An introduction to Japanese films. Attention given to representative Japanese directors (e.g., Ozu), form (e.g., anime), genre (e.g., feminist revenge horror), or historical context in which films are produced. Priority may be given to Japanese studies majors and literature majors. " + "SIO 115": { + "prerequisites": [ + "MATH 20A\u2013D", + "and", + "PHYS 2A\u2013C" + ], + "name": "Ice and the Climate System", + "description": "This course examines the Earth\u2019s cryosphere, including glaciers,\n ice sheets, ice caps, sea ice, lake ice, river ice, snow, and\n permafrost. We cover the important role of the cryosphere in\n the climate systems and its response to climate change. ** Consent of instructor to enroll possible **" }, - "LTEA 140": { + "SIO 116": { "prerequisites": [], - "name": "Modern Korean Literature in Translation from Colonial Period", - "description": "A survey of modern Korean prose fiction and poetry from the colonial period. Exploration of major issues such as Japanese colonization, rise of left-wing and right-wing nationalisms, construction of national culture, and relations between tradition and modernity. " + "name": "Climate Change and Global Health: Understanding the Mechanisms", + "description": "This course will introduce students to the public health effects of global climate change. The course will begin by understanding the climate change phenomena and explaining the direct and indirect links between climate change and human health, including the public health impacts of infectious diseases, atmospheric air pollution, and extreme weather events. The second part of the course will be dedicated to adaption and mitigation solutions with a particular focus on vulnerable populations. Students may not receive credit for SIO 116 and SIO 116GS. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTEA 141": { + "SIO 116GS": { "prerequisites": [], - "name": "Modern Korean Literature in Translation from 1945 to Present", - "description": "A survey of modern Korean prose fiction and poetry from 1945 to the 1990s. Examination of literary representations of national division, the Korean War, accelerated industrialization, authoritarian rule, and the labor/agrarian movements." + "name": "Climate Change and Global Health: Understanding the Mechanisms", + "description": "This course will introduce students to the public health effects of global climate change. The course will begin by understanding the climate change phenomena and explaining the direct and indirect links between climate change and human health, including the public health impacts of infectious diseases, atmospheric air pollution, and extreme weather events. The second part of the course will be dedicated to adaption and mitigation solutions with a particular focus on vulnerable populations. Students may not receive credit for SIO 116GS and SIO 116. Program or materials fees may apply. " }, - "LTEA 142": { - "prerequisites": [], - "name": "Korean Film, Literature, and Popular Culture", - "description": "A study of modern Korean society and its major historical issues as represented in film, literature, and other popular cultural media such as TV and music video. We will explore additional issues such as cinematic adaptations of prose fiction, fluid distinctions between popular literature and \u201cserious\u201d literature, and the role of mass media under authoritarian rule. " + "SIO 117": { + "prerequisites": [ + "MATH 20D", + "and", + "PHYS 2C" + ], + "name": " The Physical Basis of Global Warming", + "description": "Introduction to the processes behind global warming, including\n the physics of the greenhouse effect, controls on greenhouse\n gases, atmospheric and oceanic circulation, climate feedbacks,\n relationship to natural climate variability, and global environmental\n issues related to global warming. ** Consent of instructor to enroll possible **" }, - "LTEA 143": { + "SIO 118GS": { "prerequisites": [], - "name": "Gender and Sexuality in Korean Literature and Culture", - "description": "A study of constructions of gender and sexuality in premodern and modern Korean societies. We will discuss literary works as well as historical and ethnographic works on gender relations, representations of masculinity and femininity, and changing roles of men and women in work and family. " + "name": "Responding to Climate Change: Possible Solutions", + "description": "This course will be taught in Dharamsala, India, and explores societal solutions to climate change. Course topics include mitigation and adaptation policies, including a guide to design, implement, and evaluate an adaptation policy, and the public health cobenefits of addressing climate change. " }, - "LTEA 144": { - "prerequisites": [], - "name": "Korean American Literature and Other Literatures of Korean Diaspora", - "description": "An examination of the experiences of the Korean diaspora linked to the historical contexts of modern Korea, Japan, the United States, and other countries. We will focus on literature both about Korea and the Korean immigrant experience written in the United States but will also read from and about other Korean diasporic contexts. " + "SIO 119": { + "prerequisites": [ + "PHYS 1C", + "CHEM 6C" + ], + "name": "Physics and Chemistry of the Oceans", + "description": "Basic physical and chemical processes that influence the biology of the oceans, such as ocean circulation, ocean acidification, carbonate chemistry, trace metal chemistry. ** Consent of instructor to enroll possible **" }, - "LTEA 151": { - "prerequisites": [], - "name": "Readings in Tagalog Literature and Culture I", - "description": "Course will concentrate on selections of literature, history, and cultural texts (painting, drama, religious artifacts) of the 1896 Philippine revolution and the succeeding US takeover of the Philippines. Intermediate fluency in speaking, reading, and writing Tagalog. Repeatable for credit when topics vary. " + "SIO 120": { + "prerequisites": [ + "SIO 50" + ], + "name": "Introduction to Mineralogy", + "description": "Application of mineralogical and x-ray crystallographic techniques in earth sciences. Topics include symmetry, crystal structure, chemical, and physical properties of minerals with special emphasis on the common rock-forming minerals. Laboratory component includes polarizing microscope and x-ray powder diffraction methods. ** Consent of instructor to enroll possible **" }, - "LTEA 152A": { - "prerequisites": [], - "name": "Topics in Filipino Literature and Culture", - "description": "Surveys the authors, intellectual currents, and cultural politics of Filipino culture from the 1850s to World War II. Topics may include the legacy of Spanish colonialism, European enlightenment, and the emergence of nationalism and socialism, and Filipino literature in English. May be repeated for credit as topics vary. " + "SIO 121": { + "prerequisites": [ + "BILD 1", + "BILD 2", + "BILD 3" + ], + "name": "Biology of the Cryosphere", + "description": "The cryosphere comprises sea ice, glaciers, snow, and other frozen environments. Changing rapidly in the face of global climate change, these environments host unique and highly adapted ecosystems that play an important role in the global earth system. In this course we will explore the physiology and ecology of organisms in the cryosphere and peripheral habitats. A special emphasis will be placed on sea ice as a habitat archetype, but glacier, snow, and permafrost will also be covered. ** Consent of instructor to enroll possible **" }, - "LTEA 152B": { - "prerequisites": [], - "name": "Topics in Filipino Literature and Culture", - "description": "Surveys the authors, intellectual currents, and cultural politics of Filipino culture from World War II to the present. Topics may include the dual lingua franca, the birth of \u201cFilipino American\u201d literature, the culture of dictatorship, and new approaches to narrative. May be repeated for credit as topics vary. " + "SIO 121GS": { + "prerequisites": [ + "SIO 10", + "or", + "SIO 50" + ], + "name": "Geology of the Alps", + "description": "This global seminar course will examine the geology of the Alps range. Students will develop an in-depth understanding of the geology, tectonics, and geomorphology of this fascinating, beautiful, and geologically complex region. The course will focus closely on the tectonics of the region and the subsequent geologic processes that have shaped it (e.g., glaciation) since the late Mesozoic Alpine Orogeny. Classroom study will be strongly augmented with local and regional field excursions. Program or materials fees may apply. " }, - "LTEA 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "Research seminars and research, under the direction of a faculty member. May be taken up to three times for credit. (P/NP grades only)" + "SIO 122": { + "prerequisites": [ + "BILD 3" + ], + "name": "Ecological Developmental Biology", + "description": "This course will explore the rapidly expanding field of ecological developmental biology which focuses on how factors such as temperature, nutrition, microbes, predators, and hormones influence development epigenetically. Emphasis will be given to the genetic basis of responses to the environment, drawn from studies in aquatic and terrestrial animals and plants. Topics include phenotypic plasticity, teratogenesis, symbiosis, endocrine disruptors, sex determination, and genetic assimilation. Recommended preparation: BICD 100. ** Consent of instructor to enroll possible **" }, - "LTEA 199": { - "prerequisites": [], - "name": "Special Studies", - "description": "Tutorial; individual guided reading in areas of literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.)" + "SIO 123": { + "prerequisites": [ + "BICD 100" + ], + "name": "Microbial Environmental Systems Biology", + "description": "Environmental systems biology is the study of the genomic basis for patterns of microbial diversity and adaptation in relation to habitat. This course introduces the microbial genome as a unit of study and surveys introductory principles in microbial genomics and bioinformatics that underlie a range of contemporary research in diverse marine habitats, such as the deep sea and polar regions, as well as studies of biomedical importance, including the human microbiome. ** Consent of instructor to enroll possible **" }, - "LTEN 21": { - "prerequisites": [], - "name": "Introduction\n\t\t to the Literature of the British Isles: Pre-1660", - "description": "An introduction to the literatures written in English in Britain before 1660, with a focus on the interaction of text and history. " + "SIO 124": { + "prerequisites": [ + "CHEM 6C", + "and", + "BILD 1", + "or", + "BILD 3" + ], + "name": "Marine Natural Products", + "description": "This course will provide a detailed introduction to marine natural products. It will survey the organisms that produce these compounds and introduce how they are made (biosynthesis), isolated and identified (natural products chemistry), why they are made (chemical ecology), and how they are exploited for useful purposes including drug discovery (marine biotechnology). It will leave students with a fundamental understanding of the latest techniques employed in natural product research. ** Consent of instructor to enroll possible **" }, - "LTEN 22": { - "prerequisites": [], - "name": "Introduction\n\t\t to the Literature of the British Isles: 1660\u20131832", - "description": "An introduction to the literatures written in English in Britain and Ireland between 1660 and 1832, with a focus on the interaction of text and history. " + "SIO 125": { + "prerequisites": [ + "BILD 3", + "and", + "PHYS 1C", + "or", + "PHYS 2C" + ], + "name": "Biomechanics of Marine Life", + "description": "An introduction to the physical basis of the biological world. This course explores how the physical principles of solids and fluids underlay the functional morphology, ecology, and adaptations of all living things, with emphasis on marine organisms. ** Consent of instructor to enroll possible **" }, - "LTEN 23": { - "prerequisites": [], - "name": "Introduction\n\t\t to the Literature of the British Isles: 1832\u2013Present", - "description": "An introduction to the literatures written in English in Britain, Ireland, and the British Empire (and the former British Empire) from 1832 to the present, with a focus on the interaction of text and history. " + "SIO 126": { + "prerequisites": [ + "BILD 1" + ], + "name": "Marine Microbiology", + "description": "The role of microorganisms in the oceans; metabolic diversity; methods in marine microbiology; interactions of microbes with other microbes, plants and animals; biochemical cycling, pollution and water quality; microbe-mineral interactions; extremophiles. (Students may not receive credit for both SIO 126 and BIMM 126.) ** Consent of instructor to enroll possible **" }, - "LTEN 25": { - "prerequisites": [], - "name": "Introduction\n\t\t to the Literature of the United States, Beginnings to 1865", - "description": "An introduction to the literatures written in English in the United States from the beginnings to 1865, with a focus on the interaction of text and history. " - }, - "LTEN 26": { - "prerequisites": [], - "name": "Introduction\n\t\t to the Literature of the United States, 1865 to the Present", - "description": "An introduction to the literatures written in English in the United States from 1865 to the present, with a focus on the interaction of text and history. " + "SIO 127": { + "prerequisites": [ + "BILD 3", + "and", + "BICD 100" + ], + "name": "Marine Molecular Ecology", + "description": "This course will survey the application of molecular methods to address diverse questions concerning the ecology and evolutionary biology in marine organisms. Focus will be on genetic and genomic approaches that are providing new insights into how marine organisms adapt to their physical and biotic environments. ** Consent of instructor to enroll possible **" }, - "LTEN 27": { - "prerequisites": [], - "name": "Introduction\n\t\t to African American Literature", - "description": "A lecture discussion course that examines a major topic or theme in African American literature as it is developed over time and across the literary genres of fiction, poetry, and belles lettres. A particular emphasis of the course is how African American writers have adhered to or departed from conventional definitions of genre. " + "SIO 128": { + "prerequisites": [ + "BILD 1", + "or", + "BILD 2", + "or", + "BILD 3" + ], + "name": "Microbial Life in Extreme Environments", + "description": "Microorganisms turn up in the strangest places. This course examines the exotic and bizarre in the microbial world, including the super-sized, the rock and cloud builders, the survivors, and those present at the limits of life. ** Consent of instructor to enroll possible **" }, - "LTEN 28": { - "prerequisites": [], - "name": "Introduction\n\t\t to Asian American Literature", - "description": "This course provides an introduction to the study of the history, communities, and cultures of different Asian American people in the United States. Students will examine different articulations, genres, conflicts, narrative forms, and characterizations of the varied Asian experience. " + "SIO 129": { + "prerequisites": [ + "CHEM 140C" + ], + "name": "Marine Chemical Ecology", + "description": "This class explores the chemistry of marine life involved in the chemical adaptations of defense and communication. The class examines all of the marine taxa from microbes to higher plants and animals. ** Consent of instructor to enroll possible **" }, - "LTEN 29": { + "SIO 130": { "prerequisites": [], - "name": "Introduction to Chicano Literature", - "description": "This course provides an introduction to the literary production of the population of Mexican origin in the United States. Students will examine a variety of texts dealing with the historical (social, economic, and political) experiences of this heterogeneous population. " + "name": "Scientific Diving", + "description": "This course includes theoretical and practical training to meet Scripps Institution of Oceanography and AAUS standards for scientific diving authorization and involves classroom, field, and ocean skin and scuba diving sessions. Topics include scientific diving programs and policy; physics and physiology of diving; decompression theory; dive planning; navigation; search and recovery; equipment and environmental considerations; subtidal sampling techniques; hazardous marine life; diving first aid; and diver rescue. Please see course preparation requirements here: https://scripps.ucsd.edu/scidive/training. P/NP grades only. Program or materials fees may apply. ** Department approval required ** " }, - "LTEN 30": { + "SIO 131": { "prerequisites": [ - "CAT 2", + "BILD 3", "and", + "BILD 2", "or", - "DOC 2", - "and", + "SIO 183", "or", - "HUM 1", - "and", - "and", - "and" + "SIO 184", + "or", + "SIO 188" ], - "name": "Poetry for Physicists", - "description": "Physicists have spoken of the beauty of equations. The poet John Keats wrote, \u201cBeauty is truth, truth beauty . . .\u201d What did they mean? Students will consider such questions while reading relevant essays and poems. Requirements include one creative exercise or presentation. Students may not receive credit for both LTEN 30 and PHYS 30. " + "name": "Parasitology", + "description": "An ecological approach to parasitology. Students will gain the intellectual and practical foundation required to undertake parasitological research. Lectures will cover ecological/evolutionary concepts and the biology of various parasitic taxa. In labs, students will learn how to survey hosts for parasites, collect and identify parasites, perform infection experiments, and collect and analyze data. Students will also develop scholarship skills by delving into the scientific literature. ** Consent of instructor to enroll possible **" }, - "LTEN 31": { - "prerequisites": [], - "name": "Introduction to Indigenous Literature", - "description": "This course provides an introduction to the study of the history, politics, and cultures of tribal nations in the United States and other indigenous peoples across the hemisphere and Oceania impacted by US colonial projects. Students will examine a variety of texts, genres, and periods dealing with the historical (social, economic, and political) experiences of indigenous peoples impacted by US colonization and expansion." + "SIO 132": { + "prerequisites": [ + "BILD 3" + ], + "name": "Introduction to Marine Biology", + "description": "Overview of marine organisms and their adaptations to sea life. Selected examples of physiological, behavioral, and evolutionary adaptations in response to the unique challenges of a maritime environment. (Students may not receive credit for both SIO 132 and BIEB 132.) ** Consent of instructor to enroll possible **" }, - "LTEN 87": { - "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " + "SIO 133": { + "prerequisites": [ + "BILD 3", + "and" + ], + "name": "Marine Mammal Biology", + "description": "Introduction to the biology, ecology, evolution, and conservation status of marine mammals. Description of marine mammal taxa (mysticetes, odontocetes, pinnipeds, sirenians), their anatomy, physiology, ecology, and behavior. Impacts of whaling, fisheries interactions, and other anthropogenic threats. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTEN 107": { - "prerequisites": [], - "name": "Chaucer", - "description": "A study of Chaucer\u2019s poetic development, beginning with The Book of the Duchess and The Parliament of Fowls, including Troilus and Criseyde, and concluding with substantial selections from The Canterbury Tales. " + "SIO 134": { + "prerequisites": [ + "BILD 3", + "and" + ], + "name": "Introduction to Biological Oceanography", + "description": "Basics for understanding the ecology of marine communities. The approach is process-oriented, focusing on major functional groups of organisms, their food-web interactions and community response to environmental forcing, and contemporary issues in human and climate influences. (Students may not receive credit for both SIO 134 and BIEB 134.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTEN 110": { - "prerequisites": [], - "name": "Topics: The Renaissance", - "description": "Major literary works of the Renaissance, an exciting period of social and cultural transformation in England as elsewhere in Europe. Topics may include a central theme (e.g., humanism, reformation, revolution), a genre (e.g., pastoral), or comparison with other arts and sciences. May be repeated up to three times for credit when topics vary. " + "SIO 135/SIOG 236": { + "prerequisites": [ + "PHYS 2A-B", + "or", + "PHYS 4A-B-C" + ], + "name": "Satellite Remote Sensing", + "description": "Satellite remote sensing provides global observations\n of Earth to monitor environmental changes in land, oceans, and ice. Overview,\n physical principles of remote sensing, including orbits, electromagnetic radiation,\n diffraction, electro-optical, and microwave systems. Weekly labs explore remote\n sensing data sets. Graduate students will also be required to write a term\n paper and do an oral presentation. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTEN 112": { - "prerequisites": [], - "name": "Shakespeare I: The Elizabethan Period", - "description": "A lecture/discussion course exploring the development of Shakespeare\u2019s dramatic powers in comedy, history, and tragedy, from the early plays to the middle of his career. Dramatic forms, themes, characters, and styles will be studied in the contexts of Shakespeare\u2019s theatre and his society. " + "SIO 136": { + "prerequisites": [ + "BILD 3", + "SIO 132", + "and", + "SIO 134" + ], + "name": "Marine Biology Laboratory", + "description": "Introductory laboratory course in current principles and techniques applicable to research problems in marine biology. Field component includes introduction to intertidal, salt marsh, or other marine ecosystems. Program or materials fees may apply. ** Consent of instructor to enroll possible **" }, - "LTEN 113": { - "prerequisites": [], - "name": "Shakespeare II: The Jacobean Period", - "description": "A lecture/discussion course exploring the rich and varied achievements of Shakespeare\u2019s later plays, including the major tragedies and late romances. Dramatic forms, themes, characters, and styles will be studied in the contexts of Shakespeare\u2019s theatre and his society. " + "SIO 137": { + "prerequisites": [ + "SIO 134" + ], + "name": "Ecosystems and Fisheries", + "description": "This course introduces students to the broad ecological processes and approaches that are fundamental to studying the dynamics of exploited populations, food webs, and ecosystems. The basics of fisheries oceanography are covered, with a synergistic focus on internations between key members of an ecosystem. A diversity of ecosystems will be discussed but the focus will be on the open ocean and deep sea. ** Consent of instructor to enroll possible **" }, - "LTEN 117": { - "prerequisites": [], - "name": "Topics: The Seventeenth Century", - "description": "\nSelected topics in English literature during a period of social change, religious controversy, emergence of the New Science, and the English Civil War. The course may be devoted to one or more major authors, a particular genre, or a political, social, or literary issue. Readings chosen from writers including Jonson, Donne, Bacon, Milton, Marvell, and Dryden, among others. May be repeated up to three times for credit when topics vary." + "SIO 138": { + "prerequisites": [ + "BILD 3", + "MATH 10A", + "or", + "MATH 20A", + "CHEM 6B" + ], + "name": "The Coral Reef Environment", + "description": "Assessment of the physical, chemical, and biological interactions that define the coral reef system; essential geography and evolutionary history of reefs; natural and human perturbations to the coral reef ecosystem; aspects of reef management and sustainability. ** Consent of instructor to enroll possible **" }, - "LTEN 120": { + "SIO 139": { "prerequisites": [], - "name": "Topics: The Eighteenth Century", - "description": "\n Selected topics in English literature and culture during the \u201clong eighteenth century,\u201d the period between 1660 and 1830. Topics might include satiric writing, the theatre world, radical/reformist discourse, and the emergence of the professional woman writer. Writers include Behn, Wycherley, Congreve, Pope, Swift, Johnson, Wollstonecraft. May be repeated up to three times for credit when topics vary." + "name": "Current Research in Marine Biology Colloquium", + "description": "Provides an introduction to current research topics and developments in marine biology and biological oceanography. Faculty members from Scripps Institution of Oceanography will offer perspectives in these areas. Students will practice scientific research and communication skills. P/NP grades only. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTEN 124": { - "prerequisites": [], - "name": "Topics: The Nineteenth Century", - "description": "\nSelected topics in nineteenth-century British literature and culture, drawing on the Romantic and/or Victorian periods (e.g., relationships between literature and imperialism, social and political debate, gender issues, religion, or science). The course could focus solely on topics within either the Romantic or Victorian periods or comprehend writing in both periods. May be repeated up to three times for credit when topics vary. " + "SIO 141/CHEM 174": { + "prerequisites": [ + "CHEM 6C" + ], + "name": "\t Chemical Principles of Marine Systems", + "description": "Introduction to the chemistry and distribution\n\t\t\t\t of the elements in seawater, emphasizing basic chemical principles such\n\t\t\t\t as electron structure, chemical bonding, and group and periodic properties\n\t\t\t\t and showing how these affect basic aqueous chemistry in marine systems. ** Consent of instructor to enroll possible **" }, - "LTEN 125": { - "prerequisites": [], - "name": "Romantic Poetry", - "description": "\nStudies in Romantic poetry, covering the first generation (Blake, Wordsworth, Coleridge and their contemporaries) and/or the second generation (Shelley, Keats, Byron and their contemporaries) of Romantic poets. May be repeated up to three times for credit when topics vary." + "SIO 143": { + "prerequisites": [ + "MATH 10C", + "PHYS 1C", + "CHEM 6C" + ], + "name": "Ocean Acidification", + "description": "This course covers the fundamentals of ocean acidification, including the chemical background; past and future changes in ocean chemistry; biological and biogeochemical consequences, including organism and ecosystem function; biodiversity; biomineralization; carbonate dissolution; and the cycling of carbon and nitrogen in the oceans. ** Consent of instructor to enroll possible **" }, - "LTEN 127": { - "prerequisites": [], - "name": "Victorian Poetry", - "description": "\nStudies in the poetry of the Victorian age including writers such as Tennyson, the Brownings, Arnold, Rosetti, Hopkins, and their contemporaries. May be repeated up to three times for credit when topics vary." + "SIO 144/SIOG 252A": { + "prerequisites": [ + "SIO 50", + "and" + ], + "name": "Introduction to Isotope Geochemistry", + "description": "Radioactive and stable isotope studies in geology\n and geochemistry, including geochronology, isotopes as tracers of magmatic\n processes, cosmic-ray produced isotopes as tracers in the crust and weathering\n cycle, isotopic evolution of the crust and mantle. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTEN 130": { - "prerequisites": [], - "name": "Modern British Literature", - "description": "Selected topics concerned with modern British literature; study of various authors, issues, and trends in literatures of the British Isles from the mid-1850s through the present day. May be taken up to three times for credit when topics vary." + "SIO 146": { + "prerequisites": [ + "BILD 2" + ], + "name": "Methods in Cell and Developmental Biology of Marine Organisms Lab", + "description": "This laboratory course will introduce students to modern concepts and techniques in molecular, cellular, and developmental biology, through authentic research projects using echinoderm, mollusk, and coral species. In addition to designing and performing experiments, students will learn to evaluate data, work with DNA sequences, quantify results with statistics, prepare figures, read primary research literature, write and review scientific research articles, and give scientific presentations. ** Consent of instructor to enroll possible **" }, - "LTEN 132": { - "prerequisites": [], - "name": "Modern Irish Literature", - "description": "\nThe Irish Revival and its aftermath: Yeats, Synge, O\u2019Casey, Joyce, Beckett, and their contemporaries. May be repeated up to three times for credit when topics vary." + "SIO 147": { + "prerequisites": [ + "BILD 3" + ], + "name": "Applications of Phylogenetics", + "description": "Overview of the computer-based methods for constructing phylogenetic trees using morphological and molecular data. Lectures and labs cover evolutionary and ecological transformations, biodiversity measurements, biogeography, systematic and taxonomy. An independent project and presentation are required. (Students may not receive credit for both SIO 147 and BIEB 147.) ** Consent of instructor to enroll possible **" }, - "LTEN 138": { - "prerequisites": [], - "name": "The British Novel: 1680\u20131790", - "description": "\nStudies in the early period of the development of the English novel. Writers may include Behn, Defoe, Richardson, and Burney. May be repeated up to three times for credit when topics vary." + "SIO 150": { + "prerequisites": [ + "MATH 20D", + "PHYS 2C", + "CHEM 6C" + ], + "name": "Physics and Chemistry of Planetary Interiors", + "description": "Quantitative study of the physical and chemical processes operating within planetary interiors that control the evolution of planets on geological time scales. Comparative planetology of Earth, Venus, Mars, and other terrestrial planets and satellites will focus on how the formation, differentiation, and evolution of their interiors are expressed as tectonics and volcanism on their surfaces. ** Consent of instructor to enroll possible **" }, - "LTEN 140": { - "prerequisites": [], - "name": "The British Novel: 1790\u20131830", - "description": "\nStudies in the early nineteenth-century novel, such as the novels of\nAusten, Wollstonecraft and/or Shelly, the Gothic novel, radical fiction of the 1790s. May be repeated up to three times for credit when topics vary." + "SIO 152": { + "prerequisites": [ + "SIO 50", + "and", + "SIO 120" + ], + "name": "Petrology and Petrography", + "description": "Mineralogic, chemical, textural and structural properties of igneous, metamorphic, and sedimentary rocks; their origin and relations to evolution of the Earth\u2019s crust and mantle. Laboratory emphasizes hand specimens and microscopic studies of rocks in thin sections. ** Consent of instructor to enroll possible **" }, - "LTEN 142": { - "prerequisites": [], - "name": "The British Novel: 1830\u20131890", - "description": "\nCovers the early and midperiod Victorian novel, including such novelists as Dickens, the Brontes, Thackery, Eliot and their contemporaries. May be repeated up to three times for credit when topics vary." + "SIO 153": { + "prerequisites": [ + "SIO 50" + ], + "name": "Geomorphology", + "description": "Geomorphology is the study of the dynamic interface across which the atmosphere, water, biota, and tectonics interact to transform rock into landscapes with distinctive features crucial to the function and existence of water resources, natural hazards, climate, biogeochemical cycles, and life. In this class, we will study many of the Earth surface processes that operate on spatial scales from atomic particles to continents and over time scales of nanoseconds to millions of years. ** Consent of instructor to enroll possible **" }, - "LTEN 144": { - "prerequisites": [], - "name": "The British Novel: 1890 to Present", - "description": "\nSelected topics in the British novel from the late Victorian novel to present-day Black British fiction. Topics include colonial and postcolonial writing, modernism, and post-WWII fiction. May be repeated up to three times for credit when topics vary. " + "SIO 155": { + "prerequisites": [ + "SIO 102" + ], + "name": "Whole Earth Geochemistry", + "description": "A geochemical overview of Earth materials and chemical processes involved in the Earth\u2019s evolution. Topics include formation and differentiation of the Earth, linkages between the solid Earth and the atmosphere/hydrosphere, and isotope and trace element composition of igneous and metamorphic rocks. ** Consent of instructor to enroll possible **" }, - "LTEN 148": { - "prerequisites": [], - "name": "Genres in English and American Literature", - "description": "\nAn examination of one or more genres in English and/or American literature, for example, satire, science fiction, autobiography, comic drama. May be repeated up to three times for credit when topics vary. " + "SIO 160": { + "prerequisites": [ + "SIO 50" + ], + "name": "Introduction to Tectonics", + "description": "The theory of plate tectonics attempts to explain how forces within the Earth give rise to continents, ocean basins, mountain ranges, earthquake belts, and most volcanoes. In this course we will learn how plate tectonics works. ** Consent of instructor to enroll possible **" }, - "LTEN 149": { - "prerequisites": [], - "name": "Topics: English-Language Literature", - "description": "\nA consideration of one of the themes that recur in many periods and cultural contexts of English-language literatures for instance, love, politics, identity, gender, race, class, or religion. May be repeated up to three times for credit when topics vary. " + "SIO 162": { + "prerequisites": [ + "SIO 100" + ], + "name": "Structural Geology", + "description": "Principles of stratigraphy and structural geology applicable to field geologic studies. Discussion and laboratory exercises. Two to three field trips required. Program and/or materials fees may apply. ** Consent of instructor to enroll possible **" }, - "LTEN 150": { + "SIO 164": { "prerequisites": [], - "name": "Gender, Text, and Culture", - "description": "\nThis course studies representations of the sexes and of their interrelationship in various forms of English-language writing produced during different phases of English history. Emphasis will be placed upon connections of gender and of literature to other modes of social belief, experience, and practice. May be repeated up to three times for credit when topics vary." + "name": "Underwater Archaeology: From Atlantis to Science", + "description": "Underwater archaeology provides access to ancient environmental and cultural data concerning human adaptation to climate and environmental change. Provides an overview of methods, theories, and practice of marine archaeology including\u2014environmental characteristics of coastal and underwater settings; the nature of ports, navigation, maritime culture, submerged landscapes, shipbuilding; methods of research in underwater settings; and legislative issues regarding underwater and coastal heritage. Students may not receive credit for both ANAR 164 and SIO 164." }, - "LTEN 152": { + "SIO 166": { "prerequisites": [], - "name": "The Origins of American Literature", - "description": "\nStudies in American written and oral literatures from the early colonial to the early national period (1620\u20131830), with emphasis on the thrust and continuity of American culture, social and intellectual, through the beginnings of major American writing in the first quarter of the nineteenth century. May be repeated up to three times for credit when topics vary." + "name": "Introduction to Environmental Archaeology\u2014Theory and Method of Socioecodynamics and Human Paleoecology", + "description": "Introduction to the multidisciplinary tools for paleoenvironmental analysis\u2014from ecology, sedimentology, climatology, zoology, botany, chemistry, and others\u2014and provides the theory and method to investigate the dynamics between human behavior and natural processes. This socioecodynamic perspective facilitates a nuanced understanding of topics such as resource overexploitation, impacts on biodiversity, social vulnerability, sustainability, and responses to climate change. Students may not receive credit for ANAR 166 and SIO 166. " }, - "LTEN 153": { - "prerequisites": [], - "name": "The Revolutionary War and the Early National Period in US Literature", - "description": "\nA critical examination of new texts of various kinds\u2014written and oral, political, philosophical, and literary\u2014functioned in the construction of the political body of the new American republic and the self-conception of its citizens. May be repeated up to three times for credit when topics vary." + "SIO 167": { + "prerequisites": [ + "ANTH 3", + "and", + "SIO 50" + ], + "name": "Geoarchaeology in Theory and Practice", + "description": "As specialists in human timescales, archaeologists are trained to identify subtle details that are often imperceptible for other geoscientists. This course is designed to train archaeologists to identify the natural processes affecting the archaeological record, and geoscientists to identify the influence of human behavior over land surfaces. The course, which includes lectures, laboratory training, and field observations, focuses on the articulation of sedimentology and human activity. Students may not receive credit for both ANAR 167 and SIO 167. ** Consent of instructor to enroll possible **" }, - "LTEN 154": { - "prerequisites": [], - "name": "The American Renaissance", - "description": "\nA study of some of the chief works, and the linguistic, philosophical, and historical attitudes informing them, produced by such authors as Emerson, Hawthorne, Melville, Dickinson, and Whitman during the period 1836\u20131865, when the role of American writing in the national culture becomes an overriding concern. May be repeated up to three times for credit when topics vary." + "SIO 170": { + "prerequisites": [ + "SIO 100", + "and", + "CHEM 6A", + "or", + "CHEM 6AH" + ], + "name": "Introduction to Volcanology", + "description": "This class will introduce students to the fundamentals of the science of volcanology. Topics explored will include the processes and products of various types of volcanism, magma genesis, eruptive mechanisms, in addition to volcanic monitoring, hazards and mitigation. Students may not receive credit for both SIO 170 and SIO 170GS. ** Consent of instructor to enroll possible **" }, - "LTEN 155": { + "SIO 170GS": { "prerequisites": [], - "name": "Interactions between American Literature and the Visual Arts", - "description": "\nAn exploration of the connections between the work of individual writers, or movements, and the work of artists in various visual media. The writers studied are always American; the artists or art movements may represent non-American influences on these American writers. Topics could include portraiture and self-portraiture in visual arts and literature, or nature writing and landscape painting. May be repeated up to three times for credit when topics vary. " + "name": "Introduction to Volcanology", + "description": "This class will introduce students to the fundamentals of the science of volcanology. Topics explored will include the processes and products of various types of volcanism, magma genesis, eruptive mechanisms, in addition to volcanic monitoring, hazards, and mitigation. Students may not receive credit for both SIO 170 and SIO 170GS. Program or material fee may apply. " }, - "LTEN 156": { - "prerequisites": [], - "name": "American Literature from the Civil War to World War I", - "description": "\nA critical examination of works by such authors as Mark Twain, Henry James, Kate Chopin, and Edith Wharton, who were writing in an age when the frontier was conquered and American society began to experience massive industrialization and urbanization. May be repeated up to three times for credit when topics vary." + "SIO 170L": { + "prerequisites": [ + "SIO 170" + ], + "name": "Introduction to Volcanology\u2014Field Experience", + "description": "This course teaches fundamental aspects of physical and chemical volcanology through a one- to two-week field study experience prior to the start of the quarter. Subjects are introduced in lectures and reinforced and expanded upon in field exercises. Additional fees may be required for travel expenses. Program or materials fees may apply. May be taken for credit two times. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "LTEN 157": { - "prerequisites": [], - "name": "Captivity and Prison Narratives", - "description": "\nA comparative study of narratives of experiences of incarceration, whether through acts of war, commerce, education, crime, or state-sponsored states of exception. Emphasis given to intercultural encounters, identity formation within these encounters, and state uses of and justifications for incarceration. May be taken for credit three times when topics vary." + "SIO 171": { + "prerequisites": [ + "MATH 20C", + "and", + "PHYS 2C", + "or", + "PHYS 4C" + ], + "name": "Introduction to Physical Oceanography", + "description": "A physical description of the sea at the upper-division level, with emphasis on currents, waves, and turbulent motions that are observed in the ocean, and on the physics governing them. ** Consent of instructor to enroll possible **" }, - "LTEN 158": { - "prerequisites": [], - "name": "Modern American Literature", - "description": "\nA critical examination of American literature in several genres and other facets of US culture produced between the turn of the century and World War II. May be repeated up to three times for credit when topics vary." + "SIO 172": { + "prerequisites": [ + "MATH 20C", + "and", + "PHYS 2C" + ], + "name": "Physics of the Atmosphere", + "description": "This course provides an understanding of the physical principles governing the behavior of the Earth\u2019s atmosphere, with emphasis on the thermal structure and composition of the atmosphere, air masses and fronts, and atmospheric thermodynamics, fluid dynamics, and radiation. ** Consent of instructor to enroll possible **" }, - "LTEN 159": { - "prerequisites": [], - "name": "Contemporary American Literature", - "description": "\nA critical examination of American literature in several genres and other facets of US culture produced since World War II. May be repeated up to three times for credit when topics vary." + "SIO 173": { + "prerequisites": [ + "MATH 20E", + "and", + "PHYS 2C" + ], + "name": "Dynamics of the Atmosphere and Climate", + "description": "Introduction to the dynamical principles governing the atmosphere and climate using observations, numerical models, and theory to understand atmospheric circulation, weather systems, severe storms, marine layer, Santa Ana winds, El Ni\u00f1o, climate variability, and other phenomena. ** Consent of instructor to enroll possible **" }, - "LTEN 169": { - "prerequisites": [], - "name": "Topics in Latino/a Literature", - "description": "\nThe course will focus on selected topics in nineteenth-, twentieth-, and twenty-first-century Latino/a literature and culture in the United States from a sociohistorical perspective. Topics may include issues of gender, sexuality, race, ethnicity, class, social struggle, and political resistance. May be taken for credit three times when topics vary." + "SIO 174": { + "prerequisites": [ + "CHEM 6C", + "or", + "CHEM 6CH", + "and", + "MATH 20C", + "or", + "MATH 31BH" + ], + "name": "Chemistry of the Atmosphere and Oceans", + "description": "An introduction to chemical compounds and their biogeochemical cycles in the oceans and atmosphere, with emphasis on climate issues like ocean acidification, greenhouse gases and the carbon cycle, other biogeochemical cycles, chlorofluorocarbons and the ozone hole, urban pollutants and their photochemistry, and aerosol particles and their effects on clouds. ** Consent of instructor to enroll possible **" }, - "LTEN 171": { - "prerequisites": [], - "name": "Comparative Issues in Latino/a Immigration in US Literature", - "description": "\nA critical examination of the configuration of Latino/a immigration in US literary and visual culture. The course will focus on Latino immigrant groups, analyzing their relocation in the United States from a theoretical, historical, and social perspective. May be taken for credit three times when topics vary." + "SIO 175": { + "prerequisites": [ + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH" + ], + "name": "Analysis of Oceanic and Atmospheric Data", + "description": "Oceanic and atmospheric observations produce large data sets whose understanding requires analysis using computers. This course will include an introduction to Matlab for the purpose of analyzing data. Students will use modern data sets from the ocean and atmosphere to learn statistical data analysis. ** Consent of instructor to enroll possible **" }, - "LTEN 172": { - "prerequisites": [], - "name": "American\n\t\t\t\t Poetry II\u2014Whitman through the Modernists", - "description": "Reading and interpretation of American poets from Whitman through the principal modernists\u2014Pound, H.D., Eliot, Moore, Stevens, and others. Lectures will set the appropriate context in sociocultural and literary history. " + "SIO 176": { + "prerequisites": [ + "SIO 171" + ], + "name": "Observational Physical Oceanography", + "description": "This course gives an introduction to the methods and measurements used by observational physical oceanographers. Topics covered include sensors such as conductivity-temperature-depth (CTD), acoustic Doppler current profiler (ADCP), platforms such as autonomous gliders and ships, and services such as satellite measurements. This course includes a research project. ** Consent of instructor to enroll possible **" }, - "LTEN 174": { - "prerequisites": [], - "name": "American\n\t\t\t\t Fiction II\u2014Since Middle James", - "description": "Reading and interpretation of American fiction from Henry James through the principal modernists\u2014Fitzgerald, Stein, Welty, Faulkner, and others. Lectures will set the appropriate context. " + "SIO 177": { + "prerequisites": [ + "PHYS 2A", + "and", + "MATH 20D", + "and", + "MATH 20E" + ], + "name": "Fluid Dynamics", + "description": "This course gives an introduction to ocean and atmosphere fluid properties, statics, and kinematics; fluid conservation laws; irrotational flow; Bernoulli equation; gravity waves; shallow water equations; geophysical applications. ** Consent of instructor to enroll possible **" }, - "LTEN 175A": { - "prerequisites": [], - "name": "\t\t\t\t New American Fiction\u2014Post-World War II to the Present", - "description": "Reading and interpretation of American fiction from the mid-1940s to the present. Lectures will set the appropriate context in sociocultural and literary history. May be repeated for credit when topics vary. " + "SIO 178": { + "prerequisites": [ + "PHYS 2C", + "and", + "SIO 177", + "and", + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH" + ], + "name": "Geophysical Fluid Dynamics", + "description": "This course provides an introductory look at physical principles governing ocean currents and atmospheric flow. Topics may include large-scale circulation, ocean eddies, atmospheric storms systems, coastal upwelling, equatorial dynamics, and internal waves. ** Consent of instructor to enroll possible **" }, - "LTEN 175B": { - "prerequisites": [], - "name": "\t\t\t\t New American Poetry\u2014Post-World War II to the Present", - "description": "Reading and interpretation of American poets whose work has made its major impact since the last war, for instance Charles Olson, Robert Creeley, Denise Levertov, Adrienne Rich, Allen Ginsberg, Frank O\u2019Hara, and John Ashbery. Lectures will set the appropriate context in sociocultural and literary history. May be repeated for credit as topics vary. " + "SIO 179": { + "prerequisites": [ + "CHEM 6A", + "or", + "CHEM 6AH", + "or", + "PHYS 2A", + "or", + "PHYS 4A" + ], + "name": "Ocean Instruments and Sensors", + "description": "Apply modern and classic techniques for analysis of seawater, introducing concepts of signal transduction, calibration, and measurement quality control. Emphasis will be placed on computer automation to perform basic functions including instrument control, data storage, and on-the-fly calculations. Students will apply techniques from several branches of engineering to the marine sciences. Students may not receive credit for both SIO 179 and SIO 190 with the same subtitle. Recommended preparation: PHYS 2A-C or PHYS 4A-C. ** Consent of instructor to enroll possible **" }, - "LTEN 176": { - "prerequisites": [], - "name": "Major American Writers", - "description": "A study in depth of the works of major American writers. May be repeated up to three times for credit when topics vary. " + "SIO 180": { + "prerequisites": [ + "CHEM 6A", + "or", + "SIO 50", + "or", + "BILD 1" + ], + "name": "Communicating Science to Informal Audiences", + "description": "Students develop fundamental science communication and instructional skills through the understanding and application of learning theory, interpretive techniques, and pedagogical practices, which occur in the context of communicating ocean science concepts to a diverse audience at Birch Aquarium at Scripps. ** Consent of instructor to enroll possible **" }, - "LTEN 178": { + "SIO 181": { "prerequisites": [], - "name": "Comparative Ethnic Literature", - "description": "A lecture-discussion course that juxtaposes the experience of two or more US ethnic groups and examines their relationship with the dominant culture. Students will analyze a variety of texts representing the history of ethnicity in this country. Topics will vary. " + "name": "Marine Biochemistry", + "description": "Biochemical mechanisms of adaptation in organisms to the marine environment. Special emphasis will be on the effects of pressure, temperature, salinity, oxygen, and light on the physiology and biochemistry. (Students may not receive credit for both SIO 181 and BIBC 130.) " }, - "LTEN 179": { - "prerequisites": [], - "name": "Topics: Arab/Muslim American Identity and Culture", - "description": "This class explores (self) representations of Muslim and Arab Americans in US popular culture with a focus on the twentieth and twenty-first centuries. Topics include the racing of religion, \u201cthe war on terror\u201d in the media, feminism and Islam, immigration, race, and citizenship. May be repeated for credit three times when content varies. " + "SIO 182": { + "prerequisites": [ + "BILD 3" + ], + "name": "Environmental\n\t and Exploration Geophysics", + "description": "Lecture and laboratory course emphasizing the biology, ecology and taxonomy of marine plants and seaweeds. Laboratory work mainly involves examination, slide preparation and dissection of fresh material collected locally. An oral presentation on a current research topic is required. Program or course fee may apply. ** Consent of instructor to enroll possible **" }, - "LTEN 180": { - "prerequisites": [], - "name": "Chicano Literature in English", - "description": "Introduction to the literature in English by the Chicano population, the men and women of Mexican descent who live and write in the United States. Primary focus on the contemporary period. " + "SIO 183": { + "prerequisites": [ + "BILD 3" + ], + "name": "Phycology: Marine Plant Biology", + "description": "Course emphasizing the diversity, evolution and functional morphology of marine invertebrates. Laboratory work involves examination of live and prepared specimens. An oral presentation and a paper on current research topic is required. Program or course fee may apply. ** Consent of instructor to enroll possible **" }, - "LTEN 181": { - "prerequisites": [], - "name": "Asian American Literature", - "description": "Selected topics in the literature by men and women of Asian descent who live and write in the United States. Repeatable for credit when topics vary. " + "SIO 184": { + "prerequisites": [ + "BILD 1", + "and", + "SIO 132", + "or", + "SIO 134" + ], + "name": "Marine Invertebrates", + "description": "Techniques and theory in marine microbiology. Students perform experiments concerning (a) enrichment, enumeration, and identification, and (b) metabolic and physiochemical adaptations, along with an independent project. Students may not receive credit for both SIO 126L and SIO 185. ** Consent of instructor to enroll possible **" }, - "LTEN 182": { - "prerequisites": [], - "name": "Diaspora, Race, and Iranian American Literature", - "description": "Examines the Iranian American literary and visual cultures, focusing on intersections of class, gender, and race in the context of diaspora everyday life. Renumbered from LTAM 120." + "SIO 185": { + "prerequisites": [ + "BILD 3" + ], + "name": "Marine Microbiology Laboratory", + "description": "Introduction to statistical inference. Emphasis on constructing statistics for specific problems in marine biology. Topics include probability, distributions, sampling, replication, and experimental design. Students may not receive credit for both SIO 187 and BIEB 100. ** Consent of instructor to enroll possible **" }, - "LTEN 183": { - "prerequisites": [], - "name": "African American Prose", - "description": "Analysis and discussion of the novel, the personal narrative, and other prose genres, with particular emphasis on the developing characteristics of African American narrative and the cultural and social circumstances that influence their development. " + "SIO 187": { + "prerequisites": [ + "BILD 3" + ], + "name": "Statistical Methods in Marine Biology", + "description": "The comparative evolution, morphology, physiology, and ecology of fishes. Special emphasis on local, deep-sea, and pelagic forms in laboratory. ** Consent of instructor to enroll possible **" }, - "LTEN 185": { - "prerequisites": [], - "name": "Themes in African American Literature", - "description": "An intensive examination of a characteristic theme, special issue, or period in African American literature. May be repeated for credit when topics vary. " + "SIO 188": { + "prerequisites": [ + "CHEM 6C", + "and", + "BILD 1" + ], + "name": "Biology of Fishes", + "description": "The goal is to understand the scope of the pollution problem facing the planet. Students will learn the properties of chemicals in the environment and survey the biological mechanisms that determine their accumulation and toxicity. ** Consent of instructor to enroll possible **" }, - "LTEN 186": { + "SIO 189": { "prerequisites": [], - "name": "Literature of the Harlem Renaissance", - "description": "The Harlem Renaissance (1917\u201339) focuses on the emergence of the \u201cNew Negro\u201d and the impact of this concept on black literature, art, and music. Writers studied include Claude McKay, Zora N. Hurston, and Langston Hughes. Special emphasis on new themes and forms. " + "name": "Pollution, Environment and Health", + "description": "A seminar course designed to treat emerging or topical subjects in the earth, ocean, or atmospheric sciences. Involves lectures, reading from the literature, and student participation in discussion. Topics vary from year to year. May be taken for credit two times. Enrollment by consent of instructor. ** Consent of instructor to enroll possible **" }, - "LTEN 188": { + "SIO 190": { "prerequisites": [], - "name": "Contemporary Caribbean Literature", - "description": "This course will focus on contemporary literature of the English-speaking Caribbean. The parallels and contrasts of this Third World literature with those of the Spanish- and French-speaking Caribbean will also be explored. " + "name": "Special Topics in Earth, Oceans, and Atmosphere", + "description": "The Senior Seminar Program is designed to allow Scripps Institution of Oceanography senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in Scripps Oceanography (at the upper-division level). Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. " }, - "LTEN 189": { + "SIO 192": { "prerequisites": [], - "name": "Twentieth-Century\n\t\t\t\t Postcolonial Literatures", - "description": "The impact of British colonialism, national independence movements, postcolonial cultural trends, and women\u2019s movements on the global production of literary texts in English. Course is organized by topic or geographical/historical location. May be repeated for credit when topics vary. " + "name": "Senior Seminar\n\t\t\t\t in Scripps Institution of Oceanography", + "description": "Course attached to a six- to eight-unit internship taken by students participating in the UCDC Program. Involves weekly seminar meetings with faculty and teaching assistant and a substantial research paper. " }, - "LTEN 192": { + "SIO 194": { "prerequisites": [], - "name": "Senior Seminar in Literatures in English", - "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in literature (at the upper-division level). Senior Seminars may be offered in all campus departments. Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" + "name": "Research Seminar in Washington, DC", + "description": "Introduction to teaching earth sciences class section in a lower-division class, hold office hours, assist with examinations. This course counts only once toward the major. ** Consent of instructor to enroll possible **" }, - "LTEN 196": { - "prerequisites": [], - "name": "Honors Thesis", - "description": "Senior thesis research and writing for students who have been accepted for the Literature Honors Program and who have completed LTWL 191. Oral exam. " + "SIO 195": { + "prerequisites": [ + "SIO courses" + ], + "name": "Methods of Teaching Earth Sciences", + "description": "Course is for student participants in the senior honors thesis research program. Students complete individual research on a problem by special arrangement with, and under the direction of, a Scripps Institution of Oceanography faculty member. May be taken for credit two times. " }, - "LTEN 198": { + "SIO 196": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Research seminars and research, under the direction of a member of the staff. May be repeated for credit. (P/NP grades only.) " + "name": "Honors Thesis Research", + "description": "The earth science internship program is designed to complement the program\u2019s academic curriculum with practical field experience. " }, - "LTEN 199": { + "SIO 197": { "prerequisites": [], - "name": "Special Studies", - "description": "Tutorial; individual guided reading in an area not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) " + "name": "Earth Science Internship", + "description": "This internship will examine basic science learning theory and interpretive techniques best suited for learners in an aquarium or informal learning setting. Students will demonstrate learned skills by facilitating floor-based interactions and conducting visitor surveys that influence aquarium exhibit design and guest experiences. Interested students should contact the Scripps undergraduate office for application instructions. P/NP grades only. ** Upper-division standing required ** " }, - "LTEU 87": { + "SIO 197BA": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen." + "name": "Birch Aquarium Internship", + "description": "This course covers a variety of directed group studies in areas not covered by formal Scripps Oceanography courses. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "LTEU 105": { + "SIO 198": { "prerequisites": [], - "name": "Medieval Studies", - "description": "Studies in medieval culture and thought with focus on one of the \u201cthree crowns\u201d of Italian literature: Dante, Boccaccio, or Petrarca. May be repeated for credit when course content varies. " + "name": "Directed Group Study", + "description": "Independent reading or research on a problem. By special arrangement with a faculty member. (P/NP grades only.)\n" }, - "LTEU 109": { + "SIO 199": { "prerequisites": [], - "name": "Studies in Eighteenth-Century European Literature", - "description": "Topics to be considered include the age of sensibility, enlightenment, neoclassicism. Attention given to historical and cultural contexts." + "name": "Independent Study for Undergraduates", + "description": "A three-quarter required sequence for BS/MS earth sciences students to prepare students for thesis writing. " }, - "LTEU 110": { + "LATI 10": { "prerequisites": [], - "name": "European Romanticism", - "description": "Attention given to historical and cultural contexts. Topics to be considered include the concept of nature, the reaction to science, the role of the imagination. " + "name": "Reading North by South: Latin American Studies and the US Liberation Movements", + "description": "The purpose of this class is to study the multilayered relations between Latin American studies and the US liberation movements, particularly Third World movements, the Chicano movement, the black liberation movement, the indigenous movement, human rights activism, and trans-border activism. Students may not receive credit for LATI 100 and LATI 10." }, - "LTEU 111": { + "LATI 50": { "prerequisites": [], - "name": "European Realism", - "description": "This course focuses on nineteenth-century European realism in historical and cultural context. Topics include definitions of realism, the impact of urbanization and industrialization on literary forms and themes, and relations between realism in literature and the visual arts. May be repeated up to three times for credit when topics vary. " + "name": "Introduction to Latin America", + "description": "Interdisciplinary overview of society and culture in Latin America\u2014including Mexico, the Caribbean, and South America: legacies of conquest, patterns of economic development, changing roles of women, expressions of popular culture, cycles of political change, and US-Latin American relations. " }, - "LTEU 125": { + "LATI 87": { "prerequisites": [], - "name": "Faust in European Literature", - "description": "This course focuses on the theme of Faust in European literature from the Renaissance to the present, including works by Marlowe, Goethe, Bulgakov, and Thomas Mann. Concentration on how authors adapted the theme to differing national and historical contexts." + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "LTEU 130": { + "LATI 122A": { "prerequisites": [], - "name": "German Literature in Translation", - "description": "One or more aspects of German literature, such as major authors, the contemporary novel, nineteenth-century poetry, German expressionism. Texts may be read in English or the original language. May be repeated for credit as topics vary. " + "name": "Field Research Methods for Migration Studies: Seminar", + "description": "Introductory survey of methods used by social and health scientists to gather primary research data on international migrant and refugee populations, including sample surveys, unstructured interviewing, and ethnographic observation. Basic fieldwork practices, ethics, and problem-solving techniques will also be covered. Students may not receive credit for both SOCI 122A and LATI 122A. Recommended: advanced competency in conversational Spanish. " }, - "LTEU 137": { - "prerequisites": [], - "name": "Seminars in German Culture", - "description": "These seminars are devoted to a variety of special topics, including the works of single authors, genre studies, problems in literary history, relations between literature and the history of ideas, literary criticism, literature and society, and the like." + "LATI 122B": { + "prerequisites": [ + "LATI 122A" + ], + "name": "Field Research Methods for Migration Studies: Practicum", + "description": "Students will collect survey and qualitative data among Mexican migrants to the United States and potential migrants, participate in team research, organize data collected for analysis, and submit a detailed outline of an article to be based on field data. Students may not receive credit for both SOCI 122B and LATI 122B. Recommended: advanced competency in conversational Spanish. " }, - "LTEU 139": { - "prerequisites": [], - "name": "Marx/Nietzsche/Freud", - "description": "Intensive examination of the major ideas of all three writers, with special attention to the literary styles and problematic aspects of their work. " + "LATI 122C": { + "prerequisites": [ + "LATI 122B" + ], + "name": "Field Research Methods for Migration Studies: Data Analysis", + "description": "Continuation of SOCI 122B. Students analyze primary data they have collected in field research sites and coauthor an article for publication. Methods for organizing and processing field data, techniques of quantitative data analysis, and report preparation conventions will be covered. Students may not receive credit for both SOCI 122C and LATI 122C. " }, - "LTEU 140": { - "prerequisites": [], - "name": "Italian Literature in Translation", - "description": "One or more periods and authors in Italian literature. Texts will be read in English. May be repeated for credit as topics vary. " + "LATI 180": { + "prerequisites": [ + "LATI 50" + ], + "name": "Special Topics in Latin American Studies", + "description": "Readings and discussion of substantive issues and research in Latin American studies. Topics may include the study of a specific society or a particular issue in comparative cross-national perspective. Topics will vary from year to year. " }, - "LTEU 141": { - "prerequisites": [], - "name": "French Literature in English Translation", - "description": "Study of works of French literature of any period in English translation." + "LATI 190": { + "prerequisites": [ + "LATI 50", + "and" + ], + "name": "Senior Seminar", + "description": "Research seminar on selected topics in the study of Latin America; all students will be required to prepare and present independent research papers. (Honors students will present drafts of senior research theses, of no less than fifty pages in length; nonhonors students will present final versions of analytical papers of approximately twenty-five to forty pages in length.) " }, - "LTEU 146": { - "prerequisites": [], - "name": "Studies in Modern Italian Prose", - "description": "A study of the chief modern Italian prosatori, including D\u2019Annunzio, Calvino, Pavese, and Pasolini. May be taken up to three times for credit as topic vary. " + "LATI 191": { + "prerequisites": [ + "LATI 50" + ], + "name": "Honors Seminar", + "description": "Independent reading and research under direction of a member of the faculty group in Latin American Studies; goal is to provide honors students with an opportunity to complete senior research thesis (to be defended before three-person interdisciplinary faculty committee). " }, - "LTEU 150A-B-C": { - "prerequisites": [], - "name": "Survey of Russian and Soviet Literature in Translation, 1800 to the Present", - "description": "A study of literary works from Pushkin to the present." + "LATI 199": { + "prerequisites": [ + "LATI 50", + "and" + ], + "name": "Individual Study", + "description": "Guided and supervised reading of the literature on Latin America in the interdisciplinary areas of anthropology, communications, economics, history, literature, political science, and sociology. For students majoring in Latin American Studies, reading will focus around potential topics for senior papers; for honors students in Latin American Studies, reading will culminate in formulation of a prospectus for the research thesis. " }, - "LTEU 154": { + "FMPH 40": { "prerequisites": [], - "name": "Russian Culture", - "description": "150A. 1800\u20131860 " + "name": "Introduction to Public Health", + "description": "This course provides an introduction to the infrastructure of public health; the analytical tools employed by public health practitioners; bio-psychosocial perspectives of public health problems; health promotion/disease prevention; quality assessment in public health; and legal and ethical concerns. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 40. Students may not receive credit for FPMU 40 and FMPH 40. " }, - "LTEU 158": { + "FMPH 50": { "prerequisites": [], - "name": "Single Author in Russian Literature in Translation", - "description": "150B. 1860\u20131917 " + "name": "Primary Care and Public Health", + "description": "This course explores historical and current interactions, achievements, and challenges of primary care and public health. It will analyze the impact of common medical conditions such as obesity, diabetes, mental health disorders, and others on individuals, their families, and society. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 50. Students may not receive credit for FPMU 50 and FMPH 50. " }, - "LTFR 2A": { - "prerequisites": [], - "name": "Intermediate French I", - "description": "150C. 1917\u2013present " + "FMPH 101": { + "prerequisites": [ + "FMPH 40" + ], + "name": "Epidemiology ", + "description": "This course covers the basic principles of epidemiology, with applications to investigations of noninfectious (\u201cchronic\u201d) and infectious diseases. Explores various study designs appropriate for disease surveillance and studies of etiology and prevention. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 101. Students may not receive credit for FMPH 101 and either FPMU 101 or FPMU 101A. " }, - "LTFR 2B": { - "prerequisites": [], - "name": "Intermediate French II", - "description": "An introduction to Russia\u2019s past and present through the cross-disciplinary study of literature, the visual and performing arts, social and political thought, civic rituals, popular entertainments, values and practices from 1825 to the present. " + "FMPH 102": { + "prerequisites": [ + "FMPH 40" + ], + "name": "Biostatistics in Public Health ", + "description": "Fundamentals of biostatistics and basic methods for analysis of continuous and binary outcomes for one, two, or several groups. Includes: summarizing and displaying data; probability; statistical distributions; central limit theorem, confidence intervals, hypothesis testing; comparing means of continuous variables between two groups; comparing proportions between two groups; simple and multiple linear regression. Hands-on data analysis using software and statistical applications in public health. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 102. Students may not receive credit for FMPH 102 and either FPMU 101B or FPMU 102. " }, - "LTFR 2C": { - "prerequisites": [], - "name": "Intermediate\n\t\t\t\t French III: Composition and Cultural Contexts", - "description": "A study of literary works by a single Russian author. All readings will be in English. May be repeated for credit when authors vary." + "FMPH 110": { + "prerequisites": [ + "FMPH 40", + "and" + ], + "name": "Health Behavior and Chronic Diseases", + "description": "This course introduces health behavior concepts through applications to chronic disease prevention. The focus is on smoking, dietary behaviors, and physical activity and is organized around relationships to health, measurement, influencing factors, interventions, and translation to public health practice. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 110. Students may not receive credit for FPMU 110 and FMPH 110. " }, - "LTFR 50": { - "prerequisites": [], - "name": "Intermediate French IV: Textual Analysis", - "description": "First course in a three-quarter sequence designed to prepare students for upper-division French courses. The course is taught entirely in French and emphasizes the development of reading ability, listening comprehension, and conversational and writing skills. Basic techniques of literary analysis. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "FMPH 120": { + "prerequisites": [ + "FMPH 40", + "and" + ], + "name": "Health Policies for Healthy Lifestyles", + "description": "This course covers the rationale for and effectiveness of policies to influence nutrition, physical activity, and substance use behavior. Policies include legalization, taxation, labeling, produce manufacturing, warning labels, licensing, marketing, and counter-marketing practices and restrictions on use. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 120. Students may not receive credit for FPMU 120 and FMPH 120. " }, - "LTFR 115": { - "prerequisites": [], - "name": "Themes\n\t\t\t\t in Intellectual and Literary History", - "description": "Second course in a three-quarter sequence designed to prepare students for upper-division French courses. The course is taught entirely in French and emphasizes the development of reading ability, listening comprehension, and conversational and writing skills. Basic techniques of literary analysis. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "FMPH 130": { + "prerequisites": [ + "FMPH 50", + "FMPH 101", + "and" + ], + "name": "Environmental and Occupational Health", + "description": "This core public health course addresses the fundamentals of environmental and occupational health, including identification of hazards, basic toxicology, risk assessment, prevention/protection, and regulatory/control policies. Specific environmental and occupational hazards and relevant case studies will be presented. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 130. Students may not receive credit for FPMU 130 and FMPH 130. " }, - "LTFR 116": { - "prerequisites": [], - "name": "Themes\n\t\t\t\t in Intellectual and Literary History", - "description": "Designed to improve writing and conversational skills. Develop written expression in terms of organization or ideas, structure, vocabulary. Grammar review. Discussions of contemporary novel and film. May be taken in lieu of LTFR 50 as a prerequisite for upper-division courses. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "FMPH 180A": { + "prerequisites": [ + "FMPH 40", + "FMPH 50", + "FMPH 101", + "or", + "FMPH 102", + "and", + "FMPH 110" + ], + "name": "Public Health Advanced Practicum I", + "description": "Emphasizes key public health concepts including program planning, research design, and written/oral communication skills. Practicum done in combination with research, internship, or overseas experiences, completed after FMPH 180A. Open to public health majors with upper-division standing.Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 180A. Students may not receive credit for FPMU 180A and FMPH 180A. ** Department approval required ** " }, - "LTFR 121": { + "FMPH 180B": { "prerequisites": [], - "name": "The Middle Ages and the Renaissance", - "description": "Fourth course in a four-quarter sequence designed to prepare students for upper-division French courses. The course is taught entirely in French and emphasizes the development of reading ability, listening comprehension, and conversational and writing skills. It also introduces the student to basic techniques of literary analysis. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " - }, - "LTFR 122": { - "prerequisites": [], - "name": "Topics in Seventeenth-Century French Literature", - "description": "Course in a two-quarter sequence designed as an introduction to French literature and literary history. Each quarter will center on a specific theme or problem. It is recommended that majors whose primary literature is French take this sequence as early as possible. Course may be repeated up to three times when the topic and the assigned readings are different. " + "name": "Public Health Advanced Practicum II", + "description": "Practicum participants will engage in an experiential learning program at a pre-approved practicum site. Students will participate in applied public health research and/or programs under supervision of UC San Diego faculty. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 180B. Students may not receive credit for FPMU 180B and FMPH 180B. ** Department approval required ** " }, - "LTFR 123": { - "prerequisites": [], - "name": "Eighteenth Century", - "description": "Course in a two-quarter sequence designed as an introduction to French literature and literary history. Each quarter will center on a specific theme or problem. It is recommended that majors whose primary literature is French take this sequence as early as possible. Course may be repeated up to three times when the topic and the assigned readings are different. " + "FMPH 180C": { + "prerequisites": [ + "FMPH 180B" + ], + "name": "Public Health Advanced Practicum III", + "description": "Practicum participants will interpret and contextualize findings from the experiential learning program planned in 180A and completed during 180B. Oral and written presentations will focus on disseminating public health information in diverse formats. Must be taken for a letter grade to be applied to the public health major. Renumbered from FPMU 180C. Students may not receive credit for FPMU 180C and FMPH 180C. ** Department approval required ** " }, - "LTFR 124": { - "prerequisites": [], - "name": "Nineteenth Century", - "description": "Major literary works of the Middle Ages and Renaissance as seen against the historical and intellectual background of the period. Medieval texts in modern French translation. May be repeated for credit as topics vary. " + "FMPH 191": { + "prerequisites": [ + "FMPH 40" + ], + "name": "Topics in Public Health", + "description": "Selected topics in the field of public health. Must be taken for a letter grade to be applied to the public health major. May be taken for credit up to three times. ** Department approval required ** " }, - "LTFR 125": { - "prerequisites": [], - "name": "Twentieth Century", - "description": "This course will cover major literary works and problems of seventeenth-century French literature. May be taken for credit three times as topics vary. " + "FMPH 193": { + "prerequisites": [ + "FMPH 40", + "FMPH 50", + "FMPH 101", + "FMPH 102", + "and", + "FMPH 110" + ], + "name": "Public Capstone I", + "description": "This is the first of a two-part capstone series that serves as the culminating experience for the BS in public health (BSPH) majors. Students will integrate the skills and knowledge gained throughout the BSPH program and learn critical elements of public health research and practice.Must be taken for a letter grade to be applied to the public health major. ** Department approval required ** " }, - "LTFR 141": { - "prerequisites": [], - "name": "Topics in Literatures in French", - "description": "Major literary works and problems of the eighteenth century. May be repeated for credit as topics vary. " + "FMPH 194": { + "prerequisites": [ + "FMPH 40", + "FMPH 50", + "FMPH 101", + "FMPH 102", + "FMPH 110", + "FMPH 120", + "and", + "FMPH 193" + ], + "name": "Public Capstone II", + "description": "This is the second of a two-part capstone series that serves as the culminating experience for the BS in public health (BSPH) majors. Students will interpret and contextualize findings from their projects completed in the first part of the series. Oral and written presentations will focus on disseminating public health information in diverse formats.Must be taken for a letter grade to be applied to the public health major. ** Department approval required ** " }, - "LTFR 142": { + "FMPH 195": { "prerequisites": [], - "name": "Topics in Literary Genres in French", - "description": "Major literary works of the nineteenth century. May be repeated for credit as topics vary. " + "name": "Instruction in Public Health", + "description": "Introduction to teaching in a public health course. As an undergraduate instructional apprentice, students will attend the lectures of the course, weekly meetings with students of the course, and weekly meetings with the course instructor. Responsibilities may include class presentations, designing and leading weekly discussion sections, assisting with homework and exam grading, and monitoring and responding to online discussion posts. Renumbered from FPMU 195. FMPH 195 and/or FPMU 195 may be taken for credit for a combined total of two times. " }, - "LTFR 143": { - "prerequisites": [], - "name": "Topics in Major Authors in French", - "description": "Major literary works and problems of the twentieth century. May be repeated for credit as topics vary. " + "FMPH 196A": { + "prerequisites": [ + "FMPH 40", + "FMPH 50", + "FMPH 101", + "or", + "FMPH 102", + "and", + "FMPH 110" + ], + "name": "Public Health Honors Practicum I", + "description": "This is the first of a three-part honors series that serves as the culminating experience for the BS in public health (BSPH) majors. Students review, reinforce, and complement skills and knowledge gained throughout the BSPH program, and prepare a proposal integrating critical elements of public health research and practice.Must be taken for a letter grade to be applied to the public health major. ** Department approval required ** " }, - "LTFR 164": { - "prerequisites": [], - "name": "Topics in Modern French Culture", - "description": "Examines one or more periods, themes, authors, and approaches in French literature. Topics will vary with instructor. May be repeated for credit. " + "FMPH 196B": { + "prerequisites": [ + "FMPH 196A" + ], + "name": "Public Health Honors Practicum II", + "description": "This is the second of a three-part honors series that serves as the culminating experience for the BS in public health majors. This course represents an experiential learning opportunity at a pre-approved community site. Under supervision of public health faculty and pertinent site representatives, students will refine and implement the public health proposal developed in the first part of the honors series. Must be taken for a letter grade to be applied to the public health major. ** Department approval required ** " }, - "LTFR 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "An examination of one or more major or minor genres of French literature: for example, drama, novel, poetry, satire, prose poem, essay. " + "FMPH 196C": { + "prerequisites": [ + "FMPH 196B" + ], + "name": "Public Health Honors Practicum III", + "description": "This is the third of a three-part honors series that serves as the culminating experience for the BS in public health majors. Students will analyze, interpret, and contextualize findings from their projects completed in the series. Oral and written communication will focus on disseminating public health information in diverse formats, and will include a presentation and an honors thesis. Must be taken for a letter grade to be applied to the public health major. " }, - "LTFR 199": { + "FMPH 199": { "prerequisites": [], - "name": "Special Studies", - "description": "A study in depth of the works of a major French writer. Recommended for students whose primary literature is French. May be repeated for credit as topics vary. " + "name": "Independent Study", + "description": "Individual undergraduate study or research not covered by the present course offerings. Study or research must be under the direction of a faculty member in the Department of Family Medicine and Public Health and approval must be secured from the faculty member prior to registering. P/NP grades only. Renumbered from FPMU 199. FMPH 199 and/or FPMU 199 may be taken for credit a combined total of six times.\u00a0 ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "LTGM 2A": { + "ENVR 30": { "prerequisites": [], - "name": "Intermediate German I", - "description": "This course may be designed according to an individual student\u2019s needs when seminar offerings do not cover subjects, genres, or authors of interest. No paper required. The 297 courses do not count toward the seminar requirement. Repeatable for credit. " + "name": "Environmental Issues: Natural Sciences", + "description": "Examines global and regional environmental issues. The approach is to consider the scientific basis for policy options. Simple principles of chemistry and biology are introduced. The scope of problems includes: air and water pollution, climate modification, solid waste disposal, hazardous waste treatment, and environmental impact assessment. " }, - "LTGM 2B": { + "ENVR 87": { "prerequisites": [], - "name": "Intermediate German II", - "description": "Similar to a 297, but a paper is required. Papers are usually on subjects not covered by seminar offerings. Up to two 298s may be applied toward the twelve-seminar requirement of the doctoral program. Repeatable for credit. " + "name": "Environmental Studies Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "LTGM 2C": { + "ENVR 102": { "prerequisites": [], - "name": "Intermediate German III", - "description": "Research for the dissertation. Offered for repeated registration. Open only to PhD students who have advanced to candidacy." + "name": "Selected Topics in Environmental Studies", + "description": "An interdisciplinary course focusing on one of a variety of topics related to environmental studies such as environmental policy and politics, foreign study in environmental problems, environmental history, nature writers, ethics and the environment. May be repeated three times for credit as topics vary. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTGM 100": { + "ENVR 110": { "prerequisites": [], - "name": "German Studies I: Aesthetic Cultures", - "description": "LTGM 2A follows the basic language sequence of the Department of Linguistics and emphasizes the development of reading ability, listening comprehension, and conversational and writing skills. The course includes grammar review and class discussion of reading and audiovisual materials. Specifically, the course prepares students for LIGM 2B and 2C. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "name": "Environmental Law", + "description": "Explores environmental policy in the United States and the ways in which it is reflected in law. The social and political issues addressed include environmental justice and environmental racism, as well as the role of government in implementing environmental law. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTGM 101": { + "ENVR 120": { "prerequisites": [], - "name": "German Studies II: National Identities", - "description": "LTGM 2B is a continuation of LTGM 2A for those students who intend to practice their skills in reading, listening comprehension, and writing on a more advanced level. The literary texts are supplemented by readings from other disciplines as well as audiovisual materials. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "name": "Coastal Ecology", + "description": "Explores the diverse ecosystems of coastal San Diego County (salt marsh, rocky intertidal, sandy beach, etc.) in the classroom and in the field with attention to basic principles of field ecology, natural history, and techniques for collecting ecological data. Course and/or materials fee may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTGM 130": { + "ENVR 130": { "prerequisites": [], - "name": "German Literary Prose", - "description": "A course designed for students who wish to improve their ability to speak and write German. Students will read and discuss a variety of texts and films, and complete the grammar review begun in 2A. 2C emphasizes speaking, writing, and critical thinking, and prepares students for upper-division course work in German. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "name": "Environmental Issues: Social Sciences\n ", + "description": "Explores contemporary environmental\n issues from the perspective of the social sciences. It includes\n the cultural framing of environmental issues and appropriate\n social action, the analysis of economic incentives and constraints,\n and a comparison of policy approaches. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTGM 132": { + "ENVR 140": { "prerequisites": [], - "name": "German Poetry", - "description": "This course offers an overview of German aesthetic culture in its various forms (literature, film, art, music, and architecture) and methods of analysis. Materials will explore the diversity of aesthetic production from the eighteenth century to the present. " + "name": "Wilderness and Human Values", + "description": "\u201cWilderness\u201d plays a central role in the consciousness of\n American environmentalists and serves as focal point for public\n policies, recreation, and political activism. This course explores\n its evolving historical, philosophical, ecological, and aesthetic\n meanings and includes guest speakers and a field component. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTGM 134": { + "ENVR 141": { "prerequisites": [], - "name": "New German Cinema", - "description": "This course offers an overview of issues in contemporary and historical German cultures. How has national identity been constructed in the past? What does it mean to be a German in the new Europe? Materials include fiction, historical documents, films, and the internet. " + "name": "Wilderness and Human Values Workshop", + "description": "Instructor will define assistant\u2019s responsibilities in preparing class presentations, leading students\u2019 discussions, and evaluating students\u2019 work. May be taken two times for credit." }, - "LTGM 190": { + "ENVR 195": { "prerequisites": [], - "name": "Seminars in German Culture", - "description": "The development of major forms and modes of German literary prose. May be repeated for credit as topics vary. " + "name": "Apprentice Teaching", + "description": "Directed group research and study, normally with a focus on areas not otherwise covered in the curriculum. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTGM 198": { + "ENVR 198": { "prerequisites": [], "name": "Directed Group Study", - "description": "The development of major forms and modes of German verse. May be repeated for credit as topics vary. " + "description": "Independent study in a topic not generally covered in the regular curriculum. ** Consent of instructor to enroll possible **" }, - "LTGM 199": { + "ENVR 199": { "prerequisites": [], - "name": "Special Studies", - "description": "A survey of German cinema from the late 1960s to the early 1980s. Focus on films by such directors as Fassbinder, Herzog, Kluge, Schl\u04e7ndorff, von Trotta, and Wenders viewed in historical and cultural context. May be taken credit three times when topics vary." + "name": "Independent Study", + "description": "A course in which teaching assistants are aided in learning proper teaching methods by means of supervision of their work by the faculty: handling of discussions, preparation and grading of examinations and other written exercises, and student relations. " }, - "LTGK 1": { + "ESYS 10": { "prerequisites": [], - "name": "Beginning Greek", - "description": "Tutorial; individual guided reading in areas of German literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) " + "name": "Introduction to Environmental Systems", + "description": "This course explores the interdisciplinary\n\t\t\t\t character of environmental issues through an examination of\n\t\t\t\t a particular topic (climate change, for example) from numerous disciplinary\n\t\t\t\t perspectives (e.g., biology, chemistry, physics, political science, and\n\t\t\t\t economics). " }, - "LTGK 2": { + "ESYS 87": { "prerequisites": [], - "name": "Intermediate Greek", - "description": "This course may be designed according to an individual student\u2019s needs when seminar offerings do not cover subjects, genres, or authors of interest. No paper required. The 297 courses do not count toward the seminar requirement. Repeatable for credit. " + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate college, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students with preference given to entering freshmen. " }, - "LTGK 3": { + "ESYS 90": { "prerequisites": [], - "name": "Intermediate Greek", - "description": "Similar to a 297, but a paper is required. Papers are usually on subjects not covered by seminar offerings. Up to two 298s may be applied toward the twelve-seminar requirement of the doctoral program. Repeatable for credit. " + "name": "Perspectives on Environmental Issues", + "description": "Provides an introduction to environmental systems. Faculty members from departments in the natural sciences, geosciences, and social sciences will offer perspectives in these areas. (F) " }, - "LTGK 101": { - "prerequisites": [], - "name": "Greek Composition", - "description": "Study of ancient Greek, including grammar and reading. " + "ESYS 101": { + "prerequisites": [ + "BILD 1" + ], + "name": "Environmental Biology", + "description": "This course surveys biochemical and physiological processes governing the relationship between organisms and their environments, such as those involved in element cycling and cellular homeostasis. The course introduces biological perspectives on human activities ranging from antibiotic use to genetic engineering. ** Consent of instructor to enroll possible **" }, - "LTGK 102": { + "ESYS 102": { "prerequisites": [], - "name": "Greek Poetry", - "description": "Continuation of study of ancient Greek, including grammar and reading. " + "name": "The Solid and Fluid Earth", + "description": "Earth\u2019s dynamic physical systems interact in complex ways with profound impact on our environment. Processes such as volcanism and weathering enable geochemical exchange between solid and fluid (ocean and atmosphere) systems. Sea level and climate changes interface with tectonic processes. ** Consent of instructor to enroll possible **" }, - "LTGK 103": { + "ESYS 103/MAE 124": { "prerequisites": [], - "name": "Greek Drama", - "description": "Continuation of study of ancient Greek, including grammar and reading of texts. " + "name": "Environmental Challenges: Science and Solutions", + "description": "This course explores the impacts of human, social, economic, and industrial activity on the environment. It highlights the central roles in ensuring sustainable development played by market forces, technological innovation, and government regulation on local, national, and global scales. ** Consent of instructor to enroll possible **" }, - "LTGK 104": { - "prerequisites": [], - "name": "Greek Prose", - "description": "Greek prose composition. Corequisites: student must be concurrently enrolled in upper-division Literature/Greek course numbered 102 or above. " + "ESYS 190A": { + "prerequisites": [ + "ESYS 103", + "and" + ], + "name": "Senior Project", + "description": "All majors are required to complete an integrative Senior Project in their senior year. The Senior Project is designed by the student to focus on an interdisciplinary environmental problem or research topic and is developed either individually or as part of a team over two quarters. Appropriate topics could include biodiversity conservation, environmental health, and/or global change. An important component of the Senior Project is an off-campus or laboratory internship. " }, - "LTGK 105": { - "prerequisites": [], - "name": "Topics in Greek Literature", - "description": "\nReadings in Greek from ancient Greek poetry. May be taken for credit four times as topics vary. " + "ESYS 190B": { + "prerequisites": [ + "ESYS 190A", + "or", + "ESYS 190A(W", + "and" + ], + "name": "Environmental Systems Senior Seminar", + "description": "The seminar provides a venue for the development, presentation, and evaluation of the Environmental Systems Integrative Project. The seminar will include work on research methods as well as paper presentation skills. ** Upper-division standing required ** " }, - "LTGK 198": { + "ESYS 199": { "prerequisites": [], - "name": "Directed Group Study", - "description": "\nReadings in Greek from ancient Greek drama. May be taken for credit four times as topics vary. " + "name": "Independent Study", + "description": "Individually guided readings or projects in the area of environmental systems. " }, - "LTGK 199": { + "HMNR 100/HITO 119": { "prerequisites": [], - "name": "Special Studies", - "description": "\nReadings in Greek from ancient Greek prose. May be taken for credit four times as topics vary. " + "name": "Introduction to Human Rights and Global Justice", + "description": "Explores where human rights come from and what they mean by integrating them into a history of modern society, from the Conquest of the Americas and the origins of the Enlightenment, to the Holocaust and the contemporary human rights regime. " }, - "LTIT 2A": { + "HMNR 101/ANSC 140": { "prerequisites": [], - "name": "Intermediate Italian I", - "description": "\nReadings in Greek covering specific topics in ancient Greek literature. May be taken for credit four times as topics vary. " + "name": "Human Rights II: Contemporary Issues", + "description": "Interdisciplinary discussion that outlines the structure and functioning of the contemporary human rights regime, and then delves into the relationship between selected human rights protections\u2014against genocide, torture, enslavement, political persecution, etc.\u2014and their violation, from early Cold War to the present. " }, - "LTIT 2B": { + "MATH 2": { "prerequisites": [], - "name": "Intermediate Italian II", - "description": "Directed group study in areas of Greek literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) " - }, - "LTIT 50": { - "prerequisites": [], - "name": "Advanced Italian", - "description": "Tutorial; individual guided reading in an area not normally covered in courses. May be taken up to three times for credit. (P/NP grades only.) " + "name": "Introduction to College Mathematics", + "description": "A highly adaptive course designed to build on students\u2019 strengths while increasing overall mathematical understanding and skill. This multimodality course will focus on several topics of study designed to develop conceptual understanding and mathematical relevance: linear relationships; exponents and polynomials; rational expressions and equations; models of quadratic and polynomial functions and radical equations; exponential and logarithmic functions; and geometry and trigonometry. Workload credit only\u2014not for baccalaureate credit. ** Exam placement options to enroll possible ** " }, - "LTIT 100": { + "MATH 3C": { "prerequisites": [], - "name": "Introduction to Literatures in Italian", - "description": "A second-year course in Italian language and literature. Conversation, composition, grammar review, and an introduction to literary and nonliterary texts. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "name": "Precalculus", + "description": "Functions and their graphs. Linear and polynomial functions, zeroes, inverse functions, exponential and logarithmic, trigonometric functions and their inverses. Emphasis on understanding algebraic, numerical and graphical approaches making use of graphing calculators. (No credit given if taken after MATH 4C, 1A/10A, or 2A/20A.) Three or more years of high school mathematics or equivalent recommended. ** Exam placement options to enroll possible ** " }, - "LTIT 115": { - "prerequisites": [], - "name": "Medieval Studies", - "description": "Continuation of second-year Italian language and literature. Reading, writing, conversation, grammar review, and an introduction to literary genres and contemporary Italian culture and society. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "MATH 4C": { + "prerequisites": [ + "MATH 3C" + ], + "name": "Precalculus for Science and Engineering", + "description": "Review of polynomials. Graphing functions and relations: graphing rational functions, effects of linear changes of coordinates. Circular functions and right triangle trigonometry. Reinforcement of function concept: exponential, logarithmic, and trigonometric functions. Vectors. Conic sections. Polar coordinates. (No credit given if taken after MATH 1A/10A or 2A/20A. Two units of credit given if taken after MATH 3C.) ** Exam placement options to enroll possible ** " }, - "LTIT 122": { - "prerequisites": [], - "name": "Studies in Modern Italian Culture", - "description": "This course constitutes the sixth and final quarter of the Italian language sequence. It offers an intensive study of Italian grammar, drills in conversation and composition, and readings in modern Italian literature. ** Consent of instructor to enroll possible **" + "MATH 10A": { + "prerequisites": [ + "MATH 3C", + "or", + "MATH 4C" + ], + "name": "Calculus I", + "description": "Differential calculus of functions of one variable, with applications. Functions, graphs, continuity, limits, derivatives, tangent lines, optimization problems. (No credit given if taken after or concurrent with MATH 20A.) ** Exam placement options to enroll possible ** " }, - "LTIT 137": { - "prerequisites": [], - "name": "Studies in Modern Italian Prose", - "description": "Reading and discussion of selections from representative authors. Review of grammar as needed. May be repeated for credit three times when topics vary. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "MATH 10B": { + "prerequisites": [ + "MATH 10A", + "or", + "MATH 20A" + ], + "name": "Calculus II", + "description": "Integral calculus of functions of one variable, with applications. Antiderivatives, definite integrals, the Fundamental Theorem of Calculus, methods of integration, areas and volumes, separable differential equations. (No credit given if taken after or concurrent with MATH 20B.) ** Exam placement options to enroll possible ** " }, - "LTIT 161": { - "prerequisites": [], - "name": "Advanced Stylistics and Conversation", - "description": "Studies in medieval culture and thought with focus on one of the \u201cthree crowns\u201d of Italian literature: Dante, Boccaccio, or Petrarca. May be repeated for credit when course content varies. " + "MATH 10C": { + "prerequisites": [ + "MATH 10B", + "or", + "MATH 20B" + ], + "name": "Calculus III", + "description": "Introduction to functions of more than one variable. Vector geometry, partial derivatives, velocity and acceleration vectors, optimization problems. (No credit given if taken after or concurrent with 20C.) ** Exam placement options to enroll possible ** " }, - "LTIT 192": { - "prerequisites": [], - "name": "Senior Seminar in Literatures in Italian", - "description": "Politics, literature, and cultural issues of twentieth-century Italy. May be repeated for credit when topics vary. " + "MATH 11": { + "prerequisites": [ + "MATH 10B", + "or", + "MATH 20B" + ], + "name": "Calculus-Based Introductory Probability and Statistics", + "description": "Events and probabilities, conditional probability, Bayes\u2019 formula. Discrete and continuous random variables: mean, variance; binomial, Poisson distributions, normal, uniform, exponential distributions, central limit theorem. Sample statistics, confidence intervals, hypothesis testing, regression. Applications. Introduction to software for probabilistic and statistical analysis. Emphasis on connections between probability and statistics, numerical results of real data, and techniques of data analysis. ** Exam placement options to enroll possible ** " }, - "LTIT 196": { - "prerequisites": [], - "name": "Honors Thesis", - "description": "A study of the chief modern Italian prosatori, including D\u2019Annunzio, Calvino, Pavese, and Pasolini. May be taken up to three times for credit as topics vary." + "MATH 15A": { + "prerequisites": [ + "CSE 8B", + "or", + "CSE 11" + ], + "name": "Introduction to Discrete Mathematics", + "description": "Basic discrete mathematical structure: sets, relations, functions, sequences, equivalence relations, partial orders, and number systems. Methods of reasoning and proofs: propositional logic, predicate logic, induction, recursion, and pigeonhole principle. Infinite sets and diagonalization. Basic counting techniques; permutation and combinations. Applications will be given to digital logic design, elementary number theory, design of programs, and proofs of program correctness. Students who have completed MATH 109 may not receive credit for MATH 15A. Credit not offered for both MATH 15A and CSE 20. Equivalent to CSE 20. " }, - "LTIT 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "Analysis of Italian essays, journalism, literature. Intensive practice in writing and Italian conversation. ** Consent of instructor to enroll possible **" + "MATH 18": { + "prerequisites": [ + "MATH 3C", + "or", + "MATH 4C", + "or", + "MATH 10A", + "or", + "MATH 20A" + ], + "name": "Linear Algebra", + "description": "Matrix algebra, Gaussian elimination, determinants. Linear and affine subspaces, bases of Euclidean spaces. Eigenvalues and eigenvectors, quadratic forms, orthogonal matrices, diagonalization of symmetric matrices. Applications. Computing symbolic and graphical solutions using Matlab. Students may not receive credit\u00a0for both MATH 18 and 31AH. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "LTIT 199": { - "prerequisites": [], - "name": "Special Studies", - "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in literature (at the upper-division level). Senior Seminars may be offered in all campus departments. Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" + "MATH 20A": { + "prerequisites": [ + "MATH 2C", + "MATH 4C", + "or", + "MATH 10A" + ], + "name": "Calculus for Science and Engineering", + "description": "Foundations of differential and integral calculus of one variable. Functions, graphs, continuity, limits, derivative, tangent line. Applications with algebraic, exponential, logarithmic, and trigonometric functions. Introduction to the integral. (Two credits given if taken after MATH 1A/10A and no credit given if taken after MATH 1B/10B or MATH 1C/10C. Formerly numbered MATH 2A.) ** Exam placement options to enroll possible ** " }, - "LTKO 1A": { - "prerequisites": [], - "name": "Beginning Korean: First Year I", - "description": "Senior thesis research and writing for students who have been accepted for the literature honors program and who have completed LTWL 191. Oral examination. " + "MATH 20B": { + "prerequisites": [ + "MATH 20A", + "MATH 10B", + "MATH 10C" + ], + "name": "Calculus for Science and Engineering", + "description": "Integral calculus of one variable and its\n\t\t\t\t applications, with exponential, logarithmic, hyperbolic, and trigonometric\n\t\t\t\t functions. Methods of integration. Infinite series. Polar coordinates in\n\t\t\t\t the plane and complex exponentials. (Two units of credits given if taken\n\t\t\t\t after MATH 1B/10B or MATH 1C/10C.) ** Exam placement options to enroll possible ** " }, - "LTKO 1B": { - "prerequisites": [], - "name": "Beginning Korean: First Year II", - "description": "Directed group study in areas of Italian literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) " + "MATH 20C": { + "prerequisites": [ + "MATH 20B" + ], + "name": "Calculus\n\t\t and Analytic Geometry for Science and Engineering", + "description": "Vector geometry, vector functions and their derivatives. Partial differentiation. Maxima and minima. Double integration. (Two units of credit given if taken after MATH 10C. Credit not offered for both MATH 20C and 31BH. Formerly numbered MATH 21C.) ** Exam placement options to enroll possible ** " }, - "LTKO 1C": { - "prerequisites": [], - "name": "Beginning Korean: First Year III", - "description": "Tutorial; individual guided reading in areas of Italian literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) " + "MATH 20D": { + "prerequisites": [ + "MATH 20C", + "MATH 21C", + "or", + "MATH 31BH" + ], + "name": "Introduction to Differential Equations", + "description": "Ordinary differential equations: exact, separable,\n\t\t\t\t and linear; constant coefficients, undetermined coefficients, variations\n\t\t\t\t of parameters. Systems. Series solutions. Laplace transforms. Techniques\n\t\t\t\t for engineering sciences. Computing symbolic and graphical solutions using\n\t\t\t\t Matlab. (Formerly numbered MATH 21D.) May be taken as repeat credit for\n\t\t\t\t MATH 21D. " }, - "LTKO 2A-B-C": { - "prerequisites": [], - "name": "Intermediate Korean: Second Year I-II-III", - "description": "Students develop beginning-level skills in the Korean language, beginning with an introduction to the writing and sound system. The remainder of the course will focus on basic sentence structures and expressions. ** Exam placement options to enroll possible ** " + "MATH 20E": { + "prerequisites": [ + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MATH 20C", + "MATH 21C", + "or", + "MATH 31BH" + ], + "name": "Vector Calculus", + "description": "Change of variable in multiple integrals, Jacobian, Line integrals, Green\u2019s theorem. Vector fields, gradient fields, divergence, curl. Spherical/cylindrical coordinates. Taylor series in several variables. Surface integrals, Stoke\u2019s theorem. Gauss\u2019 theorem. Conservative fields. " }, - "LTKO 3": { + "MATH 31AH": { "prerequisites": [], - "name": "Advanced Korean: Third Year", - "description": "Students develop beginning-level skills in the Korean language, with an introduction to the writing and sound system. The remainder of the course will focus on basic sentence structures and expressions. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "name": "Honors Linear Algebra", + "description": "First quarter of three-quarter honors integrated linear algebra/multivariable calculus sequence for well-prepared students. Topics include real/complex number systems, vector spaces, linear transformations, bases and dimension, change of basis, eigenvalues, eigenvectors, diagonalization. (Credit not offered for both MATH 31AH and 20F.) ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " }, - "LTKO 100": { - "prerequisites": [], - "name": "Readings\n\t\t\t\t in Korean Literature and Culture", - "description": "Students develop beginning-level skills in the Korean language, beginning with an introduction to the writing and sound system. The remainder of the course will focus on basic sentence structures and expressions. " + "MATH 31BH": { + "prerequisites": [ + "MATH 31AH" + ], + "name": "Honors Multivariable Calculus", + "description": "Second quarter of three-quarter honors integrated linear algebra/multivariable calculus sequence for well-prepared students. Topics include derivative in several variables, Jacobian matrices, extrema and constrained extrema, integration in several variables. (Credit not offered for both MATH 31BH and 20C.) ** Consent of instructor to enroll possible **" }, - "LTKO 149": { - "prerequisites": [], - "name": "Readings in Korean Language History and Structure", - "description": "This course will help students develop intermediate-level skills in the Korean language. Upon completion of this course, students are expected to have good command of Korean in various daily conversational situations. ** Exam placement options to enroll possible ** " + "MATH 31CH": { + "prerequisites": [ + "MATH 31BH" + ], + "name": "Honors Vector Calculus", + "description": "Third quarter of honors integrated linear algebra/multivariable calculus sequence for well-prepared students. Topics include change of variables formula, integration of differential forms, exterior derivative, generalized Stoke\u2019s theorem, conservative vector fields, potentials. ** Consent of instructor to enroll possible **" }, - "LTLA 1": { + "MATH 87": { "prerequisites": [], - "name": "Beginning Latin", - "description": "This course will help students develop advanced-level skills in the Korean language. Upon completion of this course, students are expected to have good command of Korean in various formal settings and to understand daily news broadcasts/newspapers. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshman. " }, - "LTLA 2": { + "MATH 95": { "prerequisites": [], - "name": "Intermediate Latin", - "description": "Majors issues in modern Korean history from colonial period to present, such as Japanese colonization, division, US/Soviet occupation, the Korean War, and authoritarian rule, industrialization, labor/agrarian movement and cultural/social issues, emerging within the globalized economy in South Korea. " + "name": "Introduction to Teaching Math", + "description": "(Cross-listed with EDS 30.) Revisit students\u2019 learning\n\t\t\t\t difficulties in mathematics in more depth to prepare students\n\t\t\t\t to make meaningful observations of how K\u201312 teachers deal with these difficulties.\n\t\t\t\t Explore how instruction can use students\u2019 knowledge to pose problems\n\t\t\t\t that stimulate students\u2019 intellectual curiosity. " }, - "LTLA 3": { - "prerequisites": [], - "name": "Intermediate Latin", - "description": "This course is designed to develop cultural understanding and professional/academic level reading skill for students with coverage of materials on Korean language history from the fifteenth century to the present, previous and current writing systems, and Korean language structure. May be taken for credit three times as topics vary. " + "MATH 96": { + "prerequisites": [ + "MATH 20A" + ], + "name": "Putnam Seminar", + "description": "Students will develop skills in analytical thinking as they solve and present solutions to challenging mathematical problems in preparation for the William Lowell Putnam Mathematics Competition, a national undergraduate mathematics examination held each year. Students must sit for at least one half of the Putnam exam (given the first Saturday in December) to receive a passing grade. P/NP grades only. May be taken for credit up to four times.\u00a0 ** Exam placement options to enroll possible ** " }, - "LTLA 100": { + "MATH 99R": { "prerequisites": [], - "name": "Introduction to Latin Literature", - "description": "Study of Latin, including grammar and reading. " + "name": "Independent Study", + "description": "Independent study or research under direction of a member of the faculty. ** Upper-division standing required ** " }, - "LTLA 102": { - "prerequisites": [], - "name": "Latin Poetry", - "description": "Study of Latin, including grammar and reading. " + "MATH 100A": { + "prerequisites": [ + "MATH 31CH", + "or", + "MATH 109" + ], + "name": "Abstract Algebra I", + "description": "First course in a rigorous three-quarter introduction to the methods and basic structures of higher algebra. Topics include groups, subgroups and factor groups, homomorphisms, rings, fields. (Students may not receive credit for both MATH 100A and MATH 103A.) ** Consent of instructor to enroll possible **" }, - "\nLTLA 103": { - "prerequisites": [], - "name": "Latin Drama", - "description": "Study of Latin, including grammar and reading. " + "MATH 100B": { + "prerequisites": [ + "MATH 100A" + ], + "name": "Abstract Algebra II", + "description": "Second course in a rigorous three-quarter introduction to the methods and basic structures of higher algebra. Topics include rings (especially polynomial rings) and ideals, unique factorization, fields; linear algebra from perspective of linear transformations on vector spaces, including inner product spaces, determinants, diagonalization. (Students may not receive credit for both MATH 100B and MATH 103B.) ** Consent of instructor to enroll possible **" }, - "\nLTLA 104": { - "prerequisites": [], - "name": "Latin Prose", - "description": "Reading and discussion of selections from representative authors of one or more periods. Review of grammar as needed. " + "MATH 100C": { + "prerequisites": [ + "MATH 100B" + ], + "name": "Abstract Algebra III", + "description": "Third course in a rigorous three-quarter introduction to the methods and basic structures of higher algebra. Topics include linear transformations, including Jordan canonical form and rational canonical form; Galois theory, including the insolvability of the quintic. ** Consent of instructor to enroll possible **" }, - "\nLTLA 105": { - "prerequisites": [], - "name": "Topics in Latin Literature", - "description": "\nReadings in Latin from Latin poetry. May be taken for credit four times as topics vary. " - }, - "LTLA 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "\nReadings in Latin from Latin drama. May be taken for credit four times as topics vary. " - }, - "LTLA 199": { - "prerequisites": [], - "name": "Special Studies", - "description": "\nReadings in Latin from Latin prose. May be taken for credit four times as topics vary. " + "MATH 102": { + "prerequisites": [ + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MATH 20C" + ], + "name": "Applied Linear Algebra", + "description": "Second course in linear algebra from a computational yet geometric point\n\t\t\t\t of view. Elementary Hermitian matrices, Schur\u2019s theorem, normal matrices,\n\t\t\t\t and quadratic forms. Moore-Penrose generalized inverse and least square\n\t\t\t\t problems. Vector and matrix norms. Characteristic and singular values.\n\t\t\t\t Canonical forms. Determinants and multilinear algebra. ** Consent of instructor to enroll possible **" }, - "LTRU 1A": { - "prerequisites": [], - "name": "First-Year Russian", - "description": "\nReadings in Latin covering specific topics in Latin literature. May be taken for credit four times as topics vary. " + "MATH 103A": { + "prerequisites": [ + "MATH 31CH", + "or", + "MATH 109" + ], + "name": "Modern Algebra I", + "description": "First course in a two-quarter introduction to abstract algebra with some applications. Emphasis on group theory. Topics include definitions and basic properties of groups, properties of isomorphisms, subgroups. (Students may not receive credit for both MATH 100A and MATH 103A.) ** Consent of instructor to enroll possible **" }, - "LTRU 1B": { - "prerequisites": [], - "name": "First-Year Russian", - "description": "Directed group study in areas of Latin literature not normally covered in courses. May be repeated three times. (P/NP grades only.) " + "MATH 103B": { + "prerequisites": [ + "MATH 103A", + "or", + "MATH 100A" + ], + "name": "Modern Algebra II", + "description": "Second course in a two-quarter introduction to abstract algebra with some applications. Emphasis on rings and fields. Topics include definitions and basic properties of rings, fields, and ideals, homomorphisms, irreducibility of polynomials. (Students may not receive credit for both MATH 100B and MATH 103B.) ** Consent of instructor to enroll possible **" }, - "LTRU 1C": { - "prerequisites": [], - "name": "First-Year Russian", - "description": "Tutorial; individual guided reading in areas of Latin literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) " + "MATH 104A": { + "prerequisites": [ + "MATH 100B", + "or", + "MATH 103B" + ], + "name": "Number Theory I", + "description": "Elementary number theory with applications. Topics include\n unique factorization, irrational numbers, residue systems,\n congruences, primitive roots, reciprocity laws, quadratic forms,\n arithmetic functions, partitions, Diophantine equations, distribution\n of primes. Applications include fast Fourier transform, signal\n processing, codes, cryptography. ** Consent of instructor to enroll possible **" }, - "LTRU 2A": { - "prerequisites": [], - "name": "Second-Year Russian", - "description": "First-year Russian, with attention to reading, writing, and speaking. " + "MATH 104B": { + "prerequisites": [ + "MATH 104A" + ], + "name": "Number Theory\n II", + "description": "Topics in number theory such as finite fields, continued fractions,\n Diophantine equations, character sums, zeta and theta functions,\n prime number theorem, algebraic integers, quadratic and cyclotomic\n fields, prime ideal theory, class number, quadratic forms,\n units, Diophantine approximation, p-adic numbers,\n elliptic curves. ** Consent of instructor to enroll possible **" }, - "LTRU 2B": { + "MATH 104C": { "prerequisites": [], - "name": "Second-Year Russian", - "description": "First-year Russian, with attention to reading, writing, and speaking. ** Consent of instructor to enroll possible **" + "name": "Number Theory III", + "description": "Topics in algebraic and analytic number theory, with an advanced\n treatment of material listed for MATH 104B. ** Consent of instructor to enroll possible **" }, - "LTRU 104A": { - "prerequisites": [], - "name": "Advanced Practicum in Russian: Linguistic Skills Development", - "description": "First-year Russian, with attention to reading, writing, and speaking. ** Consent of instructor to enroll possible **" + "MATH 105": { + "prerequisites": [ + "MATH 31CH", + "or", + "MATH 109" + ], + "name": "Basic Number Theory", + "description": "The course will cover the basic arithmetic properties of the integers, with applications to Diophantine equations and elementary Diophantine approximation theory. No credit offered for MATH 105 if MATH 104A taken previously or concurrently. ** Consent of instructor to enroll possible **" }, - "\n\t\t\t\tLTRU 104B": { - "prerequisites": [], - "name": "Advanced Practicum in Russian: Analysis of Text and Film", - "description": "Second-year Russian grammar, with attention to reading, writing, and speaking. ** Consent of instructor to enroll possible **" + "MATH 106": { + "prerequisites": [ + "MATH 100B", + "or", + "MATH 103B" + ], + "name": "Introduction to Algebraic Geometry", + "description": "Plane curves, Bezout\u2019s theorem, singularities of plane curves. Affine and projective spaces, affine and projective varieties. Examples of all the above. Instructor may choose to include some commutative algebra or some computational examples. ** Consent of instructor to enroll possible **" }, - "LTRU 104C": { - "prerequisites": [], - "name": "Advanced Practicum in Russian: Analysis of Text and Film", - "description": "Second-year Russian grammar, with attention to reading, writing, and speaking. ** Consent of instructor to enroll possible **" + "MATH 109": { + "prerequisites": [ + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MATH 20C" + ], + "name": "Mathematical Reasoning", + "description": "This course uses a variety of topics in mathematics to introduce the students to rigorous mathematical proof, emphasizing quantifiers, induction, negation, proof by contradiction, naive set theory, equivalence relations and epsilon-delta proofs. Required of all departmental majors. ** Consent of instructor to enroll possible **" }, - "LTRU 110A": { - "prerequisites": [], - "name": "Survey of Russian and Soviet Literature in Translation, 1800\u20131860", - "description": "Advanced Russian grammar taught for varying ability levels. Close work with original texts and film to develop comprehension, production, and analytical skills. May be taken twice for credit. ** Consent of instructor to enroll possible **" + "MATH 110": { + "prerequisites": [ + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MATH 20D", + "and", + "MATH 20E", + "or", + "MATH 31CH" + ], + "name": "Introduction to Partial Differential Equations", + "description": "An introduction to partial differential equations focusing on equations in two variables. Topics include the heat and wave equation on an interval, Laplace\u2019s equation on rectangular and circular domains, separation of variables, boundary conditions and eigenfunctions, introduction to Fourier series, software methods for solving equations. Formerly MATH 110A. (Students may not receive credit for MATH 110 and MATH 110A.) ** Consent of instructor to enroll possible **" }, - "LTRU 110B": { - "prerequisites": [], - "name": "Survey of Russian and Soviet Literature in Translation, 1860\u20131917", - "description": "Development of advanced skills in reading, writing, and conversation. Course based on written and oral texts of various genres and styles. Individualized program to meet specific student needs. May be taken twice for credit. ** Consent of instructor to enroll possible **" + "MATH 111A": { + "prerequisites": [ + "MATH 20D", + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MATH 109", + "or", + "MATH 31CH" + ], + "name": " Mathematical Modeling I", + "description": "An introduction to mathematical modeling in the physical and\n social sciences. Topics vary, but have included mathematical\n models for epidemics, chemical reactions, political organizations,\n magnets, economic mobility, and geographical distributions\n of species. May be taken for credit two times when topics change. ** Consent of instructor to enroll possible **" }, - "LTRU 110C": { - "prerequisites": [], - "name": "Survey of Russian and Soviet Literature in Translation, 1917\u2013present", - "description": "Development of advanced skills in reading, writing, and conversation. Course based on written and oral texts of various genres and styles. Individualized program to meet specific student needs. May be taken twice for credit. ** Consent of instructor to enroll possible **" + "MATH 111B": { + "prerequisites": [ + "MATH 111A" + ], + "name": "Mathematical Modeling II", + "description": "Continued study on mathematical modeling in the physical and social sciences, using advanced techniques that will expand upon the topics selected and further the mathematical theory presented in MATH 111A. ** Consent of instructor to enroll possible **" }, - "LTRU 123": { - "prerequisites": [], - "name": "Single\n\t\t\t\t Author in Russian Literature in Translation", - "description": "A study of literary works from 1800\u20131860.\n" + "MATH 112A": { + "prerequisites": [ + "MATH 11", + "or", + "MATH 180A", + "or", + "MATH 183", + "or", + "MATH 186", + "and", + "MATH 18", + "or", + "MATH 31AH", + "and", + "MATH 20D", + "and", + "BILD 1" + ], + "name": "Introduction to Mathematical Biology I", + "description": "Part one of a two-course introduction to the use of mathematical theory and techniques in analyzing biological problems. Topics include differential equations, dynamical systems, and probability theory applied to a selection of biological problems from population dynamics, biochemical reactions, biological oscillators, gene regulation, molecular interactions, and cellular function. May be coscheduled with MATH 212A. Recommended preparation: MATH 130 and MATH 180A. ** Consent of instructor to enroll possible **" }, - "LTRU 150": { - "prerequisites": [], - "name": "Russian Culture", - "description": "A study of literary works from 1860\u20131917.\n" + "MATH 112B": { + "prerequisites": [ + "MATH 112A", + "and", + "MATH 110", + "and", + "MATH 180A" + ], + "name": "Introduction to Mathematical Biology II", + "description": "Part two of an introduction to the use of mathematical theory and techniques in analyzing biological problems. Topics include partial differential equations and stochastic processes applied to a selection of biological problems, especially those involving spatial movement, such as molecular diffusion, bacterial chemotaxis, tumor growth, and biological patterns. May be coscheduled with MATH 212B. Recommended preparation: MATH 180B. ** Consent of instructor to enroll possible **" }, - "LTRU 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "A study of literary works from 1917\u2013present." + "MATH 114": { + "prerequisites": [ + "MATH 180A" + ], + "name": "Introduction to Computational Stochastics", + "description": "Topics include random number generators, variance reduction, Monte Carlo (including Markov Chain Monte Carlo) simulation, and numerical methods for stochastic differential equations.\u00a0Methods will be illustrated on applications in biology, physics, and finance. May be coscheduled with MATH 214. Recommended preparation: CSE 5A, CSE 8A, CSE 11, or ECE 15. Students should complete a computer programming course before enrolling in MATH 114. ** Consent of instructor to enroll possible **" }, - "LTRU 199": { - "prerequisites": [], - "name": "Special Studies", - "description": "Study of the works of a single Russian author. May be repeated for credit as topics vary. " + "MATH 120A": { + "prerequisites": [ + "MATH 20E", + "or", + "MATH 31CH" + ], + "name": "Elements of Complex Analysis", + "description": "Complex numbers and functions. Analytic functions, harmonic functions,\n\t\t\t\t elementary conformal mappings. Complex integration. Power series.\n\t\t\t\t Cauchy\u2019s theorem. Cauchy\u2019s formula. Residue theorem. ** Consent of instructor to enroll possible **" }, - "LTSP 2A": { - "prerequisites": [], - "name": "Intermediate Spanish I: Foundations", - "description": "An introduction to Russia\u2019s past and present through the cross-disciplinary study of literature, the visual and performing arts, social and political thought, civic rituals, popular entertainments, values and practices from 1825 to the present. " + "MATH 120B": { + "prerequisites": [ + "MATH 120A" + ], + "name": "Applied Complex Analysis", + "description": "Applications of the residue theorem. Conformal\n\t\t\t\t mapping and applications to potential theory, flows, and temperature\n\t\t\t\t distributions. Fourier transformations. Laplace transformations, and applications\n\t\t\t\t to integral and differential equations. Selected topics such as Poisson\u2019s\n\t\t\t\t formula, Dirichlet\u2019s problem, Neumann\u2019s problem, or special functions. ** Consent of instructor to enroll possible **" }, - "LTSP 2B": { - "prerequisites": [], - "name": "Intermediate\n\t\t\t\t Spanish II: Readings and Composition", - "description": "Directed group study in areas of Russian literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) ** Upper-division standing required ** " + "MATH 121A": { + "prerequisites": [ + "EDS 30/MATH" + ], + "name": "Foundations\n\t\t of Teaching and Learning Mathematics I", + "description": "(Cross-listed with EDS 121A.) Develop teachers\u2019 knowledge base (knowledge of mathematics content, pedagogy, and student learning) in the context of advanced mathematics. This course builds on the previous courses where these components of knowledge were addressed exclusively in the context of high-school mathematics. " }, - "LTSP 2C": { - "prerequisites": [], - "name": "Intermediate\n\t\t\t\t Spanish III: Cultural Topics and Composition", - "description": "Tutorial; individual guided reading in areas of Russian literature not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) ** Upper-division standing required ** " + "MATH 121B": { + "prerequisites": [ + "EDS 121A/MATH" + ], + "name": "Foundations\n\t\t of Teaching and Learning Math II", + "description": "(Cross-listed with EDS 121B.) Examine how learning theories can consolidate observations about conceptual development with the individual student as well as the development of knowledge in the history of mathematics. Examine how teaching theories explain the effect of teaching approaches addressed in the previous courses. " }, - "LTSP 2D": { - "prerequisites": [], - "name": "Intermediate/Advanced\n\t\t\t\t Spanish: Spanish for Bilingual Speakers", - "description": "Course is taught in Spanish, emphasizing the development of reading ability, listening comprehension, and writing skills. It includes grammar review, weekly compositions, and class discussions. Successful completion of LTSP 2A satisfies the requirement for language proficiency in Revelle College. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " - }, - "LTSP 2E": { - "prerequisites": [], - "name": "Advanced\n\t\t\t\t Readings and Composition for Bilingual Speakers", - "description": "Review of major points of grammar with emphasis on critical reading and interpretation of Spanish texts through class discussions, vocabulary development, and written compositions. It is a continuation of LTSP 2A. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "MATH 130": { + "prerequisites": [ + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MATH 20D" + ], + "name": "Differential Equations and Dynamical Systems ", + "description": "An introduction to ordinary differential equations from the dynamical systems perspective. Topics include flows on lines and circles, two-dimensional linear systems and phase portraits, nonlinear planar systems, index theory, limit cycles, bifurcation theory, applications to biology, physics, and electrical engineering. Formerly MATH 130A. (Students may not receive credit for MATH 130 and MATH 130A.) ** Consent of instructor to enroll possible **" }, - "LTSP 50A": { - "prerequisites": [], - "name": "Readings in Peninsular Literature", - "description": "Continuation of LTSP 2B, with special emphasis in writing and translation. It includes discussion of cultural topics as well as grammar review and composition, further developing the ability to read articles, essays, and longer pieces of fiction/nonfictional texts. ** Consent of instructor to enroll possible ** ** Exam placement options to enroll possible ** " + "MATH 140A": { + "prerequisites": [ + "MATH 31CH", + "or", + "MATH 109" + ], + "name": "Foundations of Real Analysis I", + "description": "First course in a rigorous three-quarter sequence on real analysis. Topics include the real number system, basic topology, numerical sequences and series, continuity. (Students may not receive credit for both MATH 140A and MATH 142A.) ** Consent of instructor to enroll possible **" }, - "LTSP 50B": { - "prerequisites": [], - "name": "Readings in Latin American Literature", - "description": "Spanish for native speakers. Designed for bilingual students seeking to become biliterate. Reading and writing skills stressed with special emphasis on improvement of written expression and problems of grammar and orthography. Prepares native speakers with little or no formal training in Spanish for more advanced courses. " + "MATH 140B": { + "prerequisites": [ + "MATH 140A" + ], + "name": "Foundations of Real Analysis II", + "description": "Second course in a rigorous three-quarter sequence on real analysis. Topics include differentiation, the Riemann-Stieltjes integral, sequences and series of functions, power series, Fourier series, and special functions. (Students may not receive credit for both MATH 140B and MATH 142B.) ** Consent of instructor to enroll possible **" }, - "LTSP 50C": { - "prerequisites": [], - "name": "Readings in Latin American Topics", - "description": "Second course in a sequence designed for bilingual students seeking to become biliterate. Special emphasis given to improvement of written expression, grammar, and orthography. Prepares bilingual students with little or no formal training in Spanish for more advanced course work. " + "MATH 140C": { + "prerequisites": [ + "MATH 140B" + ], + "name": "Foundations of Real Analysis III", + "description": "Third course in a rigorous three-quarter sequence on real analysis. Topics include differentiation of functions of several real variables, the implicit and inverse function theorems, the Lebesgue integral, infinite-dimensional normed spaces. ** Consent of instructor to enroll possible **" }, - "LTSP 87": { - "prerequisites": [], - "name": "Freshman Seminar", - "description": "An introduction to Peninsular literature, this course offers a selection of authors and genres, introducing students to literary analysis through reading extensive texts in Spanish. Two or more quarters of LTSP 50 are suggested before proceeding to upper-division courses. May be taken for credit three times. " + "MATH 142A": { + "prerequisites": [ + "MATH 31CH", + "or", + "MATH 109" + ], + "name": "Introduction to Analysis I", + "description": "First course in an introductory two-quarter\n\t\t\t\t sequence on analysis. Topics include the real number system, numerical sequences and series, infinite limits, limits of functions, continuity, differentiation. Students may not receive credit for MATH 142A if taken after or concurrently with MATH 140A. ** Consent of instructor to enroll possible **" }, - "LTSP 100": { - "prerequisites": [], - "name": "Major Works of the Middle Ages", - "description": "An introduction to Latin American literature, this course offers a selection of authors and genres, introducing students to literary analysis through reading extensive texts in Spanish. Two or more quarters of LTSP 50 are suggested before proceeding to upper-division courses. May be taken for credit three times. " + "MATH 142B": { + "prerequisites": [ + "MATH 142A", + "or", + "MATH 140A" + ], + "name": "Introduction to Analysis II", + "description": "Second course in an introductory two-quarter sequence on analysis. Topics include the Riemann integral, sequences and series of functions, uniform convergence, Taylor series, introduction to analysis in several variables. Students may not receive credit for MATH 142B if taken after or concurrently with MATH 140B. ** Consent of instructor to enroll possible **" }, - "LTSP 116": { - "prerequisites": [], - "name": "Representations of Spanish Colonialism", - "description": "An introduction to major topics in Latin American literature, this course focuses on the literature of a particular region, period, or movement. Introduces students to literary analysis through reading extensive texts in Spanish. May be taken for credit three times. " + "MATH 144": { + "prerequisites": [ + "MATH 140B", + "or", + "MATH 142B" + ], + "name": "Introduction to Fourier Analysis", + "description": "Rigorous introduction to the theory of Fourier series and Fourier transforms. Topics include basic properties of Fourier series, mean square and pointwise convergence, Hilbert spaces, applications of Fourier series, the Fourier transform on the real line, inversion formula, Plancherel formula, Poisson summation formula, Heisenberg uncertainty principle, applications of the Fourier transform. ** Consent of instructor to enroll possible **" }, - "LTSP 119C": { - "prerequisites": [], - "name": "Cervantes: Don Quixote", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen." + "MATH 146": { + "prerequisites": [ + "MATH 140B", + "or", + "MATH 142B" + ], + "name": "Analysis of Ordinary Differential Equations", + "description": "A rigorous introduction to systems of ordinary differential equations. Topics include linear systems, matrix diagonalization and canonical forms, matrix exponentials, nonlinear systems, existence and uniqueness of solutions, linearization, and stability. ** Consent of instructor to enroll possible **" }, - "LTSP 122": { - "prerequisites": [], - "name": "The Romantic Movement in Spain", - "description": "Major Spanish literary works of the Middle Ages and Renaissance as seen against the historical and intellectual background of this period. May be taken for credit three times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 148": { + "prerequisites": [ + "MATH 140B", + "or", + "MATH 142B" + ], + "name": "Analysis of Partial Differential Equations", + "description": "A rigorous introduction to partial differential equations. Topics include initial and boundary value problems; first order linear and quasilinear equations, method of characteristics; wave and heat equations on the line, half-line, and in space; separation of variables for heat and wave equations on an interval and for Laplace\u2019s equation on rectangles and discs; eigenfunctions of the Laplacian and heat, wave; Poisson\u2019s equations on bounded domains; and Green\u2019s functions and distributions. ** Consent of instructor to enroll possible **" }, - "LTSP 123": { - "prerequisites": [], - "name": "Topics in Modern Spanish Culture", - "description": "Analysis of selected materials that represent the cultural and political relationship between Spain and its colonies. Close reading of literary texts and historical documents. Specific periods covered will fall between the origins of empire in the early sixteenth century to the demise of imperial Spain in 1898; topics may include cultural exchanges between Spain and Latin America, the Philippines, or the US Southwest. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 150A": { + "prerequisites": [ + "MATH 20E", + "and", + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH" + ], + "name": "Differential Geometry", + "description": "Differential geometry of curves and surfaces.\n\t\t\t\t Gauss and mean curvatures, geodesics, parallel displacement, Gauss-Bonnet\n\t\t\t\t theorem. ** Consent of instructor to enroll possible **" }, - "LTSP 129": { - "prerequisites": [], - "name": "Spanish Writing after 1939", - "description": "Close reading of the 1605 and 1615 texts with special attention to the social and cultural background of the early seventeenth century in Spain. This course fulfills the pre-1900 requirement for Spanish literature majors. ** Consent of instructor to enroll possible **" + "MATH 150B": { + "prerequisites": [ + "MATH 150A" + ], + "name": "Calculus on Manifolds", + "description": "Calculus of functions of several variables,\n\t\t\t\t inverse function theorem. Further topics may include exterior\n\t\t\t\t differential forms, Stokes\u2019 theorem, manifolds, Sard\u2019s theorem, elements\n\t\t\t\t of differential topology, singularities of maps, catastrophes, further\n\t\t\t\t topics in differential geometry, topics in geometry of physics. ** Consent of instructor to enroll possible **" }, - "LTSP 130A": { - "prerequisites": [], - "name": "Development of Spanish Literature", - "description": "This course will explore the historical context of the emergence of a Romantic movement in Spain, particularly the links between Romanticism and liberalism. Major Romantic works in several genres will be studied in depth." + "MATH 152": { + "prerequisites": [ + "MATH 20D", + "and", + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH" + ], + "name": "Applicable Mathematics and Computing", + "description": "This course will give students experience\n\t\t\t\t in applying theory to real world applications such as internet and wireless\n\t\t\t\t communication problems. The course will incorporate talks by experts from\n\t\t\t\t industry and students will be helped to carry out independent projects.\n\t\t\t\t Topics include graph visualization, labelling, and embeddings, random graphs\n\t\t\t\t and randomized algorithms. May be taken for credit three times. ** Consent of instructor to enroll possible **" }, - "LTSP 130B": { - "prerequisites": [], - "name": "\t\t\t\t Development of Latin American Literature", - "description": "Investigation of selected topics concerning Spanish cultural production after 1800. Topics might focus on a genre (film, popular novel, theatre) or on the transformations of a theme or metaphor (nation, femininity, the uncanny). May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 153": { + "prerequisites": [ + "MATH 109", + "or", + "MATH 31CH" + ], + "name": "Geometry for Secondary Teachers", + "description": "Two- and three-dimensional Euclidean geometry\n\t\t\t\t is developed from one set of axioms. Pedagogical issues will emerge from\n\t\t\t\t the mathematics and be addressed using current research in teaching and\n\t\t\t\t learning geometry. This course is designed for prospective secondary school\n\t\t\t\t mathematics teachers. ** Consent of instructor to enroll possible **" }, - "LTSP 133": { - "prerequisites": [], - "name": "Contemporary\n\t\t\t\t Latin American Literature", - "description": "Analysis and discussion of literary production during and after the Franco dictatorship. May focus on specific genres, subperiod, or issues. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 154": { + "prerequisites": [ + "MATH 31CH", + "or", + "MATH 109" + ], + "name": "Discrete Mathematics and Graph Theory", + "description": "Basic concepts in graph theory, including trees, walks, paths, and connectivity, cycles, matching theory, vertex and edge-coloring, planar graphs, flows and combinatorial algorithms, covering Hall\u2019s theorems, the max-flow min-cut theorem, Euler\u2019s formula, and the travelling salesman problem. Credit not offered for MATH 154 if MATH 158 is previously taken. If MATH 154 and MATH 158 are concurrently taken, credit is only offered for MATH 158. ** Consent of instructor to enroll possible **" }, - "LTSP 134": { - "prerequisites": [], - "name": "Literature of the Southern Cone", - "description": "An introduction to the major movements and periods of Spanish literary history, centered on close readings of representative texts, but aimed at providing a sense of the scope of Spanish literature and its relation to the course of Spain\u2019s cultural and social history. This course fulfills the pre-1900 requirement for Spanish literature majors. ** Consent of instructor to enroll possible **" + "MATH 155A": { + "prerequisites": [ + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MATH 20C" + ], + "name": "Geometric Computer Graphics", + "description": "Bezier curves and control lines, de Casteljau construction for subdivision,\n\t\t\t\t elevation of degree, control points of Hermite curves, barycentric coordinates,\n\t\t\t\t rational curves. Programming knowledge recommended. (Students may not receive\n\t\t\t\t credit for both MATH 155A and CSE 167.) ** Consent of instructor to enroll possible **" }, - "LTSP 135A": { - "prerequisites": [], - "name": "Mexican Literature before 1910", - "description": "An introduction to major movements and periods in Latin American literature, centered on a study of key works from pre-Columbian to the present time. Texts will be seen within their sociohistorical context and in relation to main artistic trends of the period. This course fulfills the pre-1900 requirement for Spanish literature majors. ** Consent of instructor to enroll possible **" + "MATH 155B": { + "prerequisites": [ + "MATH 155A" + ], + "name": "Topics in Computer Graphics", + "description": "Spline curves, NURBS, knot insertion, spline interpolation, illumination models, radiosity, and ray tracing. ** Consent of instructor to enroll possible **" }, - "LTSP 135B": { - "prerequisites": [], - "name": "Modern Mexican Literature", - "description": "A study of the major literary works and problems in Latin America from 1900 to the present as seen against the historical context of the period. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 157": { + "prerequisites": [ + "MATH 20D", + "and", + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH" + ], + "name": "Introduction to Mathematical Software", + "description": "A hands-on introduction to the use of a variety of open-source mathematical software packages, as applied to a diverse range of topics within pure and applied mathematics. Most of these packages are built on the Python programming language, but no prior experience with mathematical software or computer programming is expected. All software will be accessed using the CoCalc web platform (http://cocalc.com), which provides a uniform interface through any web browser. ** Consent of instructor to enroll possible **" }, - "LTSP 136": { - "prerequisites": [], - "name": "Andean Literatures", - "description": "Study of movements, traditions, key authors, or major trends in Argentine, Paraguayan, Uruguayan, and Chilean literatures, such as gaucho poetry, the realist novel, modern urban narratives, and the Borges School, etc. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 158": { + "prerequisites": [ + "MATH 31CH", + "or", + "MATH 109" + ], + "name": "Extremal Combinatorics and Graph Theory", + "description": "Extremal combinatorics is the study of how large or small a finite set can be under combinatorial restrictions. We will give an introduction to graph theory, connectivity, coloring, factors, and matchings, extremal graph theory, Ramsey theory, extremal set theory, and an introduction to probabilistic combinatorics. Topics include Turan\u2019s theorem, Ramsey\u2019s theorem, Dilworth\u2019s theorem, and Sperner\u2019s theorem. Credit not offered for MATH 158 if MATH 154 was previously taken. If MATH 154 and MATH 158 are concurrently taken, credit is only offered for MATH 158. A strong performance in MATH 109 or MATH 31CH is recommended. ** Consent of instructor to enroll possible **" }, - "LTSP 137": { - "prerequisites": [], - "name": "Caribbean Literature", - "description": "Explores the relationships among cultural production, politics, and societal changes in Mexico before the 1910 Revolution, specifically the roles of intellectuals and popular culture in nation-building and modernization. Readings may include didactic literature and historiographic writings, forms of popular discourse, as well as novels and poetry. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 160A": { + "prerequisites": [ + "MATH 100A", + "or", + "MATH 103A", + "or", + "MATH 140A" + ], + "name": "Elementary Mathematical Logic I", + "description": "An introduction to recursion theory, set theory, proof theory, model theory. Turing machines. Undecidability of arithmetic and predicate logic. Proof by induction and definition by recursion. Cardinal and ordinal numbers. Completeness and compactness theorems for propositional and predicate calculi. ** Consent of instructor to enroll possible **" }, - "LTSP 138": { - "prerequisites": [], - "name": "Central American Literature", - "description": "Study of popular novels, movements, traditions, key authors, or major trends in modern Mexican literature. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 160B": { + "prerequisites": [ + "MATH 160A" + ], + "name": "Elementary Mathematical Logic II", + "description": "A continuation of recursion theory, set theory, proof theory, model theory. Turing machines. Undecidability of arithmetic and predicate logic. Proof by induction and definition by recursion. Cardinal and ordinal numbers. Completeness and compactness theorems for propositional and predicate calculi. ** Consent of instructor to enroll possible **" }, - "LTSP 140": { - "prerequisites": [], - "name": "Latin American Novel", - "description": "Study of movements, traditions, key authors, or major trends in Peruvian, Ecuadorian, and Bolivian literatures, such as indigenismo, urban narrative, and the works of authors such as Vallejo, Icaza, Arguedas, Vargas Llosa. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 163": { + "prerequisites": [ + "MATH 20B" + ], + "name": "History of Mathematics", + "description": "Topics will vary from year to year in areas of mathematics and their development. Topics may include the evolution of mathematics from the Babylonian period to the eighteenth century using original sources, a history of the foundations of mathematics and the development of modern mathematics. ** Consent of instructor to enroll possible **" }, - "LTSP 141": { - "prerequisites": [], - "name": "Latin American Poetry", - "description": "Study of movements, traditions, key authors, or major trends in Caribbean literature in Spanish, such as the romantic movement, the literature of independence, the essay tradition, Afro-Antillean literature, the historical novel. May be taken for credit four times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 168A": { + "prerequisites": [ + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MATH 20C" + ], + "name": "Topics in Applied Mathematics\u2014Computer Science", + "description": "Topics to be chosen in areas of applied mathematics\n\t\t\t\t and mathematical aspects of computer science. May be taken for credit two times with different topics. ** Consent of instructor to enroll possible **" }, - "LTSP 142": { - "prerequisites": [], - "name": "Latin American Short Story", - "description": "Study of movements, traditions, key authors, or major trends in the literatures of Guatemala, El Salvador, Nicaragua, Honduras, Costa Rica, and Panama, such as the anti-imperialist novel, indigenismo, guerrilla poetry, and testimonio. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 170A": { + "prerequisites": [ + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MATH 20C" + ], + "name": "Introduction\n\t\t to Numerical Analysis: Linear Algebra", + "description": "Analysis of numerical methods for linear algebraic systems and least squares problems. Orthogonalization methods. Ill conditioned problems. Eigenvalue and singular value computations. Knowledge of programming recommended. ** Consent of instructor to enroll possible **" }, - "LTSP 150A": { - "prerequisites": [], - "name": "\t\t\t\t Early Latino/a-Chicano/a Cultural Production: 1848 to 1960", - "description": "A study in depth of selected novelists of Latin America. May be organized around a specific theme or idea that is traced in its development through the narratives. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 170B": { + "prerequisites": [ + "MATH 170A" + ], + "name": "Introduction to Numerical Analysis: Approximation and Nonlinear Equations", + "description": "Rounding and discretization errors. Calculation of roots of polynomials and nonlinear equations. Interpolation. Approximation of functions. Knowledge of programming recommended. " }, - "LTSP 150B": { - "prerequisites": [], - "name": "Contemporary Chicano/a-Latino/a Cultural Production: 1960 to Present", - "description": "A critical study of some of the major poets of Latin America, focusing on the poet\u2019s central themes, the evolution of poetic style, and the significance of the poetry to the historical context. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 170C": { + "prerequisites": [ + "MATH 20D", + "and", + "MATH 170B" + ], + "name": "Introduction to Numerical Analysis: Ordinary Differential Equations", + "description": "Numerical differentiation and integration. Ordinary differential equations and their numerical solution. Basic existence and stability theory. Difference equations. Boundary value problems. ** Consent of instructor to enroll possible **" }, - "LTSP 151": { - "prerequisites": [], - "name": "Topics in Chicano/a-Latino/a Cultures", - "description": "Readings and interpretation of the Latin American short story. Focus is primarily nineteenth and/or twentieth century. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 171A": { + "prerequisites": [ + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MATH 20C" + ], + "name": "Introduction\n\t\t to Numerical Optimization: Linear Programming", + "description": "Linear optimization and applications. Linear programming, the simplex method, duality. Selected topics from integer programming, network flows, transportation problems, inventory problems, and other applications. Three lectures, one recitation. Knowledge of programming recommended. (Credit not allowed for both MATH 171A and ECON 172A.) ** Consent of instructor to enroll possible **" }, - "LTSP 154": { - "prerequisites": [], - "name": "Latino/a and Chicano/a Literature", - "description": "Cross-disciplinary study of nineteenth- and early twentieth-century Latino/a-Chicano/a literature, folklore, music, testimonio, or other cultural practices. Specific periods covered will fall between the immediate aftermath of the Treaty of Guadalupe Hidalgo to the Cuban revolution. May be taken for credit no more than two times. ** Consent of instructor to enroll possible **" + "MATH 171B": { + "prerequisites": [ + "MATH 171A" + ], + "name": "Introduction\n\t\t to Numerical Optimization: Nonlinear Programming", + "description": "Convergence of sequences in Rn, multivariate Taylor series. Bisection and related methods for nonlinear equations in one variable. Newton\u2019s methods for nonlinear equations in one and many variables. Unconstrained optimization and Newton\u2019s method. Equality-constrained optimization, Kuhn-Tucker theorem. Inequality-constrained optimization. Three lectures, one recitation. Knowledge of programming recommended. (Credit not allowed for both MATH 171B and ECON 172B.) ** Consent of instructor to enroll possible **" }, - "LTSP 159": { - "prerequisites": [], - "name": "Methodological Approaches to the Study of History and Culture in Latin America and the Caribbean", - "description": "Cross-disciplinary study of late twentieth-century Latino/a-Chicano/a literature, the visual and performing arts, film, or other cultural practices. Specific periods covered will fall between the Kennedy years to the era of neoliberalism and the creation of \u201cHispanic\u201d or Latino identities. May be taken for credit no more than two times. ** Consent of instructor to enroll possible **" + "MATH 173A": { + "prerequisites": [ + "MATH 20C", + "or", + "MATH 31BH", + "and", + "MATH 20F" + ], + "name": "Optimization Methods for Data Science I", + "description": "Introduction to convexity: convex sets, convex functions; geometry of hyperplanes; support functions for convex sets; hyperplanes and support vector machines. Linear and quadratic programming: optimality conditions; duality; primal and dual forms of linear support vector machines; active-set methods; interior methods. ** Consent of instructor to enroll possible **" }, - "LTSP 160": { - "prerequisites": [], - "name": "Spanish Phonetics", - "description": "Cross-disciplinary study of late twentieth-century Chicano/a-Latino/a literature, the visual and performing arts, film, or other cultural practices. Representative areas of study are social movements, revolution, immigration, globalization, gender and sexuality, cultures of the U.S.-Mexican border, and Chicano/a-Mexicano/a literary relations. May be taken up to two times for credit when topics vary. ** Consent of instructor to enroll possible **" + "MATH 173B": { + "prerequisites": [ + "MATH 173A" + ], + "name": "Optimization Methods for Data Science II", + "description": "Unconstrained optimization: linear least squares; randomized linear least squares; method(s) of steepest descent; line-search methods; conjugate-gradient method; comparing the efficiency of methods; randomized/stochastic methods; nonlinear least squares; norm minimization methods. Convex constrained optimization: optimality conditions; convex programming; Lagrangian relaxation; the method of multipliers; the alternating direction method of multipliers; minimizing combinations of norms. ** Consent of instructor to enroll possible **" }, - "LTSP 162": { - "prerequisites": [], - "name": "Spanish Language in the United States", - "description": "This course will study the representations of a variety of social issues (immigration, racism, class differences, violence, inter/intraethnic relations, etc.) in works written in Spanish by Latino/a and Chicano/a writers. May be taken up to two times for credit when topics vary. ** Consent of instructor to enroll possible **" + "MATH 174": { + "prerequisites": [ + "MATH 21D", + "and", + "MATH 20F", + "or", + "MATH 31AH" + ], + "name": "Numerical Methods for Physical Modeling", + "description": "(Conjoined with MATH 274.) Floating point\n\t\t\t\t arithmetic, direct and iterative solution of linear equations,\n\t\t\t\t iterative solution of nonlinear equations, optimization, approximation\n\t\t\t\t theory, interpolation, quadrature, numerical methods for initial\n\t\t\t\t and boundary value problems in ordinary differential equations.\n\t\t\t\t (Students may not receive credit for both MATH 174 and PHYS\n\t\t\t\t 105, AMES 153 or 154. Students may not receive credit for MATH 174 if\n\t\t\t\t MATH 170A, B, or C has already been taken.) Graduate students will do an\n\t\t\t\t extra assignment/exam. ** Consent of instructor to enroll possible **" }, - "LTSP 166": { - "prerequisites": [], - "name": "Creative Writing", - "description": "An introduction to methodological and historical trends in Latin American and Caribbean cultural and literary studies. This course includes cultural representations from Latin America and the Caribbean such as film, literature, art, music, and/or photography. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 175": { + "prerequisites": [ + "MATH 174", + "or", + "MATH 274" + ], + "name": "Numerical\n\t\t Methods for Partial Differential Equations", + "description": "(Conjoined with MATH 275.) Mathematical background for working with partial differential equations. Survey of finite difference, finite element, and other numerical methods for the solution of elliptic, parabolic, and hyperbolic partial differential equations. (Formerly MATH 172. Students may not receive credit for MATH 175/275 and MATH 172.) Graduate students do an extra paper, project, or presentation, per instructor. ** Consent of instructor to enroll possible **" }, - "LTSP 170": { - "prerequisites": [], - "name": "Contemporary Theories of Cultural Production", - "description": "A comparative study of the English and Spanish phonetic systems. Includes a study of the organs of articulation, manner of articulation stress and intonation patterns, as well as dialectal variations of Spanish. ** Consent of instructor to enroll possible **" + "MATH 179": { + "prerequisites": [ + "MATH 174", + "or", + "MATH 274" + ], + "name": "Projects in Computational and Applied Mathematics", + "description": "(Conjoined with MATH 279.) Mathematical models of physical systems arising in science and engineering, good models and well-posedness, numerical and other approximation techniques, solution algorithms for linear and nonlinear approximation problems, scientific visualizations, scientific software design and engineering, project-oriented. Graduate students will do an extra paper, project, or presentation per instructor. ** Consent of instructor to enroll possible **" }, - "LTSP 171": { - "prerequisites": [], - "name": "Studies in Peninsular and/or Latin American Literature and Society", - "description": "A sociolinguistic study of the popular dialects in the United States of America and their relation to other Latin American dialects. The course will cover phonological and syntactic differences between the dialects as well as the influences of English on the Southwest dialects. ** Consent of instructor to enroll possible **" + "MATH 180A": { + "prerequisites": [ + "MATH 31BH" + ], + "name": "Introduction to Probability", + "description": "Probability spaces, random variables, independence, conditional probability,\n\t\t\t\t distribution, expectation, variance, joint distributions, central\n\t\t\t\t limit theorem. (Two units of credit offered for MATH 180A\n\t\t\t\t if ECON 120A previously, no credit offered if ECON 120A concurrently. Two units of credit offered for MATH 180A if MATH 183 or 186 taken previously or concurrently.) Prior or concurrent enrollment in MATH 109 is highly recommended. ** Consent of instructor to enroll possible **" }, - "LTSP 172": { - "prerequisites": [], - "name": "Indigenista\n\t\t\t\t Themes in Latin American Literature", - "description": "A workshop designed to foster and encourage writing in Spanish of students working on short forms of fiction. The workshop will include discussions of techniques and intensive writing. ** Consent of instructor to enroll possible **" + "MATH 180B": { + "prerequisites": [ + "MATH 20D", + "and", + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MATH 109", + "or", + "MATH 31CH", + "and", + "MATH 180A" + ], + "name": "Introduction to Stochastic Processes I", + "description": "Random vectors, multivariate densities, covariance matrix, multivariate\n\t\t\t\t normal distribution. Random walk, Poisson process. Other topics if time\n\t\t\t\t permits. ** Consent of instructor to enroll possible **" }, - "LTSP 174": { - "prerequisites": [], - "name": "Topics in Culture and Politics", - "description": "Selected readings in recent cultural and literary theory. Students will be exposed to a variety of methodologies drawn from the Latin American, European, and US traditions. May be taken up to two times for credit when topics vary. ** Consent of instructor to enroll possible **" + "MATH 180C": { + "prerequisites": [ + "MATH 180B" + ], + "name": "Introduction to Stochastic Processes II", + "description": "Markov chains in discrete and continuous time, random walk, recurrent events. If time permits, topics chosen from stationary normal processes, branching processes, queuing theory. ** Consent of instructor to enroll possible **" }, - "LTSP 175": { - "prerequisites": [], - "name": "Gender, Sexuality, and Culture", - "description": "Focus on the interaction between literary expression and the study of society, covering issues such as the sociology of literature, the historical novel, literature and social change, the writer as the intellectual. May be taken for credit three times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 181A": { + "prerequisites": [ + "MATH 180A", + "and", + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MATH 20C" + ], + "name": "Introduction to Mathematical Statistics I", + "description": "Multivariate distribution, functions of random variables, distributions related to normal. Parameter estimation, method of moments, maximum likelihood. Estimator accuracy and confidence intervals. Hypothesis testing, type I and type II errors, power, one-sample t-test. Prior or concurrent enrollment in MATH 109 is highly recommended. ** Consent of instructor to enroll possible **" }, - "LTSP 176": { - "prerequisites": [], - "name": "Literature and Nation", - "description": "Study of the literary modes by which nineteenth- and twentieth-century authors have interpreted the themes of indigenous survival and resistance in Latin America, primarily in Mexico and the Andean region. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 181B": { + "prerequisites": [ + "MATH 181A" + ], + "name": "Introduction to Mathematical Statistics II", + "description": "Hypothesis testing. Linear models, regression, and analysis of variance. Goodness of fit tests. Nonparametric statistics. Two units of credit offered for MATH 181B if ECON 120B previously; no credit offered if ECON 120B concurrently. Prior enrollment in MATH 109 is highly recommended. ** Consent of instructor to enroll possible **" }, - "LTSP 177": { - "prerequisites": [], - "name": "Literary and Historical Migrations", - "description": "Study of the relationships between cultural production (literature, film, popular cultures), social change, and political conflict, covering topics such as colonialism, imperialism, modernization, social movements, dictatorship, revolution. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 181C": { + "prerequisites": [ + "MATH 181B" + ], + "name": " Mathematical Statistics\u2014Nonparametric Statistics", + "description": "Topics covered may include the following: classical rank test, rank correlations,\n\t\t\t\t permutation tests, distribution free testing, efficiency, confidence\n\t\t\t\t intervals, nonparametric regression and density estimation,\n\t\t\t\t resampling techniques (bootstrap, jackknife, etc.) and cross validations. Prior enrollment in MATH 109 is highly recommended. ** Consent of instructor to enroll possible **" }, - "LTSP 196": { - "prerequisites": [], - "name": "Honors Thesis", - "description": "This course will examine issues of gender, sexuality, and culture in Spanish, Latin American, and/or Chicana/o literatures. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" + "MATH 181D": { + "prerequisites": [ + "ECE 109", + "or", + "ECON 120A", + "or", + "MAE 108", + "or", + "MATH 181A", + "or", + "MATH 183", + "or", + "MATH 186", + "or", + "MATH 189" + ], + "name": "Statistical Learning", + "description": "Statistical learning refers to a set of tools for modeling and understanding complex data sets. It uses developments in optimization, computer science, and in particular machine learning. This encompasses many methods such as dimensionality reduction, sparse representations, variable selection, classification, boosting, bagging, support vector machines, and machine learning. ** Consent of instructor to enroll possible **" }, - "LTSP 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "Study of literature as a means through which the nation has been imagined and as a site of debates over national identity and citizenship. Course materials may focus on Spain and/or Latin America. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" - }, - "LTSP 199": { - "prerequisites": [], - "name": "Special Studies", - "description": "This course will focus on a variety of Latin American and/or Spanish intra- and international migrations throughout the world and on the literature produced by these exiles or immigrants. May be taken for credit two times as topics vary. ** Consent of instructor to enroll possible **" - }, - "LTTH 110": { - "prerequisites": [], - "name": "History of Criticism", - "description": "This course may be designed according to an individual student\u2019s needs when seminar offerings do not cover subjects, genres, or authors of interest. No paper required. The 297 courses do not count toward the seminar requirement. Repeatable for credit. " - }, - "LTTH 115": { - "prerequisites": [], - "name": "Introduction to Critical Theory", - "description": "Similar to a 297, but a paper is required. Papers are usually on subjects not covered by seminar offerings. Up to two 298s may be applied toward the twelve-seminar requirement of the doctoral program. Repeatable for credit. " - }, - "LTTH 150": { - "prerequisites": [], - "name": "Topics in Critical Theory", - "description": "Research for the dissertation. Offered for repeated registration. Open only to PhD students who have advanced to candidacy." - }, - "LTTH 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "A critical and interpretive review of some of the major documents in criticism from the classical period to the present time. " - }, - "LTTH 199": { - "prerequisites": [], - "name": "Special Studies", - "description": "A critical review of major contemporary theories of the nature of literature, its sociocultural function, and appropriate modes of evaluation. " - }, - "LTWL\n\t\t\t\t 4A-C-D-F-M": { - "prerequisites": [], - "name": "Film and Fiction in Twentieth-Century Societies", - "description": "An overview of issues in modern critical theory as they pertain to writers. Will focus on issues of textuality, cultural forms, and aesthetics as they impact the process and meaning of writing. " - }, - "LTWL\n\t\t\t\t 19A-B-C": { - "prerequisites": [], - "name": "Introduction to the Ancient Greeks and Romans", - "description": "Similar to a 297, but a paper is required. Papers are usually on subjects not covered by seminar offerings. Up to two 298s may be applied toward the twelve-seminar requirement of the doctoral program. Repeatable for credit. " - }, - "LTWL 87": { - "prerequisites": [], - "name": "Freshman Seminar", - "description": "A study of modern culture and of the way it is expressed and understood in novels, stories, and films. The sequence aims at an understanding of relationship between the narrative arts and society in the twentieth century, with the individual quarters treating fiction and film of the following language groups. 4A French, 4C Asian, 4D Italian, 4M multiple national literatures and film, 4F Spanish. " - }, - "LTWL 100": { - "prerequisites": [], - "name": "Mythology", - "description": "An introductory study of ancient Greece and Rome, their literature, myth, philosophy, history, and art. " - }, - "LTWL 106": { - "prerequisites": [], - "name": "The Classical Tradition", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " - }, - "LTWL 110B": { - "prerequisites": [], - "name": "Folk and Fairy Tales", - "description": "A study of various bodies of myth: their content, form, and meaning. May be repeated for credit as topics vary. " - }, - "LTWL 111": { - "prerequisites": [], - "name": "Medieval Studies", - "description": "Greek and Roman literature in translation. May be repeated for credit as topics vary. " - }, - "LTWL 114": { - "prerequisites": [], - "name": "Children\u2019s Literature", - "description": "A study of folk and fairy tales from various cultures, from the point of view of literary form, psychological meaning, and cultural function. May be repeated for credit as topics vary. " - }, - "LTWL 116": { - "prerequisites": [], - "name": "Adolescent Literature", - "description": "A lecture/discussion course designed to explore a variety of topics in medieval literatures and cultures. Topics may include a genre or combination of genres (e.g., drama, romance, lyric, allegory), or a central theme (e.g., the Crusades or courtly love). " - }, - "LTWL 120": { - "prerequisites": [], - "name": "Popular Literature and Culture", - "description": "A study of literature written for children in various cultures and periods. May be repeated for credit as topics vary. " - }, - "LTWL 123": { - "prerequisites": [], - "name": "Vampires in Literature", - "description": "A study of fiction written for the young adult in various cultures and periods. Consideration will be given to the young adult hero in fiction. May be repeated for credit as topics vary. " - }, - "LTWL 124": { - "prerequisites": [], - "name": "Science Fiction", - "description": "A study of various popular forms\u2014such as pop music, cult books, film, fashion, magazines, graphic arts\u2014within a broader cultural context. Focus may be on a particular genre (e.g., best sellers) or era (e.g., the sixties). May be repeated for credit when topics vary. " - }, - "LTWL 128": { - "prerequisites": [], - "name": "Introduction\n\t\t\t\t to Semiotics and Applications", - "description": "An exploration of the genre\u2014past and present, in literature and the visual media\u2014as a cultural response to scientific and technological change, as modern mythmaking, and as an enterprise serving a substantial fan subculture. May be repeated for credit when topics vary. " - }, - "LTWL 129": { - "prerequisites": [], - "name": "Wisdom: The Literature of Authority", - "description": "Semiotics, basically a theory of signification, describes the models and conceptual constructs through which meaning is grasped and produced. Background in the history of semiotics and its dominant models. " - }, - "LTWL 134": { - "prerequisites": [], - "name": "Cinema and Islam", - "description": "What is wisdom? Does wisdom refer to a specific type of discourse; a literary genre; a specific content that holds true transculturally and transtemporally? This class will consider these questions by reading literature from diverse times and places. " - }, - "LTWL 135": { - "prerequisites": [], - "name": "The Buddhist Imaginary", - "description": "This course examines histories and theories of cinema and Islam. It offers an overview on intersections between film and religious experience in various Muslim cultures, and how such experiences are ultimately grounded in shifting historical and social settings." - }, - "LTWL 136": { - "prerequisites": [], - "name": "Socially Engaged Buddhism", - "description": "An introduction to the imaginative universe of Indian Buddhism, with a focus on the connection between cosmological models and liberative practices. In this class we read Buddhist narrative and doctrinal literatures, supplemented by archaeological and art historical artifacts. " - }, - "LTWL 138": { - "prerequisites": [], - "name": "Critical Religion Studies", - "description": "This course explores the writings of Buddhists who actively engage with the problems of the world: social, environmental, economic, political. We will examine the historical development of engaged Buddhism in light of traditional Buddhist concepts of morality, interdependence, and liberation." - }, - "LTWL 140": { - "prerequisites": [], - "name": "Novel and History in the Third World", - "description": "Selected topics, texts, and problems in the study of religion. May be repeated for credit when content varies. \n \n " - }, - "LTWL 143": { - "prerequisites": [], - "name": "Arab Literatures and Cultures", - "description": "\nLecture/discussion course focusing on Arab literatures and cultures. It could offer study of any period of Arab cultures, from ante-Islam to the contemporary world. Topics may include themes (e.g., gender, social critique) or focus on specific genres or aesthetics (film, novel, realism). May be taken for credit three times as topics vary." - }, - "LTWL 144": { - "prerequisites": [], - "name": "Islam and Cinema", - "description": "This course examines the relationship between cinema and Islam. It looks at how Islam is represented through various cinematic genres and historical periods from 1920s to the present." - }, - "LTWL 145": { - "prerequisites": [], - "name": "South Asian Religious Literatures: Selected Topics", - "description": "One or two topics in the religious literatures of South Asia will be examined in depth. Repeatable for credit when topics vary." - }, - "LTWL 150": { - "prerequisites": [], - "name": "Modernity and Literature", - "description": "Explores the various cross-cultural historical, philosophical, and aesthetic ideas which formed the basis of most twentieth-century literature. Literature from the Americas, Europe, Asia, and Africa will be studied through lectures and the reading of texts in English translation. Repeatable for credit when topics vary. " - }, - "LTWL 155": { - "prerequisites": [], - "name": "Gender Studies", - "description": "The study of the construction of sexual differences in literature and culture. May be repeated for credit when topics vary. " - }, - "LTWL 157": { - "prerequisites": [], - "name": "Iranian Film", - "description": "Course sets out to explore the history and theory of Iranian films in the context of the country\u2019s political, cultural, and religious settings since 1945. Students are expected to watch and discuss Iranian films, particularly the postrevolutionary films of Kiarostami and Mokhbalbaf." - }, - "LTWL 158A": { - "prerequisites": [], - "name": "Topics in the New Testament", - "description": "Literary and sociohistorical considerations of the diverse writings that developed into the New Testament. Topics include Jewish origins of the \u201cJesus movement\u201d within Greco-Roman culture; varying patterns of belief/practice among earliest communities; oral tradition and development of canon." - }, - "LTWL 158B": { - "prerequisites": [], - "name": "\t\t\t\t Topics in Early Christian Texts and Cultures", - "description": "This course investigates the manner in which texts shape religious identities on the individual and communal level in sociohistorical and cultural contexts: various topics include portraits of Jesus, saints\u2019 lives, death and afterlife, martyrdom, demonology, apocalypticism, Christianity, and empire." - }, - "LTWL 158C": { - "prerequisites": [], - "name": "Topics in Other Christianities", - "description": "A survey of the Christian texts that comprise the fatalities of the battles defining Christian canon (e.g., apocryphal acts, noncanonical gospels, and \u201cGnostic\u201d texts). Considers the social communities, theological views, religious identities, and practices reflected in largely forgotten texts." - }, - "LTWL 159": { - "prerequisites": [], - "name": "Digital Middle East: Culture, Politics, and Religion", - "description": "This course examines the role of Information Communication Technologies (ICTs) such as the internet, mobile, and satellite TV in the reshaping of the Middle East and North Africa. It will focus on how ICTs like the internet are changing culture, politics, and religion in the region and implication of such transformations. " - }, - "LTWL 160": { - "prerequisites": [], - "name": "Women and Literature", - "description": "This course will explore the relationship between women and literature, i.e., women as producers of literature, as objects of literary discourse, and as readers. Foreign language texts will be read in translation. May be repeated for credit as topics vary. " - }, - "LTWL 165": { - "prerequisites": [], - "name": "Literature and the Environment", - "description": "With primarily American (and a couple of English) readings, the course inquires into the relation of human and nonhuman nature. Topics include wilderness, animals, Native American thought, women in nature, description as a kind of writing, the spirituality of place." - }, - "LTWL 166": { - "prerequisites": [], - "name": "The Yiddish Novel", - "description": "Yiddish literature is much more than folk songs and jokes. We will read major American and European works by Nobel laureate I. B. Singer, his brother I. J. Singer, and his sister Esther Kreytman, Sholem Aleichem, Mendele, Chava Rozenfarb, and others. (In English translation.)" - }, - "LTWL 168": { - "prerequisites": [], - "name": "Death and Desire in India", - "description": "This class investigates the link between desire and death in classical and modern Hindu thought. It considers the stories of Hindu deities, as well as the lives of contemporary South Asian men and women, in literature and film." - }, - "LTWL 169": { - "prerequisites": [], - "name": "Yoga, Body, and Transformation", - "description": "This class investigates yoga as a practice aimed at integrating the body, intellect, and spirit. It considers a range of sources and representations, from foundational works in classical Sanskrit through the sometimes kitschy, sometimes serious, spirituality of contemporary pop culture." - }, - "LTWL 172": { - "prerequisites": [], - "name": "Special Topics in Literature", - "description": "Studies in specialized literary, philosophic, and artistic movements, approaches to literature, literary ideas, historical moments, etc. LTWL 172 and LTWL 172GS may be taken for credit for a combined total of three times." - }, - "LTWL 176": { - "prerequisites": [], - "name": "Literature and Ideas", - "description": "The course will center on writers or movements of international literary, cultural, or ideological significance. The texts studied, if foreign, may be read either in the original language or in English. May be repeated for credit as topics vary. " - }, - "LTWL 177": { - "prerequisites": [], - "name": "Literature and Aging", - "description": "A humanistic approach to the research field of healthy aging. Students learn to bring humanistic practices to the study of aging in the fields of neurobiology, biomedical engineering, neuroscience, and medical education.\u00a0 " - }, - "LTWL 180": { - "prerequisites": [], - "name": "Film\n\t\t\t\t Studies and Literature: Film History", - "description": "The study of film history and its effects upon methods of styles in literary history. Repeatable for credit when topics vary. " - }, - "LTWL 181": { - "prerequisites": [], - "name": "Film\n\t\t\t\t Studies and Literature: Film Movement", - "description": "Study of analogies between literary movements and film movements. Repeatable for credit when topics vary. " - }, - "LTWL 183": { - "prerequisites": [], - "name": "Film\n\t\t\t\t Studies and Literature: Director\u2019s Work", - "description": "Methods of criticism of author\u2019s work applied to the study and analysis of film director\u2019s style and work. Repeatable for credit when topics vary. " - }, - "LTWL 184": { - "prerequisites": [], - "name": "Film Studies and Literature: Close Analysis of Filmic Text", - "description": "Methods of literary analysis applied to the study of shots, sequences, poetics, and deep structure in filmic discourse. Repeatable for credit when topics vary. " - }, - "LTWL 191": { - "prerequisites": [], - "name": "Honors Seminar", - "description": "Explorations in critical theory and method. This course, designed to prepare students to write an honors thesis, is open only to literature majors invited into the department\u2019s Honors Program. " - }, - "LTWL 192": { - "prerequisites": [], - "name": "Senior\n\t\t\t\t Seminar in Literatures of the World", - "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in literature (at the upper-division level). Senior Seminars may be offered in all campus departments. Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" + "MATH 181E": { + "prerequisites": [ + "MATH 181B" + ], + "name": "Mathematical Statistics\u2014Time Series", + "description": "Analysis of trends and seasonal effects, autoregressive and moving averages\n\t\t\t\t models, forecasting, informal introduction to spectral analysis. ** Consent of instructor to enroll possible **" }, - "LTWL 194": { - "prerequisites": [], - "name": "Capstone Course for Literature Majors", - "description": "An advanced seminar open to all literature majors in their senior year. Required for those interested in the Honors Program. It offers an integrative experience by considering key facets of the discipline, including literary theory/historiography, knowledge of neighboring disciplines, and relevance of literature/culture studies in various professions outside of academia. " + "MATH 181F": { + "prerequisites": [ + "ECE 109", + "or", + "ECON 120A", + "or", + "MAE 108", + "or", + "MATH 11", + "or", + "MATH 181A", + "or", + "MATH 183", + "or", + "MATH 186", + "or", + "MATH 189" + ], + "name": "Sampling Surveys and Experimental Design", + "description": "Design of sampling surveys: simple, stratified, systematic, cluster, network surveys. Sources of bias in surveys. Estimators and confidence intervals based on unequal probability sampling. Design and analysis of experiments: block, factorial, crossover, matched-pairs designs. Analysis of variance, re-randomization, and multiple comparisons. ** Consent of instructor to enroll possible **" }, - "LTWL 194A": { - "prerequisites": [], - "name": "Honors Practicum", - "description": "Honors practicum for those students in the literature department Honors Program. This is a one-unit course for which students in the Honors Program will present their work as part of organized panels at an Honors Program conference (within the department). Students will receive a P/NP grade for LTWL 194A for completing the presentation. " + "MATH 183": { + "prerequisites": [ + "MATH 20C", + "or", + "MATH 31BH" + ], + "name": "Statistical Methods", + "description": "Introduction to probability. Discrete and continuous random variables\u2013binomial, Poisson and Gaussian distributions. Central limit theorem. Data analysis and inferential statistics: graphical techniques, confidence intervals, hypothesis tests, curve fitting. (Credit not offered for MATH 183 if ECON 120A, ECE 109, MAE 108, MATH 181A, or MATH 186 previously or concurrently taken. Two units of credit offered for MATH 183 if MATH 180A taken previously or concurrently.) ** Consent of instructor to enroll possible **" }, - "LTWL 196": { - "prerequisites": [], - "name": "Honors Thesis", - "description": "Senior thesis research and writing for students who have been accepted for the Literature Honors Program and who have completed LTWL 191. Oral exam. " + "MATH 184": { + "prerequisites": [ + "MATH 31CH", + "or", + "MATH 109" + ], + "name": "Enumerative Combinatorics", + "description": "Introduction to the theory and applications of combinatorics. Enumeration of combinatorial structures (permutations, integer partitions, set partitions). Bijections, inclusion-exclusion,\u00a0ordinary and exponential generating functions. Renumbered from MATH 184A; credit not offered for MATH 184 if MATH 184A if previously taken. Credit not offered for MATH 184 if MATH 188 previously taken. If MATH 184 and MATH 188 are concurrently taken, credit only offered for MATH 188. ** Consent of instructor to enroll possible **" }, - "LTWL 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "Research seminars and research, under the direction of faculty member. " + "MATH 185": { + "prerequisites": [ + "MATH 11", + "or", + "MATH 181A", + "or", + "MATH 183", + "or", + "MATH 186", + "or", + "MAE 108", + "or", + "ECE 109", + "or", + "ECON 120A", + "and", + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MATH 20C" + ], + "name": "Introduction to Computational Statistics", + "description": "Statistical analysis of data by means of package programs. Regression, analysis of variance, discriminant analysis, principal components, Monte Carlo simulation, and graphical methods. Emphasis will be on understanding the connections between statistical theory, numerical results, and analysis of real data. Recommended preparation: exposure to computer programming (such as CSE 5A, CSE 7, or ECE 15) highly recommended. ** Consent of instructor to enroll possible **" }, - "LTWL 199": { - "prerequisites": [], - "name": "Special Studies", - "description": "Tutorial; individual guided reading in areas of literature (in translation) not normally covered in courses. May be repeated for credit three times. (P/NP grades only.) ** Upper-division standing required ** " + "MATH 186": { + "prerequisites": [ + "MATH 20C", + "or", + "MATH 31BH" + ], + "name": "Probability and Statistics for Bioinformatics", + "description": "This course will cover discrete and random variables, data analysis and inferential statistics, likelihood estimators and scoring matrices with applications to biological problems. Introduction to Binomial, Poisson, and Gaussian distributions, central limit theorem, applications to sequence and functional analysis of genomes and genetic epidemiology. (Credit not offered for MATH 186 if ECON 120A, ECE 109, MAE 108, MATH 181A, or MATH 183 previously or concurrently. Two units of credit offered for MATH 186 if MATH 180A taken previously or concurrently.) ** Consent of instructor to enroll possible **" }, - "LTWR 8A": { + "MATH 187A": { "prerequisites": [], - "name": "Writing Fiction", - "description": "\u00a0" + "name": "Introduction to Cryptography", + "description": "An introduction to the basic concepts and techniques of modern cryptography. Classical cryptanalysis. Probabilistic models of plaintext. Monalphabetic and polyalphabetic substitution. The one-time system. Caesar-Vigenere-Playfair-Hill substitutions. The Enigma. Modern-day developments. The Data Encryption Standard. Public key systems. Security aspects of computer networks. Data protection. Electronic mail. Recommended preparation: programming experience. Renumbered from MATH 187. Students may not receive credit for both MATH 187A and 187. " }, - "LTWR 8B": { + "MATH 187B": { "prerequisites": [ - "CAT 2", - "and", + "MATH 187", "or", - "DOC 2", + "MATH 187A", "and", + "MATH 18", "or", - "HUM 1", - "and", - "and", - "and" + "MATH 31AH", + "or", + "MATH 20F" ], - "name": "Writing Poetry", - "description": "Study of fiction in both theory and practice. Narrative technique studied in terms of subjectivity and atmosphere, description, dialogue, and the editing process will be introduced through readings from the history of the novel and short story. Students are required to attend at least three New Writing Series readings during the quarter. " + "name": "Mathematics of Modern Cryptography", + "description": "The object of this course is to study modern public key cryptographic systems and cryptanalysis (e.g., RSA, Diffie-Hellman, elliptic curve cryptography, lattice-based cryptography, homomorphic encryption) and the mathematics behind them. We also explore other applications of these computational techniques (e.g., integer factorization and attacks on RSA). Recommended preparation: Familiarity with Python and/or mathematical software (especially SAGE) would be helpful, but it is not required. ** Consent of instructor to enroll possible **" }, - "LTWR 8C": { + "MATH 188": { "prerequisites": [ - "CAT 2", - "and", + "MATH 31CH", "or", - "DOC 2", + "MATH 109", "and", + "MATH 18", "or", - "HUM 1", - "and", + "MATH 31AH", "and", - "and" + "MATH 100A" ], - "name": "Writing Nonfiction", - "description": "Study and practice of poetry as artistic and communal expression. Techniques of composition (traditional forms, avant garde techniques, dramatic monologue, performance poetry, and new genre) studied through written and spoken examples of poetry. Students are required to attend at least three New Writing Series readings during the quarter. " + "name": "Algebraic Combinatorics", + "description": "A rigorous introduction to algebraic combinatorics. Basic enumeration and generating functions. Enumeration involving group actions: Polya theory. Posets and Sperner property. q-analogs and unimodality. Partitions and tableaux. Credit not offered for MATH 188 if MATH 184 or MATH 184A previously taken. If MATH 184 and MATH 188 are concurrently taken, credit only offered for MATH 188. ** Consent of instructor to enroll possible **" }, - "LTWR 100": { + "MATH 189": { "prerequisites": [ - "CAT 2", - "and", + "MATH 18", "or", - "DOC 2", - "and", + "MATH 20F", "or", - "HUM 1", + "MATH 31AH", "and", + "MATH 20C", "and", - "and" + "BENG 134", + "CSE 103", + "ECE 109", + "ECON 120A", + "MAE 108", + "MATH 180A", + "MATH 183", + "MATH 186", + "or", + "SE 125" ], - "name": "Short Fiction Workshop", - "description": "Study of nonfictional prose in terms of genre and craft. Techniques of composition (journalism, essay, letters, reviews) will be studied through written examples of the genre. " + "name": "Exploratory Data Analysis and Inference", + "description": "An introduction to various quantitative methods and statistical techniques for analyzing data\u2014in particular big data. Quick review of probability continuing to topics of how to process, analyze, and visualize data using statistical language R. Further topics include basic inference, sampling, hypothesis testing, bootstrap methods, and regression and diagnostics. Offers conceptual explanation of techniques, along with opportunities to examine, implement, and practice them in real and simulated data. ** Consent of instructor to enroll possible **" }, - "LTWR 101": { - "prerequisites": [], - "name": "Writing Fiction in Spanish", - "description": "A workshop for students with some experience and special interest in writing fiction. This workshop is designed to encourage regular writing in the short forms of prose fiction and to permit students to experiment with various forms. There will be discussion of student work, together with analysis and discussion of representative examples of short fiction from the present and previous ages. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "MATH 190A": { + "prerequisites": [ + "MATH 31CH", + "or", + "MATH 140A", + "or", + "MATH 142A" + ], + "name": "Foundations of Topology I ", + "description": "An introduction to point set topology: topological spaces, subspace topologies, product topologies, quotient topologies, continuous maps and homeomorphisms, metric spaces, connectedness, compactness, basic separation, and countability axioms. Examples. Instructor may choose further topics such as Urysohn\u2019s lemma, Urysohn\u2019s metrization theorem. Formerly MATH 190. Students may not receive credit for MATH 190A and MATH 190. ** Consent of instructor to enroll possible **" }, - "LTWR 102": { - "prerequisites": [], - "name": "Poetry Workshop", - "description": "A workshop for students with some experience and special interest in writing poetry. This workshop is designed to encourage regular writing of poetry. There will be discussion of student work, together with analysis and discussion of representative examples of poetry from the present and previous ages. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "MATH 190B": { + "prerequisites": [ + "MATH 190A" + ], + "name": "Foundations of Topology II", + "description": "An introduction to the fundamental group: homotopy and path homotopy, homotopy equivalence, basic calculations of fundamental groups, fundamental group of the circle and applications (for instance to retractions and fixed-point theorems), van Kampen\u2019s theorem, covering spaces, universal covers. Examples of all of the above. Instructor may choose further topics such as deck transformations and the Galois correspondence, basic homology, compact surfaces. ** Consent of instructor to enroll possible **" }, - "LTWR 103": { - "prerequisites": [], - "name": "Digital Poetics Workshop", - "description": "This workshop includes instruction on using software and writing basic computer code to allow students to create innovative web-based works that experiment with poetic form, draw on rich media resources, and provide more accessibility and interactivity for public audiences. May be taken up to three times for credit. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "MATH 191": { + "prerequisites": [ + "MATH 190" + ], + "name": "Topics in Topology", + "description": "Topics to be chosen by the instructor from the fields of differential algebraic, geometric, and general topology. ** Consent of instructor to enroll possible **" }, - "LTWR 104A": { - "prerequisites": [], - "name": "The Novella I", - "description": "A two-quarter workshop for fiction writers ready to explore a longer form and committed to developing a single piece over the course of two consecutive quarters. In addition to analyzing student work, we will read and discuss a wide range of published novellas. Two-quarter sequence; students must complete LTWR 104A and LTWR 104B in order to receive final grade in both courses. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "MATH 193A": { + "prerequisites": [ + "MATH 180A", + "or", + "MATH 183" + ], + "name": "Actuarial Mathematics I", + "description": "Probabilistic Foundations of Insurance. Short-term\n\t\t\t\t risk models. Survival distributions and life tables. Introduction\n\t\t\t\t to life insurance. ** Consent of instructor to enroll possible **" }, - "LTWR 104B": { - "prerequisites": [], - "name": "The Novella II", - "description": "A continuation of LTWR 104A in which fiction writers complete the novella manuscripts they began during the previous quarter. Each student will produce a novella of at least fifty revised pages by the end of the quarter. We will continue to read and discuss published novellas with a particular emphasis on narrative strategy, structure, and revision. Two-quarter sequence; students must complete LTWR 104A and LTWR 104B in order to receive final grade in both courses. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. \u00a0 ** Department approval required ** " + "MATH 193B": { + "prerequisites": [ + "MATH 193A" + ], + "name": "Actuarial Mathematics II", + "description": "Life Insurance and Annuities. Analysis of premiums and premium reserves. Introduction to multiple life functions and decrement models as time permits. ** Consent of instructor to enroll possible **" }, - "LTWR 106": { + "MATH 194": { + "prerequisites": [ + "MATH 20D", + "and", + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", + "and", + "MATH 180A" + ], + "name": "The Mathematics of Finance", + "description": "Introduction to the mathematics of financial models. Basic probabilistic models and associated mathematical machinery will be discussed, with emphasis on discrete time models. Concepts covered will include conditional expectation, martingales, optimal stopping, arbitrage pricing, hedging, European and American options. ** Consent of instructor to enroll possible **" + }, + "MATH 195": { "prerequisites": [], - "name": "Science Fiction, Fantasy, and Irrealism Workshop", - "description": "In this workshop, students will practice skills of narration, characterization, and style with particular attention to the demands of nonrealistic genres, especially the challenge of suspending disbelief in fictional environments that defy conventional logic. Readings and lectures will accompany writing exercises. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "Introduction to Teaching in Mathematics", + "description": "Students will be responsible for and teach a class section of a lower-division mathematics course. They will also attend a weekly meeting on teaching methods. (Does not count toward a minor or major.) ** Consent of instructor to enroll possible **" }, - "LTWR 110": { + "MATH 196": { "prerequisites": [], - "name": "Screen Writing", - "description": "A workshop designed to encourage writing of original screenplays and adaptations. There will be discussion of study work, together with analysis of discussion of representative examples of screen writing. May be taken up to three times for credit. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "Student Colloquium", + "description": "A variety of topics and current research results in mathematics will be presented by guest lecturers and students under faculty direction. May be taken for P/NP grade only. " }, - "LTWR 113": { + "MATH 197": { "prerequisites": [], - "name": "Intercultural Writing Workshop", - "description": "This course is an introduction to modes of writing from other cultural systems vastly different from the cultural-aesthetic assumptions of Anglo American writing. While disclosing the limitations of the English language, this course attempts to provide new language strategies for students. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "Mathematics Internship", + "description": "An enrichment program which provides work\n\t\t\t\t experience with public/private sector employers. Subject to\n\t\t\t\t the availability of positions, students will work in a local\n\t\t\t\t company under the supervision of a faculty member and site\n\t\t\t\t supervisor. Units may not be applied toward major graduation\n\t\t\t\t requirements. ** Consent of instructor to enroll possible **" }, - "LTWR 114": { + "MATH 199": { "prerequisites": [], - "name": "Graphic Texts Workshop", - "description": "From illuminated manuscripts to digital literature, from alphabets to concrete poems, from artists\u2019 books to comics, this course explores the histories and techniques of combinatory image/word literary arts. The course may emphasize specific movements or genres. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "Independent Study for Undergraduates", + "description": "Independent reading in advanced mathematics by individual students. Three periods. (P/NP grades only.) " }, - "LTWR 115": { + "MATH 199H": { "prerequisites": [], - "name": "Experimental Writing Workshop", - "description": "This workshop explores writing for which the traditional generic distinctions of prose/poetry, fiction/documentary, narrative/discourse do not apply. Students taking this course will be asked to challenge the boundaries of literature to discover new forms and modes of expression. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "Honors\n\t\t Thesis Research for Undergraduates", + "description": "Honors thesis research for seniors participating in the Honors Program. Research is conducted under the supervision of a mathematics faculty member. " }, - "LTWR 119": { + "FILM 87": { "prerequisites": [], - "name": "Writing for Performance Worksho", - "description": "A workshop and survey of experimental approaches to the writing and production of performance works in a range of literary genres. Emphasis will be placed on the integration of written texts with nonverbal elements from the visual arts, theatre, and music. May be taken up to three times for credit. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "Film Studies Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "LTWR 120": { + "USP 1": { "prerequisites": [], - "name": "Personal Narrative Workshop", - "description": "A workshop designed to encourage regular writing of all forms of personal experience narrative, including journals, autobiography, firsthand biography, and firsthand chronicle. Instructor and students will discuss student work as well as published personal narratives. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "History of US Urban Communities", + "description": "This course charts the development of urban communities across the United States both temporally and geographically. It examines the patterns of cleavage, conflict, convergence of interest, and consensus that have structured urban life. Social, cultural, and economic forces will be analyzed for the roles they have played in shaping the diverse communities of America\u2019s cities. " }, - "LTWR 121": { + "USP 2": { "prerequisites": [], - "name": "Media Writing Workshop", - "description": "Workshop focusing on the review, the op-ed piece, the column, the blurb, the profile, the interview, and \u201ccontent-providing\u201d for websites. We\u2019ll examine current examples of media writing; students will produce a body of work and critique one another\u2019s productions. May be taken for credit three times.\u00a0Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "Urban World System", + "description": "Examines cities and the environment in a global context. Emphasizes how the world\u2019s economy and the earth\u2019s ecology are increasingly interdependent. Focuses on biophysical and ethicosocial concerns rooted in the contemporary division of labor among cities, Third World industrialization, and the post-industrial transformation of US cities. " }, - "LTWR 122": { + "USP 3": { "prerequisites": [], - "name": "Writing for the Sciences Workshop", - "description": "A workshop in writing about science for the public. Students will study and then construct metaphors or analogues that introduce readers to scientific perplexities. Completion of LTWR 8A, 8B, or 8C highly recommended. May be repeated for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "The City and Social Theory", + "description": "An introduction to the sociological study of cities, focusing on urban society in the United States. Students in the course will examine theoretical approaches to the study of urban life; social stratification in the city; urban social and cultural systems\u2013ethnic communities, suburbia, family life in the city, religion, art, and leisure.\t\t" }, - " LTWR 124": { + "USP 4": { "prerequisites": [], - "name": "Translation of Literary Texts Workshop", - "description": "A writing, reading, and critical-thinking workshop designed to produce nonfiction pieces that fall outside the limits of the essay form. Included are travel narratives, memoir, and information-based writing that transform their own materials into compelling literature. May be repeated for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "Introduction to Geographic Information Systems", + "description": "This course provides an entry-level introduction to Geographic Information Systems (GIS) and using GIS to make decisions: acquiring data and organizing data in useful formats, demographic mapping, and geocoding." }, - "LTWR 126": { + "USP 5": { "prerequisites": [], - "name": "Creative Nonfiction Workshop", - "description": "Workshop designed to critique and engage the means of distributing literature within culture. Publishing from \u201czine\u201d through mainstream publication; web publishings; readings and \u201cslams\u201d; publicity and funding; colloquia with writers; politics and literature; and the uses of performance and media. May be taken for credit three times. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "Introduction to the Real Estate and Development Process", + "description": "This course introduces students to the terminology, concepts, and basic practices of real estate finance and development. It surveys real estate law, appraisal, marketing, brokerage, management, finance, investment analysis, and taxation." }, - "LTWR 129": { + "USP 15": { "prerequisites": [], - "name": "Distributing Literature Workshop", - "description": "A review of the history of the development of alphabets and writing systems. Survey of the rise of literacy since the fifteenth century and analysis of continuing literacy problems in developed and developing countries. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "Applied Urban Economics for Planning and Development", + "description": "This course explores how economics contributes to understanding and solving urban problems using a \u201clearn by doing\u201d approach. Economic analysis will be applied to important issues that planners and developers must deal with, such as land markets, housing, and zoning.\n " }, - "LTWR 140": { + "USP 25": { "prerequisites": [], - "name": "History of Writing", - "description": "A close look at sentence-level features of written discourse\u2013stylistics and sentence grammars. Students will review recent research on these topics and experiment in their own writing with various stylistic and syntactic options. Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "Real Estate and Development Principles and Analysis", + "description": "This course will analyze the concepts related to the planning, development, leasing, valuation, and financing of real estate. There will be special emphasis on critical thinking and analytical decision-making by solving real estate problems primarily using Excel and Argus." }, - "LTWR 143": { + "USP 50": { "prerequisites": [], - "name": "Stylistics and Grammar", - "description": "Wide reading in current theory and practice of teaching writing in schools and colleges. Careful attention to various models of classroom writing instruction and to different approaches in the individual conference. Students in this course may observe instruction in the UC San Diego college writing programs or tutor freshman students in those programs.\u00a0Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "Real Estate and Development Colloquium", + "description": "In this course, students will attend weekly seminars presented by leading researchers and practitioners in the field of real estate and development. Students will learn about best practices and innovative case studies from the field. Recommended for students interested in the real estate and development minor or major." }, - "LTWR 144": { + "USP 100": { "prerequisites": [], - "name": "The Teaching of Writing", - "description": "Hybrid workshop offering writing students a working knowledge of literary theory while exposing literature students to practical techniques from poetry, fiction, and nonfiction to refresh their writing of theoretical nonfiction texts. Discussion of student work and published work.Restricted to major/minor code LT34 during first pass of registration. All other students may register during second pass of registration with the approval of the department. ** Department approval required ** " + "name": "Introduction to Urban Planning", + "description": "This course is designed to provide an introduction to the fundamentals of urban planning. It surveys important topics in urban planning, including economic development, urban design, transportation, environmental planning, housing, and the history of urban planning. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTWR 148": { + "USP 101": { "prerequisites": [], - "name": "Theory for Writers/Writing for Theory", - "description": "An advanced seminar open to all writing majors in their senior year. Required for those interested in the Honors Program. It offers an integrative experience by considering key facets of the discipline and profession, including relationships between aesthetics/culture and politics, genre writing, craft/technique, literary theories/theories of writing, and distribution/publication. Restricted to major code LT34 or consent of the instructor and department. ** Consent of instructor to enroll possible **" + "name": "Introduction to Policy Analysis", + "description": "(Same as POLI 160AA.) This course will explore the process by which the preferences of individuals are converted into public policy. Also included will be an examination of the complexity of policy problems, methods for designing better policies, and a review of tools used by analysts and policy makers. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTWR 194": { + "USP 102": { + "prerequisites": [ + "ECON 2", + "and", + "MATH 10A" + ], + "name": "Urban Economics", + "description": "(Same as ECON 135.) Economic analysis of why and where cities develop, patterns of land use in cities, why cities sub-urbanize, and the pattern of urban commuting. The course also examines problems of urban congestion, air pollution, zoning, poverty, and crime, and discusses public policies to deal with them. Credit not allowed for both ECON 135 and USP 102. " + }, + "USP 104": { "prerequisites": [], - "name": "Capstone Course for Writing Majors", - "description": "Undergraduate instruction assistance. A student will 1) assist TA in editing students\u2019 writing for LTWR 8A-B-C during class and outside of class; and 2) prepare a paper and report for the professor at the end of the quarter. May be taken for credit up to two times. " + "name": "Ethnic Diversity and the City", + "description": "(Same as ETHN 105.) This course will examine the city as a crucible of ethnic identity exploring both the racial and ethnic dimensions of urban life in the United States from the Civil War to the present. " }, - "LTWR 195": { + "USP 105": { "prerequisites": [], - "name": "Apprentice Teaching", - "description": "Senior thesis research and writing for students who have been accepted for the Literature Honors Program. " + "name": "Urban Sociology", + "description": "(Same as SOCI 153.) Introduces students\n\t\t\t\t to the major approaches in the sociological study of cities and to what\n\t a sociological analysis can add to our understanding of urban processes. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTWR 196": { + "USP 106": { "prerequisites": [], - "name": "Honors Thesis", - "description": "Directed group study in areas of writing not normally covered in courses. (P/NP grades only.) Repeatable for credit when areas of study vary. " + "name": "The History of Race and Ethnicity in American Cities", + "description": "(Same as HIUS 129.) This class examines the history of racial and ethnic groups in American cities. It looks at major forces of change such as immigration to cities, political empowerment, and social movements, as well as urban policies such as housing segregation. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTWR 198": { + "USP 107": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Tutorial; individual guidance in areas of writing not normally covered in courses. (P/NP grades only.) May be taken for credit three times. ** Upper-division standing required ** " + "name": "Urban Politics", + "description": "(Same as POLI 102E.) This survey course focuses upon the following six topics: the evolution of urban politics since the mid-nineteenth century; the urban fiscal crisis; federal/urban relationships; the \u201cnew\u201d politics; urban power structure and leadership; and selected contemporary policy issues such as downtown redevelopment, poverty, and race. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "LTWR 199": { + "USP 109": { "prerequisites": [], - "name": "Special Studies", - "description": "This seminar will be organized around any of various topic areas relating to writing (fiction, poetry, cross-genre, theory). Topics might focus on a genre (film, popular novel, theatre) or on the transformations of a theme or metaphor (nation, femininity, the uncanny). S/U grades only. May be taken for credit three times as content varies. " + "name": "California Government and Politics", + "description": "(Same as POLI 103A.) This survey course explores six topics: 1) the state\u2019s political history; 2) campaigning, the mass media, and elections; 3) actors and institutions in the making of state policy; 4) local government; 5) contemporary policy issues; e.g., Proposition 13, school desegregation, crime, housing and land use, transportation, water; 6) California\u2019s role in national politics. " }, - "ECON 1": { + "USP 110": { "prerequisites": [], - "name": "Principles of Microeconomics", - "description": "Introduction to the study of the economic system. Course will introduce the standard economic models used to examine how individuals and firms make decisions in perfectly competitive markets, and how these decisions affect supply and demand in output markets." + "name": "Advanced Topics in Urban Politics", + "description": "(Same as POLI 102J.) Building upon the introductory urban politics course, the advanced topics course explores issues such as community power, minority empowerment, and the politics of growth. A research paper is required. Students may not receive credit for both POLI 102J and USP 110. " }, - "ECON 2": { - "prerequisites": [ - "ECON 1" - ], - "name": "Market Imperfections and Policy", - "description": "Analysis of monopoly and imperfectly competitive markets, market imperfections and the role of government. \n\t\t\t\t\t" + "USP 113": { + "prerequisites": [], + "name": "Politics and Policymaking in Los Angeles", + "description": "(Same as POLI 103B.) This course examines politics and policymaking in the five-county Los Angeles region. It explores the historical development of the city, suburbs, and region; politics, power, and governance; and major policy challenges facing the city and metropolitan area. " }, - "ECON 3": { + "USP 114": { "prerequisites": [ - "ECON 1" + "COMM 10", + "or", + "USP 2" ], - "name": "Principles of Macroeconomics", - "description": "Introductory macroeconomics: unemployment, inflation, business cycles, monetary and fiscal policy. " + "name": "Communication and Social Institutions: Science Communication", + "description": "(Same as COMM 114T.) Examine science communication as a profession and unique form of storytelling. Identify who does science communication; how, why, and with what impacts. Highlight science communication\u2019s role in democracy, power, public reason, technological trajectories, the sustainability transition, and shifting university-community relations. " }, - "ECON 4": { + "USP 115": { "prerequisites": [], - "name": "Financial Accounting", - "description": "(Cross-listed with MGT 4.) Recording, organizing, and communicating financial information relating to business entities. Credit not allowed for both ECON 4 and MGT 4. " + "name": "Politics and Policymaking in San Diego", + "description": "(Same as POLI 103C.) This course examines how major policy decisions are made in San Diego. In analyses the region\u2019s power structure (including the roles of nongovernmental organizations and the media), governance systems and reform efforts, and the politics of major infrastructure projects. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 5": { + "USP 116": { "prerequisites": [], - "name": "Data Analytics for the Social Sciences", - "description": "(Cross-listed with POLI 5D.) Introduction to probability and analysis for understanding data in the social world. Students engage in hands-on learning with applied social science problems. Basics of probability, visual display of data, data collection and management, hypothesis testing, and computation. Students may receive credit for only one of the following courses: ECON 5, POLI 5, or POLI 5D." + "name": "California\n\t\t Local Government: Finance and Administration", + "description": "(Same as POLI 103D.) This course surveys public finance and administration. It focuses upon California local governments\u2014cities, counties, and special districts\u2014and also examines state and federal relationships. Topics explored include revenue, expenditure, indebtedness, policy responsibilities, and administrative organization and processes. " }, - "ECON 87": { + "USP 120": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to\n\t\t\t\t provide new students with the opportunity to explore an intellectual\n\t\t\t\t topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate\n\t\t\t\t colleges, and topics vary from quarter to quarter. Enrollment\n\t\t\t\t is limited to fifteen to twenty students, with preference given\n\t\t\t\t to entering freshmen. May be repeated when course topics vary.\n\t\t\t\t (P/NP grades only.) " - }, - "ECON 100A": { - "prerequisites": [ - "ECON 1", - "and", - "MATH 10C" - ], - "name": "Microeconomics A", - "description": "Economic analysis of household determination of the demand for goods and services, consumption/saving decisions, and the supply of labor. " - }, - "ECON 100B": { - "prerequisites": [ - "ECON 100A" - ], - "name": "Microeconomics B", - "description": "Analysis of firms\u2019 production and costs, the supply of output and demand factors of production. Analysis of perfectly competitive markets. " + "name": "Urban Planning, Infrastructure, and Real Estate", + "description": "This course will explore\n the interrelationships of urban planning, public infrastructure,\n and real estate development. These\n three issues are critical to an examination of the major challenges\n facing California\u2019s and America\u2019s major metropolitan centers. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 100C": { - "prerequisites": [ - "ECON 100B" - ], - "name": "Microeconomics C", - "description": "Analysis of the effects of imperfect market structure, strategy, and imperfect information. " + "USP 121": { + "prerequisites": [], + "name": "Real Estate Law and Regulation", + "description": "Examination of regulation of real estate development, as it affects landowners, developers and others private sector actors. Includes underlying public policies, establishment and enforcement of laws and regulations, application of regulations to individual projects, and political considerations in implementing regulations. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 100AH": { + "USP 122": { "prerequisites": [], - "name": "Honors Microeconomics A", - "description": "Honors sequence expanding on the material taught in ECON 100A. Major GPA of 3.5 or better required. May be taken concurrently with ECON 100A or after successful completion of ECON 100A with A\u2013 or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Redevelopment\n Planning, Policymaking, and Law", + "description": "This course examines key elements of land use, planning, and\n law as related to urban redevelopment. It focuses on San Diego\n case studies, including the Petco Park/East Village redevelopment\n project and the Naval Training Center (NTC) Redevelopment Area\n (Liberty Station). ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 100BH": { + "USP 123": { "prerequisites": [], - "name": "Honors Microeconomics B", - "description": "Honors sequence expanding on the material taught in ECON 100B. Major GPA of 3.5 or better required. May be taken concurrently with ECON 100B or after successful completion of ECON 100B with A\u2013 or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Law, Planning, and Public Policy", + "description": "Examination of the intersection of law and policy, in the form of processes and institutions, as they affect decision-making and program implementation in urban planning and design. Opportunities and constraints in making law and policy. Application to specific case examples. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 100CH": { + "USP 124": { "prerequisites": [], - "name": "Honors Microeconomics C", - "description": "Honors sequence expanding on the material taught in ECON 100C. Major GPA of 3.5 or better required. May be taken concurrently with ECON 100C or after successful completion of ECON 100C with A\u2013 or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Land Use Planning", + "description": "Introduction to land use planning in the United States: zoning and subdivision, regulation, growth management, farmland preservation, environmental protection, and comprehensive planning. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 101": { - "prerequisites": [ - "ECON 100B" - ], - "name": "International Trade", - "description": "Examines theories of international trade in goods and services and relates the insights to empirical evidence. Explains international trade at the level of industries and firms and analyzes the consequences of trade for resource allocation, welfare, and the income distribution. Discusses sources of comparative advantage, motives for trade policies, and the effects of trade barriers and trading blocs on welfare and incomes. " + "USP 125": { + "prerequisites": [], + "name": "The Design of Social Research", + "description": "Research methods are tools for improving knowledge. Beginning with a research question, students will learn to select appropriate methods for sampling, collecting, and analyzing data to improve their research activities and research results. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 102": { - "prerequisites": [ - "ECON 1", - "and", - "MATH 20C" - ], - "name": "Globalization", - "description": "Presents theories of global economic integration, grounded in the principle of comparative advantage. Investigates patterns of trade when trade is balanced and capital flows when trade is not balanced. Assesses the consequences of global economic integration and economic policies for industry location, incomes, welfare and economic growth, and studies goods, services and sovereign debt markets. " + "USP 126": { + "prerequisites": [], + "name": "Comparative Land Use and Resource Management", + "description": "(Same as ETHN 190.) The course offers students the basic research methods with which to study ethnic and racial communities. The various topics to be explored include human and physical geography, transportation, employment, economic structure, cultural values, housing, health, education, and intergroup relations. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 102T": { + "USP 129": { "prerequisites": [], - "name": "Advanced Topic in Globalization", - "description": "This course presents a selection of empirical applications and advanced topics that build on the material covered in ECON 102, Globalization. Students have the opportunity to analyze global trade and capital market data and to prepare a presentation and brief paper on a specific topic. ** Department approval required ** " + "name": "Research Methods:\n\t\t Studying Racial and Ethnic Communities", + "description": "(Same as ETHN 107.) This is a research course examining social, economic, and political issues in ethnic and racial communities through fieldwork. Topics are examined through a variety of research methods which may include interviews and archival, library, and historical research. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 103": { - "prerequisites": [ - "ECON 102" - ], - "name": "International Monetary Relations", - "description": "Analyzes exchange rates and the current account. Relates their joint determination to financial markets and the real-side macroeconomy using international macroeconomic models and presents empirical regularities. Discusses macroeconomic policies under different exchange rate regimes and implications for financial stability and current account sustainability. " + "USP 130": { + "prerequisites": [], + "name": "Fieldwork in Racial and Ethnic Communities", + "description": "Craft breweries are emerging as a significant part of the economy in US cities. This course examines the rise and impact of craft breweries in city life with a focus on tourism, urban culture, local job growth, and urban revitalization. " }, - "ECON 105": { - "prerequisites": [ - "ECON 100C" - ], - "name": "Industrial Organization and Firm Strategy", - "description": "Theory of monopoly and oligopoly pricing, price discrimination, durable goods pricing, cartel behavior, price wars, strategic entry barriers, mergers, pro- and anticompetitive restraints on business. " + "USP 131": { + "prerequisites": [], + "name": "Culture, Tourism, and the Urban Economy: Case Studies of Craft Breweries", + "description": "(Same as ETHN 188.) This course details the history of African American migration to urban areas after World War I and World War II and explores the role of religion in their lives as well as the impact that their religious experiences had upon the cities in which they lived. " }, - "ECON 106": { - "prerequisites": [ - "ECON 100B", - "and" - ], - "name": "International Economic Agreements", - "description": "Examines reasons for international economic agreements, their design, the strategic interactions that determine how the agreements are implemented and sustained, and consequences for global welfare and inequality. Draws on international economics, game theory, law and economics, and political economy to understand international economic agreements. These tools are used to understand multilateral trade and investment agreements, such as NAFTA, and international organizations, such as the WTO. " + "USP 132": { + "prerequisites": [], + "name": "African Americans, Religion, and the City", + "description": "(Same as SOCI 152.) Primary focus on understanding\n\t\t\t\t and analyzing poverty and public policy. Analysis of how current debates\n\t\t\t\t and public policy initiatives mesh with alternative social scientific explanations\n\t\t\t of poverty. " }, - "ECON 107": { - "prerequisites": [ - "ECON 2" - ], - "name": "Economic Regulation and Antitrust Policy", - "description": "Detailed treatment of antitrust policy: Sherman Act, price fixing, collusive practices, predatory pricing, price discrimination, double marginalization, exclusive territories, resale price maintenance, refusal to deal, and foreclosure. Theory of regulation and regulatory experience in electrical utilities, oil, telecommunications, broadcasting, etc. " + "USP 133": { + "prerequisites": [], + "name": "Social Inequality and Public Policy", + "description": "This course examines the integration of youth development and community development in theory and practice as a strategy for addressing adultism. Analyze cases through a cultural lens where local, national, and international youth movements have helped make community development more responsive, inclusive, and culturally sensitive. " }, - "ECON 109": { - "prerequisites": [ - "ECON 100C", - "or", - "MATH 31CH", - "or", - "MATH 109", - "and", - "MATH 20" - ], - "name": "Game Theory", - "description": "Introduction to game theory. Analysis of people\u2019s decisions when the consequences of the decisions depend on what other people do. This course features applications in economics, political science, and law. " + "USP 134": { + "prerequisites": [], + "name": "Community Youth Development", + "description": "(Same as ETHN 129.) This course will explore the social, political, and economic implications of global economic restructuring, immigration policies, and welfare reform on Asian and Latina immigrant women in the United States. We will critically examine these larger social forces from the perspectives of Latina and Asian immigrant women workers, incorporating theories of race, class, and gender to provide a careful reading of the experiences of immigrant women on the global assembly line. " }, - "ECON 109T": { + "USP 135": { "prerequisites": [], - "name": "Advanced Topics in Game Theory", - "description": "This course presents a selection of applications and advanced topics that build on the material covered in the ECON 109. Game Theory course. ** Department approval required ** " + "name": "Asian and\n\t\t Latina Immigrant Workers in the Global Economy", + "description": "Provides an overview of collaborative leadership and considers consensus organizing as both a tactical and strategic approach to effective community building and development. Examines how various communities have approached collaborative leadership, consensus organizing, and community building. " }, - "ECON 110A": { - "prerequisites": [ - "ECON 1", - "and", - "ECON 3", - "and", - "MATH 10C" - ], - "name": "Macroeconomics A", - "description": "Analysis of the determination of long run growth and models of the determination of output, interest rates, and the price level. Analysis of inflation, unemployment, and monetary and fiscal policy. " + "USP 136": { + "prerequisites": [], + "name": "Collaborative Community Leadership", + "description": "History, theory, and practice of US housing and community development. Public, private, and nonprofit sectors shape and implement planning and policy decisions at the federal, state, local and neighborhood levels. " }, - "ECON 110B": { - "prerequisites": [ - "ECON 110A" - ], - "name": "Macroeconomics B", - "description": "Analysis of the determination of consumption spending at the aggregate level; extension of the basic macro model to include exchange rates and international trade; the aggregate money supply, and the business cycle. " + "USP 137": { + "prerequisites": [], + "name": "Housing and\n\t\t Community Development Policy and Practice", + "description": "This course focuses on strategies that policy makers and planners use in their efforts to foster healthy economies. Topics include theories of urban economic development, analytical techniques for describing urban economies, and the politics and planning of economic development. " }, - "ECON 110AH": { + "USP 138": { "prerequisites": [], - "name": "Honors Macroeconomics A", - "description": "Honors sequence expanding on the material taught in ECON 110A. Major GPA of 3.5 or better required. May be taken concurrently with ECON 110A or after successful completion of ECON 110A with A\u2013or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Urban Economic Development", + "description": "This course explores emerging trends in urban design and economic development and their interrelationship. The course focuses on selected community projects and also considers urban governance structures. Various research methods will be applied to urban problems. " }, - "ECON 110BH": { + "USP 139": { "prerequisites": [], - "name": "Honors Macroeconomics B", - "description": "Honors sequence expanding on the material taught in ECON 110B. Major GPA of 3.5 or better required. May be taken concurrently with ECON 110B or after successful completion of ECON 110B with A\u2013 or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Urban Design and Economic Development", + "description": "This course introduces students to the concept and practice of \u201cplacemaking\u201d\u2014a collaborative process for creating public spaces that are vibrant, equitable, inclusive, and salutogenic. Students will gain an understanding of healthy placemaking as a strategy for building a more just and sustainable society. " }, - "ECON 111": { - "prerequisites": [ - "ECON 110B" - ], - "name": "Monetary Economics", - "description": "Financial structure of the US economy. Bank behavior. Monetary control. " + "USP 140": { + "prerequisites": [], + "name": "Healthy Placemaking", + "description": "This course will provide an overview of the organization of health care within the context of the community with emphasis on the political, social, and cultural influences. It is concerned with the structure, objectives, and trends of major health and health-related programs in the United States to include sponsorship, financing, training and utilization of health personnel. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 112": { - "prerequisites": [ - "ECON 110B", - "and", - "ECON 120B", - "or", - "MATH 181B" - ], - "name": "Macroeconomic Data Analysis", - "description": "Examines time series methods for data analysis with an emphasis on macroeconomic applications. Students are provided with an overview of fundamental time series techniques, hands-on experience in applying them to real-world macroeconomic data, and expertise in performing empirical tests of policy-relevant macroeconomic theories, such as the permanent income hypothesis, the Keynesian fiscal multiplier, and the Phillips curve. " + "USP 141A": { + "prerequisites": [], + "name": "Life Course Scholars Research and Core Fundamentals", + "description": "This course will analyze needs of populations, highlighting current major public health problems such as chronic and communicable diseases, environmental hazards of diseases, psychiatric problems and additional diseases, new social mores affecting health maintenance, consumer health awareness and health practices, special needs of economically and socially disadvantaged populations. The focus is on selected areas of public and environmental health, namely: epidemiology, preventive services in family health, communicable and chronic disease control, and occupational health. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 113": { - "prerequisites": [ - "ECON 100C", - "or", - "MATH 140A", - "or", - "MATH 142A" - ], - "name": "Mathematical Economics", - "description": "Mathematical concepts and techniques used in advanced economic analysis; applications to selected aspects of economic theory. " + "USP 141B": { + "prerequisites": [], + "name": "Life Course Scholars Capstone Project", + "description": "This course will provide a brief introduction to the nature and problems of aging, with emphasis on socioeconomic and health status; determinants of priorities of social and health policies will be examined through analysis of the structure and organization of selected programs for the elderly. Field visits will constitute part of the course. " }, - "ECON 116": { - "prerequisites": [ - "ECON 2" - ], - "name": "Economic Development", - "description": "Introduction to the economics of less developed countries, covering their international trade, human resources, urbanization, agriculture, income distribution, political economy, and environment. " + "USP 143": { + "prerequisites": [], + "name": "The US Health-Care System", + "description": "This course examines urban design\u2019s effects on physical activity. In field experience settings, students will learn about survey, accelerometer, observation, and GIS methods. Quality control, use of protocols, relevance to all ages, and international applications will also be emphasized. " }, - "ECON 117": { - "prerequisites": [ - "ECON 100A" - ], - "name": "Economic Growth", - "description": "Topics will include long-run economic growth and cross-country income differences; Malthusian dynamics and the transition to modern growth; measured income vs welfare; development accounting; the Solow Growth Model; human capital; misallocation and total-factor productivity; firm management practices; technology adoption; agricultural productivity gaps; rural-urban migration; structural transformation; innovation and endogenous growth. " + "USP 144": { + "prerequisites": [], + "name": "Environmental and Preventive Health Issues", + "description": "The purpose of this course is to identify the special health needs of low income and underserved populations and to review their status of care, factors influencing the incidence of disease and health problems, and political and legislative measures related to access and the provision of care. Selected current programs and policies that address the health-care needs of selected underserved populations such as working poor, inner city populations, recent immigrants, and persons with severe disabling mental illnesses will be studied. Offered in alternate years. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 118": { - "prerequisites": [ - "ECON 2" - ], - "name": "Law and\n\t\t Economics: Torts, Property, and Crime", - "description": "Uses economic theory to evaluate the economic effects of US law in several legal fields, including tort law (accidents), products liability law, property law, criminal law (law enforcement), and litigation. Also considers risk bearing and why people buy insurance. " + "USP 145": { + "prerequisites": [], + "name": "Aging\u2014Social and Health Policy Issues", + "description": "This course will provide a historical and theoretical orientation for contemporary studies of the experience of mental illness and mental health-care policy in the American city, with critical attention to racial and ethnic disparities in diagnosis, treatment, and outcomes. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 119": { - "prerequisites": [ - "ECON 2", - "and", - "MATH 10A" - ], - "name": "Law and Economics: Contracts and Corporations\n\t\t\t\t ", - "description": "This course asks how firms are organized and why the corporate form dominates, how corporations are governed and the distortions that result, when firms borrow and how they deal with financial distress and bankruptcy. The course will present basic legal doctrines in corporate law, contract law, debtor-creditor law, and bankruptcy, and use economic models to analyze whether and when these doctrines promote economically efficient behavior. " + "USP 146": { + "prerequisites": [], + "name": "Research Methods for Built Environment and Active Living", + "description": "This course reviews the legal issues, processes, and institutions involved in real estate. Topics include principles of real property law, legislative and judicial institutions, land use and environmental regulation, financial instruments, property transactions, and forms of investment and development entities. " }, - "ECON 120A": { - "prerequisites": [ - "ECON 1" - ], - "name": "Econometrics A", - "description": "Probability and statistics used in economics. Probability and sampling theory, statistical inference, and use of spreadsheets. Credit not allowed for ECON 120A after ECE 109, MAE 108, MATH 180A, MATH 183, or MATH 186. " + "USP 147": { + "prerequisites": [], + "name": "Case Studies\n\t\t in Health-Care Programs/Poor and Underserved Population", + "description": "This course covers the methods and procedures utilized in development from inception to completion. Topics include initial planning, project feasibility and decision-making, partnerships, financing, design, entitlement and approvals, site acquisition, construction management, project completion, leasing, and asset management. " }, - "ECON 120B": { - "prerequisites": [ - "ECON 120A", - "or", - "ECE 109", - "or", - "MAE 108", - "or", - "MATH 180A", - "or", - "MATH 183", - "or", - "MATH 186" - ], - "name": "Econometrics B", - "description": "Basic econometric methods, including the linear regression, hypothesis testing, quantifying uncertainty using confidence intervals, and distinguishing correlation from causality. Credit not allowed for both ECON 120B after MATH 181B. " + "USP 149": { + "prerequisites": [], + "name": "Madness and Urbanization", + "description": "This course investigates the institutions, instruments, and structures by which investment in real estate is financed. It reviews capital markets, the sources and uses of real estate funds, and the role of government in real estate finance. " }, - "ECON 120C": { - "prerequisites": [ - "ECON 120B", - "or", - "MATH 181B" - ], - "name": "Econometrics C", - "description": "Advanced econometric methods: estimation of linear regression models with endogeneity, economic methods designed for panel data sets, estimation of discrete choice models, time series analysis, and estimation in the presence of autocorrelated and heteroskedastic errors. " + "USP 150": { + "prerequisites": [], + "name": "Real Estate and Development Law and Regulation", + "description": "This course examines the analysis of demand for real estate products and site-specific real estate development projects. Consideration is given to relevant factors such as economic change, social attitudes, and changing laws. " }, - "ECON 120AH": { + "USP 151": { "prerequisites": [], - "name": "Honors Econometrics A", - "description": "Honors sequence expanding on the material taught in ECON 120A. Major GPA of 3.5 or better required. May be taken concurrently with ECON 120A or after successful completion of ECON 120A with A\u2013 or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Real Estate Planning and Development", + "description": "(Same as POLI 111B.) Discuss the idea of justice from multiple perspectives: theory, philosophy, institutions, markets, social mobilization, politics, and environment. Examine the assets and capabilities of diverse justice-seeking organizations and movements aimed at improving quality of life and place locally, regionally, and globally. " }, - "ECON 120BH": { + "USP 152": { "prerequisites": [], - "name": "Honors Econometrics B", - "description": "Honors sequence expanding on the material taught in ECON 120B. Major GPA of 3.5 or better required. May be taken concurrently with ECON 120B or after successful completion of ECON 120B with A\u2013 or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Real Estate Development Finance and Investment", + "description": "This course compares real estate markets in Asia, Europe, the Middle East, and Latin America. It explores the factors that affect these regions\u2019 real estate economies including finance in city systems, emerging markets, development trends, demographic shifts, and urban planning. " }, - "ECON 120CH": { + "USP 153": { "prerequisites": [], - "name": "Honors Econometrics C", - "description": "Honors sequence expanding on the material taught in ECON 120C. Major GPA of 3.5 or better required. May be taken concurrently with ECON 120C or after successful completion of ECON 120C with A\u2013 or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Real Estate and Development Market Analysis", + "description": "In this course, students will work together in teams to complete a development proposal for a real world location provided by the San Diego chapter of the Commercial Real Estate Development Association (NAIOP). Students will meet with industry professionals to evaluate the most feasible, highest, and best use of space on the site provided. May be taken for credit up to two times. ** Upper-division standing required ** " }, - "ECON 121": { + "USP 154": { "prerequisites": [ - "ECON 120C" + "USP 159A", + "and" ], - "name": "Applied Econometrics and Data Analysis ", - "description": "Theoretically develops extensions to the standard econometric toolbox, studies their application in scientific research, and applies them to data. Emphasis is on using techniques, and on understanding and critically assessing others\u2019 use of them. Requires practical work on the computer using a range of data from around the world. Topics include advanced regression analysis, limited dependent variables, nonparametric methods, and new methods for causal inference. " + "name": "Global Justice in Theory and Action", + "description": "In this course, students will work together in teams to complete a development proposal for a real world location provided by the San Diego chapter of the Commercial Real Estate Development Association (NAIOP). Students will meet with industry professionals to evaluate the most feasible, highest, and best use of space on the site provided. May be taken for credit up to two times. " }, - "ECON 122": { - "prerequisites": [ - "ECON 120B", - "or", - "MATH 181B", - "and", - "MATH 18", - "or", - "MATH 31AH" - ], - "name": "Econometric Theory", - "description": "Detailed study of the small sample and asymptotic properties of estimators commonly used in applied econometric work: multiple linear regression, instrumental variables, generalized method of moments, and maximum likelihood. Econometric computation using Matlab. Recommended preparation: ECON 120C. " + "USP 155": { + "prerequisites": [], + "name": "Real Estate Development in Global and Comparative Perspective", + "description": "This course will cover the methods and context for analyzing crime at national, state, regional, and micro-place levels. Methods will be both qualitative and quantitative as well as include primary and secondary data analysis. " }, - "ECON 125": { - "prerequisites": [ - "ECON 120B", - "or", - "MATH 181B" - ], - "name": "Demographic Analysis and Forecasting", - "description": "Interaction between economic forces and demographic changes are considered, as are demographic composition and analysis; fertility, mortality, and migration processes and trends. Course emphasizes the creation, evaluation, and interpretation of forecasts for states, regions, and subcounty areas. ECON 178 is recommended. " + "USP 159A": { + "prerequisites": [], + "name": "NAIOP Real Estate University Challenge I", + "description": "This course is an introduction to theories and concepts relating to the built and natural environment and crime prevention. Perspectives from planners and criminologists will be discussed, and a real-world project will be used to integrate theory into practice. " }, - "ECON 130": { - "prerequisites": [ - "ECON 2" - ], - "name": "Public Policy", - "description": "Course uses basic microeconomic tools to discuss a wide variety of public issues, including the war on drugs, global warming, natural resources, health care and safety regulation. Appropriate for majors who have not completed ECON 100A-B-C and students from other departments. " + "USP 159B": { + "prerequisites": [], + "name": "NAIOP Real Estate University Challenge II", + "description": "(Same as HIUS 123.) New York City breathes history. Whether it is in the music, the literature, or the architecture, the city informs our most basic conceptions of American identity. This course examines the evolution of Gotham from the colonial era to today. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 131": { - "prerequisites": [ - "ECON 2" - ], - "name": "Economics of the Environment", - "description": "Environmental issues from an economic perspective. Relation of the environment to economic growth. Management of natural resources, such as forest and fresh water. Policies on air, water, and toxic waste pollution. International issues such as ozone depletion and sustainable development. " + "USP 160": { + "prerequisites": [], + "name": "Research Methods: Analyzing Crime", + "description": "(Same as HIUS 117.) This course examines the history of Los Angeles from the early nineteenth century to the present. Particular issues to be addressed include urbanization, ethnicity, politics, technological change, and cultural diversification. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 132": { + "USP 161": { "prerequisites": [ - "ECON 1", - "and", - "ESYS 103", - "or", - "MAE 124", - "and", - "MATH 10C" + "USP 124", + "and" ], - "name": "Energy Economics", - "description": "Energy from an economic perspective. Fuel cycles for coal, hydro, nuclear, oil, and solar energy. Emphasis on efficiency and control of pollution. Comparison of energy use across sectors and across countries. Global warming. Role of energy in the international economy. " + "name": "Environmental Design and Crime Prevention", + "description": "Introduction to green building including the Leadership in Energy and Environmental Design (LEED) rating system which explores sustainable strategies in the built environment including site, energy, water, materials, waste, and health. Develops a general understanding of concepts and prepares students for the LEED GA exam. " }, - "ECON 134": { - "prerequisites": [ - "ECON 100A" - ], - "name": "The US Social Safety Net", - "description": "Examines major issues relating to the US social safety net, including Social Security, low-income assistance, unemployment and disability insurance, distributional and efficiency effects of the tax system, and the relation of these issues to the overall US government budget. " + "USP 167": { + "prerequisites": [], + "name": "History of New York City", + "description": "This course will explore the different factors and processes that shape a sustainable city. Contemporary green planning techniques and values will be evaluated. The course will also discuss planning, designing, and implementation of sustainable facilities that will reduce sprawl. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 135": { - "prerequisites": [ - "ECON 2" - ], - "name": "Urban Economics", - "description": "(Cross-listed with USP 102.) Economic analysis of why cities develop, patterns of land use in cities, why cities suburbanize, and the pattern of urban commuting. The course also examines problems of urban congestion, air pollution, zoning, poverty, crime, and discusses public policies to deal with them. Credit not allowed for both ECON 135 and USP 102. " + "USP 168": { + "prerequisites": [], + "name": "History of Los Angeles", + "description": "Sustainable development is a concept invoked by an increasingly wide range of scholars, activists, and organizations dedicated to promoting environmentally sound approaches to economic development. This course critically examines the diverse, often contradictory, interests in sustainability. It provides a transdisciplinary overview of emergent theories and practices. " }, - "ECON 136": { - "prerequisites": [ - "ECON 100B" - ], - "name": "Human Resources", - "description": "A practical yet theory-based study of the firm\u2019s role in managing workers, including issues related to hiring, education and training, promotions, layoffs and buyouts, and the overarching role that worker compensation plays in all of these. " + "USP 169": { + "prerequisites": [], + "name": "Introduction to Green Building", + "description": "This course examines the use of graphic techniques and tools to explain research, data analysis, and convey ideas with a focus on the built environment. Visual communication for planners/designers using traditional graphic media, electronic media, and visualization are explored. " }, - "ECON 138": { - "prerequisites": [ - "ECON 1" - ], - "name": "Economics of Discrimination", - "description": "This course will investigate differences in economic outcomes on the basis of race, gender, ethnicity, religion, and sexual orientation. We will study economic theories of discrimination, empirical work testing those theories, and policies aimed at alleviating group-level differences in economic outcomes. " + "USP 170": { + "prerequisites": [], + "name": "Sustainable Planning", + "description": "The analysis of the evolution of city designs over time; study of the forces that influence the form and content of a city: why cities change; comparison of urban planning and architecture in Europe and the United States. " }, - "ECON 139": { - "prerequisites": [ - "ECON 2" - ], - "name": "Labor Economics", - "description": "Theoretical and empirical analysis of labor markets. Topics include labor supply, labor demand, human capital investment, wage inequality, labor mobility, immigration, labor market discrimination, labor unions and unemployment. " + "USP 171": { + "prerequisites": [], + "name": "Sustainable Development", + "description": "Regional planning and local governance in California, focusing on San Diego. Current system, the state/local relationship, and the incentives and disincentives for restructuring regional and local governance and planning. " }, - "ECON 140": { - "prerequisites": [ - "ECON 2" - ], - "name": "Economics of Health Producers", - "description": "Provides an overview of the physician, hospital, and pharmaceutical segments of the health sector. Uses models of physician behavior, for-profit and nonprofit institutions to understand the trade-offs facing health-sector regulators and the administrators of public and private insurance arrangements. " + "USP 172": { + "prerequisites": [], + "name": "Graphics, Visual Communication, and Urban Information", + "description": "Introduction to the theory and practice of context-sensitive site analysis, including site selection and programming, site inventory and analysis, and conceptual design. Demonstrates uses of GIS-based sketch planning tools for suitability analysis and project visualization in real world settings. " }, - "ECON 141": { - "prerequisites": [ - "ECON 100C" - ], - "name": "Economics of Health Consumers", - "description": "Demand for health care and health insurance, employer provision of health insurance and impact on wages and job changes. Cross-country comparisons of health systems. " + "USP 173": { + "prerequisites": [], + "name": "History of Urban Planning and Design", + "description": "This course explores governance and planning challenges in the California/Baja California binational region. What are the roles of federal, state, and local governments in addressing issues of transportation, land use, water/wastewater management, and safety and security? ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 142": { - "prerequisites": [ - "ECON 109" - ], - "name": "Behavioral Economics", - "description": "Course will study economic models in which standard economic rationality assumptions are combined with psychologically plausible assumptions on behavior. We consider whether the new models improve ability to predict and understand phenomena including altruism, trust and reciprocity, procrastination, and self-control. " + "USP 174": { + "prerequisites": [], + "name": "Regional Governance\n\t\t and Planning Reconsidered", + "description": "This course is designed to introduce the student to the theory and practice of urban design, the form of the built environment, and how it is created. There is an emphasis on the development within a larger urban context. Renumbered from USP 177. Students may not receive credit for USP 177A and USP 177. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 143": { + "USP 175": { "prerequisites": [ - "ECON 100C" + "USP 177", + "USP 177A", + "or", + "USP 179" ], - "name": "Experimental Economics", - "description": "Explore use of experiments to study individual and interactive (strategic) decision making. Topics may include choice over risky alternatives, altruism and reciprocity, allocation and information aggregation in competitive markets, cooperation and collusion, bidding in auctions, strategy in coordination and \u201coutguessing\u201d games. " + "name": "Site Analysis: Opportunities and Constraints", + "description": "Settlement patterns, design of streets and open space, buildings, and civic space are the setting for public life. This course explores how we design and inhabit cities that are increasingly more populated and dense. Advanced design research, drawing skills required. " }, - "ECON 144": { - "prerequisites": [ - "ECON 2" - ], - "name": "Economics of Conservation", - "description": "Examines conservation of biodiversity from an economic perspective. Topics include valuing biodiversity, defining successful conservation, and evaluating the cost effectiveness of policies such as conservation payments, ecotourism, and privatization. Emphasis on forests, coral reefs, elephants, tigers, and sea turtles. " + "USP 176": { + "prerequisites": [], + "name": "Binational Regional Governance", + "description": "Roles of the urban designer, preparing schematic proposals and performance statements, identifying opportunities for and constraints on designers. Each student will prepare a practical exercise in urban design using various urban design methods. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 145": { - "prerequisites": [ - "ECON 2" - ], - "name": "Economics of Ocean Resources", - "description": "Economic issues associated with oceans. Economics of managing renewable resources in the oceans, with an emphasis on fisheries, economics of conservation and biodiversity preservation for living marine resources, with an emphasis on whales, dolphins, sea turtles, and coral reefs. " + "USP 177A": { + "prerequisites": [], + "name": "Urban Design Practicum", + "description": "Introduction to the history and current state of urban transportation planning, including the relationship between transportation and urban form; role of automotive, mass transit, and alternative modes; methods for transportation systems analysis; decision-making, regulatory, and financing mechanisms; and public attitudes. " }, - "ECON 146": { - "prerequisites": [ - "ECON 110B" - ], - "name": "Economic Stabilization", - "description": "Theory of business cycles and techniques used by governments to stabilize an economy. Discussion of recent economic experience. " + "USP 177B": { + "prerequisites": [], + "name": "Advanced Urban Design", + "description": "Livable cities rely on balanced transportation systems that can mitigate the negative impacts of car-oriented environment and society. This course will explore the role of public transit in creating a balanced transportation system. A variety of public transportation systems will be analyzed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 147": { - "prerequisites": [ - "ECON 2" - ], - "name": "Economics of Education", - "description": "Examination of issues in education using theoretical and empirical approaches from economics. Analysis of decisions to invest in education. Consideration of various market structures in education, including school choice and school finance programs. " + "USP 179": { + "prerequisites": [], + "name": "Urban Design, Theory, and Practice", + "description": "(Same as SOCI 183.) How does where you grow up affect where you end up? This course explores \u201cwho gets what where and why,\u201d by examining spatial inequalities in life chances across regions, rural and urban communities, and divergent local economies in the U.S. We will \u201cplace\u201d places within their economic, socio-cultural, and historical contexts. Readings and exercises will uncover spatial variation in inequalities by race/ethnicity, immigrant status, gender, class, and LGBTQIA status that national averages obscure. Students may not receive credit for SOCI 183 and USP 183. " }, - "ECON 150": { - "prerequisites": [ - "ECON 100C" - ], - "name": "Public Economics: Taxation", - "description": "Overview of the existing national tax structure in the United States, its effects on individual and firm decisions, and the resulting efficiency costs and distributional consequences. The course concludes with an examination of several commonly-proposed tax reforms. " + "USP 180": { + "prerequisites": [], + "name": "Transportation Planning", + "description": "This course introduces students to the challenges of developing and financing real property. Students work in teams to prepare a proposal for a complete site-specific project that incorporates real estate finance, development, and design. " }, - "ECON 151": { + "USP 181": { + "prerequisites": [], + "name": "Public Transportation", + "description": "An intensive studio-based experience that culminates in a completed group project that analyzes, evaluates, and presents a site-specific real estate finance and development proposal. The final project includes market analysis, pro forma financial analysis, site analysis, and site design. " + }, + "USP 183": { "prerequisites": [ - "ECON 100C" + "USP major" ], - "name": "Public Economics: Expenditures I", - "description": "Overview of the public sector in the United States and the scope of government intervention in economic life. Theory of public goods and externalities. Discussion of specific expenditure programs such as education and national defense. " + "name": "The Geography of American Opportunity", + "description": "Introduces students to the theory and practice of social research including the challenges of writing a scholarly proposal. Students are required to complete one hundred hours of an internship experience while critically examining the relations between social science and society. " }, - "ECON 152": { + "USP 185A": { "prerequisites": [ - "ECON 100C" + "USP 186" ], - "name": "Public Economics: Expenditures II", - "description": "Overview of the public sector in the United States and the justifications for government intervention in economic life. Theory of income redistribution and social insurance. Applications to current policy in such areas as health insurance, welfare, unemployment insurance, and Social Security. " + "name": "Real Estate Finance and Development Studio I", + "description": "An intensive research, internship, and writing experience that culminates in an original senior research project. Students learn about the theoretical, ethical, and technical challenges of scholarly research and publication. " }, - "ECON 158": { + "USP 185B": { "prerequisites": [], - "name": "Economic History of the United States I", - "description": "(Cross-listed with HIUS 140.) The United States as a raw materials producer, as an agrarian society, and as an industrial nation. Emphasis on the logic of the growth process, the social and political tensions accompanying expansion, and nineteenth- and early twentieth-century transformations of American capitalism. Credit not allowed for both ECON 158 and HIUS 140. " + "name": "Real Estate Finance and Development Studio II", + "description": "(Same as SOCI 188) Mexican Migration Field Research Program: Students work closely with faculty to conduct direct on-the-ground field research in a migrant community. Students work as teams, conducting either surveys, interviews, or ethnographic observations. Students are expected to produce an outline of a research paper based on the results from fieldwork. Conversational fluency in Spanish is recommended. Students will not receive credit for both SOCI 188 and USP 188. " }, - "ECON 159": { + "USP 186": { "prerequisites": [], - "name": "Economic History of the United States II", - "description": "(Cross-listed with HIUS 141.) The United States as a modern industrial nation. Emphasis on the logic of the growth process, the social and political tensions accompanying expansion, and twentieth-century transformations of American capitalism. Credit not allowed for both ECON 159 and HIUS 141. " + "name": "Senior Sequence Research Proposal", + "description": "An undergraduate course designed to cover various aspects of Urban Planning. May be taken for credit up to two times. " }, - "ECON 162": { + "USP 187": { "prerequisites": [ - "ECON 1", - "and" + "USP 186", + "USP 187" ], - "name": "Economics of Mexico", - "description": "Survey of the Mexican economy. Topics such as economic growth, business cycles, saving-investment balance, financial markets, fiscal and monetary policy, labor markets, industrial structure, international trade, and agricultural policy. " + "name": "Senior Sequence Research Project", + "description": "Each student enrolled will be required to write an honors essay, a substantial research paper on a current urban policy issue, under the supervision of a member of the faculty. Most often the essay will be based on their previous fieldwork courses and internship. This essay and other written exercises, as well as class participation, will be the basis of the final grade for the course. The seminar will rotate from year to year among the faculty in urban studies and planning. " }, - "ECON 164": { + "USP 188": { "prerequisites": [ - "ECON 1", - "and" + "USP major" ], - "name": "The Indian Economy", - "description": "Survey of the Indian economy. Historical overview and perspective; political economy; democracy and development; economic growth; land, labor, and credit markets; poverty and inequality; health, education, and human development; technology and development; institutions and state capacity; contemporary policy issues and debates. " + "name": "Field Research in Migrant Communities\u2014Practicum", + "description": "Introduction to Geographic Information Systems and using GIS to make decisions: acquiring data and organizing data in useful formats, demographic mapping, geocoding. Selected exercises examine crime data, political campaigns, banking and environmental planning, patterns of bank lending and finance. " }, - "ECON 164T": { + "USP 189": { "prerequisites": [], - "name": "Advanced Topics in the Indian Economy", - "description": "ECON 164T will cover topics in more depth than in ECON 164 with more extensive readings and discussion. The class will meet in a seminar format where students will be expected to actively participate in discussions based on the readings and write a short paper at the end of the quarter. ** Department approval required ** " + "name": "Special Topics in Urban Planning", + "description": "Using the San Diego region as a case study, students will be introduced to the process of collecting, evaluating, and presenting urban and regional data using a variety of methods, including aggregate data analysis, historical research, and ethnography. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 165": { - "prerequisites": [ - "ECON 1", - "and" - ], - "name": "Middle East Economics", - "description": "Socioeconomic development in the Arab world, Iran, and Turkey. Historical perspective; international trade and fuel resources; education, health, and gender gaps; unemployment and migration; population and environment; Islam and democracy. " + "USP 190": { + "prerequisites": [], + "name": "Senior Honors Seminar", + "description": "(Same as COGS 194, COMM 194, HITO 193, POLI 194, SOCI 194, SIO 194.) Course attached to six-unit internship taken by students participating in the UCDC Program. Involves weekly seminar meetings with faculty and teaching assistant and a substantial research paper. ** Department approval required ** " }, - "ECON 165T": { + "USP 191": { "prerequisites": [], - "name": "Advanced Topics in Middle East Economics", - "description": "This course will cover certain country experiences and certain topics in more depth than in ECON 165. Students will also have the opportunity to choose countries and topics of particular interest to them for further reading and as subjects for a presentation and brief paper. ** Department approval required ** " + "name": "GIS for Urban and Community Planning", + "description": "Introduction to teaching activities associated with course. Responsibilities include preparing reading materials assigned by the instructor, attending course lectures, meeting at least one hour per week with the instructor, assisting instructor in grading, and preparing a summary report to the instructor. May be taken for credit up to three times for a maximum of eight units. ** Consent of instructor to enroll possible **" }, - "ECON 167": { - "prerequisites": [ - "ECON 1", - "and" - ], - "name": "Economics of China", - "description": "Survey of the Chinese economy. Topics such as economic growth, China\u2019s transition to a market economy, international trade, financial markets, labor markets, and industrial structure. " + "USP 193": { + "prerequisites": [], + "name": "San Diego Community Research", + "description": "Directed group study on a topic or in a field not included in the regular departmental curriculum by special arrangement with a faculty member. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 168": { - "prerequisites": [ - "ECON 1", - "and" - ], - "name": "Economics of Modern Israel", - "description": "This course explores economic processes that shape the Israeli economy. Topics include biblical economics, economics of religion, economic growth, income inequality and consumer protests, employment, globalization, inflation, the high-tech sector, terrorism, and education. " + "USP 194": { + "prerequisites": [], + "name": "Research Seminar in Washington, DC", + "description": "Reading and research programs and field-study projects to be arranged between student and instructor, depending on the student\u2019s needs and the instructor\u2019s advice in terms of these needs. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 169": { - "prerequisites": [ - "ECON 3", - "and" - ], - "name": "Economics of Korea", - "description": "This course covers long-run economic development and current economic issues of South Korea. Topics include examination of major policy changes (e.g., shifts toward export promotion, heavy and chemical industries promotion); Korea\u2019s industrial structure, including the role of large enterprises (chaebol); role of government; and links between Korea and other countries. " + "JWSP 1": { + "prerequisites": [], + "name": "Beginning Hebrew", + "description": "Acquisition of basic vocabulary, fundamentals of Hebrew grammar, conversation, and reading. " }, - "ECON 171": { - "prerequisites": [ - "ECON 100A", - "and", - "ECON 120A", - "or", - "ECE 109", - "or", - "MATH 180A", - "or", - "MATH 183", - "or", - "MATH 186" - ], - "name": "Decisions Under Uncertainty", - "description": "Decision making when the consequences are uncertain. Decision trees, payoff tables, decision criteria, expected utility theory, risk aversion, sample information. " + "JWSP 2": { + "prerequisites": [], + "name": "Intermediate Hebrew", + "description": "Continued study of vocabulary and grammar, emphasis on fluency in conversation, and reading. " }, - "ECON 172A": { - "prerequisites": [ - "ECON 100A" - ], - "name": "Operations Research A", - "description": "Linear and integer programming, elements of zero-sum, two-person game theory, and specific combinatorial algorithms. Credit not allowed for both ECON 172A and MATH 171A. " + "JWSP 3": { + "prerequisites": [], + "name": "Intermediate Hebrew, Continued", + "description": "Vocabulary, grammar, conversation, introduction to literary and nonliterary texts. " }, - "ECON 172B": { - "prerequisites": [ - "ECON 172A", - "or", - "MATH 171A" - ], - "name": "Operations Research B", - "description": "Nonlinear programming, deterministic and stochastic dynamic programming, queuing theory, search models, and inventory models. Credit not allowed for both ECON 172B and MATH 171B. " + "JWSP 87": { + "prerequisites": [], + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. P/NP grades only. May be taken for credit four times. Seminars are open to sophomores, juniors, and seniors on a space available basis. " }, - "ECON 173A": { - "prerequisites": [ - "ECON 100A", - "and", - "ECON 120B", - "or", - "MATH 181B" - ], - "name": "Financial Markets", - "description": "Financial market functions, institutions and\n\t\t\t\t instruments: stocks, bonds, cash instruments, derivatives (options),\n\t\t\t\t etc. Discussion of no-arbitrage arguments, as well as investors\u2019 portfolio\n\t\t\t\t decisions and the basic risk-return trade-off established in\n\t\t\t\t market equilibrium. " + "JWSP 101": { + "prerequisites": [], + "name": "Introduction to Hebrew Texts", + "description": "Reading and analysis of texts from Biblical through modern authors, study of advanced vocabulary and grammar. Course taught in Hebrew and in English. " }, - "ECON 173B": { - "prerequisites": [ - "ECON 4", - "or", - "MGT 4" - ], - "name": "Corporate Finance", - "description": "Introduces the firm\u2019s capital budgeting decision, including methods for evaluation and ranking of investment projects, the firm\u2019s choice of capital structure, dividend policy decisions, corporate taxes, mergers and acquisitions. " + "JWSP 102": { + "prerequisites": [], + "name": "Intermediate Hebrew Texts", + "description": "Further reading and analysis of Hebrew literature from a range of periods. Advanced grammar and vocabulary. Course taught in Hebrew and in English. " }, - "ECON 174": { - "prerequisites": [ - "ECON 173A" - ], - "name": "Financial Risk Management", - "description": "Risk measures, hedging techniques, value of risk to firms, estimation of optimal hedge ratio, risk management with options and futures. ECON 171 is recommended. " + "JWSP 103": { + "prerequisites": [], + "name": "Advanced Hebrew Texts", + "description": "Synthesis of fluency, reading, and grammatical skills. Reading of texts from a range of periods. " }, - "ECON 176": { - "prerequisites": [ - "ECON 120C" - ], - "name": "Marketing", - "description": "Role of marketing in the economy. Topics such as buyer behavior, marketing mix, promotion, product selection, pricing, and distribution. Concurrent enrollment in ECON 120C is permitted. " + "JWSP 110": { + "prerequisites": [], + "name": "Introduction to Judaism", + "description": "An introductory survey of Jewish history, literature, and culture from antiquity to contemporary times. Topics include sacred texts; the variety of groups and views of Judaism; the historical and geographical movements of the Jewish people; and the intersection of religion, ethnicity, and culture. " }, - "ECON 178": { - "prerequisites": [ - "ECON 120C" - ], - "name": "Economic and Business Forecasting", - "description": "Survey of theoretical and practical aspects of statistical and economic forecasting. Such topics as long-run and short-run horizons, leading indicator analysis, econometric models, technological and population forecasts, forecast evaluation, and the use of forecasts for public policy. " + "JWSP 111": { + "prerequisites": [], + "name": "Topics in Judaic Studies", + "description": "Study of a particular period, theme, or literature in Jewish civilization. May be taken for credit three times. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 181": { - "prerequisites": [ - "ECON 1", - "and", - "ECON 3" - ], - "name": "Topics in Economics", - "description": "Selected topics in economics. May be taken for credit up to three times. " + "JWSP 130": { + "prerequisites": [], + "name": "Introduction to the Old Testament: The Historical Books", + "description": "This course will study the historical books of the Hebrew Bible (in English), Genesis through 2 Kings, through a literary-historical approach: how, when, and why the Hebrew Bible came to be written down, its relationship with known historical facts, and the archaeological record. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 182": { + "JWSP 131": { "prerequisites": [ - "ECON 100C" + "JWSP 100A" ], - "name": "Topics in Microeconomics", - "description": "Selected topics in microeconomics. " + "name": "Introduction to the Old Testament: The Poetic Books", + "description": "This course will study the prophetic and poetic books of the Hebrew Bible (in English), through a literary-historical approach. Topics include prophecy, social justice, monotheism, suffering, humor, and love. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ECON 183": { - "prerequisites": [ - "ECON 110B" - ], - "name": "Topics in Macroeconomics", - "description": "May be taken for credit up to three times. " + "JWSP\n\t\t 196A": { + "prerequisites": [], + "name": "Jewish Studies Honors Course", + "description": "First quarter of honors thesis research for students accepted into honors program. Research is conducted under the supervision of a faculty member selected with the approval of the director of the Jewish Studies Program. ** Department approval required ** " }, - "ECON 191A": { + "JWSP\n\t\t 196B": { "prerequisites": [], - "name": "Senior Essay Seminar A", - "description": "Senior essay seminar for students with superior records in department majors. Students must complete ECON 191A and ECON 191B in consecutive quarters. " + "name": "Jewish Studies Honors Course", + "description": "Second quarter of honors thesis research for students accepted into honors program. Research is conducted under the supervision of a faculty member selected with the approval of the director of the Jewish Studies Program. ** Department approval required ** " }, - "ECON 191B": { + "JWSP 198": { "prerequisites": [], - "name": "Senior Essay Seminar B", - "description": "Senior essay seminar for students with superior records in department majors. Students must complete ECON 191A and ECON 191B in consecutive quarters. " + "name": "Directed Group Study in Jewish Studies", + "description": "Directed group study on a topic not generally included in the regular curriculum. Student must make arrangements with individual faculty members. (P/NP only) " }, - "ECON 195": { + "JWSP\n\t\t 199": { "prerequisites": [], - "name": "Introduction to Teaching Economics", - "description": "Introduction to teaching economics. Each student will be responsible for a class section in one of the lower-division economics courses. Limited to advanced economics majors with at least a 3.5 GPA in upper-division economics work. (P/NP grades only.) Students may not earn more than eight units credit in 195 courses. ** Consent of instructor to enroll possible **" + "name": "Independent Study in Jewish Studies", + "description": "Independent study on a topic not generally included in the regular curriculum. Student must make arrangements with individual faculty members. (P/NP only)\t\t" }, - "ECON 198": { + "ANTH 1": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Directed study on a topic or in a group field not included in regular department curriculum by special arrangement with a faculty member. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Introduction to Culture", + "description": "An introduction to the anthropological approach to understanding human behavior, with an examination of data from a selection of societies and cultures. " }, - "ECON 199": { + "ANTH 2": { "prerequisites": [], - "name": "Independent Study", - "description": "Independent reading or research under the direction of and by special arrangement with a Department of Economics faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Human Origins", + "description": "An introduction to human evolution from the perspective of physical anthropology, including evolutionary theory and the evolution of the primates, hominids, and modern humans. Emphasis is placed on evidence from fossil remains and behavioral studies of living primates. " }, - "CLAS 196": { + "ANTH 3": { "prerequisites": [], - "name": "Directed Honors Thesis in Classical Studies", - "description": "BA honors thesis research under the direction of a member of a classical studies program faculty. ** Consent of instructor to enroll possible **" + "name": "Global Archaeology ", + "description": "This course examines theories and methods used by archaeologists to investigate the origins and nature of human culture and its materiality. Case studies from the past and present, and digital heritage are explored. Recommended for many upper-division archaeology courses." }, - "HUM 1": { + "ANTH 4": { "prerequisites": [], - "name": "The Foundations\n\t\t of Western Civilization: Israel and Greece", - "description": "Texts from the Hebrew Bible and from Greek epic, history, drama, and philosophy in their cultural context. Revelle students must take course for letter grade. " + "name": "Words and Worlds: Introduction to the Anthropology of Language", + "description": "How does one\u2019s language mutually interact with the social, cultural, and conceptual worlds one inhabits and mutually constructs with others? This course will introduce the comparative study of social life through the lens of the uniquely human capacity for language." }, - "HUM 2": { + "ANTH 5": { "prerequisites": [], - "name": "Rome, Christianity, and the Middle Ages", - "description": "The Roman Empire, the Christian transformation of the classical world in late antiquity, and the rise of a European culture during the Middle Ages. Representative texts from Latin authors, early Christian literature, the Germanic tradition, and the high Middle Ages. Revelle students must take course for letter grade. " + "name": "The Human Machine: The Skeleton Within ", + "description": "Course will provide an introduction to bones as a tissue, to different bones in the body, and the ligaments and muscles surrounding major joints. You will learn how the skeleton, ligaments, and muscles support our mode of locomotion; the differences between male and female skeletons; and the differences across human populations. You\u2019ll see how nutrition and disease can affect bones. Course examines functional areas within the body." }, - "HUM 3": { - "prerequisites": [ - "HUM 1", - "or", - "HUM 2" - ], - "name": "Renaissance, Reformation, and Early Modern Europe", - "description": "The revival of classical culture and values and the reaction against medieval ideas concerning the place of human beings in the world. The Protestant Reformation and its intellectual and political consequences. The philosophical background to the scientific revolution. Revelle students must take the course for a letter grade. Students may not receive credit for HUM 3 and HUM 3GS. " + "ANTH 21": { + "prerequisites": [], + "name": "Race and Racisms", + "description": "Why does racism still matter? How is racism experienced in the United States and across the globe? With insights from the biology of human variation, archaeology, colonial history, and sociocultural anthropology, we examine how notions of race and ethnicity structure contemporary societies. " }, - "HIEU 101": { + "ANTH 23": { "prerequisites": [], - "name": "Greece in the Classical Age", - "description": "Concurrent enrollment with advanced undergraduate courses (either Greek 105 or Latin 105) with enhanced readings and separate examinations. May be repeated for credit as topics vary. " + "name": "Debating Multiculturalism: Race, Ethnicity, and Class in American Societies", + "description": "This course focuses on the debate about multiculturalism in American society. It examines the interaction of race, ethnicity, and class, historically and comparatively, and considers the problem of citizenship in relation to the growing polarization of multiple social identities. " }, - "HIEU 101A": { + "ANTH 42": { "prerequisites": [], - "name": "Ancient Greek Civilization", - "description": "Supervised independent research. Subject varies. " + "name": "Primates in a Human-Dominated World ", + "description": "Major primate field studies will be studied to illustrate common features of primate behavior and behavioral diversity. Topics will include communication, female hierarchies, protocultural behavior, social learning and tool use, play, cognition, and self-awareness." }, - "HIEU 102": { + "ANTH 43": { "prerequisites": [], - "name": "Roman History", - "description": "The course treats the history of Rome from the foundation of the city in the eighth century BC until the end of the Flavian dynasty in 96 AD. It focuses particularly on the political, social, and cultural elements that fueled Roman development and expansion. +" + "name": "Introduction to Biology and Culture of Race", + "description": "This course examines conceptions of race from evolutionary and sociocultural perspectives. We will critically examine how patterns of current human genetic variation map onto conceptions of race. We will also focus on the history of the race concept and explore ways in which biomedical researchers and physicians use racial categories today. Finally, we will examine the social construction of race, and the experiences and consequences of racism on health in the United States and internationally." }, - "HIEU 103": { + "ANTH 44": { "prerequisites": [], - "name": "Decline and Fall of the Roman Empire", - "description": "This course discusses the history of imperial Rome and its successor states between the second and seventh centuries AD. It considers whether the Roman Empire fell or if one should instead speak of Roman continuity amidst political and religious change. +" + "name": "Gender, Sexuality, and New Media Fandom in the Korean Wave", + "description": "This course examines new media fandoms through the representation and reception of gender and sexuality in Korean media consumed around the world by highlighting how Korean images are differently interpreted by other national groups. Contrasting various understandings of masculinity, homosexuality, and transgenderism, we explore how the meanings attached to gender and sexuality are not fixed by the productive frame of Korean society, but cocreated and reimagined by international audiences. " }, - "HIEU 105": { + "ANTH 87": { "prerequisites": [], - "name": "The Early Christian Church", - "description": "A study of the origin and development of early Christian thought, literature, and institution from the New Testament period to the Council of Chalcedon.\u00a0+" + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges. Topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "DSGN 1": { + "ANTH 101": { "prerequisites": [], - "name": "Design of Everyday Things", - "description": "A project-based course examining how principles from cognitive science apply to the design of things simple (doors) and complex (new technology). Learn about affordances, constraints, mappings, and conceptual models. Learn observational and design skills. Become a human-centered design thinker. " + "name": "Foundations of Social Complexity", + "description": "Course examines archaeological evidence for three key \u201ctipping points\u201d in the human career: (1) the origins of modern human social behaviors, (2) the beginnings of agriculture and village life, and (3) the emergence of cities and states. " }, - "DSGN 90": { + "ANTH 102": { "prerequisites": [], - "name": "Undergraduate Seminar", - "description": "Special topics in design are discussed. P/NP grades only. May be taken for credit four times when topics vary." + "name": "Humans Are Cultural Animals", + "description": "This class examines humans from a comparative perspective; if we ignore culture, what\u2019s left? How do culture and biology interact? And how does biology inform cultural debates over race, sex, marriage, war, peace, etc.? " }, - "DSGN 99": { + "ANTH 103": { "prerequisites": [], - "name": "Independent Study", - "description": "Independent literature or laboratory research by arrangement with and under direction of a design faculty member. P/NP grades only. May be taken for credit three times. " + "name": "Sociocultural Anthropology", + "description": "A systematic analysis of social anthropology and of the concepts and constructs required for cross-cultural and comparative study of human societies. Required for all majors in anthropology. " }, - "DSGN 100": { - "prerequisites": [ - "DSGN 1" - ], - "name": "Prototyping ", - "description": "Explores cognitive principles of thinking through making. Introduces methods and tools for prototyping user experiences. Students make various prototypes and participate in weekly critique sessions. Topics: experience design, rapid prototyping, sketching, bodystorming, cardboard modeling, UI hacking, and design theory. " + "ANTH 104": { + "prerequisites": [], + "name": "Transforming the Global Environment", + "description": "Introduction to the role of humans as modifiers and transformers of the physical environment. Emphasis on current changes and contemporary public issues. " }, - "DSGN 119": { - "prerequisites": [ - "COMM 124A", - "or", - "COGS 10", - "or", - "DSGN 1" - ], - "name": "Design at Large", - "description": "New societal challenges, cultural values, and technological opportunities are changing design\u2014and vice versa. The seminar explores this increased scale, real-world engagement, and disruptive impact. Invited speakers from UC San Diego and beyond share cutting-edge research on interaction, design, and learning. P/NP grades only. May be taken for credit up to four times. " + "ANTH 105": { + "prerequisites": [], + "name": "Climate Change, Race, and Inequality", + "description": "This course introduces students to the ways in which climate change exacerbates environmental racism and inequality. We will consider the ways that structural violence and discriminatory policies create environmental inequalities where marginalized communities take on more of the risk and burdens of climate change. We will address community organizing and social justice efforts to combat the systems of power that unevenly distribute the burdens of climate change to marginalized communities. " }, - "DSGN 160": { + "ANTH 106": { "prerequisites": [], - "name": "Special Topics in Design", - "description": "Special topics in design. May be taken for credit three times when topics vary. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Climate and Civilization", + "description": "An introductory course that questions the whole collapse narrative while teaching students about the ways in which it has and hasn\u2019t impacted humans. " }, - "DSGN 161": { + "ANTH 107": { "prerequisites": [], - "name": "Design Project", - "description": "Special topics in design. May be taken for credit three times when topics vary. Recommended preparation: may require shop skills. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Designing for Disasters, Emergencies, and Extreme Weather", + "description": "Examines the social, economic, environmental, and health impacts of anthropogenic climate change through engaged learning that integrates practice and theory. " }, - "DSGN 195": { + "ANTH 108": { "prerequisites": [], - "name": "Instructional Apprenticeship in Design", - "description": "Students, under the direction of the instructor, lead laboratory or discussion sections, attend lectures, and meet regularly with the instructor to help prepare course materials and grade papers and exams. P/NP grades only. May be taken for credit two times. ** Consent of instructor to enroll possible **" + "name": "Indigenous Peoples, Extractive Development, and Climate Change", + "description": "Across the world, indigenous peoples\u2019 lands and livelihoods are increasingly vulnerable to extractive development projects such as mines, gas wells, dams, logging, and monoculture agriculture, all of which increase the impacts on climate change. This class addresses the ways indigenous communities use cultural and political resources to negotiate environmental, market, and political forces. Can protecting indigenous ways of life provide alternatives for global climate change? " }, - "DSGN 198": { + "ANTH 109": { "prerequisites": [], - "name": "Directed Group Study", - "description": "This directed group study course is for small groups of advanced students who wish to complete a one-quarter reading or research project under the mentorship of a faculty member. Students should contact faculty whose research interests them to discuss possible projects. P/NP grades only. May be taken for credit up to three times. ** Consent of instructor to enroll possible **" + "name": "Climate Change, Cultural Heritage, and Vulnerability", + "description": "Cultural heritage is a human right that is threatened by climate change. This course introduces students to the concept of heritage, how multiple historical and ancient processes influence social vulnerabilities, and what challenges are being faced in the context of changing climate. We will explore the formation and meanings of tangible and intangible heritage, its relation to traditional knowledge and the roles of knowledge over social vulnerability. " }, - "DSGN 199": { + "ANTH 110": { "prerequisites": [], - "name": "Independent Project", - "description": "This independent project course is for individual, advanced students who wish to complete a design project under the mentorship of a faculty member. Students should contact faculty whose research interests them to discuss possible projects. P/NP grades only. May be taken for credit three times. ** Consent of instructor to enroll possible **" + "name": "The Climate Change Seminar", + "description": "Explores climate change from the perspectives of biological, archaeological, sociocultural, and medical anthropology and global health. Students develop projects on key topics, such as food, health, sustainability, political economy, and the interaction of ecological and human processes across local, regional, and global scales. Examines social impacts and existential risks.\u00a0Considers questions related to public policy, education, ethics, and interdisciplinary research collaboration.\u00a0" }, - "HUM 4": { + "ANTH 111": { "prerequisites": [], - "name": "Enlightenment, Romanticism, Revolution", - "description": "The enlightenment\u2019s revisions of traditional thought; the rise of classical liberalism; the era of the first modern political revolutions; romantic ideas of nature and human life. Revelle students must take course for letter grade. Students may not receive credit for HUM 4 and HUM 4GS. " + "name": "Religion and Ecology: How Religion Matters in the Anthropocene", + "description": "This course will study the role that religion has played, and possibly will play, in the Anthropocene, with religion construed broadly and comparatively. Topics include use of religion and ritual to regulate the ecology, religious conceptions of the relation between humanity and nature, how religion shapes ethical stances toward the nonhuman, religious ideas of ownership or stewardship of nonhuman resources, and the role of apocalyptic narratives in shaping reaction to climate change. " }, - "HUM 5": { + "ANTH 147": { "prerequisites": [], - "name": "Modern Culture", - "description": "Challenges to liberalism posed by such movements as socialism, imperialism, and nationalism; the growth of new forms of self-expression and new conceptions of individual psychology. Revelle students must take course for letter grade. " + "name": "Understanding the Human Social Order: Anthropology and the Long-Term", + "description": "This course explores the nature of human social systems over the long term. Returning to the original project of anthropology in the broadest sense, we examine the origins and reproduction of the state, social classes, multiethnic configurations, and political economies. " }, - "HUM 119": { + "ANTH 192": { "prerequisites": [], - "name": "Special Topics in Humanities", - "description": "An in-depth study of topics in the humanities. Subject matter varies, focusing on one author, intellectual topic, or specific historical tradition. May be repeated up to three times for credit when topics vary. (F) " + "name": "Senior Seminar in Anthropology", + "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in anthropology (at the upper-division level). Senior Seminars may be offered in all campus departments. Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and consent of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" }, - "HUM 195": { + "ANTH 195": { "prerequisites": [], - "name": "Methods of Teaching Humanities", - "description": "An introduction to teaching humanities. Students are required to attend weekly discussions on methods of teaching humanities and will teach discussion sections of one of the humanities courses. Attendance at lecture of the course in which the student is participating is required. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Instructional Apprenticeship in Anthropology", + "description": "Course gives students experience in teaching of anthropology at the lower-division level. Students, under direction of instructor, lead discussion sections, attend lectures, review course readings, and meet regularly to prepare course materials and to evaluate examinations and papers. Course not counted toward minor or major.\u00a0P/NP grades only. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " }, - "HUM 199": { + "ANTH 196A": { "prerequisites": [], - "name": "Special Studies", - "description": "Individually guided readings or projects in area of humanities not normally covered in standard curriculum. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Honors Studies in Anthropology", + "description": "Seminar to explore student research interests and methodologies needed to complete Honors Thesis in ANTH 196B. Students will be admitted to the Honors Program by invitation of the department in the spring of their junior year. Completion of this course with a grade of at least B+ is a prerequisite to ANTH 196B. ** Department approval required ** " }, - "BENG 1": { + "ANTH 196B": { + "prerequisites": [ + "ANTH 196A" + ], + "name": "Honors Studies in Anthropology ", + "description": "Independent preparation of a senior thesis under the supervision of a faculty member. Students begin two-quarter sequence in fall quarter. " + }, + "ANTH 196C": { + "prerequisites": [ + "ANTH 196A-B" + ], + "name": "Honors Studies in Anthropology", + "description": "A weekly research seminar where students share, read, and discuss in-depth research findings resulting from ANTH 196A and 196B along with selected background literature used in each individual thesis. Students are also taught how to turn their theses into brief presentations for both specialized and broader audiences. Students will be offered opportunities to present their findings at campus events and outreach events during the quarter. " + }, + "ANTH 197": { "prerequisites": [], - "name": "Introduction to Bioengineering", - "description": "An introduction to bioengineering that includes lectures and hands-on laboratory for design projects. The principles of problem definition, engineering inventiveness, team design, prototyping, and testing, as well as information access, engineering standards, communication, ethics, and social responsibility will be emphasized. P/NP grades only. " + "name": "Field Studies", + "description": "Directed group study on a topic or in a field not included in the regular departmental curriculum by special arrangement with a faculty member. Student may take this course twice for credit. Please note: Majors may only apply eight units of approved P/NP credit toward the major, and minors may only apply four units of P/NP credit toward the minor. Please contact the department for a list of courses you may take on a P/NP basis and apply toward the major or minor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " }, - "BENG 2": { + "ANTH 198": { "prerequisites": [], - "name": "Introductory Computer Programming and Matlab", - "description": "Introduction to Matlab is designed to give students fluency in Matlab, including popular toolboxes. Consists of interactive lectures with a computer running Matlab for each student. Topics: variables, operations, and plotting; visualization and programming; and solving equations and curve fitting. ** Consent of instructor to enroll possible **" + "name": "Directed Group Study", + "description": "Independent study and research under the direction of a member of the faculty. Student may take this course twice for credit. Please note: majors may only apply eight units of approved P/NP credit toward the major, and minors may only apply four units of P/NP credit toward the minor. Please contact the department for a list of courses you may take on a P/NP basis and apply toward the major or minor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** ** Department approval required ** " }, - "BENG 87": { + "ANTH 199": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. (F,W,S) " + "name": "Independent Study", + "description": "Course will vary in title and content. When offered, the current description and title is found in the current Schedule of Classes and the Department of Anthropology website. May be taken for credit four times. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "BENG 97": { + "ANAR 100": { "prerequisites": [], - "name": "Internship/Field Studies", - "description": "An enrichment program available to a limited number of lower-division undergraduate students, which provides work experience with industry, government offices, and hospitals. The internship is coordinated through UC San Diego\u2019s Academic Internship Program under the supervision of a faculty member and an industrial, government, or hospital employee. " + "name": "Special Topics in Anthropological Archaeology", + "description": "This course is an introduction to geographic information systems (GIS) and spatial analysis for anthropologists and archaeologists. The course will provide students with background theory and basic skills in GIS through lectures and hands-on lab activities. Students will learn the basics of acquiring, storing, manipulating, analyzing, and visualizing spatial data for anthropological study. " }, - "BENG 98": { + "ANAR 104": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Directed group study on a topic or in a field not included in the regular department curriculum. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Introduction to Geographic Information Systems", + "description": "As part of the broad discipline of anthropology, archaeology provides the long chronological record needed for investigating human and social evolution. The theories and methods used in this field are examined. (Archaeology core sequence course.) Recommended preparation: ANTH 3. " }, - "BENG 99": { + "ANAR 111": { "prerequisites": [], - "name": "Independent Study for Undergraduates", - "description": "Independent reading or research by arrangement with a bioengineering faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Foundations of Archaeology", + "description": "The class will provide a basic overview of Israel\u2019s natural resources, including water, stone, minerals, oil, and gas. Case studies on ancient exploitation of these resources will be presented (e.g., copper extraction from ore in the Negev, water management in Biblical Israel, stone quarrying for the Temple Mount, etc.), followed by a discussion on the current role of these resources in the economy of modern Israel. " }, - "BENG 99H": { + "ANAR 113": { "prerequisites": [], - "name": "Independent Study", - "description": "Independent study or research under direction of a member of the faculty. ** Upper-division standing required ** " + "name": "Past, Present, and Future Perspectives on Natural Resources in Israel", + "description": "Israel, like California, is located on a complex tectonic boundary, which is responsible for a history of earthquakes, volcanism, and tsunamis. How great is the risk today and what will be the regional impact of a major earthquake? We will try to answer these questions by understanding the basic geology of Israel and reviewing the history of natural disasters as recorded by archaeology and historical documentation. " }, - "BENG 100": { - "prerequisites": [ - "BENG 1", - "MATH 18", - "or", - "MATH 31AH", - "or", - "MATH 20F", - "MATH 20C", - "or", - "MATH 31BH", - "and", - "MATH 20D", - "and", - "PHYS 2A-B-C" - ], - "name": "Statistical Reasoning for Bioengineering Applications ", - "description": "General introduction to probability and statistical analysis, applied to bioengineering design. Topics include preliminary data analysis, probabilistic models, experiment design, model fitting, goodness-of-fit analysis, and statistical inference/estimation. Written and software problems are provided for modeling and visualization. ** Consent of instructor to enroll possible **" + "ANAR 114": { + "prerequisites": [], + "name": "Environmental Hazards in Israel", + "description": "Students will develop a broad understanding of the morphological features that are identified in coastal systems, and the short- and long-term processes that shape them through time. Students will become familiar with terminology, approaches, and methodologies used in coastal geomorphological research, which are relevant for today\u2019s study of climate and environmental change, with a focus on coastal sedimentary environments and an emphasis on the coast of Israel from ancient times until today. " }, - "BENG 102": { - "prerequisites": [ - "BENG 120" - ], - "name": "Molecular Components of Living Systems", - "description": "Introduction to molecular structures. Macromolecules and assemblies-proteins, nucleic acids, and metabolites. Principles of design of simple and complex components of organelles, cells, and tissues. ** Consent of instructor to enroll possible **" + "ANAR 115": { + "prerequisites": [], + "name": "Coastal Geomorphology and Environmental Change\u2014Perspectives from Israel and the South-Eastern Mediterranean", + "description": "This course provides students with a broad understanding of the most current sea level change research that has been conducted around the globe. Students will be introduced to the general terminology used in this field, coastal shallow marine and deep-sea sea level indicators, and their degree of uncertainty, along with corresponding dating methods. An emphasis will be given to sea-level studies conducted in Israel and neighboring lands. " }, - "BENG 103B": { - "prerequisites": [ - "MAE 101A", - "or", - "BENG 112A" - ], - "name": "Bioengineering Mass Transfer", - "description": "Mass transfer in solids, liquids, and gases with application to biological systems. Free and facilitated diffusion. Convective mass transfer. Diffusion-reaction phenomena. Active transport. Biological mass transfer coefficients. Steady and unsteady state. Flux-force relationships. (Credit not allowed for both CENG 101C and BENG 103B.) ** Consent of instructor to enroll possible **" + "ANAR 116": { + "prerequisites": [], + "name": "Sea Level Change\u2014The Israel Case in World Perspective", + "description": "The archaeological field and laboratory class will take place in the field in San Diego or adjacent counties. This course is a hands-on introduction to the research design of interdisciplinary archaeological projects and techniques of data collection, including survey, excavation, or laboratory analysis. May be taken for credit up to two times. Program or materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "BENG 110": { - "prerequisites": [ - "MATH 20D", - "MATH 20E", - "or", - "MATH 31CH", - "MATH 18", - "or", - "MATH 31AH" - ], - "name": "Musculoskeletal Biomechanics ", - "description": "Statics, dynamics, and solid mechanics of hard and soft musculoskeletal tissues. Forces, moments, static equilibrium, kinematics, kinetics applied to human mechanics, and movement. Stress, strain, and material properties of musculoskeletal tissues. Problem solving and design in biomechanics. ** Consent of instructor to enroll possible **" + "ANAR 117": { + "prerequisites": [], + "name": "Archaeological Field and Lab Class, Southern California", + "description": "Our campus houses some of the earliest human settlements in North America. This course reviews the archaeology, climate, and environment of the sites and outlines research aimed at understanding the lives of these early peoples. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "BENG 112A": { - "prerequisites": [ - "BENG 110" - ], - "name": "Soft Tissue Biomechanics", - "description": "Tensor analysis. Stress, strain, equilibrium, and constitutive law for soft biological tissues. Applications of solid mechanics to mammalian tissue physiology. Viscoelasticity. Finite elasticity. Problem solving and design in soft tissue biomechanics. ** Consent of instructor to enroll possible **" + "ANAR 118": { + "prerequisites": [], + "name": "Archaeology of the UC San Diego Campus", + "description": "The archaeological field and laboratory class will take place at Moquegua, Peru. It is an introduction to the research design of interdisciplinary projects, the technique of data collections, the methods of excavation and postexcavation lab work. Course materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "BENG 112B": { - "prerequisites": [ - "BENG 112A" - ], - "name": "Fluid and Cell Biomechanics", - "description": "Fluid hydrostatics and flow dynamics. Flow kinematics and conservation laws applied to the circulation. Viscous biofluids. Biopolymers, cell mechanics, and mechanobiology. Problem solving and design in biofluid and cell mechanics. ** Consent of instructor to enroll possible **" + "ANAR 119S": { + "prerequisites": [], + "name": "Archaeological Field and Lab Class", + "description": "This course will help familiarize students with the types of methods that people use to document shifting climate in the past and present day, in addition to training on geospatial data sets. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "BENG 119A": { - "prerequisites": [ - "BENG 187B" - ], - "name": "Design Development in Biomechanics", - "description": "Development of design project in biomechanics. ** Consent of instructor to enroll possible **" + "ANAR 120": { + "prerequisites": [], + "name": "Documenting Climate Change: Past and Present", + "description": "Concerns the latest developments in digital data capture, analyses, curation, and dissemination for cultural heritage. Introduction to geographic information systems (GIS), spatial analysis, and digital technologies applied to documentation and promotion of cultural heritage and tourism. Lectures and lab exercises. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "BENG 119B": { - "prerequisites": [ - "BENG 187C" - ], - "name": "\t\t\t\t Design Implementation in Biomechanics", - "description": "Implementation of design project in biomechanics. ** Consent of instructor to enroll possible **" + "ANAR 121": { + "prerequisites": [], + "name": "Cyber-Archaeology and World Digital Cultural Heritage", + "description": "This course explores the archaeology of Asia from the first humans through the rise of state societies. Topics include the environmental setting, pioneer migrations, hunting and gathering societies, plant and animal domestication, and the development of metallurgy, agriculture, technology, trade, and warfare in early civilizations. We consider how ancient political, intellectual, and artistic achievements shape the archaeological heritage in present-day Asia. " }, - "BENG 120": { - "prerequisites": [ - "CHEM 6A", - "and" - ], - "name": "Organic Chemistry Structural and Design Principles", - "description": "Structural and design principles of carbon compounds. Structure and stereochemistry. Functional groups and chemical transformations. Structure and design principles of biomolecules. Molecules of life and their organization. ** Consent of instructor to enroll possible **" + "ANAR 124": { + "prerequisites": [], + "name": "Archaeology of Asia", + "description": "Study Abroad program that examines the origins and history of ancient Mediterranean civilizations from the late Neolithic period through the Classical era. During the course, students will visit some of the most important archaeological sites in the world, from the ancient megalithic temples of Malta, to Phoenician colonies of the early Iron Age, to the Carthaginian and Greek cities of Sicily, and ending with Roman Pompeii and Herculaneum, destroyed by the eruption of Vesuvius in AD 79. Students are required to apply for this Study Abroad course. Program or materials fees may apply. ** Department approval required ** " }, - "BENG 122A": { - "prerequisites": [ - "MAE 140", - "or", - "BENG 134" - ], - "name": "Biosystems and Control", - "description": "Systems and control theory applied to bioengineering. Modeling, linearization, transfer functions, Laplace transforms, closed-loop systems, design and simulation of controllers. Dynamic behavior and controls of first and second order processes. PID controllers. Stability. Bode design. Features of biological controls systems. A simulation project using Matlab and an oral presentation are required. Credit not allowed for both ECE 101 and BENG 122A. ** Consent of instructor to enroll possible **" + "ANAR 135S": { + "prerequisites": [], + "name": "Ancient Mediterranean Civilization", + "description": "This course explores in detail the rise of the world\u2019s earliest cities and states in Mesopotamia and the ancient Near East during the fourth millennium B.C. " }, - "BENG 123": { - "prerequisites": [ - "MATH 18", - "or", - "MATH 31AH", - "MATH 20D", - "BENG 120", - "or", - "CHEM 40B" - ], - "name": "Dynamic Simulation in Bioengineering ", - "description": "Dynamic simulation of biochemical reaction networks, including reconstruction of networks, mathematical description of kinetics of biochemical reactions, dynamic simulation of systems of biochemical reactions, and use of simulators for data interpretation and prediction in biology. Emphasis on a design project. ** Consent of instructor to enroll possible **" + "ANAR 138": { + "prerequisites": [], + "name": "Mesopotamia: The Emergence of Civilization", + "description": "Israel is a land-bridge between Africa and Asia. Course highlights the prehistory of the Levant and its interconnections from the Paleolithic to the rise of the earliest cities in anthropological perspective. " }, - "BENG 125": { - "prerequisites": [ - "BENG 122A", - "or", - "BENG 123" - ], - "name": "Modeling and Computation in Bioengineering", - "description": "Computational modeling of molecular bioengineering phenomena: excitable cells, regulatory networks, and transport. Application of ordinary, stochastic, and partial differential equations. Introduction to data analysis techniques: power spectra, wavelets, and nonlinear time series analysis. ** Consent of instructor to enroll possible **" + "ANAR 141": { + "prerequisites": [], + "name": "Prehistory of the Holy Land", + "description": "The emergence and consolidation of the state in ancient Israel is explored by using archaeological data, biblical texts, and anthropological theories. The social and economic processes responsible for the rise and collapse of ancient Israel are investigated. Recommended preparation: ANTH 3. " }, - "BENG 126A": { - "prerequisites": [ - "BENG 187B" - ], - "name": "Design Development in Bioinformatics Bioengineering", - "description": "Development of design project in bioinformatics bioengineering. ** Consent of instructor to enroll possible **" + "ANAR 142": { + "prerequisites": [], + "name": "The Rise and Fall of Ancient Israel", + "description": "The relationship between archaeological data, historical research, the Hebrew Bible, and anthropological theory are explored along with new methods and current debates in Levantine archaeology. " }, - "BENG 126B": { - "prerequisites": [ - "BENG 126A" - ], - "name": "Design Implementation in Bioinformatics Bioengineering", - "description": "Implementation of design project in bioinformatics bioengineering. ** Consent of instructor to enroll possible **" + "ANAR 143": { + "prerequisites": [], + "name": "Biblical Archaeology\u2014Fact or Fiction ", + "description": "An introductory survey of the archaeology, history, art, and architecture of ancient Egypt that focuses on the men and women who shaped Western civilization. " }, - "BENG 127A": { - "prerequisites": [ - "BENG 187B" - ], - "name": "Design Development in Molecular Systems Bioengineering", - "description": "Development of design project in molecular systems bioengineering. ** Consent of instructor to enroll possible **" + "ANAR 144": { + "prerequisites": [], + "name": "Pharaohs, Mummies, and Pyramids: Introduction to Egyptology", + "description": "Introduction to the archaeology, history, art, architecture, and hieroglyphs of ancient Egypt. Taught in the field through visits to important temples, pyramids, palaces, and museums in Egypt. Complementary to ANAR 144.\u00a0Course/program fees may apply. ** Consent of instructor to enroll possible **" }, - "BENG 127B": { - "prerequisites": [ - "BENG 127A" - ], - "name": "Design Implementation in Molecular Systems Bioengineering", - "description": "Implementation of design project in molecular systems bioengineering. ** Consent of instructor to enroll possible **" + "ANAR 145S": { + "prerequisites": [], + "name": "Study Abroad: Egypt of the Pharaohs", + "description": "What should we eat and how should we farm to guide a sustainable future? This course will examine what humans evolved to eat and how we began to first cultivate the foods we rely on today. After a survey of traditional farming methods around the world, we will examine how farming systems have changed since the Green Revolution and its successes and failures. The final part of class will focus on the last twenty years, when humans began to modify plant life at the genetic level. Students may not receive credit for ANAR 146 and SIO 146. " }, - "BENG 128A": { - "prerequisites": [ - "BENG 187B" - ], - "name": "Design Development in Genetic Circuits Bioengineering", - "description": "Development of design project in genetic circuits bioengineering. ** Consent of instructor to enroll possible **" + "ANAR 146": { + "prerequisites": [], + "name": "Feeding the World", + "description": "The archaeology, anthropology, and history of the Maya civilization, which thrived in Mexico and Central America from 1000 BC, until the Spanish conquest.\u00a0" }, - "BENG 128B": { - "prerequisites": [ - "BENG 128A" - ], - "name": "Design Implementation in Genetic Circuits Bioengineering", - "description": "Implementation of design project in genetic circuits bioengineering. ** Consent of instructor to enroll possible **" + "ANAR 153": { + "prerequisites": [], + "name": "The Mysterious Maya", + "description": "Introduction to the archaeology of the ancient culture of Mexico from the early Olmec culture through the Postclassic Aztec, Tarascan, Zapotec, and Mixtec states. Agriculture; trade and exchange; political and social organization; kinship networks; religious system, ideology, and worldviews. " }, - "BENG 129A": { - "prerequisites": [ - "BENG 187B" - ], - "name": "Design Development in Cell Systems Bioengineering", - "description": "Development of design project in cell systems bioengineering. ** Consent of instructor to enroll possible **" + "ANAR 154": { + "prerequisites": [], + "name": "The Aztecs and their Ancestors", + "description": "This course is an introduction to the archaeology of Mesoamerica and will provide students with the opportunity to gain practical skills from the field. Students will learn hands on by visiting significant ancient cities and museums in Mexico and Central America. Students may receive a combined total of twelve units for ANAR 155 and ANAR 155S. Program or material fee may apply. ** Consent of instructor to enroll possible **" }, - "BENG 129B": { - "prerequisites": [ - "BENG 129A" - ], - "name": "Design Implementation in Cell Systems Bioengineering", - "description": "Implementation of design project in cell systems bioengineering. ** Consent of instructor to enroll possible **" + "ANAR 155": { + "prerequisites": [], + "name": "Study Abroad: Ancient Mesoamerica", + "description": "Introduction to archaeology of Mesoamerica, taught through visits to important ancient cities and museums of Mexico and Central America. Complementary to ANAR 154. Itinerary and subject will vary, so course may be taken more than once. Students may receive a combined total of twelve units for ANAR 155S and ANAR 155. Program or material fee may apply. " }, - "BENG 130": { - "prerequisites": [ - "CHEM 6B", - "MATH 20A", - "PHYS 2A" - ], - "name": "Biotechnology Thermodynamics and Kinetics ", - "description": "An\u00a0introduction to physical principles that govern biological matter and processes, with engineering examples. Thermodynamic principles, structural basis of life, molecular reactions and kinetics, and models to illustrate biological phenomena. ** Consent of instructor to enroll possible **" + "ANAR 155S": { + "prerequisites": [], + "name": "Study Abroad: Ancient Mesoamerica", + "description": "This course will examine archaeological evidence for the development of societies in the South American continent. From the initial arrival of populations through to the Inca period and the arrival of the Spaniards. " }, - "BENG 133": { - "prerequisites": [ - "MATH 20D", - "and" - ], - "name": "Numerical Analysis and Computational Engineering", - "description": "Principles of digital computing, including number representation and arithmetic operations. Accuracy, stability, and convergence. Algorithms for solving linear systems of equations, interpolation, numerical differentiation, and integration and ordinary differential equations. ** Consent of instructor to enroll possible **" + "ANAR 156": { + "prerequisites": [], + "name": "The Archaeology of South America", + "description": "The civilizations of Wari and Tiwanaku built the first empires of Andean South America long before the Inca. Middle Horizon (AD 500\u20131000) mythohistory, urbanism, state origins, art, technology, agriculture, colonization, trade, and conquest are explored using ethnohistory and archaeological sources. Students may not receive credit for both ANAR 157S and ANAR 157. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "BENG 134": { - "prerequisites": [ - "MATH 20D", - "and", - "MATH 18", - "or", - "MATH 31AH" - ], - "name": "Measurements, Statistics, and Probability", - "description": "A combined lecture and laboratory course that provides an introductory treatment of probability theory, including distribution functions, moments, and random variables. Practical applications include estimation of means and variances, hypothesis testing, sampling theory, and linear regression. ** Consent of instructor to enroll possible **" + "ANAR 157": { + "prerequisites": [], + "name": "Early Empires of the Andes: The Middle Horizon", + "description": "The civilizations of Wari and Tiwanaku built the first empires of Andean South America long before the Inca. Middle Horizon (AD 500\u20131000) mythohistory, urbanism, state origins, art, technology, agriculture, colonization, trade, and conquest are explored using ethnohistory and archaeological sources. Course is offered during summer Study Abroad. Students may not receive credit for both ANAR 157 and ANAR 157S. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "BENG 135": { - "prerequisites": [ - "ECE 45", - "and", - "BENG 133" - ], - "name": "Biomedical Signals and Systems", - "description": "Discrete systems: linearity, convolution, impulse, and step responses. Linear systems properties. Difference equations. Fourier Series. Continuous FS. Discrete FS. Periodic signals, filtering, and FT. Discrete FT examples. Frequency response of linear systems. Sampling. Relationship between FT, DFT. Laplace Transform. LT and inverse LT. ** Consent of instructor to enroll possible **" + "ANAR 157S": { + "prerequisites": [], + "name": "Early Empires of the Andes: The Middle Horizon", + "description": "The history and culture of the Inca Empire of South America and its fatal encounter with the West. Archaeological excavations, accounts from the sixteenth and seventeenth centuries, and ethnographies of present-day peoples of the Andes are explored. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "BENG 139A": { - "prerequisites": [ - "BENG 187B" - ], - "name": "Design Development in Molecular Bioengineering", - "description": "Development of design project in molecular bioengineering. ** Consent of instructor to enroll possible **" + "ANAR 158": { + "prerequisites": [], + "name": "The Inca: Empire of the Andes", + "description": "This course considers in detail a particular region or archaeological site within the Maya area.\u00a0Content will cover primary literature on Maya archaeology, epigraphy, and art history. Course content will vary based on the specific region/site. May be taken for credit three times. ** Upper-division standing required ** " }, - "BENG 139B": { - "prerequisites": [ - "BENG 139A" - ], - "name": "Design Implementation in Molecular Bioengineering", - "description": "Implementation of design project in molecular bioengineering. ** Consent of instructor to enroll possible **" + "ANAR 160": { + "prerequisites": [], + "name": "Ancient Maya: Archaeological Problems and Perspectives", + "description": "(Cross-listed with SIO 164.) Underwater archaeology provides access to ancient environmental and cultural data concerning human adaptation to climate and environmental change. Provides an overview of methods, theories, and practice of marine archaeology including environmental characteristics of coastal and underwater settings; the nature of ports, navigation, maritime culture, submerged landscapes, shipbuilding; methods of research in underwater settings; and legislative issues regarding underwater and coastal heritage. Students may not receive credit for both ANAR 164 and SIO 164. " }, - "BENG 140A": { - "prerequisites": [ - "CHEM 6A-B", - "PHYS 2A-B-C", - "BILD 1", - "or", - "BENG 102" - ], - "name": "Bioengineering Physiology", - "description": "Introductory mammalian physiology for bioengineering students, with emphasis on control mechanisms and engineering principles. Basic cell functions; biological control systems; muscle; neural; endocrine, and circulatory systems. Not intended for premedical bioengineering students. Credit not allowed for both BIPN 100 and BENG 140A. ** Consent of instructor to enroll possible **" + "ANAR 164": { + "prerequisites": [], + "name": "Underwater Archaeology\u2014From Atlantis to Science", + "description": "This course will follow the interaction between humans and the sea in cultures that formed the biblical world of the second and first millennium BCE: the Canaanites, Israelites, Egyptians, Phoenicians, Philistines, and cultures of the Aegean Sea. Themes discussed will be maritime matters in the Canaanite and biblical narrative, key discoveries in maritime coastal archaeology of the eastern Mediterranean, shipwrecks: Canaanite, Phoenician, and Aegean, Egyptian ports, and Egyptian sea adventures. " }, - "BENG 140B": { - "prerequisites": [ - "BENG 140A" - ], - "name": "Bioengineering Physiology", - "description": "Introductory mammalian physiology for bioengineering students, with emphasis on control mechanisms and engineering principles. Digestive, respiratory, renal, and reproductive systems; regulation of metabolism, and defense mechanisms. (Credit not allowed for both BIPN 102 and BENG 140B.) ** Consent of instructor to enroll possible **" + "ANAR 165": { + "prerequisites": [], + "name": "Marine and Coastal Archaeology and the Biblical Seas", + "description": "(Cross-listed with SIO 166.) Introduction to the multidisciplinary tools for paleoenvironmental analysis\u2014from ecology, sedimentology, climatology, zoology, botany, chemistry, and others\u2014and provides the theory and method to investigate the dynamics between human behavior and natural processes. This socioecodynamic perspective facilitates a nuanced understanding of topics such as resource overexploitation, impacts on biodiversity, social vulnerability, sustainability, and responses to climate change. Students may not receive credit for ANAR 166 and SIO 166. " }, - "BENG 141": { + "ANAR 166": { "prerequisites": [ - "BENG 100" + "ANTH 3", + "and", + "SIO 50" ], - "name": "Biomedical Optics and Imaging", - "description": "Introduction to optics. Light propagation in tissue. Propagation modeling. Optical components. Laser concepts. Optical coherence tomography. Microscopic scattering. Tissue optics. Microscopy. Confocal microscopy. Polarization in tissue. Absorption, diffuse reflection, light scattering spectroscopy. Raman, fluorescence lifetime imaging. Photo-acoustic imaging. ** Consent of instructor to enroll possible **" + "name": "Introduction to Environmental Archaeology\u2014Theory and Method of Socioecodynamics and Human Paleoecology", + "description": "(Cross-listed with SIO 167.) As specialists in human timescales, archaeologists are trained to identify subtle details that are often imperceptible for other geoscientists. This course is designed to train archaeologists to identify the natural processes affecting the archaeological record, and geoscientists to identify the influence of human behavior over land surfaces. The course, which includes lectures, laboratory training, and field observations, focuses on the articulation of sedimentology and human activity. Students may not receive credit for both ANAR 167 and SIO 167. " }, - "BENG 147A": { - "prerequisites": [ - "BENG 187B" - ], - "name": "Design Development in Neural Engineering", - "description": "Development of design project in neural engineering. ** Consent of instructor to enroll possible **" + "ANAR 167": { + "prerequisites": [], + "name": "Geoarchaeology in Theory and Practice", + "description": "This course examines the ways in which archaeologists study ancient artifacts, contexts, and their distribution in time and space to interpret ancient cultures. It will cover basic techniques of collections and field research with particular concentration on the quantitative contextual, spatial, stylistic, and technological analyses of artifacts and ecofacts from ongoing UC San Diego field projects in archaeology. " }, - "BENG 147B": { - "prerequisites": [ - "BENG 147A" - ], - "name": "Design Implementation in Neural Engineering", - "description": "Implementation of design project in neural engineering. ** Consent of instructor to enroll possible **" + "ANAR 180": { + "prerequisites": [], + "name": "Archaeology Workshop: Advanced Lab Work in Archaeology ", + "description": "Varying theoretical models and available archaeological evidence are examined to illuminate the socio-evolutionary transition from nomadic hunter-gathering groups to fully sedentary agricultural societies in the Old and New Worlds. Archaeology concentration course. Recommended preparation: ANTH 3. " }, - "BENG 148A": { - "prerequisites": [ - "BENG 187B" - ], - "name": "Design Development in Cardiac Bioengineering", - "description": "Development of design project in cardiac bioengineering. ** Consent of instructor to enroll possible **" + "ANAR 182": { + "prerequisites": [], + "name": "Origins of Agriculture and Sedentism", + "description": "The course focuses on theoretical models for the evolution of complex societies and on archaeological evidence for the development of various pre- and protohistoric states in selected areas of the Old and New Worlds. Archaeology concentration course. Recommended preparation: ANTH 3. " }, - "BENG 148B": { - "prerequisites": [ - "BENG 148A" - ], - "name": "Design Implementation in Cardiac Bioengineering", - "description": "Implementation of design project in cardiac bioengineering. ** Consent of instructor to enroll possible **" + "ANAR 183": { + "prerequisites": [], + "name": "Chiefdoms, States, and the Emergence of Civilizations", + "description": "In what ways were ancient empires different from modern ones? We discuss theories of imperialism and examine cross-cultural similarities and differences in the strategies ancient empires used to expand and explore how they produced, acquired, and distributed wealth. " }, - "BENG 149A": { - "prerequisites": [ - "BENG 187B" - ], - "name": "Design Development in Vascular Bioengineering", - "description": "Development of design project in vascular bioengineering. ** Consent of instructor to enroll possible **" + "ANAR 184": { + "prerequisites": [], + "name": "Empires in Archaeological Perspective ", + "description": "The course uses a comparative perspective to examine changes in how human societies organized themselves after the end of the last Ice Age across the world and the impact that those changes had on the planet\u2019s natural environment. " }, - "BENG 149B": { - "prerequisites": [ - "BENG 149A" - ], - "name": "Design Implementation in Vascular Bioengineering", - "description": "Implementation of design project in vascular bioengineering. ** Consent of instructor to enroll possible **" + "ANAR 185": { + "prerequisites": [], + "name": "Middle East Desert Cultural Ecology", + "description": "The archaeological field school will take place in the eastern Mediterranean region. It is an introduction to the design of research projects, the techniques of data collection, and the methods of excavation. Includes postexcavation lab work, study trips, and field journal. Program or materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "BENG 152": { - "prerequisites": [ - "BENG 102" - ], - "name": "Biosystems Engineering Laboratory", - "description": "Experimental study of real and simulated systems and their controls (examples will include electrical, biological, and biomechanical systems). Projects consist of identification, input-output analysis, design, and implementation of analog controls. Laboratory examples will include electrical circuit design and analysis, analysis of living tissues such as bone, analysis and manipulation of cells (bacteria in chemostat). Program or materials fees may apply.\u00a0 ** Consent of instructor to enroll possible **" + "ANAR 186": { + "prerequisites": [], + "name": "The Human Era: The Archaeology of the Anthropocene", + "description": "Students learn advanced field methods in cyber-archaeology and excavation. Includes 3-D data capture tools and processing, digital photography, construction of research designs, cyber-infrastructure. Takes place in the eastern Mediterranean region. Program or materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "BENG 160": { - "prerequisites": [ - "BICD 100", - "BENG 100", - "MAE 170" - ], - "name": "Chemical and Molecular Bioengineering Techniques", - "description": "Introductory laboratory course in current principles and techniques of chemistry and molecular biology applicable to bioengineering. Quantitation of proteins and nucleic acids by spectrophotometric, immunological, and enzymatic methods. Separations and purification by centrifugation, chromatographic, and electrophoretic methods. Course materials fees may apply. ** Consent of instructor to enroll possible **" + "ANAR 190": { + "prerequisites": [], + "name": "Eastern Mediterranean Archaeological Field School ", + "description": "Course usually taught by visiting faculty in biological anthropology. Course will vary in title and content. When offered, the current description and title is found in the current Schedule\nof Classes and the Department of Anthropology website. May be taken for credit four times as topics vary. " }, - "BENG 161A": { - "prerequisites": [ - "BENG 123", - "and", - "BENG 160" - ], - "name": "Bioreactor Engineering", - "description": "Engineering, biochemical, and physiological considerations in the design of bioreactor processes: enzyme kinetics, mass transfer limitations, microbial growth, and product formation kinetics. Fermentation reactor selection, design, scale-up, control. Quantitative bioengineering analysis and design of biochemical processes and experiments on biomolecules. ** Consent of instructor to enroll possible **" + "ANAR 191": { + "prerequisites": [], + "name": "Advanced Cyber-Archaeology Field School", + "description": "A weekly forum for presentation and discussion of work in anthropology and cognitive neuroscience by faculty, students, and guest speakers. P/NP only. Please note: Majors may only apply eight units of approved P/NP credit toward the major, and minors may only apply four units of P/NP credit toward the minor. " }, - "BENG 161B": { - "prerequisites": [ - "BENG 161A" - ], - "name": "Biochemical Engineering", - "description": "Commercial production of biochemical commodity products. Application of genetic control systems and mutant populations. Recombinant DNA and eukaryotic proteins in E. coli and other host organisms. Product recovery operations, including the design of bioseparation processes of filtration, adsorption, chromatography, and crystallization. Bioprocess economics. Human recombinant erythropoietin as an example, from genomic cloning to CHO cell expression, to bioreactor manufacturing and purification of medical products for clinical application. ** Consent of instructor to enroll possible **" + "ANBI\n\t\t\t\t 100": { + "prerequisites": [], + "name": "Special Topics in Biological Anthropology", + "description": "Major stages of human evolution including the fossil evidence for biological and cultural changes through time. " }, - "BENG 162": { - "prerequisites": [ - "MAE 170", - "and", - "BENG 160" - ], - "name": "Biotechnology Laboratory", - "description": "Laboratory practices and design principles for biotechnology. Culture of microorganisms and mammalian cells, recombinant DNA bioreactor design and operation. Design and implementation of biosensors. A team design-based term project and oral presentation required. Course materials fees may apply. ** Consent of instructor to enroll possible **" + "ANBI 109": { + "prerequisites": [], + "name": "Brain Mind Workshop", + "description": "Cytoarchitecture reveals the fundamental structural organization of the human brain and stereology extracts quantitative information in a three-dimensional space. Students will learn the principles of both fields and their applications. ** Consent of instructor to enroll possible **" }, - "BENG 166A": { - "prerequisites": [ - "BENG 103B", - "or", - "BENG 112B" - ], - "name": "Cell and Tissue Engineering", - "description": "Engineering analysis of physico-chemical rate processes that affect, limit, and govern the function of cells and tissues. Cell migration, mitosis, apoptosis, and differentiation. Dynamic and structural interactions between mesenchyme and parenchyme. The role of the tissue microenvironment including cell-cell interactions, extracellular matrix, and growth factor communication. The design of functional tissue substitutes including cell and material sourcing, scale-up and manufacturability, efficacy and safety, regulatory, and ethical topics. Clinical applications. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ANBI 111": { + "prerequisites": [], + "name": "Human Evolution", + "description": "Primate (and other vertebrate) conservation involves a variety of methods: field (e.g., population and habitat assessment), computer (e.g., population genetic models), and increasingly the web (e.g. interactive GIS and databases). Course takes problem-solving approach to learning some of these methods. " }, - "BENG 168": { - "prerequisites": [ - "BILD 1", - "and", - "BENG 100" - ], - "name": "Biomolecular Engineering", - "description": "Basic molecular biology and recombinant DNA technologies. Structure and function of biomolecules that decode genomes and perform energy conversion, enzymatic catalysis, and active transport. Metabolism of macromolecules. Molecular diagnostics. Design, engineering, and manufacture of proteins, genomes, cells, and biomolecular therapies. ** Consent of instructor to enroll possible **" + "ANBI 112": { + "prerequisites": [], + "name": "Methods in Human Comparative Neuroscience ", + "description": "This course examines how human sexuality evolved and how it is similar/dissimilar to that of other primates. The topics include the evolution of mating strategies and parenting strategies including the role of sexual selection and how hormones control these behaviors. " + }, + "ANBI 114": { + "prerequisites": [], + "name": "Methods in Primate Conservation", + "description": "From fragments of ancient DNA discovered in the pigment of 50,000-year-old cave paintings, to the remains of Neanderthal bones buried in caves, the potential to extract DNA from ancient human remains has revolutionized the study of human prehistory and evolution. In this course we will focus on technological benchmarks that have allowed the interpretation of ancient genomes. Some highlights include evidence of ancient hominid-human mixing and the spread of farming and languages across the globe. " }, - "BENG 169A": { - "prerequisites": [ - "BENG 187B" - ], - "name": "Design Development in Tissue Engineering", - "description": "Development of design project in tissue engineering. ** Consent of instructor to enroll possible **" + "ANBI\n\t\t\t\t 116": { + "prerequisites": [], + "name": "Human Sexuality in an Evolutionary Perspective ", + "description": "Mobile tools are democratizing access to biomedicine in low resource areas of the world. This course highlights the impact of portable technologies on human biology through three modes of innovation: communication (e.g., sensors, cellphones), intervention (e.g., telemedicine, drones), and population analytics (e.g., metadata, epidemic tracking). " }, - "BENG 169B": { - "prerequisites": [ - "BENG 169A" - ], - "name": "Design Implementation in Tissue Engineering", - "description": "Implementation of design project in tissue engineering. ** Consent of instructor to enroll possible **" + "ANBI 117": { + "prerequisites": [], + "name": "Ancient Genomics: Who We Are and How We Got Here", + "description": "All human endeavors are subject to human biases. We\u2019ll cover several issues that are subject to such biases: \u201crace\u201d concept; transfer of human remains to Native American tribal members; nonhuman primate testing; and use of human materials, including cell lines. " }, - "BENG 172": { - "prerequisites": [ - "MAE 170" - ], - "name": "Bioengineering Laboratory", - "description": "A laboratory course demonstrating basic concepts of biomechanics, bioengineering design, and experimental procedures involving animal tissue. Sources of error and experimental limitations. Computer data acquisition, modeling, statistical analysis. Experiments on artery, muscle and heart mechanics, action potentials, viscoelasticity, electrocardiography, hemorheology. Course materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ANBI 118": { + "prerequisites": [], + "name": "Technology on the Go: Mobile Tools for Human Biology", + "description": "Biological and health consequences of racial and social inequalities. Psychosocial stress and measurement of health impact. Effects on disease and precursors to disease, including measures of molecular biology (e.g., epigenetics, gene expression), and biomarkers of inflammation, cardiometabolic health, and immune function. " }, - "BENG 179A": { - "prerequisites": [ - "BENG 187B" - ], - "name": "Design Development in Bioinstrumentation", - "description": "Development of design project in bioinstrumentation. ** Consent of instructor to enroll possible **" + "ANBI 120": { + "prerequisites": [], + "name": "Ethical Dilemmas in Biological Anthropology ", + "description": "This course examines conceptions of race from both evolutionary and sociocultural perspectives. We will examine current patterns of human genetic variation and critically determine how these patterns map onto current and historic conceptions of race in the United States, and abroad. We will also explore the social construction of race throughout US history, the use of racial categories in biomedicine today, and consequences of racism and discrimination on health. " }, - "BENG 179B": { - "prerequisites": [ - "BENG 179A" - ], - "name": "Design Implementation in Bioinstrumentation", - "description": "Implementation of design project in bioinstrumentation. ** Consent of instructor to enroll possible **" + "ANBI 121": { + "prerequisites": [], + "name": "The Original Moonshot: The Voyaging Achievements of the Polynesian Ancestors", + "description": "Interdisciplinary discussion of the human predicament, biodiversity crisis, and importance of biological conservation. Examines issues from biological, cultural, historical, economic, social, political, and ethical perspectives emphasizing new approaches and new techniques for safeguarding the future of humans and other biosphere inhabitants. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "BENG/BIMM/CSE 181": { - "prerequisites": [ - "CSE 100" - ], - "name": "Molecular Sequence Analysis", - "description": "(Cross-listed as BIMM 181 and CSE 181.) This course covers the analysis of nucleic acid and protein sequences, with an emphasis on the application of algorithms to biological problems. Topics include sequence alignments, database searching, comparative genomics, and phylogenetic and clustering analyses. Pairwise alignment, multiple alignment, DNA sequencing, scoring functions, fast database search, comparative genomics, clustering, phylogenetic trees, gene finding/DNA statistics. " + "ANBI 130": { + "prerequisites": [], + "name": "Biology of Inequality", + "description": "The great apes are our closest living relatives and their ecology and evolution provide insights for human evolutionary history and perhaps ideas about how to coexist with them. The course examines the natural history, behavior, ecology, and life history of each of the great apes including orangutans, gorillas, bonobos, and chimpanzees. We will also consider conservation issues facing wild great apes, the welfare of apes in captivity, and ethical debates on ape \u201cpersonhood.\u201d " }, - "BENG/BIMM/CSE/CHEM 182": { + "ANBI 131": { "prerequisites": [ - "CSE 100" + "BILD 1", + "and" ], - "name": "Biological Databases", - "description": "(Cross-listed as BIMM 182, CSE 182, and CHEM 182.) This course provides an introduction to the features of biological data, how those data are organized efficiently in databases, and how existing data resources can be utilized to solve a variety of biological problems. Object-oriented databases, data modeling, and data description. Survey of current biological database with respect to above; implementation of database focused on a biological topic. " + "name": "Biology and Culture of Race", + "description": "This course explores how genetic data can be used to address core issues in human evolution. We will reconstruct population history and explore sources of human genetic diversity, such as migration and selection, based on studies of modern and ancient DNA. Through critical evaluation of recent publications, we will discuss the molecular evidence for the origin of modern humans, race, reconstruction of key human migrations, interactions with the environment, and implications for disease. May be coscheduled with ANTH 264. " }, - "BENG 183": { - "prerequisites": [ - "BIMM 100", - "or", - "CHEM 114C" - ], - "name": "Applied Genomic Technologies", - "description": "Principles and technologies for using genomic information for biomedical applications. Technologies will be introduced progressively, from DNA to RNA to protein to whole cell systems. The integration of biology, chemistry, engineering, and computation will be stressed. Topics include technology for the genome, DNA chips, RNA technologies, proteomic technologies, aphysiomic and phenomic technologies, and analysis of cell function. ** Consent of instructor to enroll possible **" + "ANBI\n\t\t\t\t 132": { + "prerequisites": [], + "name": "Conservation and the Human Predicament", + "description": "This course provides hands-on experience with the latest molecular techniques as applied to questions of anthropological and human genetic interest. Students will isolate their own DNA and generate DNA sequence data. They will also measure and analyze the percent of DNA methylation at certain regions of their own genomes. We will also discuss measurement of other nongenetic biomarkers that can be incorporated into anthropological research of living populations, e.g., cortisol measures. " }, - "BENG/BIMM/CSE/CHEM 184": { - "prerequisites": [ - "BENG 181", - "or", - "BIMM 181", - "or", - "CSE 181" - ], - "name": "Computational Molecular Biology", - "description": "(Cross-listed as BIMM 184, CSE 184, and CHEM 184.) This advanced course covers the application of machine learning and modeling techniques to biological systems. Topics include gene structure, recognition of DNA and protein sequence patterns, classification, and protein structure prediction. Pattern discovery, hidden Markov models/support vector machines/neural network/profiles, protein structure prediction, functional characterization of proteins, functional genomics/proteomics, metabolic pathways/gene networks. " + "ANBI 133": { + "prerequisites": [], + "name": "Planet of the Apes: Evolution and Ecology of the Great Ape", + "description": "The human brain and the structural and functional adaptations it has undergone throughout primate evolution are responsible for the most defining characteristics of our species. This course familiarizes students with major brain structures and functions linked to human cognitive and behavioral specializations and examines the relationship between structural variation of the brain and behavior through comparative neuroanatomical studies in human neuropathologies. " }, - "BENG 186A": { - "prerequisites": [ - "BENG 112B", - "or", - "BENG 123" - ], - "name": "Principles of Biomaterials Design", - "description": "Fundamentals of materials science as applied to bioengineering design. Natural and synthetic polymeric materials. Materials characterization and design. Wound repair, blood clotting, foreign body response, transplantation biology, biocompatibility of materials, tissue engineering. Artificial organs and medical devices. Government regulations. Patenting. Economic impact. Ethical issues. A term project and oral presentation are required. ** Consent of instructor to enroll possible **" + "ANBI 134": { + "prerequisites": [], + "name": "Human Evolutionary Genetics", + "description": "The course will explore the major epidemiological transitions from ape-like ancestors to foraging tribes, farmers, and pastoralists to the global metropolitan primate we now are. We will focus on how diseases have shaped humans and how humans have shaped disease. " }, - "BENG 186B": { - "prerequisites": [ - "ECE 35", - "or", - "MAE 140" - ], - "name": "Principles of Bioinstrumentation Design", - "description": "Biophysical phenomena, transducers, and electronics as related to the design of biomedical instrumentation. Potentiometric and amperometric signals and amplifiers. Biopotentials, membrane potentials, chemical sensors. Electrical safety. Mechanical transducers for displacement, force, and pressure. Temperature sensors. Flow sensors. Light-based instrumentation. ** Consent of instructor to enroll possible **" + "ANBI 135": { + "prerequisites": [], + "name": "Genetic Anthropology Lab Techniques", + "description": "Introduction to the organization of the brain of humans and apes. Overview of the theoretical perspectives on the evolution of the primate cortex and limbic system. Exposure to contemporary techniques applied to the comparative study of the hominoid brain. " }, - "BENG 187A": { - "prerequisites": [ - "BENG 112A", - "or", - "BENG 152", - "or", - "BENG 168" - ], - "name": "Bioengineering Design Project: Planning", - "description": "General engineering design topics including project planning and design objectives, background research, engineering needs assessment, technical design specifications, engineering standards, and design requirements and constraints. Introduction to biomedical and biotechnology design projects. Career and professional advising. Majors must enroll in the course for a letter grade in order to count the sequence toward the major. No exceptions will be approved. ** Consent of instructor to enroll possible **" + "ANBI 136": { + "prerequisites": [], + "name": "Human Comparative Neuroanatomy", + "description": "The genotype of our ancestors had no agriculture or animal domestication, or rudimentary technology. Our modern diet contributes to heart disease, cancers, and diabetes. This course will outline the natural diet of primates and compare it with early human diets. " }, - "BENG 187B": { - "prerequisites": [ - "BENG 187A" - ], - "name": "Bioengineering Design Project: Development", - "description": "Development of an original bioengineering design for solution of a problem in biology or medicine. Analysis of economic issues, manufacturing and quality assurance, ethics, safety, design constraints, government regulations, and patent requirements. Oral presentation and formal engineering reports. Career and professional advising. Majors\n\t\t\t\t must enroll in the course for a letter grade in order to count\n\t\t\t\t the sequence toward the\n\t\t\t\t major. No exceptions will be approved. ** Consent of instructor to enroll possible **" + "ANBI 139": { + "prerequisites": [], + "name": "Evolution of Human Disease", + "description": "Learn the bones of your body; how bone pairs differ even within the body, between men, women, ethnic groups; and how nutrition and disease affect them. Course examines each bone and its relation with other bones and muscles that allow your movements. " }, - "BENG 187C": { - "prerequisites": [ - "BENG 187B" - ], - "name": "Bioengineering Design Project: Implementation", - "description": "Approaches to implementation of senior design project, including final report. Teams will report on construction of prototypes, conduct of testing, collection of data, and assessment of reliability and failure. Majors must enroll in the course for a letter grade in order to count the sequence toward the major. No exceptions will be approved. ** Consent of instructor to enroll possible **" + "ANBI 140": { + "prerequisites": [], + "name": "The Evolution of the Human Brain", + "description": "This course will introduce students to the internal structure of the human body through dissection tutorials on CD-ROM. " }, - "BENG 187D": { - "prerequisites": [ - "BENG 187C" - ], - "name": "Bioengineering Design Project: Presentation", - "description": "Oral presentations of design projects, including design, development, and implementation strategies and results of prototype testing. Majors must enroll in the course for a letter grade in order to count the sequence toward the major. No exceptions will be approved. ** Consent of instructor to enroll possible **" + "ANBI 141": { + "prerequisites": [], + "name": "The Evolution of Human Diet", + "description": "How are skeletal remains used to reconstruct human livelihoods throughout prehistory? The effects of growth, use, and pathology on morphology and the ways that skeletal remains are understood and interpreted by contemporary schools of thought. Recommend related course in human anatomy. " }, - "BENG 189": { - "prerequisites": [ - "BENG 133", - "and" - ], - "name": "Physiological Systems Engineering", - "description": "Quantitative description of physiological systems, e.g., electrical and mechanical properties of muscle (skeletal and cardiac). Modeling and simulation of properties. Kidney, transport, and models. Neural circuits and models. ** Consent of instructor to enroll possible **" + "ANBI 143": { + "prerequisites": [], + "name": "The Human Skeleton", + "description": "The stable isotopes of carbon, nitrogen, oxygen, and hydrogen in animal tissues, plant tissues, and soils indicate aspects of diet and ecology. The course will introduce students to this approach for reconstructing paleo-diet, paleo-ecology, and paleo-climate. " }, - "BENG 191/291": { + "ANBI 144": { "prerequisites": [], - "name": "\t\t\t Senior Seminar I: Professional Issues in Bioengineering", - "description": "(Conjoined with BENG 291.) Instills skills for personal and organizational development during lifelong learning. Student prepares portfolio of personal attributes and experiences, prepares for career interviews plus oral report of interviewing organizational CEO. Graduate students will prepare a NIH small business research grant. ** Consent of instructor to enroll possible **" + "name": "Human Anatomy", + "description": "The course examines the evolution of primate behaviors (e.g., group formation, dispersal, parenting, coalition formation) from a comparative behavioral, ecological, and evolutionary perspective. Observational methodology and analytical methods will also be discussed. Attendance in lab sections is required. " }, - "BENG 193": { - "prerequisites": [ - "BENG 140A", - "or", - "BIPN 100" - ], - "name": "Clinical Bioengineering", - "description": "Introduction on the integration of bioengineering and clinical medicine through lectures and rotations with clinical faculty. Students will work with clinical mentors and course faculty to identify areas where engineering can improve diagnostics, clinical practice, and/or treatment. ** Consent of instructor to enroll possible **" + "ANBI 145": { + "prerequisites": [], + "name": "Bioarcheology", + "description": "This course is a seminar where we will discuss the latest scientific research in epigenetic mechanisms (changes to gene expression without changing underlying DNA sequences) and their role in regulating health and behavior of humans and other mammals in response to environmental stimuli. Our focus will be on publications related to social and behavioral epigenetics phenomena. Recommended preparation: students should have research experience in a molecular lab. ** Consent of instructor to enroll possible **" }, - "BENG 195": { + "ANBI 146": { "prerequisites": [], - "name": "Teaching", - "description": "Teaching and tutorial assistance in a bioengineering course under supervision of instructor. Not more than four units may be used to satisfy graduation requirements. (P/NP grades only.) " + "name": "Stable Isotopes in Ecology", + "description": "Attitudes toward other individuals (and species) are often shaped by their apparent \u201cintelligence.\u201d This course discusses the significance of brain size/complexity, I.Q. tests, communication in marine mammals and apes, complex behavioral tactics, and the evolution of intelligence. " }, - "BENG 196": { + "ANBI 148": { "prerequisites": [], - "name": "Bioengineering Industrial Internship", - "description": "Under the joint supervision of a faculty adviser and industry mentor, the student will work at or be mentored at a bioengineering industrial company to gain practical bioengineering experience, summarized in a technical report. May be taken for credit up to three times. With departmental approval, four units of credit may substitute for a technical elective. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Not by Genes Alone: The Ecology and Evolution of Primate Behavior", + "description": "The last divide between humans and other animals is in the area of cognition. A comparative perspective to explore recent radical reinterpretations of the cognitive abilities of different primate species, including humans and their implications for the construction of evolutionary scenarios. " }, - "BENG 197": { + "ANBI 149": { "prerequisites": [], - "name": "Engineering Internship", - "description": "An enrichment program, available to a limited number of undergraduate students, which provides work experience with industry, government offices, hospitals, and their practices. Subject to the availability of positions, students will work in a local industry or hospital (on a salaried or unsalaried basis) under the supervision of a faculty member and industrial, government, or hospital employee. Coordination of the Engineering Internship is conducted through UC San Diego\u2019s Academic Internship Program. Time and effort to be arranged. Units may not be applied toward major graduation requirements unless prior approval of a faculty adviser is obtained and internship is an unsalaried position. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Social and Behavioral Epigenetics", + "description": "Conservation on a human-dominated planet is a complex topic. Sometimes a picture is worth a thousand words. This course explores how films about conservation and the human predicament tackle current problems. What makes them effective and what makes them \u201cfail\u201d? We view one film a week and discuss it based on articles and books about that week\u2019s topic. " }, - "BENG 198": { + "ANBI 159": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Directed group study, on a topic or in a field\n\t\t\t\t not included in the regular department curriculum, by arrangement with\n\t\t\t\t a bioengineering faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Biological and Cultural Perspectives on Intelligence", + "description": "Models of human evolution combine science and myth. This course examines methods used in reconstructions of human evolution. Models such as \u201cman the hunter\u201d and \u201cwoman the gatherer\u201d are examined in light of underlying assumptions, and cultural ideals. " }, - "BENG 199": { + "ANBI 173": { "prerequisites": [], - "name": "Independent Study for Undergraduates", - "description": "Independent reading or research by arrangement with a bioengineering faculty member. May be taken for credit three times. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "How Monkeys See the World ", + "description": "(Cross-listed with GLBH 101.) Examines aging as process of human development, from local and global perspectives. Focuses on the interrelationships of social, cultural, psychological, and health factors that shape the experience and well-being of aging populations. Students explore the challenges and wisdom of aging. Students may not receive credit for GLBH 101 and ANSC 101. " }, - "ENG 10": { + "ANBI 174": { "prerequisites": [], - "name": "Fundamentals of Engineering Applications", - "description": "Application-oriented, hands-on introduction to engineering mathematics and design processes. Key mathematical concepts as they apply to engineering, including solving systems of equations and least-squares regression. In-class activities using Python and Arduino will complement the lectures and provide students hands-on experience with solving real-world engineering problems related to design, manufacturing and prototyping, electronics, and data analysis." + "name": "Conservation and the Media: Film Lab", + "description": "This course puts the perennial hot-button topic of the border into historical and anthropological perspective, unpacking its importance for both Mexico and the United States. After establishing its implications since 1848 for national identities, flows of labor and capital, and state consolidation, we will explore a series of contemporary topics including tourism and cross-border consumption, violence and illegal traffic, border enforcement technologies, migration and asylum, and more. " }, - "ENG 15": { + "ANBI 175": { "prerequisites": [], - "name": "Engineer Your Success", - "description": "Engineer Your Success is designed to enhance your success as an engineering student (and later as an engineer) by developing key academic and personal skills. Learn how to study more effectively and uncover how to become the best engineer you can be. This course focuses on academic and personal planning, time management, study skills, and paths to personal growth. Activities include individual and collaborative exercises, personal reflections, and a final project. Students may take this course eighteen times." + "name": "Paleofantasy: The Evidence for Our Early Ancestors", + "description": "(Cross-listed with GLBH 105.) Why is there variation of health outcomes across the world? We will discuss health and illness in context of culture and address concerns in cross-national health variations by comparing healthcare systems in developed, underdeveloped, and developing countries. In addition, we\u2019ll study the role of socioeconomic and political change in determining health outcomes and examine social health determinants in contemporary global health problems: multidrug resistance to antibiotics, gender violence, human trafficking, etc. Students may receive credit for one of the following: ANSC 105GS, ANSC 105S, ANSC 105, or GLBH 105. ** Consent of instructor to enroll possible **" }, - "ENG 20": { + "ANSC 100": { "prerequisites": [], - "name": "Introduction to Engineering Research", - "description": "Introduction to research in engineering. Topics include defining a research problem, finding and reading technical papers, technical writing, and effective practices for presenting research. Students propose an original research project. This course is for students in the Guided Engineering Apprenticeship in Research (GEAR). ** Department approval required ** " + "name": "Special Topics in Sociocultural Anthropology", + "description": "Why is there variation of health outcomes across the world? We will discuss health and illness in context of culture and address concerns in cross-national health variations by comparing health-care systems in developed, underdeveloped, and developing countries. In addition, we\u2019ll study the role of socioeconomic and political change in determining health outcomes, and examine social health determinants in contemporary global health problems\u2014multidrug resistance to antibiotics, gender violence, human trafficking, etc. Students may receive credit for one of the following: ANSC 105GS, ANSC 105S, ANSC 105, or GLBH 105. Program or materials fees may apply. Students must apply at http://globalseminars.ucsd.edu." }, - "ENG 100A": { - "prerequisites": [ - "DOC 2", - "CAT 2", - "HUM 2" - ], - "name": " Team Engineering", - "description": "Introduction to theory and practice of team\n\t\t\t\t engineering, including temperament and work styles; stages\n\t\t\t\t of team development; project management; communication, problem solving,\n\t\t\t\t and conflict resolution skills; creativity; leadership; social\n\t\t\t\t entrepreneurship; and ethics. Students\n\t\t\t\t may not receive credit for both ENG 100 and ENG 100A. ** Consent of instructor to enroll possible **" + "ANSC 101": { + "prerequisites": [], + "name": "Aging: Culture and Health in Late Life Human Development", + "description": "Why is there variation of health outcomes across the world? We will discuss health and illness in context of culture and address concerns in cross-national health variations by comparing healthcare systems in developed, underdeveloped, and developing countries. In addition, we\u2019ll study the role of socioeconomic and political change in determining health outcomes, and examine social health determinants in contemporary global health problems: multidrug resistance to antibiotics, gender violence, and human trafficking, etc. Students must apply to the Study Abroad Program online at http://anthro.ucsd.edu. Program or materials fees may apply. Students may receive credit for one of the following: ANSC 105GS, ANSC 105S, ANSC 105, or GLBH 105." }, - "ENG 100B": { - "prerequisites": [ - "ENG 100A", - "or", - "ENG 100" - ], - "name": "Engineering Leadership", - "description": "Engineering leadership attitudes,\n styles, principles, and approaches; stages of product development\n and evolution; strategic and critical thinking and problem\n solving for engineering projects; resource management; quality\n control; risk analysis and risk taking; engineering business\n economics, law, leadership and corporate ethics. Contact gordoncenter@ucsd.edu if you are unable to enroll in the course. ** Consent of instructor to enroll possible **" + "ANSC 104": { + "prerequisites": [], + "name": "The US-Mexico Border", + "description": "Drawing on medical anthropology ethnography, students will explore a variety of forms of healing among rural and urban indigenous communities. A particular focus on intercultural health will allow the students to analyze contemporary medical landscapes where patients encounter indigenous and Western medicine. Students will learn about the complexities of urban and rural indigenous healing settings and their sociopolitical significance in contexts of state biomedical interventions. Students may not receive credit for ANSC 106 and ANSC 106S. Freshmen and sophomores cannot enroll without consent of the instructor. ** Consent of instructor to enroll possible **" }, - "ENG 100C": { + "ANSC 105": { "prerequisites": [], - "name": "Technical Writing/Communication for Engineers and Scientist", - "description": "Principles and procedures of technical writing and professional communication. The course is ideal for students pursuing careers in science and/or engineering and covers organizing information, writing for technical forms such as proposals and abstracts, and designing visual aids." + "name": "Global Health and Inequality", + "description": "Drawing on medical anthropology ethnography, students will explore a variety of forms of healing among rural and urban indigenous communities. A particular focus on intercultural health will allow the students to analyze contemporary medical landscapes where patients encounter indigenous and Western medicine. Students will learn about the complexities of urban and rural indigenous healing settings and their sociopolitical significance in contexts of state biomedical interventions. Students may not receive credit for ANSC 106 and ANSC 106S. Students must apply to the Study Abroad UC San Diego program online at http://anthro.ucsd.edu." }, - "ENG 100D": { - "prerequisites": [ - "CAT 2", - "or", - "DOC 2", - "or", - "HUM 2" - ], - "name": "Design for Development", - "description": "An introduction to the practice of human-centered design and team engineering within a humanitarian context. Includes a group project designing a solution for a local or global nonprofit organization. Topics include design process, contextual listening, project management, needs and capacity assessment, stakeholder analysis, ethical issues, models of leadership, gender and cultural issues, sustainable community development, and social entrepreneurship. ENG 100D is the gateway course for the Global TIES program, but it is open to all undergraduate students. Please go to http://globalties.ucsd.edu for information about Global TIES. Recommended Preparation: one university-level mathematics course. " + "ANSC 105GS": { + "prerequisites": [], + "name": "Global Health and Inequality", + "description": "This course examines societies and cultures of the Caribbean in anthropological and historical perspective. Topics include slavery, emancipation, indentureship, kinship, race, ethnicity, class, gender, politics, food, religion, music, festivals, popular culture, migration, globalization, and tourism. " }, - "ENG 100L": { - "prerequisites": [ - "ENG 100", - "or", - "ENG 100A", - "or", - "ENG 100D" - ], - "name": "Design for Development Lab ", - "description": "Faculty-directed, interdisciplinary, long-term humanitarian engineering, technology, and social innovation projects. Students work in teams to design, build, test, and deliver solutions to real-world problems experienced by nonprofit organizations and the communities they serve. ENG 100L is the laboratory course for the Global TIES program. Enrollment in this course is limited to students who have applied to and been accepted into the Global TIES program. Please go to http://globalties.ucsd.edu to apply to the program. May be taken for credit six times. ** Department approval required ** " + "ANSC 105S": { + "prerequisites": [], + "name": "Global Health and Inequality\u2014Study Abroad", + "description": "This course will provide an anthropological perspective on Chinese culture in Taiwan from its earliest settlement to the present, including distinctive Taiwanese variants of traditional Chinese marriage and family life, institutions, festivals, agricultural practices, etc. " }, - "SOCI 1": { + "ANSC 106": { "prerequisites": [], - "name": "Introduction to Sociology ", - "description": "An introduction to the organizing themes and ideas, empirical concerns, and analytical approaches of the discipline of sociology. The course focuses on both classical and contemporary views of modern society, on the nature of community, and on inequality, with special attention to class, race, and gender. Materials include both theoretical statements and case studies. Will not receive credit for SOCI 1 and SOCL 1A. " + "name": "Global Health: Indigenous Medicines in Latin America", + "description": "Young people draw on language as well as clothing and music to display identities in contemporary societies. We examine the relation of language to race, class, gender, and ethnicity in youth identity construction, especially in multilingual and multiracial societies. " }, - "SOCI 2": { + "ANSC 106S": { "prerequisites": [], - "name": "The Study of Society", - "description": "A continuation of Sociology/L 1A. The focus here is on socialization processes, culture, social reproduction and social control, and collective action. As in 1A, materials include both theoretical statements and case studies. While 1B may be taken as an independent course, it is recommended that students take 1A and 1B in sequence, as the latter builds on the former. Will not receive credit for SOCI 2 and SOCL 1B." + "name": "Global Health: Indigenous Medicines in Latin America\u2014Study Abroad", + "description": "This course explores the diverse food cultures of South Asia, focusing on the ways food, spices, and beverages shape identity, social relations, and cultural heritage. It will place food practices in the context of food security, sustainability, inequality, nutrition, family, and kinship. Students develop projects focused on understanding the cultural and historical significance of a particular food dish or regional culinary tradition. " }, - "SOCI 10": { + "ANSC 110": { "prerequisites": [], - "name": "American Society: Social Structure and Culture in the\n\t\t\t\t U.S.", - "description": "An introduction to American society in historical, comparative,\n and contemporary perspectives. Topics will include American\n cultural traditions; industrialization; class structure; the\n welfare state; ethnic, racial, and gender relations; the changing\n position of religion; social movements; and political trends.\n Will not receive credit for SOCI 10 and SOCL 10. " + "name": "Societies and Cultures of the Caribbean", + "description": "An introduction to the languages and cultures of speakers of the Mayan family of languages, with emphasis on linguistic structures, ethnography, and the social history of the region. The course will concentrate on linguistic and ethnographic literature of a single language or subbranch, emphasizing commonalities with the family and region as a whole. " }, - "SOCI 20": { + "ANSC 111": { "prerequisites": [], - "name": "Social Change in the Modern World", - "description": "A survey of the major economic, political, and social forces that have shaped the contemporary world. The course will provide an introduction to theories of social change, as well as prepare the student for upper-division work in comparative-historical sociology. Will not receive credit for SOCI 20 and SOCL 20. " + "name": "The Chinese Heritage in Taiwan", + "description": "This course contrasts mainstream Anglo-American conceptualizations of transgenderism with ethnographic accounts of the experiences and practices of gender expansive people of color (African, Native, Asian/Pacific Islander, and Latinx Americans) in the U.S. and abroad. It will question the idea of transgenderism as a crossing from one gender to another one, the distinction between gender identity and sexuality, and the analytic of intersectionality. Students will not receive credit for both CGS 117 and ANSC 117. " }, - "SOCI 30": { + "ANSC 113": { "prerequisites": [], - "name": "Science, Technology, and Society", - "description": "A series of case studies of the relations between society and modern science, technology, and medicine. Global warming, reproductive medicine, AIDS, and other topical cases prompt students to view science-society interactions as problematic and complex. Will not receive credit for SOCI 30 and SOCL 30. " + "name": "Language, Style, and Youth Identities", + "description": "An introduction to the study of cultural patterns of thought, action, and expression, in relation to language. We consider comparatively semiotics and structuralism, cognition and categorization, universals versus particulars, ideologies of stasis and change, cultural reconstruction, and ethnopoetics. " }, - "SOCI 40": { + "ANSC 114": { "prerequisites": [], - "name": "Sociology of Health-Care Issues", - "description": "Designed as a broad introduction to medicine as a social institution and its relationship to other institutions as well as its relation to society. It will make use of both micro and macro sociological work in this area and introduce students to sociological perspectives of contemporary health-care issues. Will not receive credit for SOCI 40 and SOCL 40. " + "name": "Food Cultures of South Asia", + "description": "The course is an introduction to a flourishing area of research that connects linguistic communication to alternate and complementary modalities\u2014manual gesticulation, the face, the body, and aspects of the \u201clived environment\u201d (spaces, tools, artifacts). Credit not allowed for both ANSC 119GS and ANSC 119. " }, - "SOCI 50": { + "ANSC 116": { "prerequisites": [], - "name": "Introduction to Law and Society", - "description": "Interrelationships between law and society, in the U.S. and other parts of the world. We examine law\u2019s norms, customs, culture, and institutions, and explain the proliferation of lawyers in the U.S. and the expansion of legal \u201crights\u201d worldwide. Will not receive credit for SOCI 50 and SOCL 50. " + "name": "Languages of the Americas: Mayan", + "description": "A critical examination of research connecting language to alternate complementary modalities\u2014the hands, face, body, and aspects of \u201clived environments\u201d (spaces, tools, artifacts). Program or materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "SOCI 60": { + "ANSC 117": { "prerequisites": [], - "name": "The Practice of Social Research", - "description": "This course introduces students to the fundamental principles of the design of social research. It examines the key varieties of evidence, sampling methods, logic of comparison, and causal reasoning researchers use in their study of social issues. Will not receive credit for SOCI 60 and SOCL 60. " + "name": "Transgenderisms", + "description": "Explores religious life in various cultures. Topics addressed include the problem of religious meaning, psychocultural aspects of religious experience, religious conversion and revitalization, contrasts between traditional and world religions, religion and social change. " }, - "SOCI 70": { + "ANSC 118": { "prerequisites": [], - "name": "General Sociology for Premedical Students", - "description": "This introductory course is specifically designed for premedical students and will provide them with a broad introduction to sociological concepts and research, particularly as applied to medicine." + "name": "Language and Culture", + "description": "Interrelationships of aspects of individual personality and various aspects of sociocultural systems are considered. Relations of sociocultural contexts to motives, values, cognition, personal adjustment, stress and pathology, and qualities of personal experience are emphasized. " }, - "SOCI 87": { + "ANSC 119": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminar topics will vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " + "name": "Gesture,\n\t\t\t\t Communication, and the Body", + "description": "This course examines the role of communicative practices and language differences in organizing social life. Topics include social action through language; child language socialization; language and social identity (ethnicity, gender, class); interethnic communication; language ideologies; and language and power in social institutions and everyday life. " }, - "SOCI 98": { + "ANSC 119GS": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Small group study and research under the direction of an interested faculty member in an area not covered in regular sociology courses. (P/NP grades only.) ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "\t\t\t\t Gesture, Communication, and the Body", + "description": "Humans are goal seekers, some with public goals. Course considers ways goals are pursued, which are desirable, and how this pursuit is carried out at the local level with attention to the parts played by legitimacy and coercion. " }, - "SOCI 99": { + "ANSC 120": { "prerequisites": [], - "name": "Independent Study", - "description": "Individual study and research under the direction of an interested faculty member. P/NP grades only. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Anthropology of Religion", + "description": "This course introduces the concept of culture and the debates surrounding it. Cultural anthropology asks how people create meaning and order in society, how culture intersects with power, and how national and global forces impact local meanings and practices. " }, - "SOCI 100": { + "ANSC 121": { "prerequisites": [], - "name": "Classical Sociological Theory", - "description": "Major figures and schools in sociology from the early nineteenth century onwards, including Marx, Tocqueville, Durkheim, and Weber. The objective of the course is to provide students with a background in classical social theory, and to show its relevance to contemporary sociology. " + "name": "Psychological Anthropology", + "description": "How are gender and sexuality shaped by cultural ideologies, social institutions, and social change? We explore their connections to such dimensions of society as kinship and family, the state, religion, and popular culture. We also examine alternative genders/sexualities cross-culturally. Students may not receive credit for ANSC 125 and ANSC 125GS. " }, - "SOCI 102": { + "ANSC 122": { "prerequisites": [], - "name": "Network Data and Methods", - "description": "Social network analysts view society as a web of relationships rather than a mere aggregation of individuals. In this course, students will learn how to collect, analyze, and visualize social network data, as well as utilize these techniques to answer an original sociological research question. " + "name": "Language in Society", + "description": "How are gender and sexuality shaped by cultural ideologies, social institutions, and social change? We explore their connections to such dimensions of society as kinship and family, the state, religion, and popular culture. We also examine alternative genders/sexualities cross-culturally. Students may not receive credit for ANSC 125GS and ANSC 125. Program or materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "SOCI 103M": { + "ANSC 123": { "prerequisites": [], - "name": "Computer Applications to Data Management in Sociology", - "description": "Develop skills in computer management and analysis of sociological data. Practical experience with data produced by sociological research. Students will develop competency in the analysis of sociological data, by extensive acquaintance with computer software used for data analysis and management (e.g., SPSS). " + "name": "Political Anthropology", + "description": "This course examines the diversity of practices of child-rearing, socialization, and enculturation across cultures, and the role of culture in the development of personality, morality, spirituality, sexuality, emotion, and cognition. " }, - "SOCI 104": { + "ANSC 124": { "prerequisites": [], - "name": "Field\n\t\t Research: Methods of Participant Observation", - "description": "Relationship between sociological theory and field research. Strong emphasis on theory and methods of participant observation: consideration of problems of entry into field settings, recording observations, description/analysis of field data, ethical problems in fieldwork. Required paper using field methods. " + "name": "Cultural Anthropology", + "description": "The course considers how social life is constituted and negotiated through language and interaction. How do people establish, maintain, and alter social relationships through face-to-face talk, and how do different modalities of interaction (including discourse and gesture) affect social life? ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "SOCI 104Q": { + "ANSC 125": { "prerequisites": [], - "name": "Qualitative Interviewing", - "description": "This course provides students with tools to conduct original research using qualitative interviews. Students will learn how to prepare, conduct, and analyze qualitative interviews. Special emphasis will be placed on the presentation of research in written form. " + "name": "Gender, Sexuality, and Society", + "description": "(Cross-listed with GLBH 129.) This course examines the nature of healing across cultures, with special emphasis on religious and ritual healing. Students may not receive credit for GLBH 129 and ANSC 129. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "SOCI 105": { + "ANSC 125GS": { "prerequisites": [], - "name": "Ethnographic Film: Media Methods", - "description": "(Conjoined with SOCG 227.) Ethnographic recording of field data in written and audiovisual formats including film, video, and CD-ROM applications. Critical assessment of ethnographies and audiovisual ethnographic videotape. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Gender, Sexuality, and Society", + "description": "An anthropological introduction to Hinduism, focusing on basic religious concepts and practices. Topics include myth, ritual, and symbolism; forms of worship; gods and goddesses; the roles of priest and renouncer; pilgrimages and festivals; the life cycle; popular Hinduism, Tantrism. " }, - "SOCI 106": { + "ANSC 126": { "prerequisites": [], - "name": "Comparative and Historical Methods", - "description": "A broad-based consideration of the use of historical materials in sociological analysis, especially as this facilitates empirically oriented studies across different societies and through time, and their application in student research projects. " + "name": "Childhood and Adolescence", + "description": "Legal systems are central in (re)organizing social institutions, international arrangements, (in)equalities, and are an arena where linguistic practices predominate and define outcomes. With an anthropological approach to language, examine languages of the law, legal conceptions of language, and most importantly, the nature and structure of talk in a range of legal institutions and activities. Students will engage in direct anthropological fieldwork in local contexts involving the legal bureaucracy. " }, - "SOCI 106M": { + "ANSC 127": { "prerequisites": [], - "name": "Holocaust Diaries", - "description": "Methods for interpreting diaries, letters, and testaments written by victims and perpetrators of the Holocaust. Students use these sources for original research about life in hiding, ghettos, and death camps. Includes techniques for making comparisons and for generalizing from evidence. ** Consent of instructor to enroll possible **" + "name": "Discourse, Interaction, and Social Life", + "description": "What is love? This course explores evolutionary, historical, philosophical, physiological, psychological, sociological, political-economic, and anthropological perspectives on love. We examine how love has evolved, study various aspects considered biological or cultural, and address contemporary debates around the nature and uses of love, including topics such as monogamy, arranged marriage, companionship, interracial relationships, and online dating. " }, - "SOCI 107": { + "ANSC 129": { "prerequisites": [], - "name": "Epidemiological Methods: Statistical Study of Disease", - "description": "Epidemiology is the statistical study of disease, and epidemiological methods are a powerful tool for understanding the causes of certain diseases, e.g., AIDS, scurvy, cholera, and lung cancer. These fundamental epidemiological methods will be taught. " + "name": "Meaning and Healing", + "description": "This course explores the living structures, family and gender relations, economy, and religion in the Middle East. We will especially focus on how people come to terms with recent transformations such as nationalism, literacy, globalism, and Islamism. " }, - "SOCI 108": { + "ANSC 130": { "prerequisites": [], - "name": "Survey Research Design", - "description": "Translation of research goals into a research design, including probability sampling, questionnaire construction, data collection (including interviewing techniques), data processing, coding, and preliminary tabulation of data. Statistical methods of analysis will be limited primarily to percentaging. " + "name": "Hinduism", + "description": "Indigenous peoples in the Americas have long been dominated and exploited. They have also resisted and reworked the powerful forces affecting them. This course will trace this centuries-long contestation, focusing on ways anthropological representations have affected those struggles. " }, - "SOCI 109": { + "ANSC 131": { "prerequisites": [], - "name": "Analysis of Sociological Data", - "description": "Students test their own sociological research hypotheses using data from recent American and international social surveys and state-of-the-art computer software. Application of classical scientific method, interpretation of statistical results, and clear presentation of research findings. " + "name": "Language, Law, and Social Justice ", + "description": "Course examines major institutions and culture patterns of traditional China, especially as studied through ethnographic sources. Topics include familism, religion, agriculture, social mobility, and personality. " }, - "SOCI 109M": { + "ANSC 132": { "prerequisites": [], - "name": "Research Reporting", - "description": "Students learn to write a research report/article. Course covers the architecture of reports, different audiences, scientific writing style, the literature review, and how to present methodology and findings. Students write a research report using research they conducted in other classes. " + "name": "Sex and Love", + "description": "The religious world of ordinary precommunist times, with some reference to major Chinese religious traditions. Recommended preparation: background in premodern Chinese history. " }, - "SOCI 110": { + "ANSC 133": { "prerequisites": [], - "name": "Qualitative\n\t\t Research in Educational Settings", - "description": "Basic understanding of participant observation, interviewing, and other ethnographic research techniques through field experiences in school and community settings sponsored by CREATE. Students will learn to take field notes, write up interviews, and compose interpretive essays based on their field experiences. " + "name": "Peoples and Cultures of the Middle East", + "description": "Explores anthropological approaches to finding solutions to human problems. Using cultural analysis and ethnographic approaches, students conduct supervised field projects to assess real-world problems and then design, evaluate, and communicate possible solutions. " }, - "SOCI 111": { + "ANSC 135": { "prerequisites": [], - "name": "Local Lives, Global Problems", - "description": "This course surveys the variety of ways that scholars across disciplines have studied local-global phenomena and developed theoretical, methodological, and empirical orientations that incorporate concern for place, space, and scale into their analytical lens. " + "name": "Indigenous Peoples of Latin America", + "description": "(Cross-listed with GLBH 139.) This course examines fact and fiction with respect to epidemics of contagious diseases including smallpox and tuberculosis, alcohol and drug dependency, diabetes and obesity, depression and suicide. We analyze health care with respect to the history and development of the Indian Health Service, health care efforts by Christian missionaries, tribal-led health initiatives, indigenous spiritual healing, and collaborations between indigenous healers and biomedical professionals. Students may not receive credit for ANSC 139 and GLBH 139. ANSC 139/GLBH 139 may be coscheduled with ANTH 237/GLBH 245. " }, - "SOCI 112": { + "ANSC 136": { "prerequisites": [], - "name": "Social Psychology", - "description": "This course will deal with human behavior and personality development as affected by social group life. Major theories will be compared. The interaction dynamics of such substantive areas as socialization, normative and deviant behavior, learning and achievement, the social construction of the self, and the social identities will be considered. " + "name": "Traditional Chinese Society", + "description": "Interdisciplinary discussion that outlines the structure and functioning of the contemporary human rights regime, and then delves into the relationship between selected human rights protections\u2014against genocide, torture, enslavement, political persecution, etc.\u2014and their violation, from the early Cold War to the present. Students may not receive credit for both ANSC 140 and HMNR 101. " }, - "SOCI 113": { + "ANSC 137": { "prerequisites": [], - "name": "Sociology of the AIDS Epidemic", - "description": "This course considers the social, cultural, political, and economic aspects of HIV/AIDS. Topics include the social context of transmission; the experiences of women living with HIV; AIDS activism; representations of AIDS; and the impact of race and class differences. " + "name": "Chinese Popular Religion", + "description": "This course explores the interrelationships of language, politics, and identity in the United States: the ways that language mediates politics and identity, the ways that the connection between identity and language is inherently political, and the ways that political language inevitably draws on identity in both subtle and explicit ways. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "SOCI 114": { + "ANSC 138": { "prerequisites": [], - "name": "Just a Joke?: Sociology of Humor", - "description": "Telling jokes is fun, but it is also quintessentially a social act. How we make jokes and who we make jokes with is socially prescribed. We use humor every day in our social interactions to solidify social ties, but also to keep us apart. The course will examine the social dynamics of humor, paying specific attention to dimensions of race, gender, sexuality, disability, and national origin. Different types of humor will be analyzed, as well as the role of social media in altering joke culture. " + "name": "The Cultural Design Practicum: Using Anthropology to Solve Human Problems", + "description": "This course will examine the overarching legacies of colonialism, the persistence of indigenous peoples and cultures, the importance of class and land reform, the effects of neoliberalism, and citizens\u2019 efforts to promote social change in contemporary democracies. " }, - "SOCI 115": { + "ANSC 139": { "prerequisites": [], - "name": "Social Problems", - "description": "Analyzes selected social problems in the United States, such as those regarding education, race relations, and wealth inequality from various sociological perspectives. The course also examines the various sites of debate discussion, like political institutions, TV and other media, and religious institutions. " + "name": "Native American Health and Healing", + "description": "(Cross-listed with GLBH 143.) Why is mental health a global concern? This anthropological course reviews globalization, culture, and mental health. We examine issues of social suffering, stigma, and economic burden associated with mental illness, gender inequality, political violence, \u201cglobal security,\u201d pharmaceutical and illegal drugs. May be coscheduled with ANTH 243. Students may not receive credit for both ANSC 143 and GLBH 143. " }, - "SOCI 116": { + "ANSC 140": { "prerequisites": [], - "name": "Gender and Language in Society", - "description": "(Same as LIGN 174.) This course examines how language contributes to the social construction of gender identities, and how gender impacts language use and ideologies. Topics include the ways language and gender interact across the life span (especially childhood and adolescence); within ethnolinguistic minority communities; and across cultures. " + "name": "Human Rights II: Contemporary Issues", + "description": "Examines physical and mental health sequalae of internal and transnational movement of individuals and populations due to warfare, political violence, natural disaster, religious persecution, poverty and struggle for economic survival, and social suffering of communities abandoned by migrants and refugees. May be coscheduled with ANTH 238. " }, - "SOCI 117": { + "ANSC 141": { "prerequisites": [], - "name": "Language, Culture, and Education", - "description": "(Same as EDS 117.) The mutual influence of language, culture, and education will be explored; explanations of students\u2019 school successes and failures that employ linguistic and cultural variables will be considered; bilingualism; cultural transmission through education. " + "name": "Language, Politics, and Identity", + "description": "This course addresses: 1) Diversity among traditional Native American cultures with respect to social organization, religion, environmental adaptation, subsistence, and reaction to colonial conquest and domination; and, 2) Contemporary social issues including tribal sovereignty, religious freedom, health, education, gambling, and repatriation of artifacts/remains. " }, - "SOCI 118": { + "ANSC 142": { "prerequisites": [], - "name": "Sociology of Gender", - "description": "An analysis of the social, biological, and\n\t\t\t\t psychological components of becoming a man or a woman. The\n\t\t\t\t course will survey a wide range of information in an attempt\n\t\t\t\t to specify what is distinctively social about gender roles\n\t\t\t\t and identities; i.e., to understand how a most basic part of the \u201cself\u201d\u2014womanhood\n\t\t\t\t or manhood\u2014is socially defined and socially learned behavior. " + "name": "Anthropology of Latin America", + "description": "(Cross-listed with GLBH 146.) HIV is a paradigmatic disease: globally and locally patterned, biologically and socially constructed, involving science and social change. Cases from the Americas, Africa, and Asia examine how HIV necessitated new practices in policy, research, prevention, treatment, and activism. Health disparities, social inequalities, and stigma associated with the populations that have been most affected, community responses, and their political contexts are highlighted. Students may not receive credit for ANSC 146 and GLBH 146. " }, - "SOCI 118E": { + "ANSC 143": { "prerequisites": [], - "name": "Sociology of Language", - "description": "An examination of how the understanding of language can guide and inform sociological inquiries and a critical evaluation of key sociological approaches to language, including ethnomethodology, frame analysis, sociolinguistics, structuralism and poststructuralism, and others. " + "name": "Mental Health as Global Health Priority", + "description": "(Cross-listed with GLBH 147.) Examines interactions of culture, health, and environment. Rural and urban human ecologies, their energy foundations, sociocultural systems, and characteristic health and environmental problems are explored. The role of culture and human values in designing solutions will be investigated. Students may not receive credit for GLBH 147 and ANSC 147. " }, - "SOCI 119": { + "ANSC 144": { "prerequisites": [], - "name": "Sociology\n\t\t of Sexuality and Sexual Identities", - "description": "Introduction both to the sociological study of sexuality and to sociological perspectives in gay/lesbian studies. Examines the social construction of sexual meanings, identities, movements, and controversies; the relation of sexuality to other institutions; and the intersection of sexuality with gender, class, and race. " + "name": "Immigrant and Refugee Health", + "description": "(Cross-listed with GLBH 148.) Introduction to global health from the perspective of medical anthropology on disease and illness, cultural conceptions of health, doctor-patient interaction, illness experience, medical science and technology, mental health, infectious disease, and health-care inequalities by ethnicity, gender, and socioeconomic status. May be coscheduled with ANTH 248. Students may not receive credit for GLBH 148 and ANSC 148. " }, - "SOCI 120": { + "ANSC 145": { "prerequisites": [], - "name": "Sociology Through Literature", - "description": "In this course, we will examine how literature and poetry may illuminate and sometimes go beyond sociological writings in highlighting and spelling out sociological concepts and social processes. This course will cover basic concepts (social role, power), economic concepts (class, greed), and political concepts (colonialism, revolution). " + "name": "Indigenous Peoples of North America", + "description": "Mitigating the effects of conflict and inequality is a major priority for global health practitioners. This course explores the ways that conflict and structural inequalities deeply affect people\u2019s mental and physical health and how they cope and survive in these conditions. We know that the effects of violence and war do not just disappear after the fact but linger for a long time. How do we know how and when a person\u2019s health is restored after massive disruptions? " }, - "SOCI 120T": { + "ANSC 146": { "prerequisites": [], - "name": "\t\t Special Topics in Culture, Language, and Social Interaction", - "description": "This course will examine key issues in culture, language, and social interaction. Content will vary from year to year. " + "name": "A Global Health Perspective on HIV", + "description": "(Cross-listed with GLBH 150.) This course reviews mental health cross-culturally and transnationally. Issues examined are cultural shaping of the interpretation, experience, symptoms, treatment, course, and recovery of mental illness. World Health Organization findings of better outcome in non-European and North American countries are explored. Students may not receive credit for GLBH 150 and ANSC 150. " }, - "SOCI 121": { + "ANSC 147": { "prerequisites": [], - "name": "Economy and Society", - "description": "An examination of a central concern of classical social theory: the relationship between economy and society, with special attention (theoretically and empirically) on the problem of the origins of modern capitalism. The course will investigate the role of technology and economic institutions in society; the influence of culture and politics on economic exchange, production, and consumption; the process of rationalization and the social division of labor; contemporary economic problems and the welfare state. " + "name": "Global Health and the Environment", + "description": "This course examines ethnographies of the US-Mexican borderlands to understand how the binational relationship shapes social life on both sides of the border. Topics discussed will include the maquiladora industry, drug trafficking, militarization, migration, tourism, missionary work, femicide, and prostitution. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "SOCI 122": { + "ANSC 148": { "prerequisites": [], - "name": "Social Networks", - "description": "This course takes a social network approach to the study of society, examining the complex web of relationships\u2014 platonic, familial, professional, romantic\u2014in which individual behavior is embedded. Special emphasis is placed on the unprecedented opportunities created by contemporary social media (e.g. Facebook, mobile phones, online dating websites) for answering fundamental sociological questions. " + "name": "Global Health and Cultural Diversity", + "description": "Violence seems ubiquitous in our world, whether it results from natural disasters, wars, accidents, or interpersonal conflict. Experts agree that violence does not simply disappear after the fact, but it stays for a long time. In this course, we will explore militarism, war, and empire, and look at what anthropologists call \u201cstructural violence.\u201d " }, - "SOCI 123": { + "ANSC 149": { "prerequisites": [], - "name": "Japanese Culture Inside/Out: A Transnational Perspective", - "description": "We examine cultural production in Japan and abroad, national and transnational political-economic and social influences, the idea of Japan in the West, and the idea of the West in Japan. " + "name": "Conflict, Health, and Inequality", + "description": "This course explores the intersections of religion and gender. Focusing on modern Islam, Christianity, and Judaism, we will address such questions as: How and why are gender and sexuality significant in the context of religious beliefs and practices? Why do religions place so much emphasis on defining proper gender roles for women and men? How do nonheterosexual people of faith grapple with religious ideologies that reject LGBTQ ways of life? " }, - "SOCI 124": { + "ANSC 150": { + "prerequisites": [ + "ANTH 101", + "and" + ], + "name": "Culture and Mental Health", + "description": "This course examines the intended and unintended consequences of humanitarian aid. How do organizations negotiate principles of equality with the reality of limited resources? What role does medicine play in aid efforts? In spaces where multiple vulnerabilities coexist, how do we decide whom we should help first? While the need for aid, charity, and giving in the face of suffering is often taken as a commonsensical good, this course reveals the complexities underpinning humanitarian aid. " + }, + "ANSC 151": { "prerequisites": [], - "name": "The Good Society", - "description": "What institutions and policies are conducive to liberty, economic security, opportunity, a vibrant economy, shared prosperity, social cohesion, health, happiness, and other desirable features of a modern society? " + "name": "US-Mexico Border Ethnographies", + "description": "This course examines historical and cultural dimensions of madness as depicted in iconic and popular films such as \u201cOne Flew Over the Cuckoo\u2019s Nest,\u201d \u201cGirl Interrupted,\u201d \u201cSilver Linings Playbook,\u201d along with ethnographic and artistic films that utilize anthropological approaches. " }, - "SOCI 125": { + "ANSC 153": { "prerequisites": [], - "name": "Sociology of Immigration", - "description": "Immigration from a comparative, historical, and cultural perspective. Topics include factors influencing amount of immigration and destination of immigrants; varying modes of incorporation of immigrants; immigration policies and rights; the impact of immigration on host economies; refugees; assimilation; and return migration. " + "name": "War in Lived Experience", + "description": "Starting at the crisis of 2008, but with beginnings in the early 1980s, the theme of this course is the dynamic mechanisms that lead to crisis, systemic and otherwise. It will deal with historical and archaeological discussions of particular cases of breakdowns, collapses, and transformations. It also deals extensively with crisis misrecognition and its causes from moral dramas, witchcraft epidemics, intimate violence, overt conflict, ethnicity, etc. " }, - "SOCI 126": { + "ANSC 154": { "prerequisites": [], - "name": "Social Organization of Education", - "description": "(Same as EDS 126.) The social organization of education in the U.S. and other societies; the functions of education for individuals and society; the structure of schools; educational decision making; educational testing; socialization and education; formal and informal education; cultural transmission. " + "name": "Gender and Religion", + "description": "What can we learn by looking at a society\u2019s ideas about marriage, intimate relationships, and family? Why do these \u201cprivate\u201d institutions draw so much public scrutiny and debate? How are they linked to concepts of national progress, individualism, religion, status, or morality? We will explore these questions in Western and non-Western contexts through such topics as polygamy, same-sex marriage, transnational marriage, and the global impact of Western ideas of love and companionate marriage. " }, - "SOCI 127": { + "ANSC 155": { "prerequisites": [], - "name": "Immigration, Race, and Ethnicity", - "description": "Examination of the role that race and ethnicity play in immigrant group integration. Topics include theories of integration, racial and ethnic identity formation, racial and ethnic change, immigration policy, public opinion, comparisons between contemporary and historical waves of immigration. " + "name": "Humanitarian Aid: What Is It Good For?", + "description": "Course examines theories concerning the relation of nature and culture. Particular attention is paid to explanations of differing ways cultures conceptualize nature. Along with examples from non-Western societies, the course examines the Western environmental ideas embedded in contemporary environmentalism. " }, - "SOCI 128": { + "ANSC 156": { "prerequisites": [], - "name": "Religion and Popular Culture in East Asia", - "description": "(Same as HIEA 119.) Historical, social, and cultural relationships between religion and popular culture. Secularization of culture through images, worldviews, and concepts of right and wrong which may either derive from, or pose challenges to, the major East Asian religions." + "name": "Mad Films: Cultural Studies of Mental Illness in Cinema", + "description": "This course explores social and cultural processes that shape life in California. Topics include health, technologies, climate change, cultural geography, immigration, social relations, and cultural identity. Students use the research methods and perspectives of anthropology to develop their own projects under supervision. " }, - "SOCI 129": { + "ANSC 158": { "prerequisites": [], - "name": "The Family", - "description": "An examination of historical and social influences on family life. Analyzes contemporary families in the United States, the influences of gender, class, and race, and current issues such as divorce, domestic violence, and the feminization of poverty. " + "name": "Comparative Anthropology of Crisis", + "description": "This course examines the use of language difference in negotiating identity in bilingual and bidialectal communities, and in structuring interethnic relations. It addresses social tensions around language variation and the social significance of language choices in several societies. " }, - "SOCI 130": { + "ANSC 159": { "prerequisites": [], - "name": "Population and Society", - "description": "This course offers insight into why and how\n\t\t\t\t populations grow (and decline), and where and under what conditions changes\n\t\t\t\t in population size and/or structure change have positive and negative consequences\n\t\t\t\t for societies and environment. " + "name": "The Anthropology of Marriage", + "description": "This course explores contemporary cultural life in South Asia by examining selected works of literature, film, and ethnography. " }, - "SOCI 131": { + "ANSC\n\t\t 160": { "prerequisites": [], - "name": "Sociology of Youth", - "description": "Chronological age and social status; analysis of social processes bearing upon the socialization of children and adolescents. The emergence of \u201cyouth cultures,\u201d generational succession as a cultural problem. " + "name": "Nature, Culture, and Environmentalism", + "description": "Explores films from China, India, Japan and other Asian countries. Popular, documentary, and ethnographic films are examined for what they reveal about family life, gender, politics, religion, social change and everyday experience in South Asia. " }, - "SOCI 132": { + "ANSC 161": { "prerequisites": [], - "name": "Gender and Work", - "description": "Examination and analysis of empirical research and theoretical perspectives on gender and work. Special attention to occupational segregation. Other topics include the interplay between work and family; gender, work and poverty; gender and work in the Third World. " + "name": "California: Undergraduate Research Seminar", + "description": "This course explores experiences of the human life cycle\u2014birth, death, love, family relations, coming of age, suffering, the quest for identity, the need for meaning\u2014from diverse cultural perspectives. Examines anthropological thought concerning what it means to be human. " }, - "SOCI 133": { + "ANSC 162": { "prerequisites": [], - "name": "Immigration\n\t\t in Comparative Perspective", - "description": "Societies across the world are confronting new immigration. In this course, we will focus on Europe, Asia, and North America, and examine issues of nationalism, cultural diversity and integration, economic impacts, and government policy. " + "name": "Language, Identity, and Community", + "description": "Examines the role of culture in the way people perceive and interact with the natural environment. Combines reading of select anthropological studies with training in ethnographic research methods. Students develop a research project and analyze data. Limit: fifteen students. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "SOCI 134": { + "ANSC 164": { "prerequisites": [], - "name": "The Making of Modern Medicine", - "description": "A study of the social, intellectual, and institutional aspects of the nineteenth-century transformation of clinical medicine, examining both the changing content of medical knowledge and therapeutics, and the organization of the medical profession. " + "name": "Introduction to Medical Anthropology ", + "description": "What is modernity? How does it shape human experience? Using selected works of art, film, literature, anthropology, philosophy and social theory, the course explores conceptions of self, identity, and culture that characterize modernity. " }, - "SOCI 135": { + "ANSC 165": { "prerequisites": [], - "name": "Medical Sociology", - "description": "An inquiry into the roles of culture and social structure in mediating the health and illness experiences of individuals and groups. Topics include the social construction of illness, the relationships between patients and health professionals, and the organization of medical work. " + "name": "Contemporary South Asia", + "description": "Examines methods for employing iconic recording techniques into ethnographic field research, with an emphasis on digital audio and video recording technologies and analysis. " }, - "SOCI 136": { + "ANSC 166": { "prerequisites": [], - "name": "Data and Society", - "description": "This course explores the roles, challenges, and impacts of data and information technologies in contemporary societies. Information regarding discussion section is to be discussed in the first week of class. " + "name": "Film and Culture in Asia", + "description": "This practicum course will explore anthropology\u2019s traditional methodology, ethnography, through texts, films, and literature, and give students practical experience through a quarter-long case study. " }, - "SOCI 136E": { + "ANSC 168": { "prerequisites": [], - "name": "\t\t Sociology of Mental Illness: A Historical Approach", - "description": "An examination of the social, cultural, and political factors involved in the identification and treatment of mental illness. This course will emphasize historical material, focusing on the eighteenth, nineteenth, and early twentieth centuries. Developments in England as well as the United States will be examined from an historical perspective. " + "name": "The Human Condition", + "description": "This course considers together the economic, political, social, and cultural dimensions of capitalist relations on the planet. Focuses on the current trajectory of capitalism, especially its changing margins and centers. Emphasizes new research on money, paid and unpaid work, and the material concerns of water, energy, food, and shelter. " }, - "SOCI 136F": { + "ANSC 169": { "prerequisites": [], - "name": "Sociology of Mental Illness in Contemporary Society", - "description": "This course will focus on recent developments in the mental illness sector and on the contemporary sociological literature on mental illness. Developments in England as well as the United States will be examined. " + "name": "Culture and Environment: Research Seminar and Practicum", + "description": "Examines interdisciplinary field of Critical Military Studies (CMS), led by sociocultural anthropologist research on aspects of militarism and on specific military forces in varied geographical and historical context. Focuses on changing strategies and doctrines into specific forms of military practice in regard to the way past conflicts inform current approaches and tactics. Also looks at field research conducted by social scientists on behalf of the US military, drawing on local experts in San Diego. " }, - "SOCI 137": { + "ANSC 170": { "prerequisites": [], - "name": "Sociology of Food", - "description": "Topics include food as a marker of social\n\t\t\t\t differences (e.g., gender, class, ethnicity); the changing character\n\t\t\t\t of food production and distribution; food as an object of political conflict;\n\t\t\t\t and the symbolic meanings and rituals of food preparation and consumption. " + "name": "Modernity and Human Experience", + "description": "Course aims to explore the ways in which historicity can be turned to a critical field of inquiry and reflection. Shows how the past isn\u2019t something that \u201chas happened,\u201d but that actively lingers\u00a0and invades the present, both inviting and constraining possible futures. Challenges the assumptions and practices of each modern discipline, affecting key concepts, methods, modes of analysis, and narrative forms that both anthropologists and historians have used. " }, - "SOCI 138": { + "ANSC 171": { "prerequisites": [], - "name": "Genetics and Society", - "description": "The class will first examine the direct social effects of the \u201cgenetic revolution\u201d: eugenics, genetic discrimination, and stratification. Second, the implications of thinking of society in terms of genetics, specifically\u2014sociobiology, social Darwinism, evolutionary psychology, and biology. " + "name": "Multimodal Methods in Ethnography", + "description": "Students will learn firsthand a new transdisciplinary effort to understand the intersection of individual and society at all levels of analysis. This course introduces students to a remarkable convergence led by transdisciplinary scholars at UC San Diego (anthropology, cognitive science, psychology, history, philosophy, the arts, etc.), based on the recognition that individual neurological, cognitive, emotional, and behavioral capacities are reciprocally related to aggregate social, cultural, and historical processes. " }, - "SOCI 139": { + "ANSC 173": { "prerequisites": [], - "name": "Social Inequality: Class, Race, and Gender", - "description": "Massive inequality in wealth, power, and prestige is ever-present in industrial societies. In this course, causes and consequences of class, gender, racial, and ethnic inequality (\u201cstratification\u201d) will be considered through examination of classical and modern social science theory and research. " + "name": "Ethnography in Practice", + "description": "This course introduces students to the field of economic anthropology and situates it within the historical development of the discipline since the late nineteenth century. In particular, the course focuses on the complexities of capitalism and its relations with what appear to be \u201cnoncapitalist\u201d contexts and ways of life. " }, - "SOCI 140": { + "ANSC 175": { "prerequisites": [], - "name": "Sociology of Law", - "description": "This course analyzes the functions of law in society, the social sources of legal change, social conditions affecting the administration of justice, and the role of social science in jurisprudence. " + "name": "Money, Work, and Nature: The Anthropology of Capitalism", + "description": "Drawing insight from anti-colonial and queer of color critique, this course critically examines the demands capitalism makes on us to perform gender, and how that relates to processes of exploitation and racialization. We will explore alternatives and develop strategies for navigating jobs in this system. Students may receive credit for one of the following: CGS 120, CGS 180 and ANSC 180. CGS 120 is renumbered from CGS 180. " }, - "SOCI 140F": { + "ANSC 176": { "prerequisites": [], - "name": "Law and the Workplace", - "description": "This course examines how the US legal system has responded to workplace inequality and demands for employee rights. Particular attention is given to racial, gender, religious, and disability discrimination, as well as the law\u2019s role in regulating unions, the global economy, and sweatshop labor. " + "name": "The Meaning of Political Violence ", + "description": "We humans are animals. How do our relations with other animals\u2014how we rely on them, how we struggle against them, how we live among them\u2014shape our own worlds? In this course, we examine, through ethnography and speculative fiction, the boundary between human and other animals. " }, - "SOCI 140K": { + "ANSC 177": { "prerequisites": [], - "name": "Law and Society in China", - "description": "This course offers an overview of the courts of China. The focus is not on blackletter law. Instead, we look at what grassroots courts do on a daily basis. China has arguably the largest court system in the world. What does it do? How are the courts organized internally? What is the relationship between the courts and other government bureaucracies? Is there the rule of law in China? The course will address these questions by reviewing latest empirical research on the subject area. " + "name": "Step Into Anthrohistory: The Past and Its Hold on the Future", + "description": "In this seminar, we investigate gun violence from a critical perspective that draws on social and health sciences, films, media, and more. While we take the contemporary issue of gun violence in the United States as a primary case study, we employ a global and comparative perspective. We explore controversies to include cultural, gendered, ethnic, political, and economic analysis. We examine discourses on gun violence as rational/irrational, healthy/pathological, and individually or socially produced. " }, - "SOCI 141": { + "ANSC 178": { "prerequisites": [], - "name": "Crime and Society", - "description": "A study of the social origins of criminal law, the administration of justice, causes, and patterns of criminal behavior, and the prevention and control of crime, including individual rehabilitation and institutional change, and the politics of legal, police, and correctional reform. " + "name": "Brain, Mind, Culture, and History", + "description": "Explores the role of film, photography, digital media, and visualization technologies in understanding human life. Students develop their own visualization projects. " }, - "SOCI 142": { + "ANSC 179": { "prerequisites": [], - "name": "Social Deviance", - "description": "This course studies the major forms of behavior seen as rule violations by large segments of our society and analyzes the major theories trying to explain them, as well as processes of rulemaking, rule enforcing, techniques of neutralization, stigmatization and status degradation, and rule change. " + "name": "The New Economic Anthropology: Producing, Consuming, and Exchanging Stuff Worldwide", + "description": "This seminar addresses the production, consumption, and distribution of food, with particular emphasis on the culture of food. Food studies provide insight into a wide range of topics including class, poverty, hunger, ethnicity, nationalism, capitalism, gender, race, and sexuality. " }, - "SOCI 143": { + "ANSC 180": { "prerequisites": [], - "name": "Suicide", - "description": "Traditional and modern theories of suicide will be reviewed and tested. The study of suicide will be treated as one method for investigating the influence of society on the individual. " + "name": "Capitalism and Gender", + "description": "(Cross-listed with AAS 185.) This seminar traces the historical roots and growth of the Black Lives Matter social movement in the United States and comparative global contexts. Occupy Wall Street, protests against the prison industrial complex, black feminist, and LGBTQ intersectionality are explored in the context of millennial and postmillennial youth as the founders of this movement. Students may not receive credit for ANSC 185 and AAS 185. " }, - "SOCI 144": { + "ANSC 181": { "prerequisites": [], - "name": "Forms of Social Control", - "description": "The organization, development, and mission of social control agencies in the nineteenth and twentieth centuries, with emphasis on crime and madness; agency occupations (police, psychiatrists, correctional work, etc.); theories of control movements. " + "name": "Animal Affairs", + "description": "(Cross-listed with CGS 118.) This course investigates the ways in which forces of racism, gendered violence, and state control intersect in the penal system. The prison-industrial complex is analyzed as a site where certain types of gendered and racialized bodies are incapacitated, neglected, or made to die. Students may not receive credit for ANSC 186 and CGS 118. " }, - "SOCI 145": { + "ANSC 182": { "prerequisites": [], - "name": "Violence and Society", - "description": "Focusing on American history, this course explores violence in the light of three major themes: struggles over citizenship and nationhood; the drawing and maintenance of racial, ethnic, and gender boundaries; and the persistence of notions of \u201cmasculinity\u201d and its relation to violence. " + "name": "Gun Violence as Social Pathology", + "description": "Like other modern nation-states, mental health in Israel is constituted by therapeutic interventions that assume that psychiatry, psychotherapy, and social work are the \u201ctaken for granted\u201d ways to treat mental disorders. Drawing upon diverse ethnographies and using the tools of medical anthropology and psychological anthropology, we will examine the role and work of these experts and analyze how their expertise is contested by diverse groups. " }, - "SOCI 146": { + "ANSC 183": { "prerequisites": [], - "name": "Criminal Punishment", - "description": "This course examines the historic and contemporary responses to criminal behavior in the United States. " + "name": "Visualizing the Human: Film, Photography, and Digital Technologies", + "description": "This course looks at how illness, health, and healing are understood and experienced in contexts where they are not defined merely as physiological problems, but are seen as having important spiritual, aesthetic, and sociopolitical dimensions. We will look at the role of traditional healers, such as shamans; how cultures vary in what they consider to be the forces that lead to illness; what forms illness takes; and how we evaluate the effectiveness of healing practices. " }, - "SOCI 147": { + "ANSC 184": { "prerequisites": [], - "name": "Organizations,\n\t\t Society, and Social Justice", - "description": "Organizations are dynamic forces in society. This course examines how organizations address human health and social justice issues in national and international settings, focusing on the links between internal dynamics of organizations and macro-level political, economic, and cultural factors. " + "name": "Food, Culture, and Society", + "description": "Yoga practices have recently gained dizzying popularity in the U.S. But how has yoga changed and transformed over time? How might we contextualize yoga practices in India and globally? This course is divided into two parts. First, we will do a close reading of philosophical texts about yoga, such as The Yoga Sutras of Patanjali. Second, we will examine yoga practices, including processes of commodification and popularization of yoga in the West. " }, - "SOCI 148": { + "ANSC 185": { + "prerequisites": [ + "ANTH 103", + "and" + ], + "name": "#BlackLivesMatter", + "description": "This course introduces students to the medical anthropology of South Asia. This course will be divided into two parts. First, we will analyze how religious, cultural, political, and economic structures impact health and well-being. Second, we will look at ethnomedicine, that is, how local systems of healing provide alternative ideas of illness and health. Program or materials fees may apply. ** Department approval required ** " + }, + "ANSC 186": { "prerequisites": [], - "name": "Political Sociology", - "description": "Course focuses on the interaction between state and society. It discusses central concepts of political sociology (social cleavages, mobilization, the state, legitimacy), institutional characteristics, causes, and consequences of contemporary political regimes (liberal democracies, authoritarianism, communism), and processes of political change. " + "name": "Gender and Incarceration", + "description": "A recurrent theme in the study of subjectivity has been the subject\u2019s capacity to posit herself as such in language. This course explores both individual and collective subjectivity as emergent in a range of contextually grounded narrative practices: in news and novels, ritual verse and everyday chit-chat, songs, and cartoons. The course includes a workshop component where students will be encouraged to present material from their own research projects. " }, - "SOCI 148E": { + "ANSC 187": { + "prerequisites": [ + "ANTH 1", + "ANTH 21", + "ANTH 23", + "or", + "ANTH 103", + "and" + ], + "name": "Anthropology of Mental Health in Israel and the Diaspora", + "description": "Popular representations of South Asia abound in clich\u00e9s: poverty and luxury, cities and hamlets, ascetics and call centers. What do these clich\u00e9s do to our understanding of South Asia? How do we get beneath or beyond these representations? We will respond to these questions by exploring how people in South Asia live on a day-to-day basis, while also attending to how major historical events, such as colonialism and the Partition of India and Pakistan, shape contemporary life and politics. Program or materials fees may apply. ** Department approval required ** " + }, + "ANSC 188": { "prerequisites": [], - "name": "Inequality and Jobs", - "description": "Some people do much better than others in the world of work. Causes and consequences of this inequality will be examined: How do characteristics of individuals (e.g., class, gender, race, education, talent) and characteristics of jobs affect market outcomes? " + "name": "Cultures of Healing", + "description": "Using a variety of sources, this course surveys the varied efforts by people acting in contexts worldwide to overcome capitalist relations and imperial systems and construct new ways of organizing life on the planet. " }, - "SOCI 148GS": { + "ANSC 190": { "prerequisites": [], - "name": "Political Sociology", - "description": "Course focuses on the interaction between state and society. It discusses central concepts of political sociology (social cleavages, mobilization, the state, legitimacy), institutional characteristics, causes, and consequences of contemporary political regimes (liberal democracies, authoritarianism, communism), and processes of political change. Students cannot receive credit in this course if they have already taken SOCI 148. " + "name": "Yoga Practices: From Banaras to Beverly Hills", + "description": "This course examines the way that the United States became a world power during the twentieth century and up to the present. It addresses the question of whether this nation-state can be understood as an imperial power in the same way as other colonial empires. The course focuses on the economic, political, sociocultural, and ecological dimensions of United States\u2019 world-power status. " }, - "SOCI 149": { + "ANSC 190GS": { "prerequisites": [], - "name": "Sociology of the Environment", - "description": "The environment as a socially and technically shaped milieu in which competing values and interests play out. Relation of humanity to nature, conflicts between preservation and development, environmental pollution and contested illnesses. Will not receive credit for SOCI 149 and SOCC 149. " + "name": "Medicine and Healing in South Asia", + "description": "Why are so many people poor? What does poverty mean for those who live it and for those who try to help them? This course examines the field of international development, to understand the discourses and practices that governments, aid agencies, and communities have tried. To what extent are these practices linked to colonial legacies, race, and class? Looking to new innovations in participatory and compassionate development, this will prepare students for critical engagement with development. Program or materials fees may apply. ** Department approval required ** " }, - "SOCI 150": { + "ANSC 191": { "prerequisites": [], - "name": "Madness and the Movies", - "description": "Hollywood has had an ongoing obsession with mental illness. This course will examine a number of important or iconic films on this subject. By examining them against a background provided by relevant scholarly materials, we shall develop a critical perspective on these cultural artifacts. " + "name": "Narrative and Subjectivity", + "description": "This course explores the way that \u201ccapitalism,\u201d understood as a combined economic, political, and cultural system, shapes features of the world that typically have been understood as \u201cnatural.\u201d The course considers how these categorical distinctions affect our understandings of contemporary life and our chances to change it. " }, - "SOCI 151": { + "ANSC 191GS": { "prerequisites": [], - "name": "Social Movement from Civil Rights to Black Lives Matter", - "description": "A treatment of selected social movements dealing primarily with the struggles of African-Americans, Hispanics, and women to change their situation in American society. " + "name": "Everyday Life in South Asia: Beyond the Clich\u00e9s", + "description": "In this course, we will examine the dominant human rights framework to think about one issue that has escaped its purview: environmental justice. If we all share a common planet, is there a universal right to a clean environment? Why are the effects of pollution and climate change unequally distributed among the world\u2019s peoples? Can human rights norms serve as effective tools to fight the unequal effects of climate change and contamination? Program or materials fees may apply. ** Department approval required ** " }, - "SOCI 152": { + "ANSC 192": { "prerequisites": [], - "name": "Social Inequality and Public Policy", - "description": "(Same as USP 133.) Primary focus on understanding and analyzing poverty and public policy. Analysis of how current debates and public policy initiatives mesh with alternative social scientific explorations of poverty. " + "name": "Liberation Bound: Struggles Against Capitalism and Imperialism Worldwide", + "description": "This course uses the study of language to unpack contemporary processes of human mobility across geopolitical borders. We will explore both the role of language in shaping movement and the politics of language that arise from and around these movements. Migrations to the United States will be a core theme, though we will also work to put them in comparative perspective. Ultimately, our aim will be to critically rethink all three of the title terms\u2014language, migration, and borders\u2014in tandem. " }, - "SOCI 153": { + "ANSC 192A": { "prerequisites": [], - "name": "Urban Sociology", - "description": "(Same as USP 105.) Introduces students to the major approaches in the sociological study of cities and to what a sociological analysis can add to our understanding of urban processes. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "US Empire: What Is It?", + "description": "Every year thousands of scholars and students are imprisoned by oppressive regimes across the world. This course provides students with the opportunity to work as a team to provide advocacy for one such person. We will pick one person in prison and gather information about them and design a strategy to draw attention to their case, including contacting public officials and media. " }, - "SOCI 154": { + "ANSC 192GS": { "prerequisites": [], - "name": "Religious Institutions in America", - "description": "Examination of sociological theories for why people have religious beliefs. Also examines types of religious organizations, secularization, fundamentalism, religion and immigration, religion and politics, and religiously inspired violence and terrorism. The class will tend to focus on the American context. " + "name": "Rethinking Poverty and Development", + "description": "Course will vary in title and content. When offered, the current description and title is found in the current Schedule of Classes and the Anthropology department web site. (Can be taken a total of four times as topics vary.) " }, - "SOCI 155": { + "ANSC 193": { "prerequisites": [], - "name": "The City of San Diego", - "description": "A research-oriented course studying a specific city. Students will describe and analyze a local community of San Diego. Additional work on one citywide institution. Guest lecturers from San Diego organizations and government. Readings largely from city reports and news media. " + "name": "Capitalism and Nature", + "description": "Course examines the birth of Olmec and Maya civilizations in the Formative period, the rise of city states during the Early Classic, the decline of the Classic Maya, and the resurgence of the Postclassic period. " }, - "SOCI 156": { + "ANSC 193GS": { "prerequisites": [], - "name": "Sociology of Religion", - "description": "Diverse sociological explanations of religious ideas and religious behavior. The social consequences of different kinds of religious beliefs and religious organizations. The influence of religion upon concepts of history, the natural world, human nature, and the social order. The significance of such notions as \u201csacred peoples\u201d and \u201csacred places.\u201d The religious-like character of certain political movements and certain sociocultural attitudes. " + "name": "Human Rights and Environmental Justice", + "description": "This course, intended for first-year anthropology graduate students, examines the contemporary practice of anthropology. We discuss the construction of a multiple-year research project including how to differentiate theory and evidence, the contours of anthropological interest, the question of audience, and rhetorical style. We analyze nine recent ethnographies as possible models for our own practice. " }, - "SOCI 157": { + "ANSC 194": { "prerequisites": [], - "name": "Religion in Contemporary Society", - "description": "Sacred texts, religious experiences, and ritual settings are explored from the perspective of sociological analysis. The types and dynamic of religious sects and institutions are examined. African and contemporary US religious data provide resources for lecture and comparative analysis. " + "name": "Language, Migration, Borders", + "description": "This course builds upon the question can authentic anthropology emerge from the critical intellectual traditions and counter-hegemonic struggles of Third World peoples? (Harrison 1991:1). We will analyze the rise of postcolonial and decolonial approaches across the four fields of the discipline over the past decade. In turn, we will analyze the ways a lack of attention to decolonial anthropology functions to reiterate hierarchies and oppressive systems of knowledge production. " }, - "SOCI 158": { + "ANSC 196": { "prerequisites": [], - "name": "Islam in the Modern World", - "description": "The role of Islam in the society, culture, and politics of the Muslim people during the nineteenth and twentieth centuries; attempts by Muslim thinkers to accommodate or reject rival ideologies (such as nationalism and socialism); and a critical review of the relationship between Islam and the West. " + "name": "Human Rights Advocacy Seminar", + "description": "This graduate seminar examines how racial and ethnic categories are constructed, how contemporary societies manage difference through multicultural policies, and how discourses and institutions of citizenship can act as sites of contestation over inclusion and exclusion. " }, - "SOCI 159": { + "HILD 2A-B-C": { "prerequisites": [], - "name": "Special\n\t\t Topics in Social Organizations and Institutions", - "description": "Readings and discussion of particular substantive issues and research in the sociology of organizations and institutions, including such areas as population, economy, education, family, medicine, law, politics, and religion. Topics will vary from year to year. " + "name": "United States", + "description": "A yearlong lower-division course that will provide students with a background in United States history from colonial times to the present, concentrating on social, economic, and political developments. (Satisfies Muir College humanities requirement and American History and Institutions requirement.) " }, - "SOCI 160": { + "HILD 7A-B-C": { "prerequisites": [], - "name": "Sociology of Culture", - "description": "This course will examine the concept of culture, its \u201cdisintegration\u201d in the twentieth century, and the repercussions on the integration of the individual. We will look at this process from a variety of perspectives, each focusing on one cultural fragment (e.g., knowledge, literature, religion) and all suggesting various means to reunify culture and consequently the individual. " + "name": "Race and Ethnicity in the United States", + "description": "Lectures and discussions surveying the topics of race, slavery, demographic patterns, ethnic variety, rural and urban life in the United States, with special focus on European, Asian, and Mexican immigration. " }, - "SOCI 160E": { + "HILD 7A": { "prerequisites": [], - "name": "Law and Culture", - "description": "This course examines major formulations of the relationship between law and culture in the sociological literature. Topics include formal law versus embedded law, law and morality, law and the self, legal consciousness, the rule of law, and the construction of legality. " + "name": "Race and Ethnicity in the United States", + "description": "A lecture-discussion course on the comparative ethnic history of the United States. Of central concern will be the African American, slavery, race, oppression, mass migrations, ethnicity, city life in industrial America, and power and protest in modern America. " }, - "SOCI 161": { + "HILD 7B": { "prerequisites": [], - "name": "Sociology of the Life Course", - "description": "This course explores concepts, theory and empirical research related to demographic, sociopsychological, and institutional aspects of the different stages of human development. It considers social influences on opportunities and constraints by gender, class, race/ethnicity, and historical period. " + "name": "Race and Ethnicity in the United States", + "description": "A lecture-discussion course on the comparative ethnic history of the United States. Of central concern will be the Asian American and white ethnic groups, race, oppression, mass migrations, ethnicity, city life in industrial America, and power and protest in modern America. " }, - "SOCI 162": { + "HILD 7C": { "prerequisites": [], - "name": "Popular Culture", - "description": "An overview of the historical development of popular culture from the early modern period to the present. Also, a review of major theories explaining how popular culture reflects and/or affects patterns of social behavior. Students may not receive credit for both SOCI 162 and SOCB 162. " + "name": "Race and Ethnicity in the United States", + "description": "A lecture-discussion course on the comparative ethnic history of the United States. Of central concern will be the Mexican American, race, oppression, mass migrations, ethnicity, city life in industrial America, and power and protest in modern America. " }, - "SOCI 163": { + "HILD 7GS": { "prerequisites": [], - "name": "Migration and the Law", - "description": "Provides a global sociological perspective on the development and consequences of laws regulating migration within and across nation-state borders. The ability of the nation-state to control migration using law and its policy instruments. The effects of different legal statuses on political and socioeconomic outcomes. " + "name": "Race and Ethnicity in the Global World", + "description": "Lectures and discussions surveying the topics of race, slavery, demographic patterns, ethnic variety, and rural and urban life in the United States, with special focus on European, Asian, and Mexican immigration. Program or materials fees may apply. May be taken for credit up to three times. Students must apply and be accepted into the Global Seminars Program." }, - "SOCI 165": { + "HILD 8GS": { "prerequisites": [], - "name": "Predicting the Future from Tarot Cards to Computer Algorithms", - "description": "No one can see the future but everyone must try. When we act with purpose, we must form an idea of the consequences of our actions and the world in which our action will unfold. We must form expectations about the future, and therefore, we must predict, often in the face of great uncertainty, what will and won\u2019t happen. This course surveys the social devices from tarot cards to computer algorithms designed to solve the problem of prediction. " + "name": "Race and Ethnicity in the United States", + "description": "A lecture-discussion course on the comparative ethnic history of the United States. Of central concern will be the Mexican American, race, oppression, mass migrations, ethnicity, city life in industrial America, and power and protest in modern America. Students may not receive credit for HILD 8GS and HILD 7C. Program or materials fees may apply. Students must apply and be accepted into the Global Seminars Program." }, - "SOCI 165A": { + "HILD 10": { "prerequisites": [], - "name": "American News Media", - "description": "History, politics, social organization, and ideology of the American news media. This course,165A, surveys the development of the news media as an institution, from earliest newspapers to modern mass news media. " + "name": "East Asia: The Great Tradition", + "description": "The East Asia survey compares and contrasts the development of China, Korea, and Japan from ancient times to the present. This course explores the evolution of civilization from the first writing through classical Hei\u2019an Japan, aristocratic Koryo, and late imperial Song China. Primary and secondary readings on basic ideas, institutions, and practices of the Confucian, Daoist, and Buddhist paths and of the state and family." }, - "SOCI 166": { + "HILD 11": { "prerequisites": [], - "name": "Sociology of Knowledge", - "description": "This course provides a general introduction to the development of the sociology of knowledge and will explore questions concerning social determination of consciousness as well as theoretical ways to articulate a critique of ideology. " + "name": "East Asia and the West, 1279\u20131911", + "description": "The East Asia survey compares and contrasts the development of China, Korea, and Japan from ancient times to the present. From the Mongol conquests through China\u2019s and Korea\u2019s last dynasties, and the rise of Meiji Japan, this course examines political, institutional, and cultural ruptures and continuities as East Asia responded to the challenges of Western imperialism with defense, reform, conservative reaction, and creative imitation." }, - "SOCI 167": { + "HILD 12": { "prerequisites": [], - "name": "Science and War", - "description": "This class examines how science has been mobilized in the development of nuclear weapons and other weapons of mass destruction. The class applies sociological concepts to the analysis of modern technological violence. " + "name": "Twentieth-Century East Asia", + "description": "The East Asia survey compares and contrasts the development of China, Korea, and Japan from ancient times to the present. This course examines the emergence of a regionally dominant Japan before and after World War II; the process of revolution and state-building in China during the nationalist and communist eras; and Korea\u2019s encounter with colonialism, nationalism, war, revolution, and industrialization." }, - "SOCI 168": { + "HILD 14": { "prerequisites": [], - "name": "Marxism", - "description": "This course examines Marxism as social theory and social movement. It covers the origins and historical development of Marxist ideas, the history of Marxist movements and organizations, and the interaction between theory and political practice. " + "name": "Film and History in Latin America", + "description": "Students watch films on Latin America and compare them to historical research on similar episodes or issues. Films will vary each year but will focus on the social and psychological consequences of colonialism, forced labor, religious beliefs, and \u201cModernization.\u201d " }, - "SOCI 168E": { + "HILD 20": { "prerequisites": [], - "name": "Sociology of Science", - "description": "A survey of theoretical and empirical studies concerning the workings of the scientific community and its relations with the wider society. Special attention will be given to the institutionalization of the scientific role and to the social constitution of scientific knowledge. " + "name": "World History I: Ancient to Medieval", + "description": "This course provides an introduction to the culture, environmental context, and sociopolitical outlook of ancient civilizations, and traces historical change, from the emergence of classical empires to their collapse and transformation into medieval forms. The course also explores the development and spread of major world religions. Students may not receive credit for both HILD 20 and HILD 20R." }, - "SOCI 169": { + "HILD 20R": { "prerequisites": [], - "name": "Citizenship, Community, and Culture", - "description": "Will survey the liberal, communitarian, social-democratic, nationalist, feminist, post-nationalist, and multicultural views on the construction of the modern citizen and good society. " + "name": "World History I: Ancient to Medieval", + "description": "This online course provides an introduction to the culture, environmental context, and sociopolitical outlook of ancient civilizations, and traces historical change, from the emergence of classical empires to their collapse and transformation into medieval forms. The online course also explores the development and spread of major world religions. Students may not receive credit for both HILD 20 and HILD 20R." }, - "SOCI 170": { + "HILD 30": { "prerequisites": [], - "name": "Gender and Science", - "description": "Does improved technology mean progress? Or, are environmental pollution and social alienation signs that technology is out of control? This class uncovers the social problems of key modern technologies such as automobile transport, factory farming, biotechnology, and nuclear power. " + "name": "History of Public Health", + "description": "Explores the history of public health, from the plague hospitals of Renaissance Italy to the current and future prospects for global health initiatives, emphasizing the complex biological, cultural, and social dimensions of health, sickness, and medicine across time and space." }, - "SOCI 171": { + "HILD 40": { "prerequisites": [], - "name": "Technology and Science", - "description": "An analysis of films and how they portray various aspects of American society and culture. " + "name": "Anthropocene 1: The Neolithic", + "description": "Examines controversial hypothesis that humans have had a significant impact on the Earth\u2019s climate and ecosystems over the past 8,000 years by focusing on the origins of settled agriculture and its environmental implications, including effects on greenhouse gas emissions. +" }, - "SOCI 172": { + "HILD 41": { "prerequisites": [], - "name": "Films and Society", - "description": "This course will explore the social forces that shape our health and the way we understand illness. Themes will include American public health and health care, inequality and biomedicine, as well as special topics like suicide, lead, autism, and HIV/AIDS. " + "name": "Anthropocene 2: The Columbian Exchange, 1400\u20131750", + "description": "Examines the reintegration of the eastern and western hemispheres following 1492, tracking the movements of peoples, foodstuffs, livestock, and diseases, and assessing the vast and irreversible environmental and social impact of these transformations. +" }, - "SOCI 173": { + "HILD 42": { "prerequisites": [], - "name": "Sociology of Health, Illness, and Medicine", - "description": "Surveys the development of nationality and citizenship law in historical and comparative perspective with an emphasis on the United States, Latin America, and Europe. Examines competing sociological accounts for national variation and convergence; consequences of the law; and local, transnational, and extraterritorial forms of citizenship. " + "name": "Anthropocene 3: The Industrial Revolutions", + "description": "This course explores the fossil fuel age, from the steam engine to aerial warfare, analyzing the economics of coal and oil, the environmental impacts of industrial agriculture, deep-pit mining and extractive imperialism, and the building of the electrical grid." }, - "SOCI 175": { + "HILD 43": { "prerequisites": [], - "name": "Nationality and Citizenship", - "description": "Focusing on Japan and its transnational relationships, this course combines analysis of readings with instruction in writing academic research papers. Students will spend about half their time on readings and half on their own research projects. We will analyze domestic and international contexts within which Japanese cultural forms emerge and influence others. Topics include Japanese approaches to popular culture, art, environment, social relationships, and social problems. " + "name": "Anthropocene 4: The Great Acceleration, 1945\u2013Present", + "description": "Explores the intensification of industrialization and urbanization and their environmental impact, including skyrocketing greenhouse gas emissions, air and water pollution, soil depletion, and deforestation. Also, analyzes different environmentalisms and imagines futures distinct from climate catastrophe." }, - "SOCI 176": { + "HILD 50": { "prerequisites": [], - "name": "Transnational Japan Research Practicum", - "description": "(Same as POLI 1420.) This course covers the definitions, history, and internationalization of terrorism; the interrelation of religion, politics and terror; and the representation of terrorism in the media. A number of organizations and their activities in Europe and the Middle East are examined. " + "name": "Introduction to Law and Society", + "description": "A survey of contemporary issues concerning law and society, with emphasis on historical analysis and context. Satisfies the lower-division requirement for the law and society minor." }, - "SOCI 177": { + "HIAF 111": { "prerequisites": [], - "name": "International Terrorism", - "description": "The study of the unique and universal aspects of the Holocaust. Special attention will be paid to the nature of discrimination and racism, those aspects of modernity that make genocide possible, the relationship among the perpetrators, the victims and the bystanders, and the teaching, memory, and denial of the Holocaust. " + "name": "Modern Africa since 1880", + "description": "A survey of African history dealing with the European scramble for territory, primary resistance movements, the rise of nationalism and the response of metropolitan powers, the transfer of power, self-rule and military coups, and the quest for identity and unity." }, - "SOCI 178": { + "HIAF 112": { "prerequisites": [], - "name": "The Holocaust", - "description": "Course focuses on the development of capitalism as a worldwide process, with emphasis on its social and political consequences. Topics include precapitalist societies, the rise of capitalism in the West, and the social and political responses to its expansion elsewhere. " + "name": "West Africa since 1880", + "description": "West Africa from the nineteenth century onwards and examines the broad outlines of historical developments in the subregion through the twentieth century, including such themes as religious, political, and social changes." }, - "SOCI 179": { + "HIAF 113": { "prerequisites": [], - "name": "Social Change", - "description": "An examination of the nature of protests and violence, particularly as they occur in the context of larger social movements. The course will further examine those generic facets of social movements having to do with their genesis, characteristic forms of development, relationship to established political configurations, and gradual fading away. " + "name": "Small\n\t\t Wars and the Global Order: Africa and Asia", + "description": "Examines the traumas, interrelation, and global repercussions of national conflicts (\u201csmall wars\u201d) in the postcolonial world. Focus on Africa and Asia from the Cold War to the present with particular attention to the intersection of foreign interests, insurgency, and geopolitics. " }, - "SOCI 180": { + "HIAF 120": { "prerequisites": [], - "name": "Social Movements and Social Protest", - "description": "This course examines the nature and dynamics of modern western society in the context of the historical process by which this type of society has emerged over the last several centuries. The aim of the course is to help students think about what kind of society they live in, what makes it the way it is, and how it shapes their lives. " + "name": "History of South Africa", + "description": "The origins and the interaction between the peoples of South Africa. Special attention will be devoted to industrial development, urbanization, African and Afrikaner nationalism, and the origin and development of apartheid and its consequences." }, - "SOCI 181": { + "HIAF 123": { "prerequisites": [], - "name": "Modern Western Society", - "description": "Ethnicity and the reassertion of Indian identity in contemporary Latin America. Issues related to these trends are examined in comparative perspective, with attention to changes in global conditions and in the socioeconomic, political, and cultural contexts of Latin American modernization. " + "name": "West Africa from Earliest Times to 1800", + "description": "Plant and animal domestication, ironworking and the distribution of ethnic/language groups, urbanization, regional and long-distance commerce, and the rise of medieval kingdoms.\u00a0+ " }, - "SOCI 182": { + "HIAF 161": { "prerequisites": [], - "name": "Ethnicity\n\t\t and Indigenous Peoples in Latin America", - "description": "How does where you grow up affect where you end up? This course explores \u201cwho gets what where and why\u201d by examining spatial inequalities in life chances across regions, rural and urban communities, and divergent local economies in the U.S. We will \u201cplace\u201d places within their economic, socio-cultural, and historical contexts. Readings and exercises will uncover spatial variation in inequalities by race/ethnicity, immigrant status, gender, class, and LGBTQIA status that national averages obscure. " + "name": "Special Topics in African History", + "description": "This colloquium is intended for students with sufficient background in African history. Topics, which vary from year to year, will include traditional political, economic, and religious systems, and theory and practice of indirect rule, decolonization, African socialism, and pan-Africanism. May be taken for credit up to five times. Department approval required; may be coscheduled with HIAF 261. ** Department approval required ** " }, - "SOCI 183": { + "HIAF 199": { "prerequisites": [], - "name": "The Geography of American Opportunity", - "description": "This class will examine issues of masculinity and femininity through analysis of films. Emphasis is on contemporary American society and will include varying issues such as race, class, and sexualities; worlds of work; romance, marriage, and family. " + "name": "Independent Study in African History", + "description": "Directed readings for undergraduates. ** Consent of instructor to enroll possible **" }, - "SOCI 184": { + "HIEA 111": { "prerequisites": [], - "name": "Gender and Film", - "description": "Social development is more than sheer economic growth. It entails improvements in the overall quality of human life, particularly in terms of access to health, education, employment, and income for the poorer sectors of the population. Course examines the impact of globalization on the prospects for attaining these goals in developing countries. " + "name": "Japan:\n\t\t Twelfth to Mid-Nineteenth Centuries", + "description": "Covers important political issues\u2014such as the medieval decentralization of state power, unification in the sixteenth and seventeenth centuries, the Tokugawa system of rule, and conflicts between rulers and ruled\u2014while examining long-term changes in economy, society, and culture.\u00a0+ " }, - "SOCI 185": { + "HIEA 112": { "prerequisites": [], - "name": "Globalization and Social Development", - "description": "Social development is more than sheer economic growth. It entails improvements in the overall quality of human life, particularly in terms of access to health, education, employment, and income for the poorer sectors of the population. Course examines the impact of globalization on the prospects for attaining these goals in developing countries. Students cannot receive credit in this course if they have already taken SOCI 185. " + "name": "Japan:\n\t\t From the Mid-Nineteenth Century through the US Occupation", + "description": "Topics include the Meiji Restoration, nationalism, industrialization, imperialism, Taisho Democracy, and the Occupation. Special attention will be given to the costs as well as benefits of \u201cmodernization\u201d and the relations between dominant and subordinated cultures and groups within Japan. " }, - "SOCI 185GS": { + "HIEA 113": { "prerequisites": [], - "name": "Globalization and Social Development", - "description": "Exploration of contemporary African urbanization and social change via film, including 1) transitional African communities, 2) social change in Africa, 3) Western vs. African filmmakers\u2019 cultural codes. Ideological and ethnographic representations, aesthetics, social relations, and market demand for African films are analyzed. " + "name": "The\n\t\t Fifteen-Year War in Asia and the Pacific", + "description": "Lecture-discussion course approaching the\n\t\t\t\t 1931\u20131945 war through various \u201clocal,\u201d rather than simply national,\n\t\t\t\t experiences. Perspectives examined include those of marginalized groups\n\t\t\t\t within Japan, Japanese Americans, Pacific Islanders, and other elites and\n\t\t\t\t nonelites in Asian and Pacific settings. " }, - "SOCI 187": { + "HIEA 114": { "prerequisites": [], - "name": "African Societies through Film", - "description": "A sociological examination of the era of the 1960s in America, its social and political movements, its cultural expressions, and debates over its significance, including those reflected in video documentaries. Comparisons will also be drawn with events in other countries. " + "name": "Postwar Japan", + "description": "Examines social, cultural, political, and economic transformations and continuities in Japan since World War II. Emphases will differ by instructor." }, - "SOCI 187E": { + "HIEA 115": { "prerequisites": [], - "name": "The Sixties", - "description": "Course focuses on the different types of social structures and political systems in Latin America. Topics include positions in the world economy, varieties of class structure and ethnic cleavages, political regimes, mobilization and legitimacy, class alignments, reform and revolution. " + "name": "Social\n\t\t and Cultural History of Twentieth-Century Japan", + "description": "Japanese culture and society changed dramatically\n\t\t\t\t during the twentieth century. This course will focus on the\n\t\t\t\t transformation of cultural codes into what we know as \u201cJapanese,\u201d the politics\n\t\t\t\t of culture, and the interaction between individuals and society. " }, - "SOCI 188D": { + "HIEA 116": { "prerequisites": [], - "name": "Latin America: Society and Politics", - "description": "The process of social change in African communities, with emphasis on changing ways of seeing the world and the effects of religion and political philosophies of social change. The methods and data used in various village and community studies in Africa will be critically examined. " + "name": "Japan-U.S. Relations", + "description": "Survey of relations between Japan and the United States in the nineteenth and twentieth centuries. Although the focus will be on these nation-states, the course will be framed within the global transformation of societies. Topics include cultural frameworks, political and economic changes, colonialism and imperialism, and migration. " }, - "SOCI 188E": { + "HIEA 117": { "prerequisites": [], - "name": "\t\t Community and Social Change in Africa", - "description": "Contradictory effects of modernization on Jewish society in Western and Eastern Europe and the plethora of Jewish responses: assimilation, fundamentalism, emigration, socialism, diaspora nationalism, and Zionism. Special attention will be paid to issues of discontinuity between Jewish societies and Israeli society. Simultaneously, we will scrutinize the influence of the Palestinian-Israeli conflict on Israeli society, state, and identity. " + "name": "Ghosts in Japan", + "description": "By examining the roles of ghosts in Japanese belief systems in a nonscientific age, this course addresses topics including folk beliefs and ghost stories, religiosity, early science, tools of amelioration and authoritative knowledge, and the relationship between myth and history." }, - "SOCI 188F": { + "HIEA 122": { "prerequisites": [], - "name": "\t\t Modern Jewish Societies and Israeli Society", - "description": "The social structure of the People\u2019s Republic of China since 1949, including a consideration of social organization at various levels: the economy, the policy, the community, and kinship institutions. " + "name": "Late\n\t\t Imperial Chinese Culture and Society", + "description": "We read primary and secondary sources to study aspects of culture, society, religions, economy, government, family, gender, class, and individual lives from the tenth through the eighteenth centuries, Song through Qing. Recommended preparation: previous course work on China helpful but not required. May be taken for credit four times with department approval. " }, - "SOCI 188G": { + "HIEA 123": { "prerequisites": [], - "name": "Chinese Society", - "description": "Using sociological and historical perspectives, this course examines the origins and demise of apartheid and assesses the progress that has been made since 1994, when apartheid was officially ended. Contrasts of racism in South Africa and the United States. Will not receive credit for SOCI 188GS and SOCI 188J. " + "name": "China under the Ming Dynasty", + "description": "Ming history from its beginnings under Mongol rule until its fall to rebels and the Manchus. We study government and society under each of the sixteen emperors, and major events like the Zheng He voyages and the first Sino-Japanese War. Recommended preparation: HILD 11.\u00a0+\u00a0 " }, - "SOCI 188GS": { + "HIEA 124": { "prerequisites": [], - "name": "Change in Modern South Africa", - "description": "In this course we will examine the national and colonial dimensions of this long-lasting conflict and then turn our attention to the legal, governmental/political, and everyday aspects of the Israeli occupation of the West Bank and Gaza following the 1967 war. " + "name": "Life in Ming China", + "description": "We read primary and secondary sources to explore the experiences, worldview, and relationships of Ming men and women, variously including emperors and empresses, scholar-officials, upper-class wives, merchants, weavers, painters, eunuchs, Daoists, fighting monks, farmers, actors, gardeners, courtesans, soldiers, and pirates. + " }, - "SOCI 188I": { + "HIEA 125": { "prerequisites": [], - "name": "The Israeli-Palestinian Conflict", - "description": "Using sociological and historical perspectives, this course examines the origins and demise of apartheid and assesses the progress that has been made since 1994, when apartheid was officially ended. Contrasts of racism in South Africa and the United States. " + "name": "Women and Gender in East Asia", + "description": "The impact of modern transformations on female roles and gender relations in China, Japan, and Korea, focusing on the late imperial/early modern periods through the twentieth century." }, - "SOCI 188J": { + "HIEA 126": { "prerequisites": [], - "name": "Change in Modern South Africa", - "description": "Comparative and historical perspectives on\n\t\t\t\t US society. The course highlights \u201cAmerican exceptionalism\u201d:\n\t\t\t\t Did America follow a special historical path, different from comparable\n\t\t\t\t nations in its social relations, politics, and culture? Specific topics\n\t\t\t\t include class relations, race, religion, and social policy. " + "name": "The\n\t\t Silk Road in Chinese and Japanese History", + "description": "This course studies the peoples, cultures, religions, economics, arts, and technologies of the trade routes known collectively as the Silk Road from c. 200 BCE to 1000 CE. We will use an interdisciplinary approach. Primary sources will include written texts and visual materials. We will examine these trade routes as an early example of globalization.\u00a0+ " }, - "SOCI 188K": { + "HIEA 129": { "prerequisites": [], - "name": "American Society", - "description": "Course examines theories of social movements and changing patterns of popular protest and contentious mobilization in Latin America since the mid-twentieth century. Case studies include populism, guerrillas, liberation theology and movements of workers, peasants, women, and indigenous groups. " + "name": "Faces of the Chinese Past", + "description": "Through primary and secondary readings on the lives of individual prominent and ordinary men and women from China\u2019s past, we explore the relation of the individual to social structures and accepted norms; personal relationships; and the creation of historical sources. +" }, - "SOCI 188M": { + "HIEA 130": { "prerequisites": [], - "name": "Social Movements in Latin America", - "description": "We will examine the social, political, and religious factors that affect the nexus of Israeli settlements and Israeli-Arab and Israeli-Palestinian peace making. Special attention will be paid to the period after the 1967 War when these processes begun as well as to alternative resolutions to the conflict. " + "name": "End of the Chinese Empire, 1800\u20131911", + "description": "From the Opium War to the 1911 Revolution. Key topics include ethnic identity under Manchu rule, the impact of Western imperialism, the Taiping and other rebellions, overseas Chinese, social change and currents of reform, and the rise of Chinese nationalism." }, - "SOCI 188O": { + "HIEA 131": { "prerequisites": [], - "name": "Settlements and Peacemaking in Israel", - "description": "Readings and discussion in selected areas of comparative and historical macrosociology. Topics may include the analysis of a particular research problem, the study of a specific society or of cross-national institutions, and the review of different theoretical perspectives. Contents will vary from year to year. " + "name": "China in War and Revolution, 1911\u20131949", + "description": "An exploration of the formative period of the twentieth-century Chinese Revolution: the New Culture Movement, modern urban culture, the nature of Nationalist (Guomindang) rule, war with Japan, revolutionary nationalism, and the Chinese Communist rise to power." }, - "SOCI 189": { + "HIEA 132": { "prerequisites": [], - "name": "Special\n\t\t Topics in Comparative-Historical Sociology", - "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in sociology (at the upper-division level). Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. (P/NP grades only.) " + "name": "Mao\u2019s China, 1949\u20131976", + "description": "This course analyzes the history of the PRC from 1949 to the present. Special emphasis is placed on the problem of postrevolutionary institutionalization, the role of ideology, the tension between city and countryside, Maoism, the Great Leap Forward, the Cultural Revolution. " }, - "SOCI 192": { + "HIEA 133": { "prerequisites": [], - "name": "Senior Seminar in Sociology", - "description": "(Same as PS 194, COGN 194, ERTH 194, HIST 193, USP 194.) Course attached to six-unit internship taken by students participating in the UCDC Program. Involves weekly seminar meetings with faculty and teaching assistant and a substantial research paper. " + "name": "Twentieth-Century\n\t\t China: Cultural History", + "description": "This course looks at how the historical problems of twentieth-century China are treated in the popular and elite cultures of the Nationalist and Communist eras. Special emphasis is placed on film and fiction." }, - "SOCI 194": { + "HIEA 134": { "prerequisites": [], - "name": "Research Seminar in Washington, DC", - "description": "This seminar will permit honors students to explore advanced issues in the field of sociology. It will also provide honors students the opportunity to develop a senior thesis proposal on a topic of their choice and begin preliminary work on the honors thesis under faculty supervision. " + "name": "History\n\t\t of Thought and Religion in China: Confucianism", + "description": "Course will take up one of the main traditions of Chinese thought or religion, Confucianism, and trace it from its origins to the present. The course will explain the system of thought and trace it as it changes through history and within human lives and institutions.\u00a0+ " }, - "SOCI 196A": { + "HIEA 137": { "prerequisites": [], - "name": "\t\t Honors Seminar: Advanced Studies in Sociology", - "description": "This seminar will provide honors candidates the opportunity to complete research on and preparation of a senior honors thesis under close faculty supervision. " + "name": "Women\n\t\t and the Family in Chinese History", + "description": "The course explores the institutions of family and marriage, and women\u2019s roles and experiences within the family and beyond, from classical times to the early twentieth century.\u00a0+ " }, - "SOCI 196B": { + "HIEA 138": { "prerequisites": [], - "name": "\t\t Honors Seminar: Supervised Thesis Research", - "description": "Group study of specific topics under the direction of an interested faculty member. Enrollment will be limited to a small group of students who have developed their topic and secured appropriate approval from the departmental committee on independent and group studies. These studies are to be conducted only in areas not covered in regular sociology courses. ** Upper-division standing required ** ** Department approval required ** " + "name": "Women and the Chinese Revolution", + "description": "Examines women\u2019s roles and experiences in the twentieth-century Chinese revolution, the ways in which women participated in the process of historical change, the question of to what extent the revolution \u201cliberated\u201d women from \u201cConfucian tradition.\u201d" }, - "SOCI 198": { + "HIEA 139GS": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Tutorial: individual study under the direction of an interested faculty member in an area not covered by the present course offerings. Approval must be secured from the departmental committee on independent studies. ** Upper-division standing required ** ** Department approval required ** " + "name": "An Introduction to Southeast Asia", + "description": "This course provides an overview of Southeast Asian culture and history from 800 to the age of imperialism. It addresses regional geography, diversity, religion, political and social structures, mercantile and cultural ties abroad, the arrival of Islam, and the region\u2019s changing relationship with European and Asian power. Students must apply and be accepted into the Global Seminars Program." }, - "SOCI 198RA": { + "HIEA 140": { "prerequisites": [], - "name": "Research Apprenticeship", - "description": "This course introduces various methods for observing and analyzing the social world, principles for choosing among them, and general issues of research design. Coverage emphasizes common qualitative and quantitative methods in sociology in preparation for further methods courses. ** Upper-division standing required ** " + "name": "China since 1978", + "description": "Examines China\u2019s attempts to manage the movements of people, ideas, and trade across its borders since 1900. How much control do individual countries such as China have over global processes? Special emphasis will be placed on global contexts and the impacts of China\u2019s decision to reintegrate its society and economy with capitalist countries since 1978. Recommended preparation: previous course work on China helpful but not required." }, - "SOCI 199": { + "HIEA 144": { "prerequisites": [], - "name": "Independent Study", - "description": "This course discusses major themes in the work of nineteenth- and twentieth-century social thinkers, including Tocqueville, Marx, Weber, and Durkheim. ** Upper-division standing required ** " + "name": "Topics in East Asian History", + "description": "Selected topics in East Asian History. Course may be taken for credit up to three times as topics vary." }, - "COMM 10": { + "HIEA 150": { "prerequisites": [], - "name": "Introduction to Communication", - "description": "Introduction to the history, theory, and practice of communication, including language and literacy, representation and semiotics, mediated technologies and institutional formations, and social interaction. Integrates the study of communication with a range of media production (for example, writing, electronic media, film, performance). COMM 10 may be taken concurrently with the COMM A-B-C courses and intermediate electives. Course is offered fall, winter, and summer quarters." + "name": "Modern Korea, 1800\u20131945", + "description": "This course examines Korea\u2019s entrance into the modern world. It\n utilizes both textual and audio-visual materials to explore\n local engagements with global phenomenon, such as imperialism,\n nationalism, capitalism, and socialism. HILD 10, 11,\n and/or 12 recommended. " }, - "COMM 87": { + "HIEA 151": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen." + "name": "The Two Koreas, 1945\u2013Present", + "description": "This course traces the peninsula\u2019s division into two rival\n regimes. It utilizes both textual and audio-visual materials\n to reveal the varied experiences of North and South Koreans\n with authoritarianism, industrialization, and globalization.\n HILD 10, 11, and/or 12 recommended." }, - "COMM 100A": { - "prerequisites": [ - "COMM 10" - ], - "name": "Communication, the Person, and Everyday Life ", - "description": "A critical introduction to processes of interaction and engagement in lived and built environments. Includes historical survey of theories/methods, including actor network theory, conversation analysis, ethnography, ethnomethodology, cultural linguistics, performance, and social cognition; and integrates scholarly study with production-oriented engagement. Students will not receive credit for COHI 100 and COMM 100A. " + "HIEA 152": { + "prerequisites": [], + "name": "History and Cultures of the Korean Diaspora", + "description": "This course places the Korean diaspora in national, regional, and global frames from the imperial age to our globalized present. It traces migrant experiences and community formations on the peninsula and in Japan, the United States, China, and the former USSR." }, - "COMM 100B": { - "prerequisites": [ - "COMM 10" - ], - "name": "Communication, Culture, and Representation ", - "description": "A critical introduction to the practice and the effects of representation within historically situated cultural contexts. Surveys a range of theories/methods in interpretations and identity to understand the effects of these practices upon the form and content of various representational genres and integrates scholarly study with production-oriented engagement. Students will not receive credit for COCU 100 and COMM 100B. " + "HIEA 153": { + "prerequisites": [], + "name": "Social and Cultural History of Twentieth-Century Korea", + "description": "This course explores the cultural and social structures that dominated twentieth-century Korea: imperialism, ethnonationalism, heteropatriarchy, capitalism, socialism, and militarism. It also uses individual and collective engagements with these hegemonic structures to demonstrate contentious interactions between individuals and society." }, - "COMM 100C": { - "prerequisites": [ - "COMM 10" - ], - "name": "Communication, Institutions, and Power ", - "description": "A critical introduction to structures of communication formed across the intersections of the state, economy, and civil society. Includes historical survey of communication industries, legal and policy-based arenas, civic and political organizations, and other social institutions; and integrates scholarly study with production-oriented engagement. Students will not receive credit for COSF 100 and COMM 100C. " + "HIEA 154": { + "prerequisites": [], + "name": "Korean History Through Film", + "description": "Recognizing that the past is a multi-media process of knowledge production, this course uses a variety of films (i.e., features, shorts, and documentaries) to study how directors have visualized modern Korean history. Students will juxtapose the narratives of Korean films with academic accounts of Korean history to understand how representations of the past are produced, disseminated, contested, and interpreted. Writing exercise will develop students\u2019 critical and analytical skills." }, - "COMM 190": { - "prerequisites": [ - "COMM 10" - ], - "name": "Junior Seminar in Communication", - "description": "This upper-level undergraduate course is required as the gateway to all future media production courses. Students will learn about historical and theoretical contemporary media practices such as film, video, internet, and social media production and how these practices are informed by technical and social constraints. In lab, students will work hands-on with video and new media equipment to apply what they have learned through genre and practical technique. Students will not receive credit for COGN 21 or 22 and COMM 101. " + "HIEA 155": { + "prerequisites": [], + "name": "China and the Environment", + "description": "This course covers key themes in the history of interactions between humans and the environment in China over the past 3,000 years, generating a fuller understanding of China\u2019s present-day environmental problems by situating them in a broader historical context. +" }, - "COMM 101": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 101" - ], - "name": "Introduction to Audiovisual Media Practices", - "description": "Prepare students to edit on nonlinear editing facilities and introduce aesthetic theories of editing: time code editing, timeline editing on the Media 100, digital storage and digitization of audio and video, compression, resolution, and draft mode editing. By the end of the course students will be able to demonstrate mastery of the digital editing facilities. May be taken for credit three times. Students will not receive credit for COMT 100 and COMM 101D. " + "HIEA 163/263": { + "prerequisites": [], + "name": "Cinema and Society in Twentieth-Century China", + "description": "This colloquium will explore the relationship between cinema and society in twentieth-century China. The emphasis will be on the social, political, and cultural impact of filmmaking. The specific period under examination (1930s, 1940s, post-1949) may vary each quarter. Graduate students will be expected to submit an additional paper. ** Upper-division standing required ** " }, - "COMM 101D": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 101" - ], - "name": "MPL: Nonlinear/Digital Editing", - "description": "This is a practical course on ethnographic fieldwork\u2014obtaining informed consent interviewing, negotiating, formulating a research topic, finding relevant literature, writing a research paper, and assisting others with their research. May be taken for credit three times. Students will not receive credit for COMT 112 and COMM 101E. ** Consent of instructor to enroll possible **" + "HIEA\n\t\t 164/264": { + "prerequisites": [], + "name": "Seminar in Late Imperial Chinese History", + "description": "We read primary and accessible historical scholarship (including fiction) on state, society, religion, culture, and individual lives in Song through Qing times. May be taken for credit three times. May be coscheduled with HIEA 264. ** Upper-division standing required ** " }, - "COMM 101E": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 101" - ], - "name": "MPL: Ethnographic Methods for Media Production", - "description": "Digital video is the medium used in this class both as a production technology and as a device to explore the theory and practice of documentary production. Technical demonstrations, lectures, production exercises, and readings will emphasize the interrelation between production values and ethics, problems of representation, and documentary history. May be taken for credit three times. Students will not receive credit for COMT 120 and COMM 101K. " + "HIEA 166/266": { + "prerequisites": [], + "name": "Creating Ming Histories", + "description": "Ming was considered absolutist, closed, and stagnant. Nowadays its vibrant economy and culture are celebrated. We pair scholarship with primary sources to explore Ming\u2019s complexities and learn how historians work. May be coscheduled with HIEA 266. ** Upper-division standing required ** " }, - "COMM 101K": { - "prerequisites": [ - "COMM 10" - ], - "name": "MPL: Documentary Sketchbook", - "description": "This course introduces students to computers as media of communication. Each quarter students participate in a variety of networking activities designed to show the interactive potential of the medium. Fieldwork designed to teach basic methods is combined with readings designed to build a deeper theoretical understanding of computer-based communication. Students will not receive credit for COMT 111A and COMM 101M. " + "HIEA 168/268": { + "prerequisites": [], + "name": "Topics in Classical and Medieval Chinese History", + "description": "Chinese society, thought, religion, culture, economy and politics from the Shang through the Song dynasties, through primary and secondary sources. Topics vary; may be repeated for credit. Requirements differ for undergraduate, MA and PhD students. Graduate students will be required to submit a more substantial piece of work or an additional paper. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "COMM 101M": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 101" - ], - "name": "MPL: Communication and Computers", - "description": "Advanced seminar in sound production, design, editing. Students create projects by recording original sounds, editing on a Pro-Tools system. We consider the potential of sound in film, radio, TV, and the web by reviewing work and reading sound theory. May be taken for credit three times. Students will not receive credit for COMT 121 and COMM 101N. " + "HIEA 170": { + "prerequisites": [], + "name": "Love and Marriage in Chinese History", + "description": "Examines ideas and practices of love and marriage in Chinese history, including changes and continuities in China\u2019s twentieth-century revolution and reform. Course readings range from literary and philosophical sources to personal records from the classical age to the modern era. Department approval required. May be coscheduled with HIEA 270. + ** Department approval required ** " }, - "COMM 101N": { - "prerequisites": [ - "COMM 101", - "VIS 70N" - ], - "name": "MPL: Sound Production and Manipulation", - "description": "Specialized study in production with topics to be determined by the instructor for any given quarter. Students will use studio, editing rooms, cameras to construct a variety of in or outside studio productions that can include YouTube, Documentary shorts, Vimeo, with topics that show the effects on social issues. May be taken for credit three times. " + "HIEA\n\t\t 171/271": { + "prerequisites": [], + "name": "Society and Culture in Premodern China", + "description": "Explores premodern Chinese society and culture through the reading and discussion of classics and masterpieces in history. Examines how values and ideas were represented in the texts and how they differed, developed, or shifted over time. Requirements will vary for undergraduate, MA, and PhD students. Graduate students are required to submit an additional paper. " }, - "COMM 101T": { + "HIEA 180": { "prerequisites": [], - "name": "MPL: Topics in Production", - "description": "A combined lecture/lab in a specially designed after-school setting in southeastern San Diego working with children and adults. Students design new media and produce special projects, and explore issues related to human development, social justice, and community life. May be taken for credit three times. " + "name": "Topics in Modern Korean History", + "description": "This colloquium will examine selected topics in modern Korean\n history through both primary sources (in translation) and secondary\n sources. Topics will vary year to year. ** Upper-division standing required ** " }, - "COMM 102C": { + "HIEA 190M/HIEA 290M": { "prerequisites": [], - "name": "MMPP: Practicum in New Media and Community Life", - "description": "A combined lecture/lab course on after-school learning, social change, and community-based research. Students are expected to participate in a supervised after-school setting at one of four community labs in San Diego County. Students will learn ethnographic field methods, develop culturally relevant curriculum, and work in diverse settings. May be taken for credit three times. " + "name": "Special Topics in East Asian Modern History", + "description": "This course looks at topics in East Asian history in the modern era (post 1800). May be coscheduled with HIEA 290M. May be taken for credit up to five times. Topics will vary from year to year. Department approval required. ** Department approval required ** " }, - "COMM 102D": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 101", - "VIS 70N" - ], - "name": "MMPP: Practicum in Child Development", - "description": "This course offers students the opportunity to produce and engage in critical discussions around various television production formats. We will study and produce a variety of projects, including public service announcements, panel programs, scripted drama, and performance productions. May be taken for credit three times. " + "HIEA 198": { + "prerequisites": [], + "name": "Directed Group Study", + "description": "Directed group study on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members. May be taken for credit up to three times. Department approval required. ** Department approval required ** " }, - "COMM 102M": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 101", - "VIS 70N" - ], - "name": "MMPP: Studio Television", - "description": "An introduction to the techniques and conventions common in television production with equal emphasis on method and content. Studio sessions provide students with opportunities to experiment in framing subject matter through a variety of cinematographic methods. May be taken for credit three times. " + "HIEA 199": { + "prerequisites": [], + "name": "Independent\n\t\t Study in East Asian History", + "description": "Directed reading for undergraduates under the supervision of various faculty members. ** Consent of instructor to enroll possible **" }, - "COMM 102P": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 101", - "VIS 70N" - ], - "name": "MMPP: Television Analysis and Production", - "description": "An advanced television course that examines the history, form, and function of the television documentary in American society. Experimentation with documentary techniques and styles requires prior knowledge of television or film production. Laboratory sessions apply theory and methods in the documentary genre via technological process. Integrates research, studio, and field experience of various media components. May be taken for credit three times. " + "HIEU 100": { + "prerequisites": [], + "name": "Byzantine History", + "description": "This course examines the political, religious, and social history of the Byzantine Empire between 300 and 1453 AD. +" }, - "COMM 102T": { - "prerequisites": [ - "COMM 10" - ], - "name": "MMPP: Television Documentary", - "description": "History of nonfiction film and video. Through film and written texts, we survey the nonfiction film genre, considering technological innovations, ethical issues, and formal movements related to these representations of the \u201creal.\u201d Students write a research paper in lieu of a final. " + "HIEU 102": { + "prerequisites": [], + "name": "Roman History", + "description": "F,W,S. " }, - "COMM 103D": { - "prerequisites": [ - "COMM 10" - ], - "name": "CM: Documentary History and Theory", - "description": "This course considers the social, cultural, economic, and technological contexts that have shaped electronic media, from the emergence of radio and television to their convergence through the internet, and how these pervasive forms of audiovisual culture have impacted American society. " + "HIEU 102A": { + "prerequisites": [], + "name": "Ancient Roman Civilization", + "description": "The political, economic, and intellectual history of the Roman world from the foundation of Rome to the disintegration of the Western empire. This course will emphasize the importance of the political and cultural contributions of Rome to modern society. +" }, - "COMM 103E": { - "prerequisites": [ - "COMM 10" - ], - "name": "CM: History of Electronic Media", - "description": "This course increases our awareness of the ways we interpret or make understanding from movies to enrich and increase the means by which one can enjoy and comprehend movies. We will talk about movies and explore a range of methods and approaches to film interpretation. Readings will emphasize major and diverse theorists, including Bazin, Eisenstein, Cavell, and Mulvey. " + "HIEU 103": { + "prerequisites": [], + "name": "Decline and Fall/Roman Empire", + "description": "F,W,S. May be repeated for credit. Satisfactory/Unsatisfactory\n\t\t\t\t only. " }, - "COMM 103F": { - "prerequisites": [ - "COMM 10" - ], - "name": "CM: How to Read a Film", - "description": "The development of media systems in Asia, focusing on India and China. Debates over nationalism, regionalism, globalization, new technologies, identity politics, censorship, privatization, and media piracy. Alignments and differences with North American and European media systems will also be considered. " + "HIEU 104": { + "prerequisites": [], + "name": "Byzantine Empire", + "description": "A survey course of the history of the Byzantine state from the reign of Constantine to the fall of Constantinople. This course will emphasize the importance of the Byzantine state within a larger European focus, its relationship to the emerging Arab states, its political and cultural contributions to Russia and the late medieval west.\u00a0+ " }, - "COMM 104D": { - "prerequisites": [ - "COMM 10" - ], - "name": "CMS: Asia", - "description": "The development of media systems and policies in Europe. Differences between European and American journalism. Debates over the commercialization of television. The role of media in postcommunist societies in Eastern Europe. " + "HIEU 105": { + "prerequisites": [], + "name": "The Early Christian Church", + "description": "F,W,S. Required of and limited to teaching\n\t\t assistants. " }, - "COMM 104E": { - "prerequisites": [ - "COMM 10" - ], - "name": "CMS: Europe", - "description": "This course will critically examine the role of the mass media in sub-Saharan Africa in the areas of colonial rule, nationalist struggles, authoritarianism, and popular movements. It will examine general trends regionally and internationally, as well as individual national cases, from the early twentieth century to the internet news services of the information age. " + "HIEU 105S": { + "prerequisites": [], + "name": "Devotions, Doctrines, and Divisions: Religion in Early Modern European Society", + "description": "Multiple reformations of the European Christian Church confronted with the rise of universities, colonial exploration, absolutism, scientific revolutions, and the Enlightenment. Focused attention will be given to early modern Europe (Muslims, Jews, and Protestant sects). " }, - "COMM 104F": { - "prerequisites": [ - "COMM 10" - ], - "name": "CMS: Africa", - "description": "The development of media systems and policies in Latin America and the Caribbean. Debates over dependency and cultural imperialism. The news media and the process of democratization. Development of the regional television industry. " + "HIEU 106": { + "prerequisites": [], + "name": "Egypt, Greece, and Rome", + "description": "This course is a survey of the political, social, and cultural history of the ancient Mediterranean. It focuses on the ancient empires in the Near East (Sumer, Babylon, Assyria, Persia), Egypt, Greece, and Rome. +" }, - "COMM 104G": { - "prerequisites": [ - "COMM 10" - ], - "name": "CMS: Latin America and the Caribbean", - "description": "Course considers computer games both as media and as sites of communication. Games are studied through hands-on play and texts from a variety of disciplinary perspectives. Course encompasses commercial, academic, and independent games. " + "HIEU 106GS": { + "prerequisites": [], + "name": "Constantinople: Imperial Capital", + "description": "This course examines Constantinople in its imperial period (Byzantine and Ottoman) when it served as the political, cultural, economic, and religious center of empire. We examine continuity and change in areas such as urban space, demography, institutions, and art and architecture. Students must apply and be accepted into the Global Seminar Program. +" }, - "COMM 105G": { - "prerequisites": [ - "COMM 10" - ], - "name": "CT: Computer Games Studies", - "description": "Movement is central to our lives. This course draws on the latest research into how we travel, trade, and move. Diverse topics will be covered, including kids in cars, the New York subway, and theories of mobility. " + "HIEU 107": { + "prerequisites": [], + "name": "Pagan Europe and its Christian Aftermath", + "description": "Cross-listed with RELI 147. This course explores the history of how Western Europe was converted from its indigenous pagan religions to the imported religion we know as Christianity. We will discuss conversion by choice and by force, partial or blended conversions, and the relationships between belief and culture. Students may not receive credit for both HIEU 107 and RELI 147.\u00a0+" }, - "COMM 105M": { - "prerequisites": [ - "COMM 10" - ], - "name": "CT: Mobile Communication", - "description": "This course examines photographic technologies as a set of instruments and practices that modern societies have developed and used to tell stories about themselves and make particular claims about truth and reality, focusing on the domains of science, policing, journalism, advertising, and self-expression. " + "HIEU 108": { + "prerequisites": [], + "name": "Sex and Politics in the Ancient World", + "description": "A history of approaches to sexual practices, sexual identity, and sexual morality in the Roman Empire between the first and fifth centuries of the Common Era. We will examine how political, religious, and medical transformations during this period changed the ways in which people thought of issues like sexual freedom, same-sex relations, marriage and celibacy, sexual violence, and more. +" }, - "COMM 105P": { - "prerequisites": [ - "COMM 10" - ], - "name": "CT: Photographic Technologies", - "description": "Course examines the organization of some of the many industries (e.g., film, music, gaming, and publishing) that make up the cultural landscape with an eye toward discerning the conditions that shape the production of cultural goods and services: how is production organized within cultural industries; how are products distributed; and what is the impact of both the organization and distribution of goods on the conditions of work and labor? " + "HIEU 109": { + "prerequisites": [], + "name": "Blood, Soil, Boundaries: Nationalism in Europe ", + "description": "This course will explore the history of nationalism as idea and political movement in European history, from the French Revolution to the present.\u00a0+" }, - "COMM 106A": { - "prerequisites": [ - "COMM 10" - ], - "name": "CI: Introduction", - "description": "Pasts have been conveyed through various media for millennia. This course will use comics to explore how this medium impacts how we might learn and understand Japanese history. Topics discussed include memory, storytelling, perspective, and visuality. " + "HIEU 110": { + "prerequisites": [], + "name": "The Rise of Europe", + "description": "The development of European society and culture\n\t from the decline of the Roman Empire to 1050. +" }, - "COMM 106C": { - "prerequisites": [ - "COMM 10" - ], - "name": "CI: History Through Comics\u2014Japan", - "description": "A study of the social organization of the film industry throughout its history. Who makes films, by what criteria, and for what audience? The changing relationships between studios, producers, directors, writers, actors, editors, censors, distributors, audience, and subject matter of the films will be explored. " + "HIEU 111": { + "prerequisites": [], + "name": "Europe in the Middle Ages", + "description": "The development of European society and culture from 1050 to 1400. +" }, - "COMM 106F": { - "prerequisites": [ - "COMM 10" - ], - "name": "CI: Film Industry", - "description": "The largest industry in the world has far-reaching cultural ramifications. We will explore tourism\u2019s history and its contemporary cultural effects, taking the perspective of the \u201ctoured\u201d as well as that of the tourist. " + "HIEU 112S": { + "prerequisites": [], + "name": "Ancient Explorers", + "description": "Ancient travel into unexplored regions of the world and the discovery of new civilizations. Look at actual voyages, focusing on the remarkable figures who braved the unknown, the objects of their journeys, and their crude equipment and knowledge. +" }, - "COMM 106G": { - "prerequisites": [ - "COMM 10" - ], - "name": "CI: Tourism: Global Industry and Cultural Form", - "description": "The political economy of the emergent internet industry, charted through analysis of its hardware, software, and services components. The course specifies leading trends and changing institutional outcomes by relating the internet industry to the adjoining media, telecommunications, and computer industries. " + "HIEU 114GS": { + "prerequisites": [], + "name": "Athens: A City in History", + "description": "This course examines how Athenians during different epochs have dealt and still deal with the realities of everyday life and death. The topics covered by the course include work, war, religion, politics, and death. Students must apply and be accepted into the Global Seminar Program. +" }, - "COMM 106I": { - "prerequisites": [ - "COMM 10" - ], - "name": "CI: Internet Industry", - "description": "How and what does television communicate? Emphasis will be on contemporary US television programming, placed in comparative and historical context. Special topics may include TV genres, TV and politics, TV and other media. Frequent in-class screenings. " + "HIEU 115": { + "prerequisites": [], + "name": "The Pursuit of the Millennium", + "description": "The year 2000 provokes questions about the transformation of time, culture, and society. Taking the year 1000 as a touchstone, this class examines the history of apocalyptic expectations in the Middle Ages through a close scrutiny of both texts and art.\u00a0+" }, - "COMM 106T": { - "prerequisites": [ - "COMM 10" - ], - "name": "CI: Television Culture and the Public", - "description": "Course examines political economy of television throughout its history. How TV is made, who is involved, how is industry organized, how does it get regulated, distributed? Consider how these answers changed over time and look at recent influences of digital technologies. " + "HIEU 116A": { + "prerequisites": [], + "name": "Greece and the Balkans in the Age of Ottoman Expansion", + "description": "This course examines the history of Greece and the Balkans (1350\u20131683). Topics covered: the rise of the Ottoman Empire, conquest of the Balkans, the Ottoman system of rule, religious life, rural and urban society, law and order, and material culture.\u00a0+" }, - "COMM 106V": { - "prerequisites": [ - "COMM 10" - ], - "name": "CI: TV Industry", - "description": "How visual images contribute to our understanding of the world and ourselves. Theoretical approaches from media studies, art history, gender studies, and social theory will be used to analyze cultures of science, art, mass media, and everyday life. " + "HIEU 116B": { + "prerequisites": [], + "name": "Greece and the Balkans in the Age of Nationalism", + "description": "This course examines the history of Greece and the Balkans (1683\u20131914). Topics covered: social and economic development in the eighteenth century, nationalism, independence wars, state-nation formation, interstate relations, the Eastern Question, rural society, urbanization, emigration, and the Balkan Wars. Students may not get credit for both HIEU 116B and HIEU 117A. " }, - "COMM 107": { - "prerequisites": [ - "COMM 10" - ], - "name": "Visual Culture", - "description": "How do political contests and debates come to be organized on and around bodies? In what sense is the natural body a sign system and how does its organization represent and reproduce cultural values, moral assumptions, social relations, and economic rationales? This course examines these and other questions through political, historical, and media analysis. " + "HIEU 116C": { + "prerequisites": [], + "name": "Greece and the Balkans during the Twentieth Century", + "description": "This course examines the history of Greece and the Balkans (1914\u20132001). Topics covered: World War I, population exchanges, authoritarianism, modernization, World War II, civil wars, Cold War, Greek-Turkish relations, Cyprus, collapse of communism, 1990s conflicts, and EU expansion. Students may not get credit for both HIEU 116C and HIEU 116CD." }, - "COMM 108A": { - "prerequisites": [ - "COMM 10" - ], - "name": "POB: Introduction", - "description": "Cultural and historical ways of defining and understanding disability relative to communication and assistive technologies, including the impact of digital technologies and the Americans with Disabilities Act. Course use of audiovisual texts and writings from fields including science and technology studies, and cultural studies. " + "HIEU 116CD": { + "prerequisites": [], + "name": "Greece and the Balkans during the Twentieth Century", + "description": "This course examines the history of Greece and the Balkans (1914\u20132001). Topics covered: World War I, population exchanges, authoritarianism, modernization, World War II, civil wars, Cold War, Greek-Turkish relations, Cyprus, collapse of communism, 1990s conflicts, and EU expansion. Students may not get credit for both HIEU 116C and HIEU 116CD, or HIEU 116CD and HIEU 117B." }, - "COMM 108D": { - "prerequisites": [ - "COMM 10" - ], - "name": "POB: Disability", - "description": "Historical and cultural aspects of media, information, imaging technology use in biomedical research, clinical care, health communication to constructions of gender and identity. We approach the subject through audiovisual texts and writings from fields including science and technology studies and cultural studies. " + "HIEU 117A": { + "prerequisites": [], + "name": "\t\t Greece and the Balkans in the Age of Nationalism", + "description": "This course examines the history of Greece and the Balkans (1683\u20131914). Topics covered: social and economic development in the eighteenth century, nationalism, independence wars, state-nation formation, interstate relations, the Eastern Question, rural society, urbanization, emigration, and the Balkan Wars." }, - "COMM 108G": { - "prerequisites": [ - "COMM 10" - ], - "name": "POB: Gender and Biomedicine", - "description": "Advertising in historical and cross-cultural perspectives. Ideology and organization of the advertising industry; meaning of material goods; gifts in capitalist, socialist, and nonindustrial societies; natures of needs, desires, and whether advertising creates needs, desires; and approaches to decoding the advertising messages. " + "HIEU 117B": { + "prerequisites": [], + "name": "\t\t Greece and the Balkans during the Twentieth Century", + "description": "This course examines the history of Greece and the Balkans (1914\u20132001). Topics covered: World War I, population exchanges, authoritarianism, modernization, World War II, resistance, civil wars, Cold War, Greek-Turkish relations, Cyprus, collapse of Communism, 1990s conflicts, and EU expansion. " }, - "COMM 109D": { - "prerequisites": [ - "COMM 10" - ], - "name": "MC: Advertising and Society", - "description": "History, politics, social organization, and ideology of the American news media. Surveys of the development of the news media as an institution, from earliest new newspapers to modern mass news media. " + "HIEU 118": { + "prerequisites": [], + "name": "Americanization in Europe", + "description": "Examines problems surrounding the transfer of American culture, values, and styles to Europe in the twentieth and twenty-first centuries. Topics may include consumer society, popular culture, commercial and business practices, \u201cMcDonaldization,\u201d political and military influence, democratization, and resistance to Americanization. Students may not receive credit for both HIEU 117S and HIEU 118." }, - "COMM 109N": { - "prerequisites": [ - "COMM 10" - ], - "name": "MC: American News Media", - "description": "Propaganda, in political-economic, national settings; Soviet Union; Nazi Germany; US World War I and II. Propaganda films, contribution of filmmakers to propaganda campaign. Explore issues in propaganda; persuasive communication; political propaganda; persuasive advertising; public relations; practical, ethical perspectives. " + "HIEU 119": { + "prerequisites": [], + "name": "Death and Afterlife in the Middle Ages", + "description": "This class investigates the ways in which medieval people understood death as well as the various ways in which they imagined the afterlife. We will discuss the cult of martyrs and saints; encounters with ghosts and revenants; the formation of the doctrine of purgatory; visionary journeys to the other world; and early medical discourses defining the death of the body. +" }, - "COMM 109P": { - "prerequisites": [ - "COMM 10" - ], - "name": "MC: Propaganda and Persuasion", - "description": "This course examines forms of communication that affect people\u2019s everyday lives. Focusing on ways that ethnic communities transmit and acquire information and interact with mainstream institutions, we examine a variety of alternative local media, including murals, graffiti, newsletters, and community radio. " + "HIEU 120": { + "prerequisites": [], + "name": "The Renaissance in Italy", + "description": "The social, political, and cultural transformation of late-medieval Italy from the heyday of mercantile expansion before the plague to the dissolution of the Italian state system with the French invasions of 1494. Special focus upon family, associational life and factionalism in the city, the development of the techniques of capitalist accumulation, and the spread of humanism.\u00a0+ " + }, + "HIEU 121GS": { + "prerequisites": [], + "name": "Scotland and the English Civil War, 1601\u20131689", + "description": "A lecture-discussion course that examines the role of Scotland in the English Civil War during the first half of the seventeenth century, 1601\u20131689. +" + }, + "HIEU 122": { + "prerequisites": [], + "name": "Ancient Greece from the Bronze Age to the Peloponnesian War", + "description": "This course treats the history of the Greek world from the Mycenaeans to the aftermath of the Peloponnesian War. It focuses on the rise of the polis, the development of the Athenian democracy and imperialism, and the Peloponnesian War. +" }, - "COMM 110M": { - "prerequisites": [ - "COMM 10" - ], - "name": "LLC: Communication and Community", - "description": "This course examines the interaction of language and culture in human communication. Beginning with language evolution, the course then discusses a broad range of human languages, including indigenous languages, sign languages, and hybrid languages spoken in urban centers. " + "HIEU 123": { + "prerequisites": [], + "name": "Ancient Greece from Classical Athens to Cleopatra", + "description": "This course explores the dramatic political, social, and cultural changes in the Greek world and the Eastern Mediterranean from the fourth century BCE and the rise of Alexander the Great to the death of Cleopatra. +" }, - "COMM 110P": { - "prerequisites": [ - "COMM 10" - ], - "name": "LLC: Language and Human Communication", - "description": "This course examines the ways in which various communicative channels mediate human action and thought. A basic premise of the course is that human thought is shaped in important ways by the communicative devices used to communicate. There is a particular emphasis on how thought develops, both historically and in the individual. " + "HIEU 123GS": { + "prerequisites": [], + "name": "Origins of Law and Religious Freedom in England and America, 1530\u20131971", + "description": "A lecture-discussion course that examines the origins and evolution of religious freedom from the age of Tudors to the adoption of the Bill of Rights in the United States in 1791. Course materials fee may be required. Students must apply and be accepted into the Global Seminar Program." }, - "COMM 110T": { - "prerequisites": [ - "COMM 10" - ], - "name": "LLC: Language, Thought, and Media", - "description": "This course examines the products of culture industries (e.g., music, television, fashion, food, landscape, architectural design) to analyze, specifically, how culture is consumed and by whom. How are spectators hailed and audiences fostered and shaped? And what is the role of audiences in fostering and shaping cultural forms and products? " + "HIEU 124GS": { + "prerequisites": [], + "name": "The City Italy", + "description": "Language and cultural study in Italy. Course considers the social, political, economic, and religious aspects of civic life that gave rise to the unique civic art, the architecture of public buildings, and the design of the urban environment of such cities as Florence, Venice, or Rome. Course materials fee may be required. Students may not receive credit for both HIEU 124 and HIEU 124GS. Students must apply and be accepted into the Global Seminar Program." }, - "COMM 111A": { - "prerequisites": [ - "COMM 10" - ], - "name": "CCP: Communication and Cultural Production: Introduction", - "description": "This course offers an introduction to the production of urban space. Cities are produced by sociocultural shifts wrought by migration, technological changes, new forms of production, globalization, and climate change. How is the landscape or built environment of the city shaped by the combined and often contradictory forces of capital, expert knowledge, social movements, and urban dwellers? " + "HIEU 125": { + "prerequisites": [], + "name": "Reformation Europe", + "description": "The intellectual and social history of the Reformation and Counter-Reformation from the French invasions to the Edict of Nantes. Emphasis is upon reform from below and above, the transformation of grassroots spirituality into institutional control.\u00a0+ " }, - "COMM 111C": { - "prerequisites": [ - "COMM 10" - ], - "name": "CCP: Cities and Politics of Space", - "description": "Folklore is characterized by particular styles, forms, and settings. Course introduces a range of folklore genres from different cultures, historical periods, oral narrative, material folk arts, dramas, rituals. Study of the relationship between expressive form and social context. " + "HIEU 127": { + "prerequisites": [], + "name": "Sport in the Modern World", + "description": "This course looks at the phenomenon of sport in all of its social, cultural, political, and economic aspects. The starting point will be the emergence of modern sport in nineteenth-century Britain, but the focus will be global. Since the approach will be topical rather than chronological, students should already have a good knowledge of world history in the nineteenth and twentieth centuries." }, - "COMM 111F": { - "prerequisites": [ - "COMM 10" - ], - "name": "CCP: Folklore and Communication", - "description": "An overview of the historical development of popular culture from the early modern period to the present. Also, a review of major theories explaining how popular culture reflects and/or affects patterns of social behavior. " + "HIEU 127D": { + "prerequisites": [], + "name": "Sport in the Modern World", + "description": "This course looks at sport in all of its social, cultural, political, and economic aspects. The starting point will be the emergence of modern sport in nineteenth-century Britain, but the focus will be global. Since the approach will be topical rather than chronological, students should already have a good knowledge of world history in the nineteenth and twentieth centuries. Students may not get credit for both HIEU 127 and HIEU 127D." }, - "COMM 111G": { - "prerequisites": [ - "COMM 10" - ], - "name": "CCP: Popular Culture", - "description": "Explores performance as a range of aesthetic conventions (theatre, film, performance art) and as a mode of experiencing and conveying cultural identity. Texts include critical writing from anthropology, psychology, linguistics, media studies, as well as film/video, play scripts, live performance. " + "HIEU 128": { + "prerequisites": [], + "name": "Europe since 1945", + "description": "An analysis of European history since the end of the Second World War. Focus is on political, social, economic, and cultural developments within European societies as well as on Europe\u2019s relationship with the wider world (the Cold War, decolonization). " }, - "COMM 111P": { - "prerequisites": [ - "COMM 10" - ], - "name": "CCP: Performance and Cultural Studies", - "description": "Examine sports as play, performance, competition, an arena where there are politics, culture, power, identity struggles. Establishing the social meanings of sport, we address ethics, race, class, nation, gender, body, science, technology, entertainment industries, commerce, spectatorship, consumption, amateurism, professionalism. " + "HIEU 129": { + "prerequisites": [], + "name": "Paris, Past and Present", + "description": "This course surveys the historical and cultural significance of Paris from about 1500 to the present. The focus is on interactions between political, architectural, and urban evolutions, and the changing populations of Paris in times of war, revolutions, and peace.\u00a0+ " }, - "COMM 111T": { - "prerequisites": [ - "COMM 10", - "or", - "HDP 1" - ], - "name": "CCP: Cultural Politics of Sport", - "description": "Our understanding of childhood as a stage of innocence is a modern idea. The idea of childhood has not been constant; different cultures, communities, and classes have shaped the integration of children according to their own standards. We examine the different ways that attitudes toward children have changed, how these attitudes have been connected to an understanding of the human being, and how the desires of society and parents are manifested in what they think the child should be. " + "HIEU 130": { + "prerequisites": [], + "name": "Europe in the Eighteenth Century", + "description": "A lecture-discussion course focusing on Europe\n\t\t\t\t from 1688 to 1789. Emphasis is on the social, cultural, and intellectual history\n\t\t\t\t of France, Germany, and England. Topics considered will include family\n\t\t\t\t life, urban and rural production and unrest, the poor, absolutism, and\n\t\t\t\t the Enlightenment from Voltaire to Rousseau.\u00a0+ " }, - "COMM 112C": { - "prerequisites": [ - "COMM 10" - ], - "name": "IM: The Idea of Childhood", - "description": "The interaction of language and culture in human communication. New and old languages, standard and dialect, dominant and endangered are the special focus. Selected languages as examples of how languages exist in contemporary contexts. " + "HIEU 131": { + "prerequisites": [], + "name": "The French Revolution: 1789\u20131814", + "description": "This course examines the Revolution in France and its impact in Europe and the Caribbean. Special emphasis will be given to the origins of the Revolution, the development of political and popular radicalism and symbolism from 1789 to 1794, the role of political participants (e.g., women, sans-culottes, Robespierre), and the legacy of revolutionary wars and the Napoleonic system on Europe.\u00a0+ " }, - "COMM 112G": { - "prerequisites": [ - "COMM 10" - ], - "name": "IM: Language and Globalization", - "description": "Specialized study of communication topics, to be determined by the instructor, for any given quarter. May be taken for credit three times. " + "HIEU 132": { + "prerequisites": [], + "name": "Germany from Luther to Bismarck", + "description": "How Germany, from being a maze of tiny states rife with religious conflict, became a nation. Did the nations-building process lead to Nazism? Students may not get credit for both HIEU 132 and HIEU 132D. +" }, - "COMM 113T": { - "prerequisites": [ - "COMM 10" - ], - "name": "Intermediate Topics in Communication", - "description": "Consider \u201cconstitutions\u201d as meaning-making, world-building mechanisms and practices. Explore how constitutions work: as interpretive instruments designed to frame, organize, guide human thought, action, and systems (according to certain rules or principles often represented as divine in origin and universal in effect) and; as ongoing, dynamic interpretative processes that nevertheless congeal in objects, bodies, and social arrangements and are thus considered binding or unalterable. " + "HIEU 132D": { + "prerequisites": [], + "name": "Germany from Luther to Bismarck", + "description": "How Germany, from being a maze of tiny states rife with religious conflict, became a nation. Did the nations-building process lead to Nazism? Students may not get credit for both HIEU 132 and HIEU 132D." }, - "COMM 114C": { - "prerequisites": [ - "COMM 10" - ], - "name": "CSI: On Constitutions", - "description": "Does \u201cnew media\u201d deliver on its promise to expand access to public participation? We will analyze, produce, and counter narratives about media, youth, and democracy. The course should interest students who care about politics, human development, community engagement, or human computer interaction. " + "HIEU 134": { + "prerequisites": [], + "name": "The\n\t\t Formation of the Russian Empire, 800\u20131855", + "description": "State-building and imperial expansion among the peoples of the East Slavic lands of Europe and Asia from the origins of the Russian state in ninth-century Kiev, through Peter the Great\u2019s empire up to the middle of the nineteenth century.\u00a0+ " }, - "COMM 114D": { - "prerequisites": [ - "COMM 10" - ], - "name": "CSI: New Media, Youth, and Democracy", - "description": "This course introduces students to different theories of globalization and of gender. Against this theoretical background, students critically examine the gendered (and racialized) nature of labor in the production of material, social, and cultural goods in the global economy. " + "HIEU 135": { + "prerequisites": [], + "name": "Sun, Sea, Sand, and Sex:\u00a0Tourism and Tourists in the Contemporary World", + "description": "Major developments in modern tourism history, focusing on post-1945 Europe in its broader global context. Topics include tourism\u2019s relationship to cultural change and transfers, globalization, international politics, business, economics, wealth distribution, the environment, sexuality and sex tourism, and national identity." }, - "COMM 114E": { - "prerequisites": [ - "COMM 10", - "or", - "DOC 2", - "or", - "POLI 40" - ], - "name": "CSI: Gender, Labor, and Culture in the Global Economy", - "description": "Examination of the legal framework of freedom of expression in the United States. Covers fundamentals of First Amendment law studying key cases in historical content. Prior restraint, incitement, obscenity, libel, fighting words, public forum, campaign finance, commercial speech, and hate speech are covered. " + "HIEU 135GS": { + "prerequisites": [], + "name": "Sun, Sea, Sand, and Sex: Tourism and Tourists in the Contemporary World", + "description": "Major developments in modern tourism history, focusing on post-1945 Europe in its broader global context. Topics include tourism\u2019s relationship to cultural change and transfers, globalization, international politics, business, economics, wealth distribution, the environment, sexuality and sex tourism, and national identity. Program or materials fees may apply. Students may not receive credit for HIEU 135 and HIEU 135GS. Students must apply and be accepted to the Global Seminars Program." }, - "COMM 114F": { - "prerequisites": [ - "COMM 10" - ], - "name": "CSI: Law, Communication, and Freedom of Expression", - "description": "This course will focus on arguments about cognitive differences between men and women in science. We will review current arguments about essential differences, historical beliefs about gender attributes and cognitive ability, and gender socialization into patterns of learning in school. " + "HIEU 136B": { + "prerequisites": [], + "name": "\t\t European Society and Social Thought, 1870\u20131989", + "description": "A lecture and discussion course on European political and cultural development and theory from 1870\u20131989. Important writings will be considered both as responses to and as provocations for political and cultural change. " }, - "COMM 114G": { - "prerequisites": [ - "COMM 10" - ], - "name": "CSI: Gender and Science", - "description": "Course explores the roles of media technologies in activist campaigns, social movements. Blending theory, historical case studies, and project-based group work, students will investigate possibilities and limitations of attempts to enroll new and old media technologies in collective efforts to make social change. " + "HIEU 137": { + "prerequisites": [], + "name": "History of Colonialism: From New Imperialism to Decolonization", + "description": "This course surveys the age of colonialism in the nineteenth and twentieth century. The course will focus on the debates on colonialism in the metropolis as well as on the conflicts inside the colonies. Considerable emphasis will be placed on colonialism in Africa." }, - "COMM 114I": { - "prerequisites": [ - "COMM 10" - ], - "name": "CSI: Media Technologies and Social Movements", - "description": "Examine food justice from multiple analytical and theoretical perspectives: race, class, diversity, equity, legal-institutional, business, ethical, ecological, scientific, cultural, and socio-technical. Compare political strategies of food justice organizations/movements aimed at creating healthy and sustainable food systems locally and globally.\u00a0" + "HIEU 139": { + "prerequisites": [], + "name": "Sex and Gender from the Renaissance to the French Revolution", + "description": "This course places gender and sexuality at the center of European history from the Renaissance to the French Revolution. We examine the distinct roles that men and women played in the period\u2019s major events. We track how practices and understandings of gender and sexuality shifted during the four centuries between 1500 and 1800. +" }, - "COMM 114J": { + "HIEU 140": { "prerequisites": [], - "name": "CSI: Food Justice", - "description": "Specialized study in community-based and/or participatory design research with topics to be determined by the instructor, for any given quarter. Students who choose the option to do fieldwork for any given course, need to register for COMM 114K. May be taken for credit three times. " + "name": "History of Women and Gender in Europe: From the French Revolution to the Present", + "description": "This course explores the diverse history of women from the French Revolution to the present, with an emphasis on the variety of women\u2019s experience, the formation of gender identities, and the shifting relationship between gender and power over the course of the modern period. Topics include women and citizenship, science and gender, feminist movements, and the evolution of women\u2019s work." }, - "COMM 114K": { - "prerequisites": [ - "COMM 10" - ], - "name": "CSI: Community Fieldwork", - "description": "Using classic and modern texts, the course explores fundamental questions of law and political theory: What are rights and where do they come from? What is the balance between freedom and equality, between individual and common goods? These theoretical explorations are then oriented to specifically communication concerns: What is the relationship between privacy and personhood? Between free speech and democracy? Between intellectual property and efficient markets? " + "HIEU 140GS": { + "prerequisites": [], + "name": "Art and Society in Nineteenth-Century London", + "description": "This course examines English responses to the French Revolution, industrialization, and engagement with other cultures during the eighteenth and nineteenth centuries. Readings from high, popular, and folk literature, both serious and satirical, illuminate life in the London metropolis. Program or materials fees may apply. Students must apply and be accepted to the Global Seminars Program." }, - "COMM 114M": { - "prerequisites": [ - "COMM 10" - ], - "name": "CSI: Communication and the Law", - "description": "This course concentrates on one area of law specific to the concerns of communication: the relationship between privacy, personhood, and bodily autonomy. Using a combination of legal texts, court cases, and theoretical literature, we will consider the changing nature of each dimension of this relationship as the courts have been called upon to adjudicate conflicting claims and visions in matters of reproduction, sexual identity, genetic engineering, and the commodification of body parts. " + "HIEU 141": { + "prerequisites": [], + "name": "European Diplomatic History, 1870\u20131945", + "description": "European imperialism, alliances, and the outbreak of the First World War. The postwar settlement and its breakdown. The advent of Hitler and the disarray of the western democracies. The Second World War and the emergence of the super powers. " }, - "COMM 114N": { - "prerequisites": [ - "COMM 10" - ], - "name": "CSI: Communication and the Law: The Body in Law", - "description": "This course will explore the role that \u201cpublic history\u201d\u2014history as created for general audiences\u2014plays in communicating cultural and national identities by examining museum exhibitions, their controversies, and how material objects mediate interpretations of the past. " + "HIEU 142": { + "prerequisites": [], + "name": "European\n\t\t Intellectual History, 1780\u20131870", + "description": "European thought from the late Enlightenment and the French Revolution to Marx and Baudelaire, emphasizing the origins of romanticism, idealism, and positivism in England, Germany, and France." }, - "COMM 114P": { - "prerequisites": [ - "COMM 10" - ], - "name": "CSI: Public History and Museum Studies", - "description": "Examine science communication as a profession and unique form of storytelling. Identify who does science communication, how, why, and with what impacts. Highlight science communication\u2019s role in democracy, power, public reason, technological trajectories, the sustainability transition, and shifting university-community relations. " + "HIEU 143": { + "prerequisites": [], + "name": "European\n\t\t Intellectual History, 1870\u20131945", + "description": "A lecture-discussion course on the crisis of bourgeois culture, the redefinition of Marxist ideology, and the transformation of modern social theory. Readings will include Nietzsche, Sorel, Weber, Freud, and Musil. (This course satisfies the minor in the Humanities Program.)" }, - "COMM 114T": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "CSI: Science Communication", - "description": "Analyze forms of social issue media production, photography, audio/radio, arts, crafts, web, print zines, political documentary. Students work with several forms of media making: video, audio, web design, and a project in their chosen format. " + "HIEU 144": { + "prerequisites": [], + "name": "Topics in European History", + "description": "Selected topics in European history. Course may be taken for credit up to three times as topics vary." }, - "COMM 120I": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "AMP: Social Issues in Media Production", - "description": "An examination of how the media present society\u2019s members and activities in stereotypical formats. Reasons for and consequences of this presentation are examined. Student responsibilities will be (a) participation in measurement and analysis of stereotype presentations. (b) investigating techniques for assessing both cognitive and behavioral effects of such scripted presentations on the users of media. Students will not receive credit for COMT 105 and COMM 120M. " + "HIEU 145": { + "prerequisites": [], + "name": "The Holocaust as Public History", + "description": "We will study historical accounts, memoirs, diaries, and oral histories to master the Holocaust epoch. We will contrast scholarly narratives to personal experience as different ways to learn about the past. Students will design projects for public education." }, - "COMM 120M": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "AMP: Media Stereotypes", - "description": "Designed for students working in student news organizations or off-campus internships or jobs in news, public relations, or public information. A workshop in news writing and news analysis. " + "HIEU 146": { + "prerequisites": [], + "name": "Fascism, Communism, and the Crisis of Liberal Democracy: Europe 1919\u20131945", + "description": "A consideration of the political, social, and cultural crisis that faced Western liberal democracies in the interwar period, with emphasis on the mass movements that opposed bourgeois liberalism from both the left and the right. " }, - "COMM 120N": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "AMP: News Media Workshop", - "description": "This course develops critical understanding of educational uses of digital media through firsthand experience in public educational settings, and readings/discussions of challenges, benefits, and pitfalls of educational applications of media technology. Three hours/week of fieldwork required. " + "HIEU 146S": { + "prerequisites": [], + "name": "The Meaning of Life in the Modern World: Existentialism, Fascism, and Genocide", + "description": "Examines existentialism as a way of thinking from the late nineteenth to mid-twentieth century. Explores the historical context of existentialism in Germany and France, e.g., World War II, the Holocaust, fascism, and communism. Selections from Heidegger, Sartre, Camus, and de Beauvoir. " }, - "COMM 120P": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "AMP: Digital Media in Education", - "description": "Practice, history, and theory of writing for digital media. Text combines with images, sounds, movement, and interaction. New network technologies (email, blogs, wikis, and virtual worlds) create new audience relationships. Computational processes enable texts that are dynamically configured and more. " + "HIEU 150": { + "prerequisites": [], + "name": "Modern British History", + "description": "Emphasis on changes in social structure and corresponding shifts in political power. The expansion and the end of empire. Two World Wars and the erosion of economic leadership." }, - "COMM 120W": { - "prerequisites": [ - "COMM 10", - "or", - "COGS 1", - "or", - "ESYS 10", - "or", - "POLI 10", - "or", - "POLI 10D", - "or", - "USP 1" - ], - "name": "AMP: Writing for Digital Media", - "description": "Hands-on course introduces design as political activity. How will differently designed objects, environments perpetuate, interrupt status quo. Examine design, architecture, media activism, workday life. Examine ambiguous problems, take and give feedback, create prototypes to engage communities, broader publics. Students see design as part of longer-term social transformations. " + "HIEU 151": { + "prerequisites": [], + "name": "Spain since 1808", + "description": "Social, political, cultural history of Spain since Napoleon. Features second Spanish Republic, the Civil War, Franco era, and transition to democracy." }, - "COMM 124A": { - "prerequisites": [ - "COMM 124A" - ], - "name": "Critical Design Practice/Advanced Studio", - "description": "Course builds on understanding design as political activity. Group work to design quarter-long projects that explore political role of design, include design in built environments, organizations, media technologies. Deepened capacities to design in public, for publics, with publics. May be taken for credit three times. " + "HIEU 151GS": { + "prerequisites": [], + "name": "History of Modern Spain, 1808\u2013Present", + "description": "Social, political, cultural history of Spain since Napoleon. Features second Spanish Republic, the Civil War, Franco era, and transition to democracy. It will also include excursions to various sites of historical significance in and around Madrid. Program or materials fees may apply. Students may not receive credit for HIEU 151 and HIEU 151GS. Students must apply and be accepted to the Global Seminars Program." }, - "COMM 124B": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Critical Design Practice/Topic Studio", - "description": "A course that analyzes the influence of media on children\u2019s behavior and thought processes. The course takes a historical perspective, beginning with children\u2019s print literature, encompassing movies, music, television, and computers. Students will study specific examples of media products intended for children and apply various analytic techniques, including content analysis and experimentation to these materials. " + "HIEU 152": { + "prerequisites": [], + "name": "The Worst of Times: Everyday Life in Authoritarian and Dictatorial Societies", + "description": "Examines how ordinary citizens coped with the problems of life under Europe\u2019s authoritarian regimes. Topics may include Nazism, fascism, and quasi-fascist societies (e.g., Franco\u2019s Spain, Salazar\u2019s Portugal), and communist practice from Leninism to Stalinism to the milder Titoism of Yugoslavia." }, - "COMM 126": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Children and Media", - "description": "This course will explore the problem of self-expression for members of various ethnic and cultural groups. Of special interest is how writers find ways of describing themselves in the face of others\u2019 sometimes overwhelming predilection to describe them. " + "HIEU 153": { + "prerequisites": [], + "name": "Topics in Modern European History", + "description": "Selected topics in modern European history. Course may be taken for credit up to three times as topic vary." }, - "COMM 127": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Problem of Voice", - "description": "How does media representation of race, nation, and violence work? Taking multicultural California as our site, we will explore how social power is embedded in a variety of visual texts, and how media not only represents but also reproduces conflict. " + "HIEU 153A": { + "prerequisites": [], + "name": "Nineteenth-Century France", + "description": "A study of the social, intellectual, and political currents in French history from the end of the French Revolution to the eve of the First World War. Lectures, slides, films, readings, and discussions. " }, - "COMM 129": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Race, Nation, and Violence in Multicultural California", - "description": "Emergence of dissent in different societies, and relationship of dissent to movements of protest and social change. Movements studied include media concentration, antiwar, antiglobalization, death penalty, national liberation, and labor. Survey of dissenting voices seeking to explain the relationship of ideas to collective action and outcomes. " + "HIEU 154": { + "prerequisites": [], + "name": "Modern\n\t\t German History: From Bismarck to Hitler", + "description": "An analysis of the volatile course of German history from unification to the collapse of the Nazi dictatorship. Focus is on domestic developments inside Germany as well as on their impact on European and global politics in the twentieth century. " }, - "COMM 131": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Communication, Dissent, and the Formation of Social Movements", - "description": "Specialized study of communication, politics, and society with topics to be determined by the instructor for any given quarter. May be taken for credit three times. " + "HIEU 154GS": { + "prerequisites": [], + "name": "Modern Germany: From Bismarck to Hitler", + "description": "An analysis of the volatile course of German history from unification to the collapse of the Nazi dictatorship. Focus is on domestic developments inside Germany as well as on their impact on European and global politics in the twentieth century. Students may not receive credit for both HIEU 154 and HIEU 154GS. Program or materials fees may apply. Students must apply and be accepted to the Global Seminars Program." }, - "COMM 132": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Advanced Topics in Communication, Politics, and Society", - "description": "Television is a contested site for negotiating the rationales of inclusion and exclusion associated with citizenship and national belonging. Historical and contemporary case studies within international comparative contexts consider regulation, civil rights, cultural difference, social movements, new technologies, and globalization. " + "HIEU 154XL": { + "prerequisites": [], + "name": "HIEU 154 Foreign Language Section", + "description": "Students will exercise advanced German language skills to read and discuss materials in HIEU 154. Must be enrolled in HIEU 154." }, - "COMM 133": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Television and Citizenship", - "description": "Examines the complex relationship between mass media and the consumers and viewers they target. This course covers theories about audiences, reading practices of audiences, the economics of audiences, and the role of audiences in the digital era. " + "HIEU 156": { + "prerequisites": [], + "name": "History of the Soviet Union, 1905\u20131991", + "description": "This course explores war, revolution, development, and terror in the Soviet Union from 1905\u20131991. " }, - "COMM 134": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Media Audiences", - "description": "This advanced course examines, analyzes, and discusses media works by contemporary Asian American, Native American, African American, and Latina/o American filmmakers. The course does not offer a historical survey of films by minority makers but rather will operate on themes such as cultural identity, urbanization, personal relationships, gender relations, cultural retentions, and music. The course will require students to attend some off-campus screenings, especially those at area film festivals. " + "HIEU 157": { + "prerequisites": [], + "name": "Religion\n\t\t and the Law in Modern European History", + "description": "Comparative examination of the relationship between religious commitments and legal norms in Europe from the Reformation to the present. Topics may include government sponsorship; religious expression; conflicts with secular law; religious rights as human rights; and religious and cultural politics." }, - "COMM 135": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Contemporary Minority Media Makers and the Festival Experience", - "description": "Transmedia is a mode of production in which a text or story unfolds across multiple media platforms. Exploring all the facets of this widespread phenomenon\u2014historical, aesthetic, industrial, theoretical, and practical. This course explores and critically analyzes the art and economics of contemporary transmedia. " + "HIEU 158": { + "prerequisites": [], + "name": "Why Hitler? How Auschwitz?", + "description": "Why did Germany in 1919 produce an Adolf Hitler;\n\t\t\t\t how did the Nazis take power in 1933; and why did the Third Reich last\n\t\t\t\t until 1945? Why did the war against the Jews become industrial and absolute?" }, - "COMM 136": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Transmedia", - "description": "Students examine film and video media produced by black women filmmakers worldwide. This course will use readings from the writings of the filmmakers themselves as well as from film studies, women\u2019s studies, literature, sociology, and history. " + "HIEU 159": { + "prerequisites": [], + "name": "Three Centuries of Zionism, 1648\u20131948", + "description": "For centuries, the land of Israel was present in Jewish minds and hearts. Why and how did the return to Zion become a reality? Which were the vicissitudes of Jewish life in Palestine?" }, - "COMM 137": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Black Women Filmmakers", - "description": "This course examines the challenges that arise in using feminist theory to understand black women\u2019s experience in Africa and the United States. It also looks at the mass media and popular culture as arenas of black feminist struggle. " + "HIEU 159S": { + "prerequisites": [], + "name": "Three Centuries of Zionism 1648\u20131948", + "description": "For centuries, the land of Israel was present in Jewish minds and hearts. Why and how did the return to Zion become a reality? Which were the vicissitudes of Jewish life in Palestine?" }, - "COMM 138": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Black Women, Feminism, and Media", - "description": "Analysis of the changing content and sociopolitical role in Latin America of contemporary media, including the \u201cnew cinema\u201d movement, recent developments in film, and popular television programming, including the telenovela. Examples drawn from Mexico, Brazil, Cuba, and other countries. " + "HIEU 160": { + "prerequisites": [], + "name": "Topics in Ancient Greek History", + "description": "Selected topics in ancient Greek history. May be taken for credit three times. ** Upper-division standing required ** ** Department approval required ** " }, - "COMM 140": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Cinema in Latin America", - "description": "Focuses on science fiction\u2019s critical investigation of history, identity, and society across a range of media forms, including film, television, and literature. " + "HIEU 161/261": { + "prerequisites": [], + "name": "Topics in Roman History", + "description": "Selected topics in Roman history. May be taken for credit three times as topics will vary. " }, - "COMM 143": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Science Fiction", - "description": "Course will explore the politics and culture of the 1970s through the lens of network television programming and the decade\u2019s most provocative sitcoms, dramas, variety shows, and news features. Students will analyze television episodes and read relevant media studies scholarship. " + "HIEU 162/262": { + "prerequisites": [], + "name": "Topics in Byzantine History", + "description": "Selected topics in Byzantine history. May be taken for credit three times as topics vary. " }, - "COMM 144": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "American Television in the 1970s", - "description": "What role does popular culture play in shaping and creating our shared memory of the past? The course examines diverse sources such as school textbooks, monuments, holidays and commemorations, museums, films, music, and tourist attractions. " + "HIEU 163/263": { + "prerequisites": [], + "name": "Special Topics in Medieval History", + "description": "Intensive study of special problems or periods in the history of medieval Europe. Topics vary from year to year, and students may therefore repeat the course for credit. " }, - "COMM 145": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "History, Memory, and Popular Culture", - "description": "Specialized advanced study in cultural production with topics to be determined by the instructor for any given quarter. May be taken for credit three times. " + "HIEU 164/264": { + "prerequisites": [], + "name": "Special Topics in Early Modern Europe", + "description": "This course looks at the European and non-European in the early modern era. Topics will vary year to year. May be taken for credit three times." }, - "COMM 146": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Advanced Topics in Cultural Production", - "description": "Analysis of the forces propelling the Information Age. An examination of the differential benefits and costs, and a discussion of the presentation in the general media of the Information Age. " + "HIEU 166/HIEU 266": { + "prerequisites": [], + "name": "Living on the Edge: Mediterranean Environmental History", + "description": "What defines a \u201cMediterranean climate\u201d? Plentiful sunshine, hot, dry summers, and cool, wet winters? In fact, within the Mediterranean, there are countless microclimates. Some produce conditions of plenty, while others are precarious for human habitation. This colloquium examines the environmental history of the premodern Mediterranean focusing on the intersection between climate and human societies, particularly how humans respond to climate shifts in precariously arid zones. +\n\t " }, - "COMM 151": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "The Information Age: Fact and Fiction", - "description": "This course examines how buildings, cities, towns, gardens, neighborhoods, roads, bridges, and other bits of infrastructure communicate. We consider both the materiality and language like properties of physical things in order to understand how built environments are represented, experienced, and remembered. " + "HIEU 167/267": { + "prerequisites": [], + "name": "Special Topics in the Social History of Early Modern Europe", + "description": "Topics will vary and may include political, socioeconomic, and cultural developments in the era from 1650 to 1850. Some years the emphasis will be on the theory and practice of revolutions and their impact on Europe and the world. Graduate students will be required to submit an additional piece of work. " }, - "COMM 153": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Architecture as Communication", - "description": "Develop a critical understanding of the history, politics, and poetics of the Latino barrio as a distinct urban form. Course covers key concepts such as the production of space, landscapes of power, spatial apartheid, everyday urbanism, urban renewal, and gentrification. " + "HIEU\n\t\t 171/271": { + "prerequisites": [], + "name": "Special Topics in Twentieth-Century Europe", + "description": "This course alternates with HIEU 170. Topics will vary from year to year. " }, - "COMM 155": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Latinx Space, Place, and Culture", - "description": "The conflict between the state of Israel and the group of people known as Palestinians is arguably the most intractable conflict in the world today. This course is a critical engagement with debates about this conflict, and the different representations of these debates. " + "HIEU 172/272": { + "prerequisites": [], + "name": "Comparative European Fascism", + "description": "This course will be a comparative and thematic examination of the fascist movement and regimes in Europe from the 1920s to the 1940s. In particular, it will focus on the emergence of the two major fascist movements in Italy and Germany. Graduate students will be required to submit a more substantial piece of work with in-depth analysis and with an increased number of sources cited. A typical undergraduate paper would be ten pages, whereas a typical graduate paper would require engagement with primary sources, more extensive reading of secondary material, and be about twenty pages. ** Upper-division standing required ** " }, - "COMM 158": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Representations of the Israeli/Palestinian Conflict", - "description": "Explores tourism encounters around the world to question the discourses, imaginaries, and social practices involved in the construction, consumption, and reproduction of stereotypical representations of otherness (place, nature, culture, bodies). " + "HIEU\n\t\t 174/274": { + "prerequisites": [], + "name": "The Holocaust: A Psychological Approach", + "description": "An examination of how traditional moral concerns and human compassion came to be abandoned and how the mass murder of the Jews was organized and carried out. The focus of this course will be on the perpetrators. Requirements will vary for undergraduate MA and PhD students. Graduate students are required to submit a more substantial piece of work. ** Consent of instructor to enroll possible **" }, - "COMM 159": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Tourism, Power, and Place ", - "description": "The character and forms of international communications. Emerging structures of international communications. The United States as the foremost international communicator. Differential impacts of the free flow of information and the unequal roles and needs of developed and developing economies in international communications. " + "HIEU 176/276": { + "prerequisites": [], + "name": "Politics in the Jewish Past", + "description": "This seminar addresses Jewish civic autonomy in the late medieval era, the terms of emancipation in the European states, the politics of Jewish socialists, the costs of assimilation, and the consequences of a successful Zionist state in 1948. Graduate students will be required to submit a more substantial piece of work with in-depth analysis and with an increased number of sources cited. A typical undergraduate paper would be ten pages, whereas a typical graduate paper would require engagement with primary sources, more extensive reading of secondary material, and be about twenty pages. ** Upper-division standing required ** " }, - "COMM 160": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Political Economy and International Communication", - "description": "We examine how people interact with products of popular culture, production of cultural goods by looking at conditions in cultural industries. We examine film, music, publishing, focusing on how production is organized, what kind of working conditions arise, how products are distributed. " + "HIEU 178/278": { + "prerequisites": [], + "name": "Soviet History", + "description": "Topics will vary from year to year. Graduate\n\t\t\t\t students are required to submit a more substantial paper. ** Consent of instructor to enroll possible **" }, - "COMM 162": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Advanced Studies in Cultural Industries", - "description": "This course examines some of the changing cultural, social, technological, and political meanings; practices; and aspirations that together constitute what is and has been called freedom. " + "HIEU\n\t\t\t\t 181/281": { + "prerequisites": [], + "name": "Immigration, Ethnicity, and Identity in Contemporary European\n\t\t Society", + "description": "Comparative study of immigration and migration in Europe since 1945. Topics include (im)migrant adaptation, assimilation, and identity; labor systems, opposition to and regulation of migration; competing concepts of nationality and citizenship, conflicts over Muslim immigration; and implications for European integration. Students may not receive credit for both HIEU 181/281 and ERC 101. Graduate students will be expected to submit an additional paper. ** Upper-division standing required ** " }, - "COMM 163": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Concepts of Freedom", - "description": "This course aims to unveil the vast and largely hidden infrastructures silently shaping how digital communication take place in contemporary societies as well as the visible and invisible geographic of power and inequality these infrastructures are helping to create. " + "HIEU 182/282": { + "prerequisites": [], + "name": "The Muslim Experience in Contemporary European Society", + "description": "Comparative study of Islam in Europe since 1945. Topics include indigenous populations; immigration; Islamic law/church-state questions; EU expansion/integration; gender issues; terrorism; Islamophobia; \u201cEuropeanizing\u201d Islam; the historical tradition of European-Muslim encounter and its present political/cultural issues. Graduate students will be required to do an additional paper. ** Upper-division standing required ** " }, - "COMM 164": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Behind the Internet: Invisible Geographies of Power and Inequality", - "description": "Contributions of the field of communication to the study of surveillance and risk. Critical and legal perspectives on consumer research, copyright enforcement, the surveillance capacity of Information and Communication Technologies (ICTs), closed-circuit television, interactive media, and the \u201crhetorics of surveillance\u201d in television and film. " + "HIEU\n\t\t 183/283": { + "prerequisites": [], + "name": "Social History and Anthropology of the Mediterranean", + "description": "This seminar examines the social history and anthropology of the Mediterranean. Topics covered are the Mediterranean debate, rural economy, peasant society, gender relations, honor and shame, rural violence, class formation, and emigration. The seminar introduces the methodology of historical anthropology. Graduate students will be expected to complete an additional paper or project. ** Upper-division standing required ** " }, - "COMM 166": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Surveillance, Media, and the Risk Society", - "description": "This course is designed to introduce students to multiple settings where bilingualism is the mode of communication. Examination of how such settings are socially constructed and culturally based. Language policy, bilingual education, and linguistic minorities, as well as field activities included. " + "HIEU\n\t\t 184/284": { + "prerequisites": [], + "name": "Yugoslavia: Before, During, and After", + "description": "Examines the multiethnic Yugoslav states that existed from 1918 until the 1990s. Topics include interethnic relations, foreign affairs, Tito\u2019s revisionist communism, the consumerist Yugoslav Dream, culture and society, the violent break-up of the 1990s, and the post-Yugoslav order. Graduate students will be required to submit an additional paper. ** Upper-division standing required ** " }, - "COMM 168": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Bilingual Communication", - "description": "Course examines several different ways of telling stories as a form of communication: our own life and about the lives of others. There are also the occasions that the life stories of ordinary people are told at and celebrated, for example, funerals, Festschrifts, retirement dinners, fiftieth-anniversary parties, and retrospective art shows. " + "HIEU 198": { + "prerequisites": [], + "name": "Directed Group Study", + "description": "Directed group study on European history under the supervision of a member of the faculty on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members. " }, - "COMM 170": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Biography and Life Stories", - "description": "Survey of the communication practices found in environment controversies. The sociological aspects of environmental issues will provide background for the investigation of environmental disputes in particular contested areas, such as scientific institutions, communities, workplaces, governments, popular culture, and the media. " + "HIEU 199": { + "prerequisites": [], + "name": "Independent Study in European History", + "description": "Directed readings for undergraduates under the supervision of various faculty members. ** Consent of instructor to enroll possible **" }, - "COMM 171": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Environmental Communication", - "description": "Specialized advanced study in mediation and interaction with topics to be determined by the instructor for any given quarter. May be taken three times for credit. " + "HIGL 101": { + "prerequisites": [], + "name": "Jews, Christians, and Muslims", + "description": "The course will explore the cultural, religious, and social relationships between the three major religious groups in the medieval Mediterranean: Muslims, Christians, and Jews from the sixth through sixteenth centuries AD. Renumbered from HITO 101. Students may not receive credit for HIGL 101 and HITO 101." }, - "COMM 172": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Advanced Topics in Mediation and Interaction", - "description": "In this class we will look closely at the everyday ways in which we interact with technology to discuss sociocultural character of objects, built environments; situated, distributed, and embodied character of knowledges; use of multimodal semiotic resources, talk, gesture, body orientation, and gaze in interaction with technology. " + "HIGL 104": { + "prerequisites": [], + "name": "The Jews and Judaism in the Ancient and Medieval Worlds", + "description": "The political and cultural history of the Jews through the early modern period. Life under ancient empires, Christianity and Islam. The post-biblical development of the Jewish religion and its eventual crystallization into the classical, rabbinic model. Renumbered from HITO 104. Students may not receive credit for HIGL 104 and HITO 104. +" }, - "COMM 173": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Interaction with Technology", - "description": "An examination of the questions that developments in robotics pose to the scholars of communication: How do we communicate when our interlocutors are nonhumans? How do we study objects that are claimed to be endowed with social and affective character? " + "HILA 100": { + "prerequisites": [], + "name": "Conquest and Empire: The Americas ", + "description": "Lecture-discussion survey of Latin America from the pre-Columbian era to 1825. It addresses such issues as the nature of indigenous cultures, the implanting of colonial institutions, native resistance and adaptations, late colonial growth and the onset of independence. Students may not receive credit for both HILA 100 and HILA 100D.\u00a0+ " }, - "COMM 174": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Communication and Social Machines", - "description": "This course examines the cultural politics of consumption across time and cultures through several concepts: commodity fetishism; conspicuous consumption; taste; class; and identity formation; consumption\u2019s psychological, phenomenological, and poetic dimensions; and contemporary manifestations of globalization and consumer activism. " + "HILA 100D": { + "prerequisites": [], + "name": "Latin America: Colonial Transformation", + "description": "Lecture-discussion survey of Latin America from the pre-Columbian era to 1825. It addresses such issues as the nature of indigenous cultures, the implanting of colonial institutions, native resistance and adaptation, late colonial growth, and the onset of independence. " }, - "COMM 175": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Cultures of Consumption", - "description": "The secularization thesis\u2014that as society becomes more modern and standards of living rise, the importance of religion will diminish and be confined to the private sphere\u2014may be wrong. We address religion, communication, culture, and politics in the United States. " + "HILA 101": { + "prerequisites": [], + "name": "Nation-State Formation, Ethnicity, and Violence in Latin America", + "description": "Survey of Latin America in the nineteenth century. It addresses such issues as the collapse of colonial practices in the society and economy as well as the creation of national governments, political instability, disparities among regions within particular countries, and of economies oriented toward the export of goods to Europe and the United States. " }, - "COMM 176": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Communication and Religion", - "description": "Explores theories and narratives of cultural power, contemporary practices of resistance. Texts from a wide range of disciplines consider how domination is enacted, enforced, and what modes of resistance are employed to contend with uses and abuses of political power. " + "HILA 102": { + "prerequisites": [], + "name": "Latin America in the Twentieth Century", + "description": "This course surveys the history of the region by focusing on two interrelated phenomena\u2014the absence of democracy in most nations and the region\u2019s economic dependence on more advanced countries, especially the United States. Among the topics discussed will be the Mexican Revolution, the military in politics, labor movements, the wars in Central America, liberation theology, and the current debt crisis. " }, - "COMM 177": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Culture, Domination, and Resistance", - "description": "How are messages created, transmitted, and received? What is the relationship between thinking and communicating?\u00a0How are linguistic processes embedded in sociocultural practices?\u00a0Course discusses classic texts in the field of communication theory stemming from linguistics, semiotics, philosophy of language, literary theory.\u00a0" + "HILA 102D": { + "prerequisites": [], + "name": "Latin America in the Twentieth Century", + "description": "This course surveys the history of the region by focusing on two interrelated phenomena\u2014the absence of democracy in most nations and the region\u2019s economic dependence on more advanced countries, especially the United States. Among the topics discussed will be the Mexican Revolution, the military in politics, labor movements, the wars in Central America, liberation theology, and the current debt crisis. " }, - "COMM 180": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Advanced Studies in Communication Theory", - "description": "This course considers the idea of the citizen-consumer that organizes much of contemporary urban planning and processes of identity, class, race, and gender formation in cities globally. Focusing on contemporary service oriented economies, we will critically explore how consumption spaces, such as shopping malls, theme parks, plazas, markets, parks, beaches, and tourist resorts, are critical nodes to understand neoliberal patterns of land transformation, labor exploitation, and social change. " + "HILA 103": { + "prerequisites": [], + "name": "Revolution in Modern Latin America", + "description": "A political, economic, and social examination of the causes and consequences of the Mexican, Cuban, and Nicaraguan revolutions. Also examine guerrilla movements that failed to gain power in their respective countries, namely the Shining Path in Peru, FARC in Colombia, and the Zapatistas in Mexico." }, - "COMM 181": { - "prerequisites": [ - "COMM 10", - "COMM 100A", - "and" - ], - "name": "Citizen Consumers ", - "description": "Concepts, possibilities, and dilemmas inherent in the notion of global citizenship. Formulate goals and instructional strategies for global education, expected competence of individuals within society. Examine roles that communication and curriculum play in the formation of identity, language use, and civic responsibility of global citizens. " + "HILA 104": { + "prerequisites": [], + "name": "Drugs in Latin America", + "description": "This course examines drugs in Latin America from the 1900s to the present. Brazil, Central America, Columbia, Mexico, and Peru are studied along with some short articles in other nations. We'll also explore aspects of US intervention regarding drugs during and after the Cold War. " }, - "COMM 182": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Education and Global Citizenship", - "description": "This course critically examines social and economic forces that shape the making of this new global consumer culture by following the flows of consumption and production between the developed and developing worlds in the 1990s. We will consider how consumers, workers, and citizens participate in a new globalized consumer culture that challenges older distinctions between the First and the Third World. In this course, we will focus on the flows between the United States, Asia, and Latin America. " + "HILA 106": { + "prerequisites": [], + "name": "Changes and Continuities in Latin American History", + "description": "Reviews the historical processes Latin American countries underwent after political independence from Spain/Portugal in the nineteenth century. Each country built its future, but there also were continuities. Assessing changes and continuities and their present-day consequences will be our goal. " }, - "COMM 183": { - "prerequisites": [ - "COMM 10", - "and", - "COMM 100A" - ], - "name": "Global Economy and Consumer Culture", - "description": "Considers globalization\u2019s impact on concepts of nature in and through media texts, information systems, circulation of consumer goods and services, the emergence of global brands, science, health initiatives, environmental media activism, technology transfer in the twentieth and early twenty-first centuries. " + "HILA 113": { + "prerequisites": [], + "name": "Lord and Peasant in Latin America", + "description": "Examination of the historical roots of population problems, social conflict, and revolution in Latin America, with emphasis on man-land relationships. Special emphasis on modern reform efforts and on Mexico, Cuba, Brazil, and Argentina. Lecture, discussion, reading, and films. " }, - "COMM 184": { + "HILA 113D": { "prerequisites": [], - "name": "Global Nature/Global Culture", - "description": "(Same as POLI 194, USP 194, HITO 193, SOCI 194, and COGS 194) Course attached to six-unit internship taken by students participating in the UCDC program. Involves weekly seminar meetings with faculty and teaching assistants and a substantial research paper. " + "name": "Lord and Peasant in Latin America", + "description": "Examination of the historical roots of population problems, social conflict, and revolution in Latin America, with emphasis on man-land relationships. Special emphasis on modern reform efforts and on Mexico, Cuba, Brazil, and Argentina. Lecture, discussion, reading, and films. " }, - "COMM 194": { + "HILA 114": { "prerequisites": [], - "name": "Research Seminar in Washington, D.C.", - "description": "Preparation of an honors thesis, which can be either a research paper or a media production project. Open to students who have been admitted to the honors program. Grades will be awarded upon completion of the two-quarter sequence. " + "name": "Dictatorships in Latin America", + "description": "How did dictatorships come about? Who were the authoritarian leaders? How did they organize their regimes and what were the consequences? Recent publications on dictators in Latin America allow for comparisons across countries and throughout time to answer these questions." }, - "COMM 196A": { + "HILA 114D": { "prerequisites": [], - "name": "Honors Seminar in Communication", - "description": "Preparation of an honors thesis, which can be either a research paper or a media production project. Open to students who have been admitted to the honors program. Grades will be awarded upon completion of the two-quarter sequence. " + "name": "Dictatorship in Latin America", + "description": "How did dictatorships come about? Who were the authoritarian leaders? How did they organize their regimes and what were the consequences? Recent publications on dictators in Latin America allow for comparisons across countries and throughout time to answer these questions. " }, - "COMM 196B": { + "HILA 115": { "prerequisites": [], - "name": "Honors Seminar in Communication", - "description": "Directed group study on a topic or in a field not included in the regular curriculum by special arrangement with a faculty member. May be taken three times for credit. ** Consent of instructor to enroll possible **" + "name": "The Latin American City, a History", + "description": "A survey of the development of urban forms of Latin America and of the role that cities played in the region as administrative and economic centers. After a brief survey of pre-Columbian centers, the lectures will trace the development of cities as outposts of the Iberian empires and as \u201ccity-states\u201d that formed the nuclei of new nations after 1810. The course concentrates primarily on the cities of South America, but some references will be made to Mexico City. It ends with a discussion of modern social ills and Third World urbanization. Lima, Santiago de Chile, Buenos Aires, Rio de Janeiro, and Sao Paulo are its principal examples." }, - "COMM 198": { + "HILA 117": { "prerequisites": [], - "name": "Directed Group Study in Communication", - "description": "Independent study and research under the direction of a member of the faculty. May be taken three times for credit. ** Consent of instructor to enroll possible **" + "name": "Indians, Blacks, and Whites: Family Relations in Latin America", + "description": "The development of family structures and relations among different ethnic groups. State and economy define and are defined by family relations. Thus this family approach also provides an understanding to broader socioeconomic processes and cultural issues." }, - "COMM 199": { + "HILA 118": { "prerequisites": [], - "name": "Independent Study in Communication", - "description": "This course focuses on the political economy of communication and the social organization of key media institutions. There will be both descriptive and analytical concerns. The descriptive concern will emphasize the complex structure of communication industries and organizations, both historically and cross-nationally. The analytic focus will examine causal relationships between the economic and political structure of societies, the character of their media institutions, public opinion, and public attitudes and behaviors expressed in patterns of voting, consuming, and public participation. The nature of evidence and theoretical basis for such relationships will be critically explored. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Subverting Sovereignty: US Aggression in Latin America, 1898\u2013Present", + "description": "This course will focus on several instances of US aggression in Latin America since 1898, covering military invasions, covert actions, and economic forms of coercion. Specific case studies will include events in Mexico in 1914, Cuba in 1933 and 1959\u20131962, Guatemala in 1954, and Chile in 1973." }, - "HDS 1": { + "HILA 120": { "prerequisites": [], - "name": "Introduction to Human Developmental Sciences", - "description": "This course introduces students to the central issues in the basic areas in human development. The course will explain relationships between biological, cognitive, social, and cultural aspects of development across the life span. Renumbered from HDP 1. Students may not receive credit for HDP 1 and HDS 1. " + "name": "History of Argentina", + "description": "A survey from the colonial period to the present, with an emphasis on the nineteenth and twentieth centuries. Among the topics covered: the expansion of the frontier, the creation of a cosmopolitan, predominately European culture, and the failure of industrialization to provide an economic basis for democracy." }, - "HDS 98": { + "HILA 121A": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Directed group study, on a topic or in a field not included in the department curriculum, by arrangement with a faculty member. Pass/No Pass grades only. Cannot be used toward HDS major credit. Renumbered from HDP 98. HDS 98 and/or HDP 98 may be taken for credit for a combined total of three times. " + "name": "History of Brazil through 1889 ", + "description": "A lecture-discussion course on the historical roots of revolutionary Cuba, with special emphasis on the impact of the United States on the island\u2019s development and society." }, - "HDS 99": { + "HILA 121B": { "prerequisites": [], - "name": "Independent Study in Human Developmental Sciences", - "description": "Independent study and research under the direction of an affiliated human developmental sciences faculty member. Pass/No Pass only. Cannot be used toward HDS major credit. Renumbered from HDP 99. HDS 99 and/or HDP 99 may be taken for credit for a combined total of three times. " + "name": "History of Brazil, 1889 to Present", + "description": "The Incas called their realm Tahuantinsuyu (Land of the Four Quarters). But the Incas were only one of the many ethnic groups in the Andean region. Many different other groups became a part of the Tahuantinsuyu in the wake of Inca expansion. Over the past decade, new and fascinating information on these processes have been published and allow for a rereading of Inca history between 900 and 1535. +" }, - "HDS 110": { - "prerequisites": [ - "HDP 1", - "or", - "HDS 1", - "or", - "PSYC 101" - ], - "name": "Brain and Behavioral Development", - "description": "The purpose of this course is to familiarize students with basic mechanisms of brain and behavioral development from embryology through aging. Multiple levels of analysis will be discussed, including the effects of hormones on behavior, developmental events at the level of cells, structures, and neural systems, and the neural basis of cognition, social, perceptual, and language development. Renumbered from HDP 110. Students may not receive credit for HDP 110 and HDS 110. " + "HILA 122": { + "prerequisites": [], + "name": "Cuba: From Colony to Socialist Republic", + "description": "The course surveys Chile\u2019s basic developments beginning with the era of nitrate exports. Students will have the opportunity to address a specific issue of his or her own choosing and develop the topic for class presentation and a final paper. The course will cover politics, cultural changes, class struggles, Allende\u2019s revolutionary movement, and Pinochet\u2019s dictatorship to the present." }, - "HDS 111": { - "prerequisites": [ - "HDP 1", - "or", - "HDS 1", - "or", - "ANTH 2", - "or", - "BILD 3" - ], - "name": "Evolutionary Principles in Human Development", - "description": "The course will examine the human evolutionary past to inform our understanding of the biological, cognitive, and socio-cultural aspects of growth and change across the life span. Lectures and readings will draw from diverse fields to situate our understanding of human development within its broader evolutionary context. Areas of focus will include but are not limited to human longevity, biology of growth, theory of mind, and social and biological development in cross-species comparison. Renumbered from HDP 111. Students may not receive credit for HDP 111 and HDS 111. " + "HILA 123": { + "prerequisites": [], + "name": "The Incas and Their Ancestors", + "description": "A broad historical overview of Latin American women\u2019s history focusing on issues of gender, sexuality, and the family as they relate to women, as well as the historiographical issues in Latin American and Chicana women\u2019s history." }, - "HDS 120": { - "prerequisites": [ - "HDP 1", - "or", - "HDS 1" - ], - "name": "Language Development", - "description": "Examination of children\u2019s acquisition of language from babbling to the formation of sentences. Topics covered include prelinguistic gestures, relationships between babbling and sound systems, speech perception, linking words with objects, rule overgeneralization, bilingualism, nature vs. nurture, individual differences, and cultural differences. Renumbered from HDP 120. Students may not receive credit for HDP 120 and HDS 120. " + "HILA 124": { + "prerequisites": [], + "name": "The History of Chile 1880\u2013Present", + "description": "Exploration of the relationships between socioeconomic and cultural development in Caribbean history; slavery and empire; nationalism and migration; vodun and Rastafarianism, and the literary arts. " }, - "HDS 121": { - "prerequisites": [ - "HDP 1", - "or", - "HDS 1", - "or", - "COGS 1" - ], - "name": "The Developing Mind", - "description": "(Same as COGS 110.) This course examines changes in thinking and perceiving the physical and social world from birth through childhood. Evidence of significant changes in encoding information, forming mental representations, and solving problems is culled from psychological research, cross-cultural studies, and cognitive science.\u00a0Cross-listed course HDS 121 has been renumbered from HDP 121. Students may receive credit for one of the following: COGS 110, HDS 121, or HDS 121. " + "HILA 124A": { + "prerequisites": [], + "name": "\t\t History of Women and Gender in Latin America", + "description": "A century of Mexican history, 1821\u20131924: the\n\t\t\t\t quest for political unity and economic solvency, the forging of a nationality,\n\t\t\t\t the Gilded Age and aftermath, the ambivalent Revolution of Zapata and his\n\t\t\t\t enemies." }, - "HDS 122": { - "prerequisites": [ - "HDP 1", - "or", - "HDS 1" - ], - "name": "Development of Social Cognition ", - "description": "This course covers topics in development of social cognition across the life span. Grounded in current research and theoretical models, content addresses general principles such as the mutual influences of caregivers and children upon each other and the interplay of person and context. Discussion areas include attachment, aggression, identity development, social cognition, social components of achievement motivation, and development of conscience. Renumbered from HDP 122. Students may not receive credit for HDP 122 and HDS 122. " + "HILA 126": { + "prerequisites": [], + "name": "From Columbus to Castro: Caribbean Culture and Society", + "description": "The social and political history of twentieth-century Mexico from the outbreak of revolution to the current \u201cwar on drugs.\u201d Highlights include the Zapatista calls for land reform, the muralist movement, and the betrayal of revolutionary ideals by a conservative elite. We will also study the Mexican urban experience and environmental degradation. Students may not receive credit for both HILA 132 and HILA 132GS." }, - "HDS 133": { - "prerequisites": [ - "HDP 1", - "or", - "HDS 1", - "or", - "PSYC 1" - ], - "name": "Cross-Cultural Perspectives on Developmental Science ", - "description": "This course examines how human development varies cross-culturally across the life span. It explores human developmental science as a bio-social-cultural process, in which development is not simply a product of biology and genetics, but shaped by the particular cultural traditions and patterns of social interactions into which an individual is born. Renumbered from HDP 133. Students may not receive credit for HDP 133 and HDS 133. " + "HILA 131": { + "prerequisites": [], + "name": "A History of Mexico", + "description": "The social and political history of twentieth-century Mexico from the outbreak of revolution to the current \u201cwar on drugs.\u201d Highlights include the Zapatista calls for land reform, the muralist movement, and the betrayal of revolutionary ideals by a conservative elite. We will also study the Mexican urban experience and environmental degradation." }, - "HDS 150": { - "prerequisites": [ - "HDP 181", - "or", - "HDS 181" - ], - "name": "Senior Seminar", - "description": "Seminar for graduating HDS seniors. Readings and discussion of special topics in human developmental sciences. Provides advanced-level study on subfields of human development. Topics vary quarterly. Renumbered from HDP 150. HDS 150 and/or HDP 150 may be repeated for a combined total of two times when topics vary. ** Department approval required ** " + "HILA 132": { + "prerequisites": [], + "name": "Modern Mexico: From Revolution to Drug War Violence ", + "description": "The social and political history of twentieth-century Mexico from the outbreak of revolution to the current \u201cwar on drugs.\u201d Highlights include the Zapatista calls for land reform, the muralist movement, and the betrayal of revolutionary ideals by a conservative elite. We will also study the Mexican urban experience and environmental degradation. Students may not receive credit for both HILA 132 and HILA 132GS. Program or materials fees may apply. Students must apply and be accepted to the Global Seminars Program." }, - "HDS 160": { + "HILA 132D": { "prerequisites": [], - "name": "Special\n\t\t\t\t Topics Seminar in Human Developmental Sciences", - "description": "Special topics in human developmental sciences are discussed. Renumbered from HDP 160. HDS 160 and/or HDP 160 may be taken for credit for a combined total of three times when topics vary. ** Department approval required ** " + "name": "Modern Mexico: From Revolution to Drug War Violence", + "description": "This course surveys guerrilla movements in Latin America from the Cuban Revolution through the Zapatista movement in Mexico, comparing and contrasting the origins, trajectories, and legacies of armed insurgencies, and focusing on the politics of defining \u201cinsurgents,\u201d \u201crevolutionaries,\u201d and \u201cterrorists.\u201d " }, - "HDS 171": { + "HILA 132GS": { "prerequisites": [], - "name": "Diversity in Human Development: A Cultural Competency Approach ", - "description": "This course provides an introduction to the scholarship and practice of cultural competency, with a goal of enhancing the ability of students to be effective researchers and community service partners. Through relevant readings, associated assignments, and community guest speakers, students will acquire the necessary skills for doing substantive and responsive research in diverse cultural contexts. Renumbered from HDP 171. Students may not receive credit for HDP 171 and HDS 171. " + "name": "Modern Mexico: From Revolution to Drug War Violence", + "description": "This course surveys the history of the native peoples of Mexico and the Andes from Iberian contact to the late colonial period (1492\u20131800). It focuses on changes and continuities in postconquest society, exploring topics such as gender, sexuality, and resistance. \u00a0" }, - "HDS 175": { + "HILA 133S": { "prerequisites": [], - "name": "Power, Wealth, and Inequality in Human Development", - "description": "Inequality affects social mobility and opportunities for diverse communities in the United States, having long-term implications for life span development. A multidisciplinary approach examines the differential effects on development fostered by disparities in socio-economic, educational, and cultural factors. Renumbered from HDP 175. Students may not receive credit for HDP 175 and HDS 175. " + "name": "Guerrillas and Revolution in Latin America", + "description": "Selected topics in Latin American history. Course may be taken for credit up to three times as topics vary (the course subtitle will be different for each distinct topic). Students who repeat the same topic in HILA 144 will have the duplicate credit removed from their academic record." }, - "HDS 181": { - "prerequisites": [ - "HDS 1", - "and", - "BIEB 100", - "or", - "COGS 14B", - "or", - "ECON 120A", - "or", - "MATH 11", - "or", - "POLI 30", - "or", - "POLI 30D", - "or", - "PSYC 60" - ], - "name": "Experimental\n\t\t\t\t Projects in Human Development Research", - "description": "This laboratory course in human developmental sciences is designed around a variety of intensive experimental projects. With lectures providing background information on research methods and life span development, each assignment will include data collection and/or analysis, and a written laboratory report. Renumbered from HDP 181. Students may not receive credit for HDP 181 and HDS 181. ** Department approval required ** " + "HILA 134": { + "prerequisites": [], + "name": "Indians of Colonial Latin America", + "description": "Recordings of Amazonia\u2019s past before Iberian adventurers searched for El Dorado are scarce. Environmental significance and the continued existence of large fluvial societies, read through the lenses of chroniclers, scientists, missionaries, and colonizers, allows a reconstruction of humankind\u2019s relationship to nature." }, - "HDS 191": { + "HILA 144": { "prerequisites": [], - "name": "Field Research in Human Development", - "description": "Specialized research project under the direction of a human developmental sciences affiliated faculty member. Renumbered from HDP 193. Students may not receive more than a combined total of eight units of credit for HDP 193 and HDS 193. ** Department approval required ** " + "name": "Topics in Latin American History", + "description": "A broad historical overview of Latin American women\u2019s history of focusing on the issues of gender, sexuality, and the family as they relate to women, as well as the historiographical issues in Latin American and Chicana women\u2019s history.\n " }, - "HDS 193": { + "HILA 145": { "prerequisites": [], - "name": "Advanced\n\t\t\t\t Research in Human Developmental Sciences", - "description": "Students carry out a three-quarter research project, under the guidance of a faculty member, that will form the basis for their senior honors thesis in the human developmental sciences major. Renumbered from HDP 194A-B-C. Students may not receive credit for HDP 194A-B-C and HDS 194A-B-C. ** Consent of instructor to enroll possible **" + "name": "People and Nature in Amazonia: An Unwritten History", + "description": "Topics will vary from year to year or quarter to quarter. May be repeated for an infinite number of times due to the nature of the content of the course always changing. ** Consent of instructor to enroll possible **" }, - "HDS 194A-B-C": { + "HILA 161/261": { "prerequisites": [], - "name": "Honors Thesis in Human Developmental Sciences", - "description": "Introduction to teaching within human developmental sciences. Under the direction of the instructor, students attend lectures, lead discussion sections, review course readings, and meet regularly to prepare course materials and to evaluate examinations and papers. Course not counted toward HDS major or minor. Pass/No Pass only. Renumbered from HDP 195. Students may not receive more than a combined total of eight units of credit for HDP 195 and HDS 195. ** Consent of instructor to enroll possible **" + "name": "History of Women in Latin America", + "description": "The course surveys Chile\u2019s basic developments beginning with the era of nitrate exports. Students will have the opportunity to address a specific issue of his/her own choosing and develop the topic for class presentation and a final paper. Graduate students are expected to submit a more substantial piece of work. ** Consent of instructor to enroll possible **" }, - "HDS 195": { + "HILA\n\t\t 162/262": { "prerequisites": [], - "name": "Instructional\n\t\t\t\t Apprentice in Human Developmental Sciences ", - "description": "Independent study and research under the direction of an affiliated human developmental sciences faculty member. Pass/No Pass only. Renumbered from HDP 199. HDP 199 and/or HDS 199 may be taken for credit for a combined total of three times. Cannot be used toward HDS major credit. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Special Topics in Latin American History", + "description": "Inside or outside the household, women have always worked. Where do we find Latin American women? How has the labor market changed? How was and is women\u2019s work perceived? What were the consequences of changing work patterns on family life? ** Consent of instructor to enroll possible **" }, - "HILD 2A-B-C": { + "HILA 163/263": { "prerequisites": [], - "name": "United States", - "description": "A yearlong lower-division course that will provide students with a background in United States history from colonial times to the present, concentrating on social, economic, and political developments. (Satisfies Muir College humanities requirement and American History and Institutions requirement.) " + "name": "The History of Chile 1880\u2013Present", + "description": "Introduction to the historiography on Latin America for the colonial period from Spanish and Portuguese conquests to the Wars of Independence. Requirements will vary for undergraduate, MA, and PhD students. Graduate students are required to submit an additional research paper. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "HILD 7A-B-C": { + "HILA 164/264": { "prerequisites": [], - "name": "Race and Ethnicity in the United States", - "description": "Lectures and discussions surveying the topics of race, slavery, demographic patterns, ethnic variety, rural and urban life in the United States, with special focus on European, Asian, and Mexican immigration. " + "name": "Women\u2019s Work and Family Life in Latin America", + "description": "Introduction to the historiography on Latin America for the nineteenth century: world economy, nation-state building, agrarian processes, incipient industrialization, political and cultural thought, and social structure. Requirements will vary for undergraduate, MA, and PhD students. Graduate students are required to submit an additional research paper. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "HILD 7A": { + "HILA 167/267": { "prerequisites": [], - "name": "Race and Ethnicity in the United States", - "description": "A lecture-discussion course on the comparative ethnic history of the United States. Of central concern will be the African American, slavery, race, oppression, mass migrations, ethnicity, city life in industrial America, and power and protest in modern America. " + "name": "Scholarship on Latin American History in the Colonial Period", + "description": "Introduction to the historiography on Latin America for the twentieth century: agrarian reforms, unionization, industrialization by import substitution, the political left, social development, and international relations. Requirements will vary for undergraduate, MA, and PhD students. Graduate students are required to submit an additional research paper. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "HILD 7B": { + "HILA 168/268": { "prerequisites": [], - "name": "Race and Ethnicity in the United States", - "description": "A lecture-discussion course on the comparative ethnic history of the United States. Of central concern will be the Asian American and white ethnic groups, race, oppression, mass migrations, ethnicity, city life in industrial America, and power and protest in modern America. " + "name": "Scholarship on Latin American History in the Nineteenth Century", + "description": "Topics may vary from year to year. May be repeated for credit. Requirements will vary for undergraduates, MA, and PhD students. Graduate students are required to submit a more substantial piece of work." }, - "HILD 7C": { + "HILA 169/269": { "prerequisites": [], - "name": "Race and Ethnicity in the United States", - "description": "A lecture-discussion course on the comparative ethnic history of the United States. Of central concern will be the Mexican American, race, oppression, mass migrations, ethnicity, city life in industrial America, and power and protest in modern America. " + "name": "Scholarship on Latin American History in the Twentieth Century", + "description": "Directed group study on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members." }, - "HILD 7GS": { + "HILA 171/271": { "prerequisites": [], - "name": "Race and Ethnicity in the Global World", - "description": "Lectures and discussions surveying the topics of race, slavery, demographic patterns, ethnic variety, and rural and urban life in the United States, with special focus on European, Asian, and Mexican immigration. Program or materials fees may apply. May be taken for credit up to three times. Students must apply and be accepted into the Global Seminars Program." + "name": "Topics in Latin American History Since 1910", + "description": "Directed readings for undergraduates under the supervision of various faculty members. ** Consent of instructor to enroll possible **" }, - "HILD 8GS": { + "HILA 198": { "prerequisites": [], - "name": "Race and Ethnicity in the United States", - "description": "A lecture-discussion course on the comparative ethnic history of the United States. Of central concern will be the Mexican American, race, oppression, mass migrations, ethnicity, city life in industrial America, and power and protest in modern America. Students may not receive credit for HILD 8GS and HILD 7C. Program or materials fees may apply. Students must apply and be accepted into the Global Seminars Program." + "name": "Directed Group Study", + "description": "The history and literature of ancient Israel c. 1300 to 300 BCE. Reading from the Bible, historical and archaeological surveys, and studies of authorship.\u00a0+" }, - "HILD 10": { + "HILA 199": { "prerequisites": [], - "name": "East Asia: The Great Tradition", - "description": "The East Asia survey compares and contrasts the development of China, Korea, and Japan from ancient times to the present. This course explores the evolution of civilization from the first writing through classical Hei\u2019an Japan, aristocratic Koryo, and late imperial Song China. Primary and secondary readings on basic ideas, institutions, and practices of the Confucian, Daoist, and Buddhist paths and of the state and family." + "name": "Independent\n\t\t Study in Latin American History", + "description": "Based on biblical and nonbiblical sources, a reconstruction of Israelite institutions, beliefs, and practices and their evolution over time.\u00a0+" }, - "HILD 11": { + "HINE 100": { "prerequisites": [], - "name": "East Asia and the West, 1279\u20131911", - "description": "The East Asia survey compares and contrasts the development of China, Korea, and Japan from ancient times to the present. From the Mongol conquests through China\u2019s and Korea\u2019s last dynasties, and the rise of Meiji Japan, this course examines political, institutional, and cultural ruptures and continuities as East Asia responded to the challenges of Western imperialism with defense, reform, conservative reaction, and creative imitation." + "name": "The Hebrew Bible and History", + "description": "The Jews in Israel from the sixth century BCE to the seventh century CE. Statehood, nationalism, and autonomy within the framework of the Persian empire, the Hellenistic kingdoms, and the Roman-Byzantine empire. Cultural and religious developments will be explored.\u00a0+ " }, - "HILD 12": { + "HINE 101": { "prerequisites": [], - "name": "Twentieth-Century East Asia", - "description": "The East Asia survey compares and contrasts the development of China, Korea, and Japan from ancient times to the present. This course examines the emergence of a regionally dominant Japan before and after World War II; the process of revolution and state-building in China during the nationalist and communist eras; and Korea\u2019s encounter with colonialism, nationalism, war, revolution, and industrialization." + "name": "The Religion of Ancient Israel", + "description": "The Jews outside their homeland and in pre-Islamic times, concentrating on the Greco-Roman West and the Parthian-Sasanian East. Topics include assimilation and survival; anti-Semitism and missionizing; patterns of organization and autonomy; cultural and religious developments.\u00a0+ " }, - "HILD 14": { + "HINE 102": { "prerequisites": [], - "name": "Film and History in Latin America", - "description": "Students watch films on Latin America and compare them to historical research on similar episodes or issues. Films will vary each year but will focus on the social and psychological consequences of colonialism, forced labor, religious beliefs, and \u201cModernization.\u201d " + "name": "The\n\t\t Jews in Their Homeland in Antiquity", + "description": "Cross-listed with JUDA 136. This course examines biblical attitudes toward hetero- and homosexuality, rape, incest, bestiality, prostitution, marriage, and adultery in a variety of texts drawn from the Old Testament. " }, - "HILD 20": { + "HINE 103": { "prerequisites": [], - "name": "World History I: Ancient to Medieval", - "description": "This course provides an introduction to the culture, environmental context, and sociopolitical outlook of ancient civilizations, and traces historical change, from the emergence of classical empires to their collapse and transformation into medieval forms. The course also explores the development and spread of major world religions. Students may not receive credit for both HILD 20 and HILD 20R." + "name": "The Jewish Diaspora in Antiquity", + "description": "The peoples, politics, and cultures of Southwest Asia and Egypt from the sixth century BCE to the seventh century CE. The Achaemenid Empire, the Ptolemaic and Seleucid kingdoms, the Roman Orient, the Parthian and Sasanian states.\u00a0+ " }, - "HILD 20R": { + "HINE 104": { "prerequisites": [], - "name": "World History I: Ancient to Medieval", - "description": "This online course provides an introduction to the culture, environmental context, and sociopolitical outlook of ancient civilizations, and traces historical change, from the emergence of classical empires to their collapse and transformation into medieval forms. The online course also explores the development and spread of major world religions. Students may not receive credit for both HILD 20 and HILD 20R." + "name": "Sex in the Bible", + "description": "A survey of the history of the Middle East, in particular, the Ottoman Empire, from 1200\u20131800. The course examines the emergence of a new political and religious order following the Mongol conquests and its long-lasting effect on the region. +" }, - "HILD 30": { + "HINE 108": { "prerequisites": [], - "name": "History of Public Health", - "description": "Explores the history of public health, from the plague hospitals of Renaissance Italy to the current and future prospects for global health initiatives, emphasizing the complex biological, cultural, and social dimensions of health, sickness, and medicine across time and space." + "name": "The Middle East before Islam", + "description": "Explore the ancient sources for the life of Jesus. Students will learn about various modern approaches to reconstructing the historical Jesus and will examine the difficulties inherent in such a task. " }, - "HILD 40": { + "HINE 109": { "prerequisites": [], - "name": "Anthropocene 1: The Neolithic", - "description": "Examines controversial hypothesis that humans have had a significant impact on the Earth\u2019s climate and ecosystems over the past 8,000 years by focusing on the origins of settled agriculture and its environmental implications, including effects on greenhouse gas emissions. +" + "name": "History of the Middle East", + "description": "This class covers the history of the Middle East and the larger Mediterranean from 500 to 1400. It surveys the birth of Islam, the ride of the early Islamic empires stretching from Central Asia to Spain, and the impact of the Crusades and the Mongol conquests. +" }, - "HILD 41": { + "HINE 110": { "prerequisites": [], - "name": "Anthropocene 2: The Columbian Exchange, 1400\u20131750", - "description": "Examines the reintegration of the eastern and western hemispheres following 1492, tracking the movements of peoples, foodstuffs, livestock, and diseases, and assessing the vast and irreversible environmental and social impact of these transformations. +" + "name": "Jesus, the Gospels, and History", + "description": "A close reading of select prose narratives from the Hebrew Bible/Old Testament.\u00a0+" }, - "HILD 42": { + "HINE 111": { "prerequisites": [], - "name": "Anthropocene 3: The Industrial Revolutions", - "description": "This course explores the fossil fuel age, from the steam engine to aerial warfare, analyzing the economics of coal and oil, the environmental impacts of industrial agriculture, deep-pit mining and extractive imperialism, and the building of the electrical grid." + "name": "History of the Medieval Middle East", + "description": "Students with advanced Hebrew can study the texts in HINE 112A in the original language." }, - "HILD 43": { + "HINE 112A": { "prerequisites": [], - "name": "Anthropocene 4: The Great Acceleration, 1945\u2013Present", - "description": "Explores the intensification of industrialization and urbanization and their environmental impact, including skyrocketing greenhouse gas emissions, air and water pollution, soil depletion, and deforestation. Also, analyzes different environmentalisms and imagines futures distinct from climate catastrophe." + "name": "Great Stories from the Hebrew Bible", + "description": "A close reading of select poetic passages from the Hebrew Bible/Old Testament.\u00a0+" }, - "HILD 50": { + "HINE 112AL": { "prerequisites": [], - "name": "Introduction to Law and Society", - "description": "A survey of contemporary issues concerning law and society, with emphasis on historical analysis and context. Satisfies the lower-division requirement for the law and society minor." + "name": "\t\t Great Stories from the Hebrew Bible/Foreign Language", + "description": "Students with advanced Hebrew can study the texts in HINE 112B in the original language." }, - "HIAF 111": { + "HINE 112B": { "prerequisites": [], - "name": "Modern Africa since 1880", - "description": "A survey of African history dealing with the European scramble for territory, primary resistance movements, the rise of nationalism and the response of metropolitan powers, the transfer of power, self-rule and military coups, and the quest for identity and unity." + "name": "Great Poems from the Hebrew Bible", + "description": "Course will analyze and compare major myths\n\t\t\t\t from Egypt, Israel, Ugarit, and Mesopotamia, employing a variety of modern\n\t\t\t\t approaches.\u00a0+" }, - "HIAF 112": { + "HINE 112BL": { "prerequisites": [], - "name": "West Africa since 1880", - "description": "West Africa from the nineteenth century onwards and examines the broad outlines of historical developments in the subregion through the twentieth century, including such themes as religious, political, and social changes." + "name": "\t\t Great Poems from the Hebrew Bible/Foreign Language", + "description": "A survey of the Middle East from the rise of Islam to the region\u2019s economic, political, and cultural integration into the West (mid-nineteenth century). Emphasis on socioeconomic and political change in the early Arab empires and the Ottoman state.\u00a0+ " }, - "HIAF 113": { + "HINE 113": { "prerequisites": [], - "name": "Small\n\t\t Wars and the Global Order: Africa and Asia", - "description": "Examines the traumas, interrelation, and global repercussions of national conflicts (\u201csmall wars\u201d) in the postcolonial world. Focus on Africa and Asia from the Cold War to the present with particular attention to the intersection of foreign interests, insurgency, and geopolitics. " + "name": "Ancient Near East Mythology", + "description": "Exploration of ideas, beliefs, and practices pertaining to death from a variety of ancient cultures: Near Eastern, Israelite, Greek, Roman, Jewish, and early Christian. Themes include immortality, afterlife, care for the dying, suicide, funerary rituals, martyrdom, and resurrection. +" }, - "HIAF 120": { + "HINE 114": { "prerequisites": [], - "name": "History of South Africa", - "description": "The origins and the interaction between the peoples of South Africa. Special attention will be devoted to industrial development, urbanization, African and Afrikaner nationalism, and the origin and development of apartheid and its consequences." + "name": "History of the Islamic Middle East", + "description": "Examines the contacts of the late Ottoman\n\t\t\t\t Empire and Qajar Iran with Europe from the Napoleonic invasion\n\t\t\t\t of Egypt to World War I, the diverse facets of the relationship\n\t\t\t\t with the West, and the reshaping of the institutions of the\n\t\t\t\t Islamic states and societies. " }, - "HIAF 123": { + "HINE 115": { "prerequisites": [], - "name": "West Africa from Earliest Times to 1800", - "description": "Plant and animal domestication, ironworking and the distribution of ethnic/language groups, urbanization, regional and long-distance commerce, and the rise of medieval kingdoms.\u00a0+ " + "name": "Death and Dying in Antiquity", + "description": "An introduction to the history of the Middle East since 1914. Themes such as nationalism, imperialism, the oil revolution, and religious revivalism will be treated within a broad chronological and comparative framework drawing on the experience of selected countries. " }, - "HIAF 161": { + "HINE 116": { "prerequisites": [], - "name": "Special Topics in African History", - "description": "This colloquium is intended for students with sufficient background in African history. Topics, which vary from year to year, will include traditional political, economic, and religious systems, and theory and practice of indirect rule, decolonization, African socialism, and pan-Africanism. May be taken for credit up to five times. Department approval required; may be coscheduled with HIAF 261. ** Department approval required ** " + "name": "The Middle East in the Age of European Empires", + "description": "An examination of post-WWII Middle East conflicts, including the Israeli-Arab conflicts, the Lebanese Civil War, and the Gulf War of the 1980s. The roles of the superpowers and Middle Eastern states during the period. " }, - "HIAF 199": { + "HINE 118": { "prerequisites": [], - "name": "Independent Study in African History", - "description": "Directed readings for undergraduates. ** Consent of instructor to enroll possible **" + "name": "The\n\t\t Middle East in the Twentieth Century", + "description": "An examination of the conflicts, changes, and continuities in the Middle East since 2000. The course includes inspection of the US role in Iraq and the region generally." }, - "HIEA 111": { + "HINE 119": { "prerequisites": [], - "name": "Japan:\n\t\t Twelfth to Mid-Nineteenth Centuries", - "description": "Covers important political issues\u2014such as the medieval decentralization of state power, unification in the sixteenth and seventeenth centuries, the Tokugawa system of rule, and conflicts between rulers and ruled\u2014while examining long-term changes in economy, society, and culture.\u00a0+ " + "name": "US\n\t\t\t\t Mid-East Policy Post-WWII", + "description": "A history of Jews and Judaism from 300 BCE to 500 CE, emphasizing cultural and religious exchanges and interactions of Jews with Greece and Rome. Among the topics covered in class: Hellenism and the emergence of Jewish identity; political resistance and cultural adaptation; the beginnings of Christianity and varieties of Jewish belief and practice in antiquity. +" }, - "HIEA 112": { + "HINE 120": { "prerequisites": [], - "name": "Japan:\n\t\t From the Mid-Nineteenth Century through the US Occupation", - "description": "Topics include the Meiji Restoration, nationalism, industrialization, imperialism, Taisho Democracy, and the Occupation. Special attention will be given to the costs as well as benefits of \u201cmodernization\u201d and the relations between dominant and subordinated cultures and groups within Japan. " + "name": "The Middle East in the New Century", + "description": "Iran\u2019s social and political history\n\t\t\t\t in the twentieth century with emphasis on the Constitutional movement of\n\t\t\t\t the late Qajar period, formation and development of the Pahlavi state,\n\t\t\t\t anatomy of the 1978\u201379 Revolution, and a survey of the Islamic Republic." }, - "HIEA 113": { + "HINE 125": { "prerequisites": [], - "name": "The\n\t\t Fifteen-Year War in Asia and the Pacific", - "description": "Lecture-discussion course approaching the\n\t\t\t\t 1931\u20131945 war through various \u201clocal,\u201d rather than simply national,\n\t\t\t\t experiences. Perspectives examined include those of marginalized groups\n\t\t\t\t within Japan, Japanese Americans, Pacific Islanders, and other elites and\n\t\t\t\t nonelites in Asian and Pacific settings. " + "name": "Jews in the Greek and Roman World", + "description": "Eastern problems on the example of Turkey and with special attention to collective identities, state-society dynamics, foreign and regional policies, and varieties of modernity. " }, - "HIEA 114": { + "HINE 126": { "prerequisites": [], - "name": "Postwar Japan", - "description": "Examines social, cultural, political, and economic transformations and continuities in Japan since World War II. Emphases will differ by instructor." + "name": "Iranian\n\t\t Revolution in Historical Perspective", + "description": "Cross-listed with JUDA 130. This course will study the historical books of the Hebrew Bible (in English), Genesis through 2 Kings, through a literary-historical approach: how, when, and why the Hebrew Bible came to be written down, its relationship with known historical facts, and the archaeological record. Students may not receive credit for both HINE 130 and JUDA 130. (Formerly known as JUDA 100A.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "HIEA 115": { + "HINE 127": { "prerequisites": [], - "name": "Social\n\t\t and Cultural History of Twentieth-Century Japan", - "description": "Japanese culture and society changed dramatically\n\t\t\t\t during the twentieth century. This course will focus on the\n\t\t\t\t transformation of cultural codes into what we know as \u201cJapanese,\u201d the politics\n\t\t\t\t of culture, and the interaction between individuals and society. " + "name": "History of Modern Turkey", + "description": "Cross-listed with JUDA 131. This course will study the prophetic and poetic books of the Hebrew Bible (in English), through a literary-historical approach. Students may not receive credit for both HINE 131 and JUDA 131. (Formerly known as JUDA 100B.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "HIEA 116": { + "HINE 130": { "prerequisites": [], - "name": "Japan-U.S. Relations", - "description": "Survey of relations between Japan and the United States in the nineteenth and twentieth centuries. Although the focus will be on these nation-states, the course will be framed within the global transformation of societies. Topics include cultural frameworks, political and economic changes, colonialism and imperialism, and migration. " + "name": "Introduction to the Old Testament: The Historical Books", + "description": "This course introduces the students to contemporary Israeli society. Among the topics explored: Israeli-Arab conflict; relations between European, Arab, Russian, and Ethiopian Jews; between secular and religious Jews; between Jews and Arabs; and between Israel and World Jewry." }, - "HIEA 117": { + "HINE 131": { "prerequisites": [], - "name": "Ghosts in Japan", - "description": "By examining the roles of ghosts in Japanese belief systems in a nonscientific age, this course addresses topics including folk beliefs and ghost stories, religiosity, early science, tools of amelioration and authoritative knowledge, and the relationship between myth and history." + "name": "Introduction to the Old Testament: The Poetic Books", + "description": "This course explores the evolution of Zionism from its late nineteenth-century origins to the present. Among the topics explored: political, cultural, spiritual and social varieties of Zionism; and the contending narratives about its nature, meaning, and accomplishments." }, - "HIEA 122": { + "HINE 135GS": { "prerequisites": [], - "name": "Late\n\t\t Imperial Chinese Culture and Society", - "description": "We read primary and secondary sources to study aspects of culture, society, religions, economy, government, family, gender, class, and individual lives from the tenth through the eighteenth centuries, Song through Qing. Recommended preparation: previous course work on China helpful but not required. May be taken for credit four times with department approval. " + "name": "Introduction to Contemporary Israeli Society and Culture", + "description": "Selected topics in the history of the Middle East. May be taken for credit three times." }, - "HIEA 123": { + "HINE 136GS": { "prerequisites": [], - "name": "China under the Ming Dynasty", - "description": "Ming history from its beginnings under Mongol rule until its fall to rebels and the Manchus. We study government and society under each of the sixteen emperors, and major events like the Zheng He voyages and the first Sino-Japanese War. Recommended preparation: HILD 11.\u00a0+\u00a0 " + "name": "Zionism and Post Zionism", + "description": "A survey of the history of science in the Middle East from 600 to the present day. The course examines the relationship between science, learning, and religion in Islamic societies and its connections to other regions of the globe. +\t\t\t\t" }, - "HIEA 124": { + "HINE 144": { "prerequisites": [], - "name": "Life in Ming China", - "description": "We read primary and secondary sources to explore the experiences, worldview, and relationships of Ming men and women, variously including emperors and empresses, scholar-officials, upper-class wives, merchants, weavers, painters, eunuchs, Daoists, fighting monks, farmers, actors, gardeners, courtesans, soldiers, and pirates. + " + "name": "Topics in Middle Eastern History", + "description": "The study of a single book, period, or issue on the Bible, in the context of the ancient Near Eastern world. Requirements will vary for undergraduate, master\u2019s, and doctoral students. Graduate students may be required to submit a more substantial piece of work. " }, - "HIEA 125": { + "HINE 145": { "prerequisites": [], - "name": "Women and Gender in East Asia", - "description": "The impact of modern transformations on female roles and gender relations in China, Japan, and Korea, focusing on the late imperial/early modern periods through the twentieth century." + "name": "Islam and Science: The History of Science in the Middle East", + "description": "This course approaches the Hebrew Bible (Old\n\t\t\t\t Testament) from the perspective of cultural anthropology. Institutions\n\t\t\t\t studied will include the family, rites of passage, food taboos, warfare,\n\t\t\t\t animism, demons, sorcery, and animal sacrifice. Formerly HINE 111; students\n\t\t\t\t may not receive credit for HINE 111 and HINE 162/262. Graduate students\n\t\t\t\t will be required to complete an extra paper. ** Upper-division standing required ** " }, - "HIEA 126": { + "HINE 160/260": { "prerequisites": [], - "name": "The\n\t\t Silk Road in Chinese and Japanese History", - "description": "This course studies the peoples, cultures, religions, economics, arts, and technologies of the trade routes known collectively as the Silk Road from c. 200 BCE to 1000 CE. We will use an interdisciplinary approach. Primary sources will include written texts and visual materials. We will examine these trade routes as an early example of globalization.\u00a0+ " + "name": "Special Topics in the Bible and Ancient Near East", + "description": "A colloquium focusing on the problems and patterns in the emergence of modern Middle Eastern states since 1920. ** Upper-division standing required ** " }, - "HIEA 129": { + "HINE\n\t\t 162/262": { "prerequisites": [], - "name": "Faces of the Chinese Past", - "description": "Through primary and secondary readings on the lives of individual prominent and ordinary men and women from China\u2019s past, we explore the relation of the individual to social structures and accepted norms; personal relationships; and the creation of historical sources. +" + "name": "Anthropology and the Hebrew Bible", + "description": "Growth of nationalism in relation to imperialism,\n\t\t\t\t religion, and revolution in the nineteenth- and twentieth-century Middle\n\t\t\t\t East. Emergence of cultural and political ethnic consciousness in the Ottoman\n\t\t\t\t state. Comparative study of Arab, Iranian, and Turkish nationalism as well\n\t\t\t\t as Zionism. ** Consent of instructor to enroll possible **" }, - "HIEA 130": { + "HINE 165/265": { "prerequisites": [], - "name": "End of the Chinese Empire, 1800\u20131911", - "description": "From the Opium War to the 1911 Revolution. Key topics include ethnic identity under Manchu rule, the impact of Western imperialism, the Taiping and other rebellions, overseas Chinese, social change and currents of reform, and the rise of Chinese nationalism." + "name": "The Colonial Mandates in the Middle East", + "description": "This course studies a period or theme in Jewish history. Topics will vary from year to year. " }, - "HIEA 131": { + "HINE 166/266": { "prerequisites": [], - "name": "China in War and Revolution, 1911\u20131949", - "description": "An exploration of the formative period of the twentieth-century Chinese Revolution: the New Culture Movement, modern urban culture, the nature of Nationalist (Guomindang) rule, war with Japan, revolutionary nationalism, and the Chinese Communist rise to power." + "name": "Nationalism in the Middle East", + "description": "Selected topics in the history of Judaism and Christianity in the first through fourth centuries CE, with emphasis on the shared origins and mutual relations of the two religions. May be taken for credit up to two times. +" }, - "HIEA 132": { + "HINE 170/270": { "prerequisites": [], - "name": "Mao\u2019s China, 1949\u20131976", - "description": "This course analyzes the history of the PRC from 1949 to the present. Special emphasis is placed on the problem of postrevolutionary institutionalization, the role of ideology, the tension between city and countryside, Maoism, the Great Leap Forward, the Cultural Revolution. " + "name": "Special Topics in Jewish History", + "description": "Focused study of historical roots of contemporary problems in the Middle East: Islamic modernism and Islamist movements; contacts with the West; ethnic and religious minorities; role of the military; economic resources and development. Department stamp and permission of instructor. " }, - "HIEA 133": { + "HINE 171/271": { "prerequisites": [], - "name": "Twentieth-Century\n\t\t China: Cultural History", - "description": "This course looks at how the historical problems of twentieth-century China are treated in the popular and elite cultures of the Nationalist and Communist eras. Special emphasis is placed on film and fiction." + "name": "Topics in Early Judaism and Christianity", + "description": "Directed group study on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members." }, - "HIEA 134": { + "HINE\n\t\t 186/286": { "prerequisites": [], - "name": "History\n\t\t of Thought and Religion in China: Confucianism", - "description": "Course will take up one of the main traditions of Chinese thought or religion, Confucianism, and trace it from its origins to the present. The course will explain the system of thought and trace it as it changes through history and within human lives and institutions.\u00a0+ " + "name": "Special Topics in Middle Eastern History", + "description": "Directed readings for undergraduates under the supervision of various faculty members. ** Consent of instructor to enroll possible **" }, - "HIEA 137": { + "HINE 198": { "prerequisites": [], - "name": "Women\n\t\t and the Family in Chinese History", - "description": "The course explores the institutions of family and marriage, and women\u2019s roles and experiences within the family and beyond, from classical times to the early twentieth century.\u00a0+ " + "name": "Directed Group Study", + "description": "Technology as an agent of change. How have humans harnessed the power of nature? What factors have contributed to successes and failures? How has technology changed human life? How should we evaluate the quality of these changes?" }, - "HIEA 138": { + "HINE 199": { "prerequisites": [], - "name": "Women and the Chinese Revolution", - "description": "Examines women\u2019s roles and experiences in the twentieth-century Chinese revolution, the ways in which women participated in the process of historical change, the question of to what extent the revolution \u201cliberated\u201d women from \u201cConfucian tradition.\u201d" + "name": "Independent\n\t\t Study in Near Eastern History", + "description": "History of women\u2019s struggles and strategies for access and equality in professional science. Questions related to gender bias in science\u2014as a social institution and as an epistemological enterprise\u2014will be addressed in light of the historical and biographical readings." }, - "HIEA 139GS": { + "HISC 102": { "prerequisites": [], - "name": "An Introduction to Southeast Asia", - "description": "This course provides an overview of Southeast Asian culture and history from 800 to the age of imperialism. It addresses regional geography, diversity, religion, political and social structures, mercantile and cultural ties abroad, the arrival of Islam, and the region\u2019s changing relationship with European and Asian power. Students must apply and be accepted into the Global Seminars Program." + "name": "Technology in World History", + "description": "Historical aspects of the popularization of science. The changing relation between expert science and popular understanding. The reciprocal impact of scientific discoveries and theories, and popular conceptions of the natural world." }, - "HIEA 140": { + "HISC 103": { "prerequisites": [], - "name": "China since 1978", - "description": "Examines China\u2019s attempts to manage the movements of people, ideas, and trade across its borders since 1900. How much control do individual countries such as China have over global processes? Special emphasis will be placed on global contexts and the impacts of China\u2019s decision to reintegrate its society and economy with capitalist countries since 1978. Recommended preparation: previous course work on China helpful but not required." + "name": "Gender\n\t\t and Science in Historical Perspective", + "description": "History of human effects on the natural environment, with emphasis on understanding the roles of the physical and biological sciences in providing insights into environmental processes." }, - "HIEA 144": { + "HISC 104": { "prerequisites": [], - "name": "Topics in East Asian History", - "description": "Selected topics in East Asian History. Course may be taken for credit up to three times as topics vary." + "name": "History of Popular Science", + "description": "A cultural history of the formation of early modern science in the sixteenth and seventeenth centuries: the social forms of scientific life; the construction and meaning of the new cosmologies from Copernicus to Newton; the science of politics and the politics of science; the origins of experimental practice; how Sir Isaac Newton restored law and order to the West.\u00a0+ " }, - "HIEA 150": { + "HISC 105": { "prerequisites": [], - "name": "Modern Korea, 1800\u20131945", - "description": "This course examines Korea\u2019s entrance into the modern world. It\n utilizes both textual and audio-visual materials to explore\n local engagements with global phenomenon, such as imperialism,\n nationalism, capitalism, and socialism. HILD 10, 11,\n and/or 12 recommended. " + "name": "History of Environmentalism", + "description": "The development of the modern conception of the sciences, and of the modern social and institutional structure of scientific activity, chiefly in Europe, during the eighteenth and nineteenth centuries." }, - "HIEA 151": { + "HISC 106": { "prerequisites": [], - "name": "The Two Koreas, 1945\u2013Present", - "description": "This course traces the peninsula\u2019s division into two rival\n regimes. It utilizes both textual and audio-visual materials\n to reveal the varied experiences of North and South Koreans\n with authoritarianism, industrialization, and globalization.\n HILD 10, 11, and/or 12 recommended." + "name": "The Scientific Revolution", + "description": "The history of twentieth-century life sciences, with an emphasis on the way in which model organisms such as fruit flies, guinea pigs, bacteriophage, and zebra fish shaped the quest to unlock the secrets of heredity, evolution, and development." }, - "HIEA 152": { + "HISC 107": { "prerequisites": [], - "name": "History and Cultures of the Korean Diaspora", - "description": "This course places the Korean diaspora in national, regional, and global frames from the imperial age to our globalized present. It traces migrant experiences and community formations on the peninsula and in Japan, the United States, China, and the former USSR." + "name": "The Emergence of Modern Science", + "description": "Explores the origins of the idea of the \u201ctropics\u201d and \u201ctropical disease\u201d as a legacy of European conquest and colonization and introduces students to themes in the history of colonialism, tropical medicine, and global public health." }, - "HIEA 153": { + "HISC 108": { "prerequisites": [], - "name": "Social and Cultural History of Twentieth-Century Korea", - "description": "This course explores the cultural and social structures that dominated twentieth-century Korea: imperialism, ethnonationalism, heteropatriarchy, capitalism, socialism, and militarism. It also uses individual and collective engagements with these hegemonic structures to demonstrate contentious interactions between individuals and society." + "name": "Life Sciences in the Twentieth Century", + "description": "There was no such thing as a single, unchanging relationship between science and religion, and this is a course about it. Topics include the \u201cConflict Thesis,\u201d natural theology, the Galileo Affair, Darwinism, the antievolution crusade, creationism, secularization, atheism, and psychoanalysis. +" }, - "HIEA 154": { + "HISC 109": { "prerequisites": [], - "name": "Korean History Through Film", - "description": "Recognizing that the past is a multi-media process of knowledge production, this course uses a variety of films (i.e., features, shorts, and documentaries) to study how directors have visualized modern Korean history. Students will juxtapose the narratives of Korean films with academic accounts of Korean history to understand how representations of the past are produced, disseminated, contested, and interpreted. Writing exercise will develop students\u2019 critical and analytical skills." + "name": "Invention of Tropical Disease", + "description": "Development of nuclear science and weapons\u20141930s to present\u2014including the discovery of radioactivity and fission, the Manhattan project, the bombings of Hiroshima and Nagasaki and end of WWII, the H-bomb, and legacies of nuclear proliferation, environmental damage, and radioactive waste." }, - "HIEA 155": { + "HISC 110": { "prerequisites": [], - "name": "China and the Environment", - "description": "This course covers key themes in the history of interactions between humans and the environment in China over the past 3,000 years, generating a fuller understanding of China\u2019s present-day environmental problems by situating them in a broader historical context. +" + "name": "Historical Encounters of Science and Religion", + "description": "Explores the origin of clinical method, the hospital, internal surgery, and the medical laboratory, as well as the historical roots of debates over health-care reform, genetic determinism, and the medicalization of society." }, - "HIEA 163/263": { + "HISC 111": { "prerequisites": [], - "name": "Cinema and Society in Twentieth-Century China", - "description": "This colloquium will explore the relationship between cinema and society in twentieth-century China. The emphasis will be on the social, political, and cultural impact of filmmaking. The specific period under examination (1930s, 1940s, post-1949) may vary each quarter. Graduate students will be expected to submit an additional paper. ** Upper-division standing required ** " + "name": "The Atomic Bomb and the Atomic Age", + "description": "The story behind the postwar rise of bioethics\u2014medical\n\t\t\t\t scandals breaking in the mass media, the development of novel technologies\n\t\t\t\t for saving and prolonging life, the emergence of new diseases, the unprecedented\n\t\t\t\t scope for manipulation opened up by biology." }, - "HIEA\n\t\t 164/264": { + "HISC 115": { "prerequisites": [], - "name": "Seminar in Late Imperial Chinese History", - "description": "We read primary and accessible historical scholarship (including fiction) on state, society, religion, culture, and individual lives in Song through Qing times. May be taken for credit three times. May be coscheduled with HIEA 264. ** Upper-division standing required ** " + "name": "History of Modern Medicine", + "description": "A survey of the history of the neurosciences from the seventeenth century to the present, exploring the political, philosophical, cultural, aesthetic and ethical aspects of research into the workings of the human brain." }, - "HIEA 166/266": { + "HISC 116": { "prerequisites": [], - "name": "Creating Ming Histories", - "description": "Ming was considered absolutist, closed, and stagnant. Nowadays its vibrant economy and culture are celebrated. We pair scholarship with primary sources to explore Ming\u2019s complexities and learn how historians work. May be coscheduled with HIEA 266. ** Upper-division standing required ** " + "name": "History of Bioethics", + "description": "Analyzes the history of sexology as a series of episodes in the science of human difference, from the European reception of the first translation of the Kama Sutra in 1883 to the search for the \u201cgay gene\u201d in the 1990s." }, - "HIEA 168/268": { + "HISC 117": { "prerequisites": [], - "name": "Topics in Classical and Medieval Chinese History", - "description": "Chinese society, thought, religion, culture, economy and politics from the Shang through the Song dynasties, through primary and secondary sources. Topics vary; may be repeated for credit. Requirements differ for undergraduate, MA and PhD students. Graduate students will be required to submit a more substantial piece of work or an additional paper. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "History of the Neurosciences", + "description": "This course explores contemporary issues in biology, ethics, and society. We will start by examining early cases of biopolitics, like social Darwinism and eugenics, and proceed to more recent issues, such as genetic engineering, patenting life, and the pharmaceutical industry." }, - "HIEA 170": { + "HISC 118": { "prerequisites": [], - "name": "Love and Marriage in Chinese History", - "description": "Examines ideas and practices of love and marriage in Chinese history, including changes and continuities in China\u2019s twentieth-century revolution and reform. Course readings range from literary and philosophical sources to personal records from the classical age to the modern era. Department approval required. May be coscheduled with HIEA 270. + ** Department approval required ** " + "name": "History of Sexology", + "description": "The role of technology in American history through the Civil War. Indigenous and colonial development, transportation infrastructures, and industrialization are explored to understand the connections among technology, society, and culture.\u00a0+ " }, - "HIEA\n\t\t 171/271": { + "HISC 119": { "prerequisites": [], - "name": "Society and Culture in Premodern China", - "description": "Explores premodern Chinese society and culture through the reading and discussion of classics and masterpieces in history. Examines how values and ideas were represented in the texts and how they differed, developed, or shifted over time. Requirements will vary for undergraduate, MA, and PhD students. Graduate students are required to submit an additional paper. " + "name": "Biology and Society", + "description": "Science and law are two of the most powerful establishments of modern Western culture. Science organizes our knowledge of the world; law directs our action in it. Will explore the historical roots of the interplay between them." }, - "HIEA 180": { + "HISC 120A": { "prerequisites": [], - "name": "Topics in Modern Korean History", - "description": "This colloquium will examine selected topics in modern Korean\n history through both primary sources (in translation) and secondary\n sources. Topics will vary year to year. ** Upper-division standing required ** " + "name": "Technology in America I", + "description": "Through scientific and technological innovation Israel came to be known as the \u201cStart-up Nation.\u201d This course will explore the reasons why scientific and technological innovation became fundamental to Israeli society and their social, cultural, and economic implications. Students may not receive credit for HISC 132 and HISC 132GS." }, - "HIEA 190M/HIEA 290M": { + "HISC 131": { "prerequisites": [], - "name": "Special Topics in East Asian Modern History", - "description": "This course looks at topics in East Asian history in the modern era (post 1800). May be coscheduled with HIEA 290M. May be taken for credit up to five times. Topics will vary from year to year. Department approval required. ** Department approval required ** " + "name": "Science, Technology, and Law", + "description": "Through scientific and technological innovation Israel came to be known as the \u201cStart-up Nation.\u201d This course will explore the reasons why scientific and technological innovation became fundamental to Israeli society and their social, cultural, and economic implications. Students may not receive credit for HISC 132GS and HISC 132. Program or materials fees may apply. Students must apply and be accepted into the Global Seminar Program." }, - "HIEA 198": { + "HISC 132": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Directed group study on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members. May be taken for credit up to three times. Department approval required. ** Department approval required ** " + "name": "Israel\u2014Start-up Nation", + "description": "The complex historical development of human understanding of global climate change, including key scientific work, and the cultural dimensions of proof and persuasion. Special emphasis on the differential political acceptance of the scientific evidence in the United States and the world. Graduate students are required to submit an additional paper. " }, - "HIEA 199": { + "HISC 132GS": { "prerequisites": [], - "name": "Independent\n\t\t Study in East Asian History", - "description": "Directed reading for undergraduates under the supervision of various faculty members. ** Consent of instructor to enroll possible **" + "name": "Israel\u2014Start-up Nation", + "description": "This seminar explores topics at the interface of science, technology, and culture, from the late nineteenth century to the present. Topics change yearly; may be repeated for credit with instructor\u2019s permission. ** Consent of instructor to enroll possible **" }, - "HIEU 100": { + "HISC\n\t\t 163/263": { "prerequisites": [], - "name": "Byzantine History", - "description": "This course examines the political, religious, and social history of the Byzantine Empire between 300 and 1453 AD. +" + "name": "History, Science, and Politics of Climate Change", + "description": "Why have women been traditionally excluded from science? How has this affected scientific knowledge? How have scientists constructed gendered representations not only of women, but also of science and nature? We will address these questions from perspectives including history, philosophy, and psychoanalytic theory. ** Consent of instructor to enroll possible **" }, - "HIEU 102A": { + "HISC 165": { "prerequisites": [], - "name": "Ancient Roman Civilization", - "description": "The political, economic, and intellectual history of the Roman world from the foundation of Rome to the disintegration of the Western empire. This course will emphasize the importance of the political and cultural contributions of Rome to modern society. +" + "name": "Topics in Twentieth-Century Science and\n\t Culture", + "description": "This is a seminar open to advanced undergraduate and graduate students that explores topics at the interface of science, technology, and culture, from the late nineteenth century to the present. Topics change yearly; may be repeated for credit with instructor\u2019s consent. Requirements vary for undergraduates, MA, and PhD students. Graduate students are required to submit a more substantial piece of work. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "HIEU 104": { + "HISC 167/267": { "prerequisites": [], - "name": "Byzantine Empire", - "description": "A survey course of the history of the Byzantine state from the reign of Constantine to the fall of Constantinople. This course will emphasize the importance of the Byzantine state within a larger European focus, its relationship to the emerging Arab states, its political and cultural contributions to Russia and the late medieval west.\u00a0+ " + "name": "Gender and Science", + "description": "Why have women been traditionally excluded from science? How has this affected scientific knowledge? How have scientists constructed gendered representations not only of women, but also of science and nature? We will address these questions from perspectives including history, philosophy, and psychoanalytic theory. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "HIEU 105S": { + "HISC 173/273": { "prerequisites": [], - "name": "Devotions, Doctrines, and Divisions: Religion in Early Modern European Society", - "description": "Multiple reformations of the European Christian Church confronted with the rise of universities, colonial exploration, absolutism, scientific revolutions, and the Enlightenment. Focused attention will be given to early modern Europe (Muslims, Jews, and Protestant sects). " + "name": "Seminar on Darwin and Darwinisms", + "description": "A critical analysis of the host of \u201chistorical\n\t\t\t\t sciences\u201d that developed over the course of the long nineteenth\n\t\t\t\t century, from archaeology and paleontology to psychoanalysis and craniotomy,\n\t\t\t\t including the science of history itself. Graduate students will be required\n\t\t\t\t to submit an additional paper. ** Upper-division standing required ** " }, - "HIEU 106": { + "HISC\n\t\t 174/274": { "prerequisites": [], - "name": "Egypt, Greece, and Rome", - "description": "This course is a survey of the political, social, and cultural history of the ancient Mediterranean. It focuses on the ancient empires in the Near East (Sumer, Babylon, Assyria, Persia), Egypt, Greece, and Rome. +" + "name": "History of Localization of Brain Function", + "description": "This course introduces students to new and classic works in the history of medicine in East and Southeast Asia. Topics will include epidemic disease and state vaccination campaigns; opium and drug control; mental illness and asylums; earthquakes and disaster technologies; colonialism and public health; venereal disease and prostitution. Special emphasis will be placed on the role of experts and institutions and forms of scientific exchange and collaboration across the region." }, - "HIEU 106GS": { + "HISC\n\t\t 175/275": { "prerequisites": [], - "name": "Constantinople: Imperial Capital", - "description": "This course examines Constantinople in its imperial period (Byzantine and Ottoman) when it served as the political, cultural, economic, and religious center of empire. We examine continuity and change in areas such as urban space, demography, institutions, and art and architecture. Students must apply and be accepted into the Global Seminar Program. +" + "name": "The Historical Sciences in the Nineteenth Century", + "description": "This course will explore the evolution of the institutions, ideologies, procedures, standards, and expertise that modern democratic societies have used in applying science to generate and legitimate public policy." }, - "HIEU 107": { + "HISC 176": { "prerequisites": [], - "name": "Pagan Europe and its Christian Aftermath", - "description": "Cross-listed with RELI 147. This course explores the history of how Western Europe was converted from its indigenous pagan religions to the imported religion we know as Christianity. We will discuss conversion by choice and by force, partial or blended conversions, and the relationships between belief and culture. Students may not receive credit for both HIEU 107 and RELI 147.\u00a0+" + "name": "History of Medicine in East and Southeast Asia", + "description": "Directed group study on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members." }, - "HIEU 108": { + "HISC 180/280": { "prerequisites": [], - "name": "Sex and Politics in the Ancient World", - "description": "A history of approaches to sexual practices, sexual identity, and sexual morality in the Roman Empire between the first and fifth centuries of the Common Era. We will examine how political, religious, and medical transformations during this period changed the ways in which people thought of issues like sexual freedom, same-sex relations, marriage and celibacy, sexual violence, and more. +" + "name": "Science and Public Policy", + "description": "This course will explore the evolution of the institutions, ideologies, procedures, standards, and expertise that modern democratic societies have used in applying science to generate and legitimate public policy. In order to obtain the department stamp, please email the professor for the OK to enroll. Once you have that email, please forward it to historyundergrad@ucsd.edu and include your PID number. Graduate students are required to submit an additional paper. ** Upper-division standing required ** " }, - "HIEU 109": { + "HISC 198": { "prerequisites": [], - "name": "Blood, Soil, Boundaries: Nationalism in Europe ", - "description": "This course will explore the history of nationalism as idea and political movement in European history, from the French Revolution to the present.\u00a0+" + "name": "Directed Group Study", + "description": "This course introduces students to new and classic works in the history of medicine in East and Southeast Asia. Topics will include epidemic disease and state vaccination campaigns; opium and drug control; mental illness and asylums; earthquakes and disaster technologies; colonialism and public health; venereal disease and prostitution. Special emphasis will be placed on the role of experts and institutions and forms of scientific exchange and collaboration across the region." }, - "HIEU 110": { + "HISC 199": { "prerequisites": [], - "name": "The Rise of Europe", - "description": "The development of European society and culture\n\t from the decline of the Roman Empire to 1050. +" + "name": "Independent\n\t\t Study in the History of Science", + "description": "\u201cWas ist Aufklarung?\u201d asked Kant in 1748 and the question remains hotly debated ever since. In this course we will pursue this question in tandem with another: \u201cWhat is Enlightenment science?\u201d The answer to which is equally debated. +" }, - "HIEU 111": { + "HITO 87": { "prerequisites": [], - "name": "Europe in the Middle Ages", - "description": "The development of European society and culture from 1050 to 1400. +" + "name": "Special Freshman Seminar", + "description": "This course will examine the development of Gnostic Christianity in the first four centuries CE. Students will also explore similar non-Christian religious movements that claimed to have special knowledge (gnosis) of the self, the material world, and the divine. " }, - "HIEU 112S": { + "HITO 99": { "prerequisites": [], - "name": "Ancient Explorers", - "description": "Ancient travel into unexplored regions of the world and the discovery of new civilizations. Look at actual voyages, focusing on the remarkable figures who braved the unknown, the objects of their journeys, and their crude equipment and knowledge. +" + "name": "Independent\n\t\t Study on History Topics", + "description": "Topics include the political emancipation of the Jews of Europe; the emergence of Reform, Conservative, and Modern Orthodox Judaism; Hasidism; modern anti-Semitism; Jewish socialism; Zionism; the Holocaust; the American Jewish community; the State of Israel. " }, - "HIEU 114GS": { + "HITO 103S": { "prerequisites": [], - "name": "Athens: A City in History", - "description": "This course examines how Athenians during different epochs have dealt and still deal with the realities of everyday life and death. The topics covered by the course include work, war, religion, politics, and death. Students must apply and be accepted into the Global Seminar Program. +" + "name": "Gnosis and Gnosticism", + "description": "This course explores Jewish women\u2019s experiences from the seventeenth century to the present, covering Europe, the United States, and Israel. Examines work, marriage, motherhood, spirituality, education, community, and politics across three centuries and three continents.\u00a0" }, - "HIEU 115": { + "HITO 105": { "prerequisites": [], - "name": "The Pursuit of the Millennium", - "description": "The year 2000 provokes questions about the transformation of time, culture, and society. Taking the year 1000 as a touchstone, this class examines the history of apocalyptic expectations in the Middle Ages through a close scrutiny of both texts and art.\u00a0+" + "name": "Jewish Modernity from 1648 to 1948 ", + "description": "Students will produce creative video projects by conducting interviews and drawing from relevant texts, lectures, archival resources, and other materials to expand and deepen their understanding of the Holocaust and help contribute to the body of work documenting this period in history." }, - "HIEU 116A": { + "HITO 106": { "prerequisites": [], - "name": "Greece and the Balkans in the Age of Ottoman Expansion", - "description": "This course examines the history of Greece and the Balkans (1350\u20131683). Topics covered: the rise of the Ottoman Empire, conquest of the Balkans, the Ottoman system of rule, religious life, rural and urban society, law and order, and material culture.\u00a0+" + "name": "Love and Family in the Jewish Past", + "description": "This course introduces students to the history of modern Vietnam, starting with the Tay Son rebellion in the late eighteenth century and ending with the economic reforms of the 1980s. Topics include the expansion and consolidation of the French colonial state, the rise of anticolonialism and nationalism, the development of Vietnamese communism, World War II, and the First and Second Indochina Wars. A special emphasis will be focused on the place of Vietnam within wider regional and global histories." }, - "HIEU 116B": { + "HITO 107": { "prerequisites": [], - "name": "Greece and the Balkans in the Age of Nationalism", - "description": "This course examines the history of Greece and the Balkans (1683\u20131914). Topics covered: social and economic development in the eighteenth century, nationalism, independence wars, state-nation formation, interstate relations, the Eastern Question, rural society, urbanization, emigration, and the Balkan Wars. Students may not get credit for both HIEU 116B and HIEU 117A. " + "name": "Holocaust Video Production", + "description": "The Cold War is often understood as a superpower rivalry between the U.S. and the Soviet Union. Yet, the second half of the twentieth century witnessed civil wars, revolutions, decolonization movements, and state violence throughout the world that do not fit in this bipolar framework. Focusing on these other events, this course reexamines the Cold War in global and comparative perspective, with a particular focus on political developments in Asia, Africa, and Latin America. " }, - "HIEU 116C": { + "HITO 114": { "prerequisites": [], - "name": "Greece and the Balkans during the Twentieth Century", - "description": "This course examines the history of Greece and the Balkans (1914\u20132001). Topics covered: World War I, population exchanges, authoritarianism, modernization, World War II, civil wars, Cold War, Greek-Turkish relations, Cyprus, collapse of communism, 1990s conflicts, and EU expansion. Students may not get credit for both HIEU 116C and HIEU 116CD." + "name": "History of Modern Vietnam", + "description": "Sources for reconstructing ancient history present special challenges. Introduce and examine critically some basic myths and chronicles of the eastern Mediterranean and ancient Near East and assess the challenges to today\u2019s historian in reconstructing these histories. " }, - "HIEU 116CD": { + "HITO 115/115GS": { "prerequisites": [], - "name": "Greece and the Balkans during the Twentieth Century", - "description": "This course examines the history of Greece and the Balkans (1914\u20132001). Topics covered: World War I, population exchanges, authoritarianism, modernization, World War II, civil wars, Cold War, Greek-Turkish relations, Cyprus, collapse of communism, 1990s conflicts, and EU expansion. Students may not get credit for both HIEU 116C and HIEU 116CD, or HIEU 116CD and HIEU 117B." + "name": "The Global Cold War", + "description": "How did cars come to dominate the world? This course provides a survey of the world since 1900 to the near future through the history of cars and their impacts on politics, economics, society, and the environment." }, - "HIEU 117A": { + "HITO 115S": { "prerequisites": [], - "name": "\t\t Greece and the Balkans in the Age of Nationalism", - "description": "This course examines the history of Greece and the Balkans (1683\u20131914). Topics covered: social and economic development in the eighteenth century, nationalism, independence wars, state-nation formation, interstate relations, the Eastern Question, rural society, urbanization, emigration, and the Balkan Wars." + "name": "Myth, History, and Archaeology", + "description": "This course examines the interaction between\n\t\t\t\t sections of the globe after 1200. It emphasizes factors operating on a\n\t\t\t\t transcontinental scale (disease, climate, migration) and historical/cultural\n\t\t\t\t phenomena that bridge distance (religion, trade, urban systems). This is\n\t\t\t\t not narrative history, but a study of developments that operated on a global\n\t\t\t\t scale and constituted the first phase of globalization.\u00a0+ " }, - "HIEU 117B": { + "HITO 116": { "prerequisites": [], - "name": "\t\t Greece and the Balkans during the Twentieth Century", - "description": "This course examines the history of Greece and the Balkans (1914\u20132001). Topics covered: World War I, population exchanges, authoritarianism, modernization, World War II, resistance, civil wars, Cold War, Greek-Turkish relations, Cyprus, collapse of Communism, 1990s conflicts, and EU expansion. " + "name": "Car Wars: A Global History of the World since 1900 through Cars", + "description": "Explores where human rights come from and what they mean by integrating them into a history of modern society, from the Conquest of the Americas and the origins of the Enlightenment, to the Holocaust and the contemporary human rights regime." }, - "HIEU 118": { + "HITO 117": { "prerequisites": [], - "name": "Americanization in Europe", - "description": "Examines problems surrounding the transfer of American culture, values, and styles to Europe in the twentieth and twenty-first centuries. Topics may include consumer society, popular culture, commercial and business practices, \u201cMcDonaldization,\u201d political and military influence, democratization, and resistance to Americanization. Students may not receive credit for both HIEU 117S and HIEU 118." + "name": "World History 1200\u20131800", + "description": "The most popular sport in the world is soccer. The game\u2019s growth and expansion was thoroughly enmeshed with the spread of modernity. It was a product of the industrial and political revolutions of the nineteenth and twentieth centuries. It has been an engine of nationalism and gender formation. The link of this sport to politics will be a central theme." }, - "HIEU 119": { + "HITO\n\t\t 119/HMNR 100": { "prerequisites": [], - "name": "Death and Afterlife in the Middle Ages", - "description": "This class investigates the ways in which medieval people understood death as well as the various ways in which they imagined the afterlife. We will discuss the cult of martyrs and saints; encounters with ghosts and revenants; the formation of the doctrine of purgatory; visionary journeys to the other world; and early medical discourses defining the death of the body. +" + "name": "Human Rights l: Introduction to Human Rights and Global Justice ", + "description": "The course examines multiform mystical traditions in world religions and cultures, including Greco-Roman philosophy, Judaism, Christianity, Islam, Hinduism, and Buddhism by studying classics of mystical literature and secondary sources; also addressed are mystical beliefs and practices in contemporary society." }, - "HIEU 120": { + "HITO 123": { "prerequisites": [], - "name": "The Renaissance in Italy", - "description": "The social, political, and cultural transformation of late-medieval Italy from the heyday of mercantile expansion before the plague to the dissolution of the Italian state system with the French invasions of 1494. Special focus upon family, associational life and factionalism in the city, the development of the techniques of capitalist accumulation, and the spread of humanism.\u00a0+ " + "name": "The Global History of Soccer", + "description": "This course will examine the different ways that attitudes toward children have changed throughout history. By focusing on the way that the child was understood, we will examine the changing role of the family, the role of culture in human development, and the impact of industrialization and modern institutions on the child and childhood. " }, - "HIEU 121GS": { + "HITO 124": { "prerequisites": [], - "name": "Scotland and the English Civil War, 1601\u20131689", - "description": "A lecture-discussion course that examines the role of Scotland in the English Civil War during the first half of the seventeenth century, 1601\u20131689. +" + "name": "Mystical Traditions", + "description": "An examination of the Second World War in Europe, Asia, and the United States. Focus will be on the domestic impact of the war on the belligerent countries as well as on the experiences of ordinary soldiers and civilians." }, - "HIEU 122": { + "HITO 126": { "prerequisites": [], - "name": "Ancient Greece from the Bronze Age to the Peloponnesian War", - "description": "This course treats the history of the Greek world from the Mycenaeans to the aftermath of the Peloponnesian War. It focuses on the rise of the polis, the development of the Athenian democracy and imperialism, and the Peloponnesian War. +" + "name": "A History of Childhood", + "description": "An examination of the Second World War in Europe, Asia, and the United States. Focus will be on the domestic impact of the war on the belligerent countries as well as on the experiences of ordinary soldiers and civilians." }, - "HIEU 123": { + "HITO 133": { "prerequisites": [], - "name": "Ancient Greece from Classical Athens to Cleopatra", - "description": "This course explores the dramatic political, social, and cultural changes in the Greek world and the Eastern Mediterranean from the fourth century BCE and the rise of Alexander the Great to the death of Cleopatra. +" + "name": "War and Society: The Second World War", + "description": "Comparative study of genocide and war crimes, stressing European developments since 1900 with reference to cases elsewhere. Topics include historical precedents; evolving legal concepts; and enforcement mechanisms. Emphasis on the Holocaust, the USSR under Stalin, ex-Yugoslavia, and the Armenian genocide. Students may not receive credit for both HITO 134 and ERC 102. " }, - "HIEU 123GS": { + "HITO 133D": { "prerequisites": [], - "name": "Origins of Law and Religious Freedom in England and America, 1530\u20131971", - "description": "A lecture-discussion course that examines the origins and evolution of religious freedom from the age of Tudors to the adoption of the Bill of Rights in the United States in 1791. Course materials fee may be required. Students must apply and be accepted into the Global Seminar Program." + "name": "War and Society: The Second World War", + "description": "Explore contrasts and parallels between African Americans and Jews from the seventeenth century to the present. Investigate slavery, the Civil War, shared music, political movements, urban geography, and longings to return to a homeland in Africa or Palestine." }, - "HIEU 124GS": { + "HITO 134": { "prerequisites": [], - "name": "The City Italy", - "description": "Language and cultural study in Italy. Course considers the social, political, economic, and religious aspects of civic life that gave rise to the unique civic art, the architecture of public buildings, and the design of the urban environment of such cities as Florence, Venice, or Rome. Course materials fee may be required. Students may not receive credit for both HIEU 124 and HIEU 124GS. Students must apply and be accepted into the Global Seminar Program." + "name": "International\n\t\t Law\u2014War Crimes and Genocide", + "description": "An examination of the history of emotions from the early modern period to the present with a focus on Europe and North America. Analysis of different approaches to emotions as well as of specific emotions (love, honor, shame, fear, guilt)." }, - "HIEU 125": { + "HITO 136": { "prerequisites": [], - "name": "Reformation Europe", - "description": "The intellectual and social history of the Reformation and Counter-Reformation from the French invasions to the Edict of Nantes. Emphasis is upon reform from below and above, the transformation of grassroots spirituality into institutional control.\u00a0+ " + "name": "Jews and African Americans:\u00a0Slavery, Diaspora, Ghetto", + "description": "A lecture-discussion course on the philosophical, political, and economic ideas that shaped the Scottish Enlightenment in the eighteenth century, especially the ideas of David Hume, Adam Smith, and John Witherspoon, and their impact upon the American Revolution and the Constitution of the United States." }, - "HIEU 127": { + "HITO 140": { "prerequisites": [], - "name": "Sport in the Modern World", - "description": "This course looks at the phenomenon of sport in all of its social, cultural, political, and economic aspects. The starting point will be the emergence of modern sport in nineteenth-century Britain, but the focus will be global. Since the approach will be topical rather than chronological, students should already have a good knowledge of world history in the nineteenth and twentieth centuries." + "name": "History of Emotions", + "description": "This course tracks the worldwide interplay of sport and race. We begin with patterns of exclusion and participation on the part of African Americans, Latinos, and Native Americans. We then examine patterns of inequality across the globe." }, - "HIEU 127D": { + "HITO 150GS": { "prerequisites": [], - "name": "Sport in the Modern World", - "description": "This course looks at sport in all of its social, cultural, political, and economic aspects. The starting point will be the emergence of modern sport in nineteenth-century Britain, but the focus will be global. Since the approach will be topical rather than chronological, students should already have a good knowledge of world history in the nineteenth and twentieth centuries. Students may not get credit for both HIEU 127 and HIEU 127D." + "name": "The Scottish Enlightenment and the Founding of the United States", + "description": "Comparative study of American and European multicultural politics and policy, focusing on developments since 1945. Coverage includes policies aimed at members of the African American, Native American, Latino/Chicano/Hispanic, and Asian/Pacific Islander communities and comparable European groups. Students will not receive credit for both HITO 156 and HITO 156GS." }, - "HIEU 128": { + "HITO 155": { "prerequisites": [], - "name": "Europe since 1945", - "description": "An analysis of European history since the end of the Second World War. Focus is on political, social, economic, and cultural developments within European societies as well as on Europe\u2019s relationship with the wider world (the Cold War, decolonization). " + "name": "Race, Sport, and Inequality in the Twentieth Century", + "description": "Comparative study of America and European multicultural politics and policy, focusing on developments since 1945. Coverage includes policies aimed at members of the African American, Native American, Latino/Chicano/Hispanic, and Asian/Pacific Islander communities and comparable European groups. Students must submit applications to the International Center, Programs Abroad Office, and be accepted into the Global Seminar Program. Program or material fee may apply. Students will not receive credit for both HITO 156 and HITO 156GS. " }, - "HIEU 129": { + "HITO 156": { "prerequisites": [], - "name": "Paris, Past and Present", - "description": "This course surveys the historical and cultural significance of Paris from about 1500 to the present. The focus is on interactions between political, architectural, and urban evolutions, and the changing populations of Paris in times of war, revolutions, and peace.\u00a0+ " + "name": "Diversity, Equity, and Inclusion in the United States and Europe: Multiple Multiculturalisms", + "description": "A course on Hong Kong's political, economic, and cultural transformation alongside its incorporation into the global capitalist economy, with a focus on transnational migrants laboring and living in diaspora. Topics include Opium Wars, world system, export-processing zones, and anti-globalization movements. Students must submit applications to the International Center, Programs Abroad Office, and be accepted into the Global Seminar Program. Program or material fee may apply. " }, - "HIEU 130": { + "HITO 156GS": { "prerequisites": [], - "name": "Europe in the Eighteenth Century", - "description": "A lecture-discussion course focusing on Europe\n\t\t\t\t from 1688 to 1789. Emphasis is on the social, cultural, and intellectual history\n\t\t\t\t of France, Germany, and England. Topics considered will include family\n\t\t\t\t life, urban and rural production and unrest, the poor, absolutism, and\n\t\t\t\t the Enlightenment from Voltaire to Rousseau.\u00a0+ " + "name": "Diversity, Equity, and Inclusion in the United States and Europe: Multiple Multiculturalisms", + "description": "In this course we compare the Jewish experience to other religious minorities in American history. Topics include motives and rates of immigration, education and work patterns, religious experiences, women\u2019s roles, family life, and representations in popular and high culture." }, - "HIEU 131": { + "HITO 160GS": { "prerequisites": [], - "name": "The French Revolution: 1789\u20131814", - "description": "This course examines the Revolution in France and its impact in Europe and the Caribbean. Special emphasis will be given to the origins of the Revolution, the development of political and popular radicalism and symbolism from 1789 to 1794, the role of political participants (e.g., women, sans-culottes, Robespierre), and the legacy of revolutionary wars and the Napoleonic system on Europe.\u00a0+ " + "name": "Globalization and Diaspora", + "description": "Topics will examine lesbian, gay, bisexual, transgender, and queer identities, communities, culture, and politics. May be repeated for credit two times, provided each course is a separate topic, for a maximum of twelve units. ** Upper-division standing required ** " }, - "HIEU 132": { + "HITO 164/264": { "prerequisites": [], - "name": "Germany from Luther to Bismarck", - "description": "How Germany, from being a maze of tiny states rife with religious conflict, became a nation. Did the nations-building process lead to Nazism? Students may not get credit for both HIEU 132 and HIEU 132D. +" + "name": "Jews and Other Ethnics in the American Past", + "description": "From early modern witches, rebels, and heretics to hypermodern gangsters, terrorists, and serial killers, applying capital punishment to foreign nationals and ethnic minorities has sustained a global conversation about the sanctity of human life and the meaning of citizenship in the Americas and Europe. Graduate students must complete an additional paper. ** Upper-division standing required ** " }, - "HIEU 132D": { + "HITO 165/265": { "prerequisites": [], - "name": "Germany from Luther to Bismarck", - "description": "How Germany, from being a maze of tiny states rife with religious conflict, became a nation. Did the nations-building process lead to Nazism? Students may not get credit for both HIEU 132 and HIEU 132D." + "name": "Topics\u2014LGBT History", + "description": "This course will examine what has been called the Cultural Cold Wars. Sports were the most visible form of popular culture during the era (1945\u201391). It will make use of reports and essays produced for an international, multiyear research project. It will combine written and visual sources. Matters of class, race, gender, and nationality will be discussed. May be coscheduled with HITO 267. ** Upper-division standing required ** " }, - "HIEU 134": { + "HITO\n\t\t 166/266": { "prerequisites": [], - "name": "The\n\t\t Formation of the Russian Empire, 800\u20131855", - "description": "State-building and imperial expansion among the peoples of the East Slavic lands of Europe and Asia from the origins of the Russian state in ninth-century Kiev, through Peter the Great\u2019s empire up to the middle of the nineteenth century.\u00a0+ " + "name": "Death Penalty Global Perspectives since 1492", + "description": "The course analyzes mutual influences and exchanges between the United States and Germany from the late nineteenth to the mid-twentieth century. Topics include imperialism and racism, social thought and intellectual migration, economic relations, feminism, and youth cultures, war, and occupation. Graduate students must complete an additional paper. ** Upper-division standing required ** " }, - "HIEU 135": { + "HITO 167/267": { "prerequisites": [], - "name": "Sun, Sea, Sand, and Sex:\u00a0Tourism and Tourists in the Contemporary World", - "description": "Major developments in modern tourism history, focusing on post-1945 Europe in its broader global context. Topics include tourism\u2019s relationship to cultural change and transfers, globalization, international politics, business, economics, wealth distribution, the environment, sexuality and sex tourism, and national identity." + "name": "Global History of Sports in the Cold War", + "description": "Reckoning by novelists, essayists, and biographers with the phenomenon of contemporary warfare as an unprecedented experience and an abiding threat. Graduate students are required to submit a more substantial piece of work. ** Upper-division standing required ** " }, - "HIEU 135GS": { + "HITO 168/268": { "prerequisites": [], - "name": "Sun, Sea, Sand, and Sex: Tourism and Tourists in the Contemporary World", - "description": "Major developments in modern tourism history, focusing on post-1945 Europe in its broader global context. Topics include tourism\u2019s relationship to cultural change and transfers, globalization, international politics, business, economics, wealth distribution, the environment, sexuality and sex tourism, and national identity. Program or materials fees may apply. Students may not receive credit for HIEU 135 and HIEU 135GS. Students must apply and be accepted to the Global Seminars Program." + "name": "The U.S. and Germany from the 1890s to the 1960s: Transitional Relations and Competing Modernities", + "description": "Taught in conjunction with the San Diego Maritime Museum, this course investigates life at sea from the age of discovery to the advent of the steamship. We will investigate discovery, technology, piracy, fisheries, commerce, naval conflict, sea-board life, and seaport activity. ** Upper-division standing required ** " }, - "HIEU 136B": { + "HITO\n\t\t 172/272": { "prerequisites": [], - "name": "\t\t European Society and Social Thought, 1870\u20131989", - "description": "A lecture and discussion course on European political and cultural development and theory from 1870\u20131989. Important writings will be considered both as responses to and as provocations for political and cultural change. " + "name": "War in the Twentieth Century: A Psychological Approach", + "description": "The majority of the world\u2019s citizens now live in cities; this course examines the evolution of housing architecture and finance in the twentieth-century context of rapid urbanization, dissolving empire, industrialization, and globalization. Graduate students will submit a more substantial piece of work with in-depth analysis and with an increased number of sources cited. A typical undergraduate paper would be ten pages, whereas a typical graduate paper would require engagement with primary sources, more extensive reading of secondary material, and be about twenty pages. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "HIEU 137": { + "HITO 178/278": { "prerequisites": [], - "name": "History of Colonialism: From New Imperialism to Decolonization", - "description": "This course surveys the age of colonialism in the nineteenth and twentieth century. The course will focus on the debates on colonialism in the metropolis as well as on the conflicts inside the colonies. Considerable emphasis will be placed on colonialism in Africa." + "name": "A History of Seafaring in the Age of Sail", + "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in history (at the upper-division level). Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" }, - "HIEU 139": { + "HITO 180/280": { "prerequisites": [], - "name": "Sex and Gender from the Renaissance to the French Revolution", - "description": "This course places gender and sexuality at the center of European history from the Renaissance to the French Revolution. We examine the distinct roles that men and women played in the period\u2019s major events. We track how practices and understandings of gender and sexuality shifted during the four centuries between 1500 and 1800. +" + "name": "Housing in the Developing World", + "description": "Course attached to six-unit internship taken by student participating in the UCDC program. Involves weekly seminar meetings with faculty and teaching assistant and a substantial historical research paper. " }, - "HIEU 140": { + "HITO 192": { "prerequisites": [], - "name": "History of Women and Gender in Europe: From the French Revolution to the Present", - "description": "This course explores the diverse history of women from the French Revolution to the present, with an emphasis on the variety of women\u2019s experience, the formation of gender identities, and the shifting relationship between gender and power over the course of the modern period. Topics include women and citizenship, science and gender, feminist movements, and the evolution of women\u2019s work." + "name": "Senior Seminar in History", + "description": "A program of independent study providing candidates for history honors an opportunity to develop, in consultation with an adviser, a preliminary proposal for the honors essay. An IP grade will be awarded at the end of this quarter. A final grade will be given for both quarters at the end of HITO 195. ** Consent of instructor to enroll possible **" }, - "HIEU 140GS": { + "HITO 193/POLI 194/COM GEN 194/USP 194": { "prerequisites": [], - "name": "Art and Society in Nineteenth-Century London", - "description": "This course examines English responses to the French Revolution, industrialization, and engagement with other cultures during the eighteenth and nineteenth centuries. Readings from high, popular, and folk literature, both serious and satirical, illuminate life in the London metropolis. Program or materials fees may apply. Students must apply and be accepted to the Global Seminars Program." + "name": "Research Seminar in Washington, DC", + "description": "Independent study under the supervision of a faculty member leading to the preparation of an honors essay. A letter grade for both HITO 194 and 195 will be given at the completion of this quarter. ** Consent of instructor to enroll possible **" }, - "HIEU 141": { + "HITO 194": { "prerequisites": [], - "name": "European Diplomatic History, 1870\u20131945", - "description": "European imperialism, alliances, and the outbreak of the First World War. The postwar settlement and its breakdown. The advent of Hitler and the disarray of the western democracies. The Second World War and the emergence of the super powers. " + "name": "History Honors", + "description": "The nature and uses of history are explored through the study of the historian\u2019s craft based on critical analysis of historical literature relating to selected topics of concern to all historians. Required of all candidates for history honors and open to other interested students with the instructor\u2019s consent. Department stamp required. " }, - "HIEU 142": { + "HITO 195": { "prerequisites": [], - "name": "European\n\t\t Intellectual History, 1780\u20131870", - "description": "European thought from the late Enlightenment and the French Revolution to Marx and Baudelaire, emphasizing the origins of romanticism, idealism, and positivism in England, Germany, and France." + "name": "The Honors Essay", + "description": "Directed group study on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members. (P/NP grades only.) " }, - "HIEU 143": { + "HITO 196": { "prerequisites": [], - "name": "European\n\t\t Intellectual History, 1870\u20131945", - "description": "A lecture-discussion course on the crisis of bourgeois culture, the redefinition of Marxist ideology, and the transformation of modern social theory. Readings will include Nietzsche, Sorel, Weber, Freud, and Musil. (This course satisfies the minor in the Humanities Program.)" + "name": "Honors Seminar", + "description": "Independent study on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "HIEU 144": { + "HITO 198": { "prerequisites": [], - "name": "Topics in European History", - "description": "Selected topics in European history. Course may be taken for credit up to three times as topics vary." + "name": "Directed Group Study", + "description": "Medieval and early modern origins of constitutional ideas and institutions. The question of the course is: Where did the ideas and institutions embodied in the constitutions of the U.S. (1787) and of France (1791) come from? Requirements will vary for undergraduate, MA, and PhD students. Graduate students are required to submit a more substantial piece of work. " }, - "HIEU 145": { + "HITO 199": { "prerequisites": [], - "name": "The Holocaust as Public History", - "description": "We will study historical accounts, memoirs, diaries, and oral histories to master the Holocaust epoch. We will contrast scholarly narratives to personal experience as different ways to learn about the past. Students will design projects for public education." + "name": "Independent Study in Historical Topics", + "description": "The upheavals that transformed the early modern Atlantic emphasizing the United States, Caribbean, and Great Britain. Topics: struggles to define democracy, the reorganization of the Atlantic state system, the Enlightenment, and international responses to the American and French Revolutions.\u00a0+ " }, - "HIEU 146": { + "HIUS 103/ETHN 103A": { "prerequisites": [], - "name": "Fascism, Communism, and the Crisis of Liberal Democracy: Europe 1919\u20131945", - "description": "A consideration of the political, social, and cultural crisis that faced Western liberal democracies in the interwar period, with emphasis on the mass movements that opposed bourgeois liberalism from both the left and the right. " + "name": "The United States and the Pacific World", + "description": "Examines foreign relations of the United States from acquisition of a formal overseas empire in the aftermath of the Spanish-American War to the end of the Cold War. Topics cover a range of public and private interactions with the world." }, - "HIEU 146S": { + "HIUS 104": { "prerequisites": [], - "name": "The Meaning of Life in the Modern World: Existentialism, Fascism, and Genocide", - "description": "Examines existentialism as a way of thinking from the late nineteenth to mid-twentieth century. Explores the historical context of existentialism in Germany and France, e.g., World War II, the Holocaust, fascism, and communism. Selections from Heidegger, Sartre, Camus, and de Beauvoir. " + "name": "The Revolutionary Atlantic", + "description": "Examine the development of apocalyptic Jewish movements in the Second Temple period and the influence these movements had on Rabbinic Judaism and early Christianity. " }, - "HIEU 150": { + "HIUS 106A": { "prerequisites": [], - "name": "Modern British History", - "description": "Emphasis on changes in social structure and corresponding shifts in political power. The expansion and the end of empire. Two World Wars and the erosion of economic leadership." + "name": "American Foreign Relations, to 1900", + "description": "This course examines the history of the Native Americans in the United States with emphasis on the lifeways, mores, warfare, cultural adaptation, and relations with the European colonial powers and the emerging United States until 1870.\u00a0+" }, - "HIEU 151": { + "HIUS 106B": { "prerequisites": [], - "name": "Spain since 1808", - "description": "Social, political, cultural history of Spain since Napoleon. Features second Spanish Republic, the Civil War, Franco era, and transition to democracy." + "name": "\t\t American Foreign Relations, since 1900", + "description": "This course examines the history of the Native Americans in the United States with emphasis on the lifeways, mores, warfare, cultural adaptation, and relations with the United States from 1870 to the present." }, - "HIEU 151GS": { + "HIUS 106S": { "prerequisites": [], - "name": "History of Modern Spain, 1808\u2013Present", - "description": "Social, political, cultural history of Spain since Napoleon. Features second Spanish Republic, the Civil War, Franco era, and transition to democracy. It will also include excursions to various sites of historical significance in and around Madrid. Program or materials fees may apply. Students may not receive credit for HIEU 151 and HIEU 151GS. Students must apply and be accepted to the Global Seminars Program." + "name": "Apocalyptic Judaism", + "description": "A lecture course that explores the evolution of the interaction between the United States and the world from the American Revolution to the First World War, with particular emphasis upon the role of diplomacy, war, and economic change. " }, - "HIEU 152": { + "HIUS 108A/ETHN\n\t\t 112A": { "prerequisites": [], - "name": "The Worst of Times: Everyday Life in Authoritarian and Dictatorial Societies", - "description": "Examines how ordinary citizens coped with the problems of life under Europe\u2019s authoritarian regimes. Topics may include Nazism, fascism, and quasi-fascist societies (e.g., Franco\u2019s Spain, Salazar\u2019s Portugal), and communist practice from Leninism to Stalinism to the milder Titoism of Yugoslavia." + "name": "History of Native Americans in the United States I", + "description": "A lecture course that explores the evolution of the interaction between the United States and the world from 1914 to the present, with special attention to the era of the Great Depression, the Cold War, Vietnam, and the post 9/11 war on terror." }, - "HIEU 153": { + "HIUS 108B/ETHN\n\t\t 112B": { "prerequisites": [], - "name": "Topics in Modern European History", - "description": "Selected topics in modern European history. Course may be taken for credit up to three times as topic vary." + "name": "History of Native Americans in the United States II", + "description": "The course addresses the causes, course, and consequences of the US Civil War. We will explore such themes as how Unionists and Confederates mobilized their populations and dealt with dissension, the war\u2019s effects on gender and race relations, and the transformation of the federal government." }, - "HIEU 153A": { + "HIUS 110": { "prerequisites": [], - "name": "Nineteenth-Century France", - "description": "A study of the social, intellectual, and political currents in French history from the end of the French Revolution to the eve of the First World War. Lectures, slides, films, readings, and discussions. " + "name": "America and the World: Revolution to World War I", + "description": "This course explores the history of the largest minority population in the United States, focusing on the legacies of the Mexican War, the history of Mexican immigration and US-Mexican relations, and the struggle for citizenship and civil rights." }, - "HIEU 154": { + "HIUS 111": { "prerequisites": [], - "name": "Modern\n\t\t German History: From Bismarck to Hitler", - "description": "An analysis of the volatile course of German history from unification to the collapse of the Nazi dictatorship. Focus is on domestic developments inside Germany as well as on their impact on European and global politics in the twentieth century. " + "name": "America and the World: World War I to the Present", + "description": "This course surveys the history of California from the period just before Spanish contact in 1542 through California\u2019s admission to the Union in 1850. +" }, - "HIEU 154GS": { + "HIUS 112": { "prerequisites": [], - "name": "Modern Germany: From Bismarck to Hitler", - "description": "An analysis of the volatile course of German history from unification to the collapse of the Nazi dictatorship. Focus is on domestic developments inside Germany as well as on their impact on European and global politics in the twentieth century. Students may not receive credit for both HIEU 154 and HIEU 154GS. Program or materials fees may apply. Students must apply and be accepted to the Global Seminars Program." + "name": "The US Civil War", + "description": " This course surveys the history of California from 1850 to the present.\n " }, - "HIEU 154XL": { + "HIUS 113/ETHN 154": { "prerequisites": [], - "name": "HIEU 154 Foreign Language Section", - "description": "Students will exercise advanced German language skills to read and discuss materials in HIEU 154. Must be enrolled in HIEU 154." + "name": "History of Mexican America", + "description": "Constructions of sex and sexuality in the United States from the time of precontact Native America to the present, focusing on sexual behaviors, sexual ideologies, and the uses of sexuality for social control. " }, - "HIEU 156": { + "HIUS 114A": { "prerequisites": [], - "name": "History of the Soviet Union, 1905\u20131991", - "description": "This course explores war, revolution, development, and terror in the Soviet Union from 1905\u20131991. " + "name": "California History 1542\u20131850", + "description": "This course examines the history of Los Angeles from the early nineteenth century to the present. Particular issues to be addressed include urbanization, ethnicity, politics, technological change, and cultural diversification. " }, - "HIEU 157": { + "HIUS 114B": { "prerequisites": [], - "name": "Religion\n\t\t and the Law in Modern European History", - "description": "Comparative examination of the relationship between religious commitments and legal norms in Europe from the Reformation to the present. Topics may include government sponsorship; religious expression; conflicts with secular law; religious rights as human rights; and religious and cultural politics." + "name": "California History, 1850\u2013Present", + "description": "This course explores the history of Jews in America from the colonial period to the present, focusing on both the development of Jewish communities primarily as a result of immigration and evolving relations between Jews and the larger American society." }, - "HIEU 158": { + "HIUS 115": { "prerequisites": [], - "name": "Why Hitler? How Auschwitz?", - "description": "Why did Germany in 1919 produce an Adolf Hitler;\n\t\t\t\t how did the Nazis take power in 1933; and why did the Third Reich last\n\t\t\t\t until 1945? Why did the war against the Jews become industrial and absolute?" + "name": "History of Sexuality in the United States", + "description": "Topics will include Quaker origins of the American peace movements and examples of opposition to wars in the twentieth century from World Wars I and II, Vietnam, antinuclear movements, and intervention in Central America to Iraq." }, - "HIEU 159": { + "HIUS 117": { "prerequisites": [], - "name": "Three Centuries of Zionism, 1648\u20131948", - "description": "For centuries, the land of Israel was present in Jewish minds and hearts. Why and how did the return to Zion become a reality? Which were the vicissitudes of Jewish life in Palestine?" + "name": "History of Los Angeles", + "description": "(Cross-listed with ETHN 120D.) This course examines the history of racial and ethnic communities in San Diego. Drawing from historical research and interdisciplinary scholarship, we will explore how race impacted the history and development of San Diego and how \u201cordinary\u201d folk made sense of their racial identity and experiences. Toward these ends, students will conduct oral history and community-based research, develop public and digital humanities skills, and preserve a collection of oral histories for future scholarship. Concurrent enrollment in an Academic Internship Program course strongly recommended. Students may not receive credit for HIUS 120D and ETHN 120D. " }, - "HIEU 159S": { + "HIUS 118": { "prerequisites": [], - "name": "Three Centuries of Zionism 1648\u20131948", - "description": "For centuries, the land of Israel was present in Jewish minds and hearts. Why and how did the return to Zion become a reality? Which were the vicissitudes of Jewish life in Palestine?" + "name": "How Jews Became American", + "description": "A lecture-discussion course utilizing written texts and films to explore major themes in American politics and culture from the Great Depression through the 1990s. Topics will include the wars of America, McCarthyism, the counterculture of the 1960s, and the transformation of race and gender relations." }, - "HIEU 160": { + "HIUS 120": { "prerequisites": [], - "name": "Topics in Ancient Greek History", - "description": "Selected topics in ancient Greek history. May be taken for credit three times. ** Upper-division standing required ** ** Department approval required ** " + "name": "Peace Movements in America", + "description": "New York City breathes history. Whether it is in the music,\n the literature, or the architecture, the city informs our most\n basic conceptions of American identity. This course examines\n the evolution of Gotham from the colonial era to today." }, - "HIEU 161/261": { + "HIUS 120D": { "prerequisites": [], - "name": "Topics in Roman History", - "description": "Selected topics in Roman history. May be taken for credit three times as topics will vary. " + "name": "Race and Oral History in San Diego", + "description": "Explore how Asian Americans were involved in the political, economic, and cultural formation of United States society. Topics include migration; labor systems; gender, sexuality and social organization; racial ideologies and anti-Asian movements; and nationalism and debates over citizenship. " }, - "HIEU 162/262": { + "HIUS 122": { "prerequisites": [], - "name": "Topics in Byzantine History", - "description": "Selected topics in Byzantine history. May be taken for credit three times as topics vary. " + "name": "History and Hollywood: America and the Movies since the Great Depression", + "description": "History of Asian American activism from the late-nineteenth century to the present, with an emphasis on interethnic, interracial, and transnational solidarity practices. Topics include struggles for civil rights and labor rights; immigration reform; antiwar and anticolonial movements; hate crimes; and police brutality. Students may receive credit for one of the following: HIUS 125, HIUS 125GS, or ETHN 163J." }, - "HIEU 163/263": { + "HIUS 123/USP 167": { "prerequisites": [], - "name": "Special Topics in Medieval History", - "description": "Intensive study of special problems or periods in the history of medieval Europe. Topics vary from year to year, and students may therefore repeat the course for credit. " + "name": "History of New York City", + "description": "History of Asian American activism from the late-nineteenth century to the present, with an emphasis on interethnic, interracial, and transnational solidarity practices. Topics include struggles for civil rights and labor rights; immigration reform; antiwar and anticolonial movements; hate crimes; and police brutality. Students must apply and be accepted into the Global Seminars Program. Students may receive credit for one of the following: HIUS 125GS, HIUS 125, or ETHN 163J." }, - "HIEU 164/264": { + "HIUS 124/ETHN 125": { "prerequisites": [], - "name": "Special Topics in Early Modern Europe", - "description": "This course looks at the European and non-European in the early modern era. Topics will vary year to year. May be taken for credit three times." + "name": "Asian American History", + "description": "Examines key periods, events, and processes throughout the twentieth century that shaped the way Americans thought about race. Also examines the historical development of the category of race and racism, as well as how it is lived in everyday life." }, - "HIEU 166/HIEU 266": { + "HIUS 125/ETHN 163J": { "prerequisites": [], - "name": "Living on the Edge: Mediterranean Environmental History", - "description": "What defines a \u201cMediterranean climate\u201d? Plentiful sunshine, hot, dry summers, and cool, wet winters? In fact, within the Mediterranean, there are countless microclimates. Some produce conditions of plenty, while others are precarious for human habitation. This colloquium examines the environmental history of the premodern Mediterranean focusing on the intersection between climate and human societies, particularly how humans respond to climate shifts in precariously arid zones. +\n\t " + "name": "Asian American Social Movements", + "description": "This course sketches the shifting experience persons of African descent have had with the law in the United States. Films, cases, articles, and book excerpts are used to convey the complex nature of this four-hundred-year journey." }, - "HIEU 167/267": { + "HIUS 125GS": { "prerequisites": [], - "name": "Special Topics in the Social History of Early Modern Europe", - "description": "Topics will vary and may include political, socioeconomic, and cultural developments in the era from 1650 to 1850. Some years the emphasis will be on the theory and practice of revolutions and their impact on Europe and the world. Graduate students will be required to submit an additional piece of work. " + "name": "Asian American Social Movements", + "description": "This class examines the history of racial and ethnic groups in American cities. It looks at major forces of change such as immigration to cities, political empowerment, and social movements, as well as urban policies such as housing segregation." }, - "HIEU\n\t\t 171/271": { + "HIUS 126": { "prerequisites": [], - "name": "Special Topics in Twentieth-Century Europe", - "description": "This course alternates with HIEU 170. Topics will vary from year to year. " + "name": "The History of Race in the United States", + "description": "This course will explore connections between American culture and the transformations of class relations, gender ideology, and political thought. Topics will include the transformations of religious perspectives and practices, republican art and architecture, artisan and working-class culture, the changing place of art and artists in American society, antebellum reform movements, antislavery and proslavery thought.\u00a0+ " }, - "HIEU 172/272": { + "HIUS 128": { "prerequisites": [], - "name": "Comparative European Fascism", - "description": "This course will be a comparative and thematic examination of the fascist movement and regimes in Europe from the 1920s to the 1940s. In particular, it will focus on the emergence of the two major fascist movements in Italy and Germany. Graduate students will be required to submit a more substantial piece of work with in-depth analysis and with an increased number of sources cited. A typical undergraduate paper would be ten pages, whereas a typical graduate paper would require engagement with primary sources, more extensive reading of secondary material, and be about twenty pages. ** Upper-division standing required ** " + "name": "African American Legal History", + "description": "This course will focus on the transformation of work and leisure and the development of consumer culture. Students consider connections among culture, class, racial and gender ideologies, and politics. Topics include labor management and radicalism, organized sports, museums, commercial entertainment, world fairs, reactionary movements, and imperialism. " }, - "HIEU\n\t\t 174/274": { + "HIUS 129/USP 106": { "prerequisites": [], - "name": "The Holocaust: A Psychological Approach", - "description": "An examination of how traditional moral concerns and human compassion came to be abandoned and how the mass murder of the Jews was organized and carried out. The focus of this course will be on the perpetrators. Requirements will vary for undergraduate MA and PhD students. Graduate students are required to submit a more substantial piece of work. ** Consent of instructor to enroll possible **" + "name": "The History of Race and Ethnicity in American Cities", + "description": "This course will focus on the transformation of work and leisure and development of consumer culture. Students will consider connections between culture, class relations, gender ideology, and politics. Topics will include labor radicalism, Taylorism, the development of organized sports, the rise of department stores, and the transformation of middle-class sexual culture of the Cold War. " }, - "HIEU 176/276": { + "HIUS 130": { "prerequisites": [], - "name": "Politics in the Jewish Past", - "description": "This seminar addresses Jewish civic autonomy in the late medieval era, the terms of emancipation in the European states, the politics of Jewish socialists, the costs of assimilation, and the consequences of a successful Zionist state in 1948. Graduate students will be required to submit a more substantial piece of work with in-depth analysis and with an increased number of sources cited. A typical undergraduate paper would be ten pages, whereas a typical graduate paper would require engagement with primary sources, more extensive reading of secondary material, and be about twenty pages. ** Upper-division standing required ** " + "name": "Cultural\n\t\t History from 1607 to 1865", + "description": "This course considers how cultural processes have shaped histories of the Civil War and Reconstruction. Students will analyze the relationship between popular culture and major themes of the era through the use of literature, texts, film, television, and print images. Students who took HIUS 132 cannot repeat this course. " }, - "HIEU 178/278": { + "HIUS 131": { "prerequisites": [], - "name": "Soviet History", - "description": "Topics will vary from year to year. Graduate\n\t\t\t\t students are required to submit a more substantial paper. ** Consent of instructor to enroll possible **" + "name": "Cultural\n\t\t History from 1865 to 1917", + "description": "This interdisciplinary lecture course focuses on the history and literature of global piracy in the English-speaking world from Sir Francis Drake to Blackbeard and how this Golden Age was remembered in the popular fiction of the nineteenth and twentieth centuries.\u00a0Students may not receive credit for HIUS 133 and HIUS 133GS.\u00a0+" }, - "HIEU\n\t\t\t\t 181/281": { + "HIUS 131D": { "prerequisites": [], - "name": "Immigration, Ethnicity, and Identity in Contemporary European\n\t\t Society", - "description": "Comparative study of immigration and migration in Europe since 1945. Topics include (im)migrant adaptation, assimilation, and identity; labor systems, opposition to and regulation of migration; competing concepts of nationality and citizenship, conflicts over Muslim immigration; and implications for European integration. Students may not receive credit for both HIEU 181/281 and ERC 101. Graduate students will be expected to submit an additional paper. ** Upper-division standing required ** " + "name": "Cultural History from the Civil War to the Present", + "description": "This interdisciplinary lecture course focuses on the history and literature of global piracy in the English-speaking world from Sir Francis Drake to Blackbeard and how this Golden Age was remembered in the popular fiction of the nineteenth and twentieth centuries. Program or materials fees may apply. Students must apply and be accepted into the Global Seminars Program. Students may not receive credit for HIUS 133 and HIUS 133GS." }, - "HIEU 182/282": { + "HIUS 132S": { "prerequisites": [], - "name": "The Muslim Experience in Contemporary European Society", - "description": "Comparative study of Islam in Europe since 1945. Topics include indigenous populations; immigration; Islamic law/church-state questions; EU expansion/integration; gender issues; terrorism; Islamophobia; \u201cEuropeanizing\u201d Islam; the historical tradition of European-Muslim encounter and its present political/cultural issues. Graduate students will be required to do an additional paper. ** Upper-division standing required ** " + "name": "The Civil War and Reconstruction in Popular Culture", + "description": "Explore the politics of black culture in the postwar period. Topics include the dynamic interplay of social factors (migration, civil rights, black power, deindustrialization, globalization) and the production of African American culture, including music, film, and literature." }, - "HIEU\n\t\t 183/283": { + "HIUS 133": { "prerequisites": [], - "name": "Social History and Anthropology of the Mediterranean", - "description": "This seminar examines the social history and anthropology of the Mediterranean. Topics covered are the Mediterranean debate, rural economy, peasant society, gender relations, honor and shame, rural violence, class formation, and emigration. The seminar introduces the methodology of historical anthropology. Graduate students will be expected to complete an additional paper or project. ** Upper-division standing required ** " + "name": "The Golden Age of Piracy", + "description": "This course focuses on the role the Atlantic played in bringing together in both volatile and beneficial ways the remarkably different cultures of four continents from the Columbian Exchange to the Haitian Revolution. Students may not receive credit for HIUS 135 and 135A or 135B.\u00a0+" }, - "HIEU\n\t\t 184/284": { + "HIUS 133GS": { "prerequisites": [], - "name": "Yugoslavia: Before, During, and After", - "description": "Examines the multiethnic Yugoslav states that existed from 1918 until the 1990s. Topics include interethnic relations, foreign affairs, Tito\u2019s revisionist communism, the consumerist Yugoslav Dream, culture and society, the violent break-up of the 1990s, and the post-Yugoslav order. Graduate students will be required to submit an additional paper. ** Upper-division standing required ** " + "name": "The Golden Age of Piracy", + "description": "This course traces the history of the institution of US citizenship in the last century, tracing changing notions of racial, cultural, and gender differences, the evolution of the civil rights struggle, and changes in laws governing citizenship and access to rights." }, - "HIEU 198": { + "HIUS 134": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Directed group study on European history under the supervision of a member of the faculty on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members. " + "name": "From\n\t\t Bebop to Hip-Hop: African American Cultural History since 1945", + "description": "This course examines the critical role mining played in the economic, political, and social history of the United States since the late 1800s. Topics discussed in the course will include labor movements, engineering, science and industry, foreign policy, and natural resource dependence." }, - "HIEU 199": { + "HIUS 135": { "prerequisites": [], - "name": "Independent Study in European History", - "description": "Directed readings for undergraduates under the supervision of various faculty members. ** Consent of instructor to enroll possible **" + "name": "The Atlantic World, 1492\u20131803", + "description": "This course examines the transformation of African America across the expanse of the long twentieth century: imperialism, migration, urbanization, desegregation, and deindustrialization. Special emphasis will be placed on issues of culture, international relations, and urban politics. " }, - "HIGL 101": { + "HIUS 136/ETHN 153": { "prerequisites": [], - "name": "Jews, Christians, and Muslims", - "description": "The course will explore the cultural, religious, and social relationships between the three major religious groups in the medieval Mediterranean: Muslims, Christians, and Jews from the sixth through sixteenth centuries AD. Renumbered from HITO 101. Students may not receive credit for HIGL 101 and HITO 101." + "name": "Citizenship and Civil Rights in the Twentieth Century", + "description": "The United States as a raw materials producer, as an agrarian society, and as an industrial nation. Emphasis on the logic of the growth process, the social and political tensions accompanying expansion, and nineteenth- and early twentieth-century transformations of American capitalism. " }, - "HIGL 104": { + "HIUS 137": { "prerequisites": [], - "name": "The Jews and Judaism in the Ancient and Medieval Worlds", - "description": "The political and cultural history of the Jews through the early modern period. Life under ancient empires, Christianity and Islam. The post-biblical development of the Jewish religion and its eventual crystallization into the classical, rabbinic model. Renumbered from HITO 104. Students may not receive credit for HIGL 104 and HITO 104. +" + "name": "Mining and American History", + "description": "The United States as modern industrial nation. Emphasis on the logic of the growth process, the social and political tensions accompanying expansion, and twentieth-century transformations of American capitalism. " }, - "HILA 100": { + "HIUS 139/ETHN 149": { "prerequisites": [], - "name": "Conquest and Empire: The Americas ", - "description": "Lecture-discussion survey of Latin America from the pre-Columbian era to 1825. It addresses such issues as the nature of indigenous cultures, the implanting of colonial institutions, native resistance and adaptations, late colonial growth and the onset of independence. Students may not receive credit for both HILA 100 and HILA 100D.\u00a0+ " + "name": "African American History in the Twentieth Century", + "description": "Examines the political, economic, and social history of the American people from the turn of the twentieth century to the end of World War II. Topics: progressive movement, impact of the Great Depression, and the consequences of two world wars." }, - "HILA 100D": { + "HIUS 140/ECON 158": { "prerequisites": [], - "name": "Latin America: Colonial Transformation", - "description": "Lecture-discussion survey of Latin America from the pre-Columbian era to 1825. It addresses such issues as the nature of indigenous cultures, the implanting of colonial institutions, native resistance and adaptation, late colonial growth, and the onset of independence. " + "name": "Economic History of the United States I", + "description": "Examines the political, economic and social history of the American people from the end of World War II to present. Topics: origins of the Cold War, struggle for racial justice and the rise of American conservatism since the 1980s. " }, - "HILA 101": { + "HIUS 141/ECON 159": { "prerequisites": [], - "name": "Nation-State Formation, Ethnicity, and Violence in Latin America", - "description": "Survey of Latin America in the nineteenth century. It addresses such issues as the collapse of colonial practices in the society and economy as well as the creation of national governments, political instability, disparities among regions within particular countries, and of economies oriented toward the export of goods to Europe and the United States. " + "name": "Economic History of the United States II", + "description": "An examination of urban and regional planning as well as piecemeal change in the built environment. Topics include urban and suburban housing, work environments, public spaces, transportation and utility infrastructures, utopianism." }, - "HILA 102": { + "HIUS 142A": { "prerequisites": [], - "name": "Latin America in the Twentieth Century", - "description": "This course surveys the history of the region by focusing on two interrelated phenomena\u2014the absence of democracy in most nations and the region\u2019s economic dependence on more advanced countries, especially the United States. Among the topics discussed will be the Mexican Revolution, the military in politics, labor movements, the wars in Central America, liberation theology, and the current debt crisis. " + "name": "\t\t United States in the Twentieth Century, 1900\u20131945", + "description": "An examination of urban and regional planning as well as piecemeal change in the built environment. Topics include urban and suburban housing, work environments, public spaces, transportation and utility infrastructures, and utopianism. Program or materials fees may apply. Students must apply and be accepted into the Global Seminars Program. Students may not receive credit for HIUS 143 and HIUS 143GS." }, - "HILA 102D": { + "HIUS 142B": { "prerequisites": [], - "name": "Latin America in the Twentieth Century", - "description": "This course surveys the history of the region by focusing on two interrelated phenomena\u2014the absence of democracy in most nations and the region\u2019s economic dependence on more advanced countries, especially the United States. Among the topics discussed will be the Mexican Revolution, the military in politics, labor movements, the wars in Central America, liberation theology, and the current debt crisis. " + "name": "\t\t United States in the Twentieth Century, 1945 to the Present", + "description": "Selected topics in US history. Course may be taken for credit up to three times as topics vary.\u00a0" }, - "HILA 103": { + "HIUS 143": { "prerequisites": [], - "name": "Revolution in Modern Latin America", - "description": "A political, economic, and social examination of the causes and consequences of the Mexican, Cuban, and Nicaraguan revolutions. Also examine guerrilla movements that failed to gain power in their respective countries, namely the Shining Path in Peru, FARC in Colombia, and the Zapatistas in Mexico." + "name": "The Built Environment in the Twentieth Century", + "description": "This course will examine the economic, social, and political changes underway in the United States from 1917 to 1945. Topics will include the 1920s, the Great Depression, the New Deal and the consequences of two World Wars.\u00a0" }, - "HILA 104": { + "HIUS 143GS": { "prerequisites": [], - "name": "Drugs in Latin America", - "description": "This course examines drugs in Latin America from the 1900s to the present. Brazil, Central America, Columbia, Mexico, and Peru are studied along with some short articles in other nations. We'll also explore aspects of US intervention regarding drugs during and after the Cold War. " + "name": "The Built Environment in the Twentieth Century", + "description": "Examining the history of urban riots in the United States since the late nineteenth century. Exploring how different groups of Americans have constructed competing notions of race, gender, labor, and national belonging by participating in street violence.\n\t\t\t " }, - "HILA 106": { + "HIUS 144": { "prerequisites": [], - "name": "Changes and Continuities in Latin American History", - "description": "Reviews the historical processes Latin American countries underwent after political independence from Spain/Portugal in the nineteenth century. Each country built its future, but there also were continuities. Assessing changes and continuities and their present-day consequences will be our goal. " + "name": "Topics in US History", + "description": "This course focuses on the phenomenon of modern American urbanization. Case studies of individual cities will help illustrate the social, political, and environmental consequences of rapid urban expansion, as well as the ways in which urban problems have been dealt with historically. " }, - "HILA 113": { + "HIUS 145": { "prerequisites": [], - "name": "Lord and Peasant in Latin America", - "description": "Examination of the historical roots of population problems, social conflict, and revolution in Latin America, with emphasis on man-land relationships. Special emphasis on modern reform efforts and on Mexico, Cuba, Brazil, and Argentina. Lecture, discussion, reading, and films. " + "name": "From New Era to New Deal", + "description": "An overview of the social and political developments that polarized American society in the tumultuous decade of the 1960s. Themes include the social impact of the postwar baby boom, the domestic and foreign policy implications of the Cold War; the evolution of the civil rights and women\u2019s movements; and the transformation of American popular culture. " }, - "HILA 113D": { + "HIUS 146": { "prerequisites": [], - "name": "Lord and Peasant in Latin America", - "description": "Examination of the historical roots of population problems, social conflict, and revolution in Latin America, with emphasis on man-land relationships. Special emphasis on modern reform efforts and on Mexico, Cuba, Brazil, and Argentina. Lecture, discussion, reading, and films. " + "name": "Race, Riots, and Violence in the U.S.", + "description": "The history of American law and legal institutions. This quarter focuses on crime and punishment in the colonial era, the emergence of theories of popular sovereignty, the forging of the Constitution and American federalism, the relationship between law and economic change, and the crisis of slavery and Union.\u00a0+ " }, - "HILA 114": { + "HIUS 148/USP\n\t\t 103": { "prerequisites": [], - "name": "Dictatorships in Latin America", - "description": "How did dictatorships come about? Who were the authoritarian leaders? How did they organize their regimes and what were the consequences? Recent publications on dictators in Latin America allow for comparisons across countries and throughout time to answer these questions." + "name": "The American City in the Twentieth Century", + "description": "The history of American law and legal institutions. This course examines race relations and law, the rise of big business, the origins of the modern welfare state during the Great Depression, the crisis of civil liberties produced by two world wars and McCarthyism, and the Constitutional revolution wrought by the Warren Court. HIUS 150 is not a prerequisite for HIUS 151." }, - "HILA 114D": { + "HIUS 149": { "prerequisites": [], - "name": "Dictatorship in Latin America", - "description": "How did dictatorships come about? Who were the authoritarian leaders? How did they organize their regimes and what were the consequences? Recent publications on dictators in Latin America allow for comparisons across countries and throughout time to answer these questions. " + "name": "The United States in the 1960s", + "description": "The historical development of constitutional thought and practice in the United States from the era of the American Revolution through the Civil War, with special attention to the role of the Supreme Court under Chief Justices Marshall and Taney." }, - "HILA 115": { + "HIUS 150": { "prerequisites": [], - "name": "The Latin American City, a History", - "description": "A survey of the development of urban forms of Latin America and of the role that cities played in the region as administrative and economic centers. After a brief survey of pre-Columbian centers, the lectures will trace the development of cities as outposts of the Iberian empires and as \u201ccity-states\u201d that formed the nuclei of new nations after 1810. The course concentrates primarily on the cities of South America, but some references will be made to Mexico City. It ends with a discussion of modern social ills and Third World urbanization. Lima, Santiago de Chile, Buenos Aires, Rio de Janeiro, and Sao Paulo are its principal examples." + "name": "American Legal History to 1865", + "description": "The historical development of constitutional\n\t\t\t\t thought and practice in the United States since 1865, with special attention\n\t\t\t to the role of the Supreme Court from Chief Justices Chase to Rehnquist.\u00a0+ " }, - "HILA 117": { + "HIUS 151": { "prerequisites": [], - "name": "Indians, Blacks, and Whites: Family Relations in Latin America", - "description": "The development of family structures and relations among different ethnic groups. State and economy define and are defined by family relations. Thus this family approach also provides an understanding to broader socioeconomic processes and cultural issues." + "name": "American Legal History since 1865", + "description": "Survey of politicized criminal trials and\n\t\t\t\t impeachments from Colonial times to the 1880s. Examines politically motivated\n\t\t\t\t prosecutions and trials that became subjects of political controversy,\n\t\t\t\t were exploited by defendants for political purposes, or had\n\t\t\t\t their outcomes determined by political considerations.\u00a0+ " }, - "HILA 118": { + "HIUS 152A": { "prerequisites": [], - "name": "Subverting Sovereignty: US Aggression in Latin America, 1898\u2013Present", - "description": "This course will focus on several instances of US aggression in Latin America since 1898, covering military invasions, covert actions, and economic forms of coercion. Specific case studies will include events in Mexico in 1914, Cuba in 1933 and 1959\u20131962, Guatemala in 1954, and Chile in 1973." + "name": "A Constitutional History of the United States to 1865", + "description": "Tracing popular cultural production and consumption in the United States since World War II. It historicizes popular culture as an arena where social relations are negotiated and where race, class, and gender identities are constructed, transformed, and contested." }, - "HILA 120": { + "HIUS 152B": { "prerequisites": [], - "name": "History of Argentina", - "description": "A survey from the colonial period to the present, with an emphasis on the nineteenth and twentieth centuries. Among the topics covered: the expansion of the frontier, the creation of a cosmopolitan, predominately European culture, and the failure of industrialization to provide an economic basis for democracy." + "name": "A Constitutional History of the United States since 1865", + "description": "Selected problems in the history of the relationship between religious beliefs and practice and legal institutions in the Anglo American world. Topics include the English background, religion in the age of the American Revolution and the antebellum period.\u00a0+ " }, - "HILA 121A": { + "HIUS 153": { "prerequisites": [], - "name": "History of Brazil through 1889 ", - "description": "A lecture-discussion course on the historical roots of revolutionary Cuba, with special emphasis on the impact of the United States on the island\u2019s development and society." + "name": "American Political Trials", + "description": "Selected problems in the history of the relationship between religious beliefs and practice and legal institutions in America from the Civil War to the present. Topics include the religion and government aid; sacred duties and the law; and religion and cultural politics." }, - "HILA 121B": { + "HIUS 155": { "prerequisites": [], - "name": "History of Brazil, 1889 to Present", - "description": "The Incas called their realm Tahuantinsuyu (Land of the Four Quarters). But the Incas were only one of the many ethnic groups in the Andean region. Many different other groups became a part of the Tahuantinsuyu in the wake of Inca expansion. Over the past decade, new and fascinating information on these processes have been published and allow for a rereading of Inca history between 900 and 1535. +" + "name": "From\n\t\t Zoot Suits to Hip-Hop: Race and Popular Culture since World War II", + "description": "This course explores the emergence of a dominant ideology of womanhood in America in the early nineteenth century and contrasts the ideal with the historically diverse experience of women of different races and classes, from settlement to 1870. Topics include witchcraft, evangelicalism, cult of domesticity, sexuality, rise of industrial capitalism and the transformation of women\u2019s work, the Civil War, and the first feminist movement.\u00a0+ " }, - "HILA 122": { + "HIUS 155A": { "prerequisites": [], - "name": "Cuba: From Colony to Socialist Republic", - "description": "The course surveys Chile\u2019s basic developments beginning with the era of nitrate exports. Students will have the opportunity to address a specific issue of his or her own choosing and develop the topic for class presentation and a final paper. The course will cover politics, cultural changes, class struggles, Allende\u2019s revolutionary movement, and Pinochet\u2019s dictatorship to the present." + "name": "Religion and Law in American History: Foundations to the Civil War", + "description": "This course explores the emergence of a dominant ideology of womanhood in America in the early nineteenth century and contrasts the ideal with the historically diverse experience of women of different races and classes, from settlement to 1870. Topics include witchcraft, evangelicalism, cult of domesticity, sexuality, rise of industrial capitalism and the transformation of women\u2019s work, the Civil War, and the first feminist movement." }, - "HILA 123": { + "HIUS 155B": { "prerequisites": [], - "name": "The Incas and Their Ancestors", - "description": "A broad historical overview of Latin American women\u2019s history focusing on issues of gender, sexuality, and the family as they relate to women, as well as the historiographical issues in Latin American and Chicana women\u2019s history." + "name": "\t\t Religion and Law in American History: Civil War to the Present", + "description": "This course explores the making of the ideology of womanhood in modern America and the diversity of American women\u2019s experience from 1870 to the present. Topics include the suffrage movement, the struggle for reproductive rights and the ERA; immigrant and working-class women, women\u2019s work, and labor organization; education, the modern feminist movement and the contemporary politics of reproduction, including abortion and surrogate motherhood.\u00a0 " }, - "HILA 124": { + "HIUS 156": { "prerequisites": [], - "name": "The History of Chile 1880\u2013Present", - "description": "Exploration of the relationships between socioeconomic and cultural development in Caribbean history; slavery and empire; nationalism and migration; vodun and Rastafarianism, and the literary arts. " + "name": "American\n\t\t Women, American Womanhood", + "description": "This course examines the history of the Spanish and Mexican borderlands (what became the US Southwest) from roughly 1400 to the end of the U.S.-Mexico War in 1848, focusing specifically on the area\u2019s social, cultural, and political development.\u00a0+ " }, - "HILA 124A": { + "HIUS 156D": { "prerequisites": [], - "name": "\t\t History of Women and Gender in Latin America", - "description": "A century of Mexican history, 1821\u20131924: the\n\t\t\t\t quest for political unity and economic solvency, the forging of a nationality,\n\t\t\t\t the Gilded Age and aftermath, the ambivalent Revolution of Zapata and his\n\t\t\t\t enemies." + "name": "American Women, American Womanhood", + "description": "Cross-listed as Ethnic Studies 131. This\n\t\t\t\t course examines the history of the American Southwest from\n\t\t\t\t the U.S.-Mexican War in 1846\u201348 to the present, focusing on\n\t\t\t\t immigration, racial and ethnic conflict, and the growth of Chicano national\n\t\t\t\t identity. " }, - "HILA 126": { + "HIUS 157": { "prerequisites": [], - "name": "From Columbus to Castro: Caribbean Culture and Society", - "description": "The social and political history of twentieth-century Mexico from the outbreak of revolution to the current \u201cwar on drugs.\u201d Highlights include the Zapatista calls for land reform, the muralist movement, and the betrayal of revolutionary ideals by a conservative elite. We will also study the Mexican urban experience and environmental degradation. Students may not receive credit for both HILA 132 and HILA 132GS." + "name": "American\n\t\t Women, American Womanhood 1870 to Present", + "description": "Course explores the concept of an American Empire by examination of the literature on the topic. Particular attention will be on the work since 9/11/01. Students are expected to produce original work concerning the definition and/or existence of an American Empire. Graduate students are expected to submit an additional piece of work. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "HILA 131": { + "HIUS 158/ETHN\n\t\t 130": { "prerequisites": [], - "name": "A History of Mexico", - "description": "The social and political history of twentieth-century Mexico from the outbreak of revolution to the current \u201cwar on drugs.\u201d Highlights include the Zapatista calls for land reform, the muralist movement, and the betrayal of revolutionary ideals by a conservative elite. We will also study the Mexican urban experience and environmental degradation." + "name": "Social and Economic History of the Southwest I", + "description": "This seminar will trace major themes in the history of the American West. Topics will include ethnicity, the environment, urbanization, demographics, and shifting concepts surrounding the significance of the West. Graduate students will be required to submit additional work in order to receive graduate credit for the course. " }, - "HILA 132": { + "HIUS 159/ETHN\n\t\t 131": { "prerequisites": [], - "name": "Modern Mexico: From Revolution to Drug War Violence ", - "description": "The social and political history of twentieth-century Mexico from the outbreak of revolution to the current \u201cwar on drugs.\u201d Highlights include the Zapatista calls for land reform, the muralist movement, and the betrayal of revolutionary ideals by a conservative elite. We will also study the Mexican urban experience and environmental degradation. Students may not receive credit for both HILA 132 and HILA 132GS. Program or materials fees may apply. Students must apply and be accepted to the Global Seminars Program." + "name": "Social and Economic History of the Southwest II", + "description": "This colloquium studies the racial representation of Mexican Americans in the United States from the nineteenth century to the present, examining critically the theories and methods of the humanities and social sciences. " }, - "HILA 132D": { + "HIUS\n\t\t 160/260": { "prerequisites": [], - "name": "Modern Mexico: From Revolution to Drug War Violence", - "description": "This course surveys guerrilla movements in Latin America from the Cuban Revolution through the Zapatista movement in Mexico, comparing and contrasting the origins, trajectories, and legacies of armed insurgencies, and focusing on the politics of defining \u201cinsurgents,\u201d \u201crevolutionaries,\u201d and \u201cterrorists.\u201d " + "name": "Colloquium on the American Empire", + "description": "The course investigates race, resistance, and culture in the United States since the late nineteenth century. It interrogates how working-class whites, African Americans, Latinos, Asian Americans, and others have simultaneously challenged, shaped, and assimilated into US society. May be coscheduled with HIUS 268. ** Upper-division standing required ** " }, - "HILA 132GS": { + "HIUS 162/262": { "prerequisites": [], - "name": "Modern Mexico: From Revolution to Drug War Violence", - "description": "This course surveys the history of the native peoples of Mexico and the Andes from Iberian contact to the late colonial period (1492\u20131800). It focuses on changes and continuities in postconquest society, exploring topics such as gender, sexuality, and resistance. \u00a0" + "name": "The American West", + "description": "A reading and discussion course on topics that vary from year to year, including American federalism, the history of civil liberties, and the Supreme Court. ** Consent of instructor to enroll possible **" }, - "HILA 133S": { + "HIUS 167/267/ETHN 180": { "prerequisites": [], - "name": "Guerrillas and Revolution in Latin America", - "description": "Selected topics in Latin American history. Course may be taken for credit up to three times as topics vary (the course subtitle will be different for each distinct topic). Students who repeat the same topic in HILA 144 will have the duplicate credit removed from their academic record." + "name": "Topics in Mexican American History", + "description": "This seminar examines race and war in US history, with an emphasis on their intersections and co-constitutions. Topics include frontier wars and \u201cmanifest destiny;\u201d border enforcement, antiradicalism, the war on drugs, and mass incarceration; and the war on terror. ** Department approval required ** " }, - "HILA 134": { + "HIUS 168/268": { "prerequisites": [], - "name": "Indians of Colonial Latin America", - "description": "Recordings of Amazonia\u2019s past before Iberian adventurers searched for El Dorado are scarce. Environmental significance and the continued existence of large fluvial societies, read through the lenses of chroniclers, scientists, missionaries, and colonizers, allows a reconstruction of humankind\u2019s relationship to nature." + "name": "Race, Resistance, and Cultural Politics", + "description": "This seminar will explore the histories of sexual relations, politics, and cultures that both cross and define racial boundaries in the nineteenth and twentieth centuries. Reading will focus on the United States as well as take up studies sited in Canada and Latin America. Graduate students are expected to submit a more substantial piece of work. ** Consent of instructor to enroll possible **" }, - "HILA 144": { + "HIUS\n\t\t 169/269": { "prerequisites": [], - "name": "Topics in Latin American History", - "description": "A broad historical overview of Latin American women\u2019s history of focusing on the issues of gender, sexuality, and the family as they relate to women, as well as the historiographical issues in Latin American and Chicana women\u2019s history.\n " + "name": "Topics in American Legal and Constitutional History", + "description": "This course explains the origin of the Atlantic as a zone of interaction for Europeans, indigenous Americans, and Africans, and evaluates the consequences of the interaction over several centuries by exploring contests over political power and economic/demographic change. Graduate students will submit a more substantial piece of work with in-depth analysis and with an increased number of sources cited. A typical undergraduate paper would be ten pages, whereas a typical graduate paper would require engagement with primary sources, more extensive reading of secondary material, and be about twenty pages. ** Upper-division standing required ** " }, - "HILA 145": { + "HIUS 174": { "prerequisites": [], - "name": "People and Nature in Amazonia: An Unwritten History", - "description": "Topics will vary from year to year or quarter to quarter. May be repeated for an infinite number of times due to the nature of the content of the course always changing. ** Consent of instructor to enroll possible **" + "name": "Race Wars in American Culture", + "description": "Comparative study of immigration and ethnic-group formation in the United States from 1880 to the present. Topics include immigrant adaptation, competing theories about the experiences of different ethnic groups, and the persistence of ethnic attachments in modern American society. " }, - "HILA 161/261": { + "HIUS 176/276": { "prerequisites": [], - "name": "History of Women in Latin America", - "description": "The course surveys Chile\u2019s basic developments beginning with the era of nitrate exports. Students will have the opportunity to address a specific issue of his/her own choosing and develop the topic for class presentation and a final paper. Graduate students are expected to submit a more substantial piece of work. ** Consent of instructor to enroll possible **" + "name": "Race and Sexual Politics", + "description": "A colloquium dealing with special topics in US history from 1900 to the present. Themes will vary from year to year. ** Consent of instructor to enroll possible **" }, - "HILA\n\t\t 162/262": { + "HIUS 178/278": { "prerequisites": [], - "name": "Special Topics in Latin American History", - "description": "Inside or outside the household, women have always worked. Where do we find Latin American women? How has the labor market changed? How was and is women\u2019s work perceived? What were the consequences of changing work patterns on family life? ** Consent of instructor to enroll possible **" + "name": "The Atlantic World, 1400\u20131800", + "description": "Cultural and political construction of the American nation. Topics include how citizenship and national community were imagined and contested; importance of class, gender, and race in the nation\u2019s public sphere; debates over slavery, expansion, and democracy in defining national purpose. Requirements will vary for undergraduates, MA, and PhD students. Graduate students are required to submit a more substantial paper. " }, - "HILA 163/263": { + "HIUS 180/280/ETHN\n\t\t 134": { "prerequisites": [], - "name": "The History of Chile 1880\u2013Present", - "description": "Introduction to the historiography on Latin America for the colonial period from Spanish and Portuguese conquests to the Wars of Independence. Requirements will vary for undergraduate, MA, and PhD students. Graduate students are required to submit an additional research paper. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Immigration and Ethnicity in Modern American Society", + "description": "A colloquium dealing with special topics in the history of people of African descent in the United States. Course may be taken for credit up to three times, as topics will vary from quarter to quarter. ** Consent of instructor to enroll possible **" }, - "HILA 164/264": { + "HIUS\n\t\t 181/281": { "prerequisites": [], - "name": "Women\u2019s Work and Family Life in Latin America", - "description": "Introduction to the historiography on Latin America for the nineteenth century: world economy, nation-state building, agrarian processes, incipient industrialization, political and cultural thought, and social structure. Requirements will vary for undergraduate, MA, and PhD students. Graduate students are required to submit an additional research paper. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Topics in Twentieth Century United States History", + "description": "In this seminar, we will examine the shifting boundary between what constitutes a public and a private concern in twentieth-century US history. We will consider issues such as civil rights, immigration, health care, and the regulation of financial institutions. ** Department approval required ** " }, - "HILA 167/267": { + "HIUS 182": { "prerequisites": [], - "name": "Scholarship on Latin American History in the Colonial Period", - "description": "Introduction to the historiography on Latin America for the twentieth century: agrarian reforms, unionization, industrialization by import substitution, the political left, social development, and international relations. Requirements will vary for undergraduate, MA, and PhD students. Graduate students are required to submit an additional research paper. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Special Topics in Intellectual History", + "description": "Selected topics in US economic history. Course may be taken for credit a total of three times, as topics vary.\u00a0 ** Consent of instructor to enroll possible **" }, - "HILA 168/268": { + "HIUS 183": { "prerequisites": [], - "name": "Scholarship on Latin American History in the Nineteenth Century", - "description": "Topics may vary from year to year. May be repeated for credit. Requirements will vary for undergraduates, MA, and PhD students. Graduate students are required to submit a more substantial piece of work." + "name": "Topics in African American History", + "description": "Colloquium on select topics in culture and politics in the United States. Topics will vary from quarter to quarter. Graduate students will be required to submit an additional piece of work. ** Upper-division standing required ** " }, - "HILA 169/269": { + "HIUS 185/285": { "prerequisites": [], - "name": "Scholarship on Latin American History in the Twentieth Century", - "description": "Directed group study on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members." + "name": "In the Public Interest", + "description": "Directed group study on United States history under the supervision of a member of the faculty on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members." }, - "HILA 171/271": { + "HIUS 186": { "prerequisites": [], - "name": "Topics in Latin American History Since 1910", + "name": "Topics in US Economic History", "description": "Directed readings for undergraduates under the supervision of various faculty members. ** Consent of instructor to enroll possible **" }, - "HILA 198": { + "HIUS 188/288": { "prerequisites": [], - "name": "Directed Group Study", - "description": "The history and literature of ancient Israel c. 1300 to 300 BCE. Reading from the Bible, historical and archaeological surveys, and studies of authorship.\u00a0+" + "name": "Topics in Culture and Politics", + "description": "This course examines the legal and cultural constructions of \u201cfreedom\u201d in American history, with a focus on its inherent limitations and exclusions. We will examine how marginalized groups have engaged in political struggles in pursuit of more expansive notions of freedom." }, - "HILA 199": { + "HIUS 198": { "prerequisites": [], - "name": "Independent\n\t\t Study in Latin American History", - "description": "Based on biblical and nonbiblical sources, a reconstruction of Israelite institutions, beliefs, and practices and their evolution over time.\u00a0+" + "name": "Directed Group Study", + "description": "This seminar examines race and war in US history, with an emphasis on their intersections and co-constitutions. Topics include frontier wars and \u201cmanifest destiny\u201d; border enforcement; antiradicalism; the war on drugs and mass incarceration; and the war on terror. May be coscheduled with HIUS 174. ** Consent of instructor to enroll possible **" }, - "HINE 100": { + "HIUS 199": { "prerequisites": [], - "name": "The Hebrew Bible and History", - "description": "The Jews in Israel from the sixth century BCE to the seventh century CE. Statehood, nationalism, and autonomy within the framework of the Persian empire, the Hellenistic kingdoms, and the Roman-Byzantine empire. Cultural and religious developments will be explored.\u00a0+ " + "name": "Independent\n\t\t Study in United States History", + "description": "This course introduces students to the field of Asian American history, with an emphasis on historiographical shifts and debates. It includes a wide range of topics and methodologies that cross disciplinary boundaries." }, - "HINE 101": { + "CHEM 1": { "prerequisites": [], - "name": "The Religion of Ancient Israel", - "description": "The Jews outside their homeland and in pre-Islamic times, concentrating on the Greco-Roman West and the Parthian-Sasanian East. Topics include assimilation and survival; anti-Semitism and missionizing; patterns of organization and autonomy; cultural and religious developments.\u00a0+ " + "name": "The Scope of Chemistry and Biochemistry", + "description": "This seminar connects first-year students with the chemistry community (peers, staff, faculty, and other researchers) as they explore learning resources, study strategies, professional development, and current areas of active research. With an emphasis on academic and career planning, the series will feature guest lectures by UC San Diego faculty and staff, as well as industrial scientists and representatives from professional organizations such as the American Chemical Society (ACS). P/NP grades only." }, - "HINE 102": { + "CHEM 4": { "prerequisites": [], - "name": "The\n\t\t Jews in Their Homeland in Antiquity", - "description": "Cross-listed with JUDA 136. This course examines biblical attitudes toward hetero- and homosexuality, rape, incest, bestiality, prostitution, marriage, and adultery in a variety of texts drawn from the Old Testament. " + "name": "Basic Chemistry", + "description": "Offers less well-prepared science majors the fundamental skills necessary to succeed in CHEM 6. Emphasizes quantitative problems. Topics include nomenclature, stoichiometry, basic reactions, bonding, and the periodic table. May not receive credit for both CHEM 4 and CHEM 11. Includes a laboratory/discussion each week. Recommended: concurrent enrollment in MATH 3C, 4C or 10A or higher. Restricted to freshmen and sophomores. " }, - "HINE 103": { + "CHEM 6A": { "prerequisites": [], - "name": "The Jewish Diaspora in Antiquity", - "description": "The peoples, politics, and cultures of Southwest Asia and Egypt from the sixth century BCE to the seventh century CE. The Achaemenid Empire, the Ptolemaic and Seleucid kingdoms, the Roman Orient, the Parthian and Sasanian states.\u00a0+ " + "name": "General Chemistry I", + "description": "First quarter of a three-quarter sequence intended for science and engineering majors. Topics include atomic theory, bonding, molecular geometry, stoichiometry, types of reactions, and thermochemistry. May not be taken for credit after CHEM 6AH. Recommended: proficiency in high school chemistry and/or physics. Corequisite: MATH 10A or 20A or prior enrollment. " }, - "HINE 104": { + "CHEM 6AH": { "prerequisites": [], - "name": "Sex in the Bible", - "description": "A survey of the history of the Middle East, in particular, the Ottoman Empire, from 1200\u20131800. The course examines the emergence of a new political and religious order following the Mongol conquests and its long-lasting effect on the region. +" + "name": "Honors General Chemistry I", + "description": "First quarter of a three-quarter honors sequence intended for well-prepared science and engineering majors. Topics include quantum mechanics, molecular orbital theory, and bonding. An understanding of nomenclature, stoichiometry, and other fundamentals is assumed. Students completing 6AH may not subsequently take 6A for credit. Recommended: completion of a high school physics course strongly recommended. Concurrent enrollment in MATH 20A or higher." }, - "HINE 108": { - "prerequisites": [], - "name": "The Middle East before Islam", - "description": "Explore the ancient sources for the life of Jesus. Students will learn about various modern approaches to reconstructing the historical Jesus and will examine the difficulties inherent in such a task. " + "CHEM 6B": { + "prerequisites": [ + "CHEM 6A", + "and", + "MATH 10A" + ], + "name": "General Chemistry II", + "description": "Second quarter of a three-quarter sequence intended for science and engineering majors. Topics include covalent bonding, gases, liquids, and solids, colligative properties, physical and chemical equilibria, acids and bases, solubility. May not be taken for credit after CHEM 6BH. " }, - "HINE 109": { - "prerequisites": [], - "name": "History of the Middle East", - "description": "This class covers the history of the Middle East and the larger Mediterranean from 500 to 1400. It surveys the birth of Islam, the ride of the early Islamic empires stretching from Central Asia to Spain, and the impact of the Crusades and the Mongol conquests. +" + "CHEM 6BH": { + "prerequisites": [ + "CHEM 6AH", + "and", + "MATH 20A" + ], + "name": "Honors General Chemistry II", + "description": "Second quarter of a three-quarter honors sequence intended for well-prepared science and engineering majors. Topics include colligative properties, bulk material properties, chemical equilibrium, acids and bases, and thermodynamics. Three hour lecture and one hour recitation.\n\t\t\t\t Students completing 6BH may not subsequently take 6B for credit. " }, - "HINE 110": { - "prerequisites": [], - "name": "Jesus, the Gospels, and History", - "description": "A close reading of select prose narratives from the Hebrew Bible/Old Testament.\u00a0+" + "CHEM 6C": { + "prerequisites": [ + "CHEM 6B" + ], + "name": "General Chemistry III", + "description": "Third quarter of a three-quarter sequence intended for science and engineering majors. Topics include thermodynamics, kinetics, electrochemistry, coordination chemistry, and introductions to nuclear, main group organic, and biochemistry. May not be taken for credit after CHEM 6CH. " }, - "HINE 111": { + "CHEM 6CH": { + "prerequisites": [ + "CHEM 6BH", + "and", + "MATH 20B" + ], + "name": "Honors General Chemistry III", + "description": "Third quarter of a three-quarter honors sequence intended for well-prepared\n\t\t\t\t science and engineering majors. Topics are similar to those in 6C but are\n\t\t\t\t taught at a higher level and faster pace. Students completing 6CH may not\n\t\t\t\t subsequently take 6C for credit. " + }, + "CHEM 7L": { + "prerequisites": [ + "CHEM 6B", + "or", + "CHEM 6BH" + ], + "name": "General Chemistry Laboratory", + "description": "Condenses a year of introductory\n training in analytical, inorganic, physical, and synthetic\n techniques into one intensive quarter. A materials fee is required.\n A mandatory safety exam must be passed. Students may not receive credit for both CHEM 7L and CHEM 7LM. " + }, + "CHEM 7LM": { + "prerequisites": [ + "CHEM 6B", + "or", + "CHEM 6BH" + ], + "name": "General Chemistry Laboratory for Majors", + "description": "Condenses a year of introductory training in analytical, inorganic, physical, and synthetic techniques into one intensive quarter. Students may not receive credit for both CHEM 7L and CHEM 7LM. A materials fee is required. A safety exam must be passed. Enrollment preference given to chemistry and biochemistry majors, followed by other science/engineering majors. " + }, + "CHEM 11": { "prerequisites": [], - "name": "History of the Medieval Middle East", - "description": "Students with advanced Hebrew can study the texts in HINE 112A in the original language." + "name": "The Periodic Table", + "description": "Introduction to the material world of atoms and small inorganic molecules. Intended for nonscience majors. Students may not receive credit for both CHEM 4 and CHEM 11." }, - "HINE 112A": { + "CHEM 12": { + "prerequisites": [ + "CHEM 11" + ], + "name": "Molecules and Reactions", + "description": "Introduction to molecular bonding and structure and chemical reactions, including organic molecules and synthetic polymers. Intended for nonscience majors. Cannot be taken for credit after any organic chemistry course. " + }, + "CHEM 13": { "prerequisites": [], - "name": "Great Stories from the Hebrew Bible", - "description": "A close reading of select poetic passages from the Hebrew Bible/Old Testament.\u00a0+" + "name": "Chemistry of Life", + "description": "Introduction to biochemistry for nonscience majors. Topics include carbohydrates, lipids, amino acids and proteins, with an introduction to metabolic pathways in human physiology.\t\t\t\t" + }, + "CHEM 40A": { + "prerequisites": [ + "CHEM 6B", + "or", + "CHEM 6BH" + ], + "name": "Organic Chemistry I", + "description": "Renumbered from CHEM 140A. Introduction to organic chemistry with applications to biochemistry. Bonding theory, isomerism, stereochemistry, chemical and physical properties. Introduction to substitution, addition, and elimination reactions. Students may only receive credit for one of the following: CHEM 40A, 40AH, 140A, or 140AH. " + }, + "CHEM 40AH": { + "prerequisites": [ + "CHEM 6C", + "or", + "CHEM 6CH" + ], + "name": "Honors Organic Chemistry I", + "description": "Renumbered from CHEM 140AH. Rigorous introduction to organic chemistry, with preview of biochemistry. Bonding theory, isomerism, stereochemistry, physical properties, chemical reactivity. Students may only receive credit for one of the following: CHEM 40A, 40AH, 140A, or 140AH. " + }, + "CHEM 40B": { + "prerequisites": [ + "CHEM 40A", + "CHEM 140A" + ], + "name": "Organic Chemistry II", + "description": "Renumbered from CHEM 140B. Continuation of CHEM 40A, Organic Chemistry I. Methods of analysis, chemistry of hydrocarbons, chemistry of the carbonyl group. Introduction to the reactions of biologically important molecules. Students may only receive credit for one of the following: CHEM 40B, 40BH, 140B, or 140BH. " }, - "HINE 112AL": { - "prerequisites": [], - "name": "\t\t Great Stories from the Hebrew Bible/Foreign Language", - "description": "Students with advanced Hebrew can study the texts in HINE 112B in the original language." + "CHEM 40BH": { + "prerequisites": [ + "CHEM 40A" + ], + "name": "Honors Organic Chemistry II", + "description": "Renumbered from CHEM 140BH. Organic chemistry course for honors-level students with a strong background in chemistry. Similar to CHEM 40B but emphasizes mechanistic aspects of reactions and effects of molecular structure on reactivity. Students may only receive credit for one of the following: CHEM 40B, 140B, 40BH, or 140BH. " }, - "HINE 112B": { - "prerequisites": [], - "name": "Great Poems from the Hebrew Bible", - "description": "Course will analyze and compare major myths\n\t\t\t\t from Egypt, Israel, Ugarit, and Mesopotamia, employing a variety of modern\n\t\t\t\t approaches.\u00a0+" + "CHEM 40C": { + "prerequisites": [ + "CHEM 40B", + "CHEM 40B" + ], + "name": "Organic Chemistry III", + "description": "Renumbered from CHEM 140C. Continuation of CHEM 40A, Organic Chemistry I and CHEM 40B, Organic Chemistry II. Organic chemistry of biologically important molecules: carboxylic acids, carbohydrates, proteins, fatty acids, biopolymers, natural products. Students may only receive credit for one of the following: CHEM 40C, 40CH, 140C, or 140CH. " }, - "HINE 112BL": { - "prerequisites": [], - "name": "\t\t Great Poems from the Hebrew Bible/Foreign Language", - "description": "A survey of the Middle East from the rise of Islam to the region\u2019s economic, political, and cultural integration into the West (mid-nineteenth century). Emphasis on socioeconomic and political change in the early Arab empires and the Ottoman state.\u00a0+ " + "CHEM 40CH": { + "prerequisites": [ + "CHEM 40B", + "CHEM 40BH" + ], + "name": "Honors Organic Chemistry", + "description": "Renumbered from CHEM 140CH. Continuation of Organic Chemistry 40B or 40BH, at honors level. Chemistry of carboxylic acids, carbohydrates, proteins, lipids biopolymers, natural products. Emphasis on mechanistic aspects and structure reactivity relationships. Students may only receive credit for one of the following: CHEM 40C, 40CH, 140C, or 140CH. " }, - "HINE 113": { - "prerequisites": [], - "name": "Ancient Near East Mythology", - "description": "Exploration of ideas, beliefs, and practices pertaining to death from a variety of ancient cultures: Near Eastern, Israelite, Greek, Roman, Jewish, and early Christian. Themes include immortality, afterlife, care for the dying, suicide, funerary rituals, martyrdom, and resurrection. +" + "CHEM 43A": { + "prerequisites": [ + "CHEM 7L", + "and" + ], + "name": "Organic Chemistry Laboratory", + "description": "Renumbered from CHEM 143A. Introduction to organic laboratory techniques. Separation, purification, spectroscopy, product analysis, and effects of reaction conditions. A materials fee is required. Students must pass a safety exam. Students may only receive credit for one of the following: CHEM 43A, 43AM, 143A, or 143AM. " }, - "HINE 114": { - "prerequisites": [], - "name": "History of the Islamic Middle East", - "description": "Examines the contacts of the late Ottoman\n\t\t\t\t Empire and Qajar Iran with Europe from the Napoleonic invasion\n\t\t\t\t of Egypt to World War I, the diverse facets of the relationship\n\t\t\t\t with the West, and the reshaping of the institutions of the\n\t\t\t\t Islamic states and societies. " + "CHEM 43AM": { + "prerequisites": [ + "CHEM 7L", + "and", + "CHEM 40A" + ], + "name": "Organic Chemistry Laboratory for Majors", + "description": "Organic chemistry laboratory for chemistry majors; nonmajors with strong background in CHEM 40A or 140A may also enroll, though preference will be given to majors. Similar to CHEM 43A, but emphasizes instrumental methods of product identification, separation, and analysis. A materials fee is required. Students must pass a safety exam. CHEM 43AM is renumbered from CHEM 143AH. Students may only receive credit for one of the following: CHEM 43AM, 143AM, 43A, or 143A. " }, - "HINE 115": { + "CHEM 87": { "prerequisites": [], - "name": "Death and Dying in Antiquity", - "description": "An introduction to the history of the Middle East since 1914. Themes such as nationalism, imperialism, the oil revolution, and religious revivalism will be treated within a broad chronological and comparative framework drawing on the experience of selected countries. " + "name": "Freshman Seminar in Chemistry and Biochemistry", + "description": "This seminar will present topics in chemistry at a level appropriate for first-year students. " }, - "HINE 116": { + "CHEM 96": { "prerequisites": [], - "name": "The Middle East in the Age of European Empires", - "description": "An examination of post-WWII Middle East conflicts, including the Israeli-Arab conflicts, the Lebanese Civil War, and the Gulf War of the 1980s. The roles of the superpowers and Middle Eastern states during the period. " + "name": "Introduction to Teaching Science", + "description": "(Cross-listed with EDS 31.) Explores routine challenges and exceptional\n\t\t\t\t difficulties students often have in learning science. Prepares students\n\t\t\t\t to make meaningful observations of how K\u201312 teachers deal with difficulties. Explores\n\t\t\t\t strategies that teachers may use to pose problems that stimulate students\u2019\n\t\t\t\t intellectual curiosity." }, - "HINE 118": { + "CHEM 99": { "prerequisites": [], - "name": "The\n\t\t Middle East in the Twentieth Century", - "description": "An examination of the conflicts, changes, and continuities in the Middle East since 2000. The course includes inspection of the US role in Iraq and the region generally." + "name": "Independent Study", + "description": "Independent literature or laboratory research\n\t\t\t\t by arrangement with and under the direction of a member of\n\t\t\t\t the Department of Chemistry and Biochemistry faculty. Students\n\t\t\t\t must register on a P/NP basis. ** Consent of instructor to enroll possible **" }, - "HINE 119": { + "CHEM 99R": { "prerequisites": [], - "name": "US\n\t\t\t\t Mid-East Policy Post-WWII", - "description": "A history of Jews and Judaism from 300 BCE to 500 CE, emphasizing cultural and religious exchanges and interactions of Jews with Greece and Rome. Among the topics covered in class: Hellenism and the emergence of Jewish identity; political resistance and cultural adaptation; the beginnings of Christianity and varieties of Jewish belief and practice in antiquity. +" + "name": "Independent Study", + "description": "Independent study or research under the direction of a member\n of the faculty. ** Upper-division standing required ** " }, - "HINE 120": { - "prerequisites": [], - "name": "The Middle East in the New Century", - "description": "Iran\u2019s social and political history\n\t\t\t\t in the twentieth century with emphasis on the Constitutional movement of\n\t\t\t\t the late Qajar period, formation and development of the Pahlavi state,\n\t\t\t\t anatomy of the 1978\u201379 Revolution, and a survey of the Islamic Republic." + "CHEM 100A": { + "prerequisites": [ + "CHEM 6C", + "and", + "CHEM 6BL" + ], + "name": "Analytical Chemistry Laboratory", + "description": "Laboratory course emphasizing classical quantitative chemical analysis techniques, including separation and gravimetric methods, as well as an introduction to instrumental analysis. Program or materials fees may apply. " }, - "HINE 125": { - "prerequisites": [], - "name": "Jews in the Greek and Roman World", - "description": "Eastern problems on the example of Turkey and with special attention to collective identities, state-society dynamics, foreign and regional policies, and varieties of modernity. " + "CHEM 100B": { + "prerequisites": [ + "CHEM 100A", + "and", + "PHYS 2C", + "and", + "PHYS 2BL" + ], + "name": "Instrumental Chemistry Laboratory", + "description": "Hands-on laboratory course focuses on development of correct laboratory work habits and methodologies for the operation of modern analytical instrumentation. Gas chromatography, mass spectrometry, high performance liquid chromatography, ion chromatography, atomic absorption spectroscopy, fluorescence spectrometry, infrared spectrometry. Lecture focuses on fundamental theoretical principles, applications, and limitations of instrumentation used for qualitative and quantitative analysis. Program or materials fees may apply. Students may not receive credit for both CHEM 100B and 10. " }, - "HINE 126": { - "prerequisites": [], - "name": "Iranian\n\t\t Revolution in Historical Perspective", - "description": "Cross-listed with JUDA 130. This course will study the historical books of the Hebrew Bible (in English), Genesis through 2 Kings, through a literary-historical approach: how, when, and why the Hebrew Bible came to be written down, its relationship with known historical facts, and the archaeological record. Students may not receive credit for both HINE 130 and JUDA 130. (Formerly known as JUDA 100A.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "CHEM 105A": { + "prerequisites": [ + "CHEM 6CL", + "PHYS 2BL", + "CHEM 126" + ], + "name": "Physical Chemistry Laboratory", + "description": "Laboratory course in experimental physical chemistry. Program or materials fees may apply. " }, - "HINE 127": { - "prerequisites": [], - "name": "History of Modern Turkey", - "description": "Cross-listed with JUDA 131. This course will study the prophetic and poetic books of the Hebrew Bible (in English), through a literary-historical approach. Students may not receive credit for both HINE 131 and JUDA 131. (Formerly known as JUDA 100B.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "CHEM 105B": { + "prerequisites": [ + "CHEM 105A" + ], + "name": "Physical Chemistry Laboratory", + "description": "Laboratory course in experimental physical chemistry. Program or materials fees may apply. " }, - "HINE 130": { - "prerequisites": [], - "name": "Introduction to the Old Testament: The Historical Books", - "description": "This course introduces the students to contemporary Israeli society. Among the topics explored: Israeli-Arab conflict; relations between European, Arab, Russian, and Ethiopian Jews; between secular and religious Jews; between Jews and Arabs; and between Israel and World Jewry." + "CHEM 108": { + "prerequisites": [ + "CHEM 43A", + "and", + "CHEM 114A" + ], + "name": "Protein Biochemistry Laboratory", + "description": "The application of techniques to study protein\n\t\t\t\t structure and function, including electrophoresis, protein purification,\n\t\t\t\t column chromatography, enzyme kinetics, and immunochemistry. Students may not receive credit for CHEM 108 and BIBC 103. A materials fee may be required for this course. " }, - "HINE 131": { - "prerequisites": [], - "name": "Introduction to the Old Testament: The Poetic Books", - "description": "This course explores the evolution of Zionism from its late nineteenth-century origins to the present. Among the topics explored: political, cultural, spiritual and social varieties of Zionism; and the contending narratives about its nature, meaning, and accomplishments." + "CHEM 109": { + "prerequisites": [ + "CHEM 43A", + "and", + "CHEM 114A" + ], + "name": "Recombinant DNA Laboratory", + "description": "This laboratory will introduce students to the tools of molecular biology\n\t\t\t\t and will involve experiments with recombinant DNA techniques. Students may not receive credit for both CHEM 109 and BIMM 101. A materials fee may be required for this course. " }, - "HINE 135GS": { - "prerequisites": [], - "name": "Introduction to Contemporary Israeli Society and Culture", - "description": "Selected topics in the history of the Middle East. May be taken for credit three times." + "CHEM 111": { + "prerequisites": [ + "CHEM 6C" + ], + "name": "Origins of Life and the Universe", + "description": "A chemical perspective of the origin and evolution of the biogeochemical systems of stars, elements, and planets through time. The chemical evolution of the earth, its atmosphere, and oceans, and their historical records leading to early life are discussed. The content includes search techniques for chemical traces of life on other planets. " }, - "HINE 136GS": { - "prerequisites": [], - "name": "Zionism and Post Zionism", - "description": "A survey of the history of science in the Middle East from 600 to the present day. The course examines the relationship between science, learning, and religion in Islamic societies and its connections to other regions of the globe. +\t\t\t\t" + "CHEM 113": { + "prerequisites": [ + "CHEM 40C" + ], + "name": "Biophysical Chemistry of Macromolecules\n\t\t\t\t ", + "description": "A discussion of the physical principles governing biomolecular structure and function. Experimental and theoretical approaches to understand protein dynamics, enzyme kinetics, and mechanisms will be covered. May be coscheduled with CHEM 213B. " }, - "HINE 144": { - "prerequisites": [], - "name": "Topics in Middle Eastern History", - "description": "The study of a single book, period, or issue on the Bible, in the context of the ancient Near Eastern world. Requirements will vary for undergraduate, master\u2019s, and doctoral students. Graduate students may be required to submit a more substantial piece of work. " + "CHEM 114A": { + "prerequisites": [ + "CHEM 40A" + ], + "name": "Biochemical Structure and Function", + "description": "Introduction to biochemistry from a structural\n\t\t\t\t and functional viewpoint. Emphasis will be placed on the structure-functions relationships of nucleic acids, proteins, enzymes, carbohydrates, and lipids. Students may not receive credit for both CHEM 114A and BIBC 100. " }, - "HINE 145": { - "prerequisites": [], - "name": "Islam and Science: The History of Science in the Middle East", - "description": "This course approaches the Hebrew Bible (Old\n\t\t\t\t Testament) from the perspective of cultural anthropology. Institutions\n\t\t\t\t studied will include the family, rites of passage, food taboos, warfare,\n\t\t\t\t animism, demons, sorcery, and animal sacrifice. Formerly HINE 111; students\n\t\t\t\t may not receive credit for HINE 111 and HINE 162/262. Graduate students\n\t\t\t\t will be required to complete an extra paper. ** Upper-division standing required ** " + "CHEM 114B": { + "prerequisites": [ + "CHEM 40B" + ], + "name": "Biochemical Energetics and Metabolism", + "description": "This course is an introduction to the metabolic reactions in the cell which produce and utilize energy. The course material will include energy-producing pathways: glycolysis, Krebs cycle, oxidative phosphorylation, fatty-acid oxidation. Biosynthesis of amino acids, lipids, carbohydrates, purines, pyrimidines, proteins, nucleic acids. Students may not receive credit for both CHEM 114B and BIBC 102. " }, - "HINE 160/260": { - "prerequisites": [], - "name": "Special Topics in the Bible and Ancient Near East", - "description": "A colloquium focusing on the problems and patterns in the emergence of modern Middle Eastern states since 1920. ** Upper-division standing required ** " + "CHEM 114C": { + "prerequisites": [ + "CHEM 114A", + "or", + "BIBC 100" + ], + "name": "Biosynthesis of Macromolecules", + "description": "Mechanisms of biosynthesis of macromolecules\u2014particularly\n\t\t\t\t proteins and nucleic acids. Emphasis is on how these processes are controlled\n\t\t\t\t and integrated with metabolism of the cell. Students may not receive credit for both CHEM 114C and BIMM 100. " }, - "HINE\n\t\t 162/262": { - "prerequisites": [], - "name": "Anthropology and the Hebrew Bible", - "description": "Growth of nationalism in relation to imperialism,\n\t\t\t\t religion, and revolution in the nineteenth- and twentieth-century Middle\n\t\t\t\t East. Emergence of cultural and political ethnic consciousness in the Ottoman\n\t\t\t\t state. Comparative study of Arab, Iranian, and Turkish nationalism as well\n\t\t\t\t as Zionism. ** Consent of instructor to enroll possible **" + "CHEM 114D": { + "prerequisites": [ + "CHEM 114A", + "and" + ], + "name": "Molecular and Cellular Biochemistry", + "description": "This course represents a continuation of 114C, or an introductory course for first- and second-year graduate students and covers topics in molecular and cellular biochemistry. Emphasis will be placed on contemporary approaches to the isolation and characterization of mammalian genes and proteins, and molecular genetic approaches to understanding eukaryotic development and human disease. May be coscheduled with CHEM 214. " }, - "HINE 165/265": { - "prerequisites": [], - "name": "The Colonial Mandates in the Middle East", - "description": "This course studies a period or theme in Jewish history. Topics will vary from year to year. " + "CHEM 115": { + "prerequisites": [ + "CHEM 114A" + ], + "name": "Genome, Epigenome, and Transcriptome Editing", + "description": "A discussion of current topics involving nucleic acid modification, including systems derived from zinc fingers, TALEs, and CRISPR-Cas9. Topics of particular emphasis include delivery of genome editing agents, gene drives, and high-throughput genetic screens. May be coscheduled with CHEM 215. " }, - "HINE 166/266": { - "prerequisites": [], - "name": "Nationalism in the Middle East", - "description": "Selected topics in the history of Judaism and Christianity in the first through fourth centuries CE, with emphasis on the shared origins and mutual relations of the two religions. May be taken for credit up to two times. +" + "CHEM 116": { + "prerequisites": [ + "CHEM 40C", + "and", + "CHEM 114A" + ], + "name": "Chemical Biology ", + "description": "A discussion of current topics in chemical biology including mechanistic aspects of enzymes and cofactors, use of modified enzymes to alter biochemical pathways, chemical intervention in cellular processes, and natural product discovery. " }, - "HINE 170/270": { - "prerequisites": [], - "name": "Special Topics in Jewish History", - "description": "Focused study of historical roots of contemporary problems in the Middle East: Islamic modernism and Islamist movements; contacts with the West; ethnic and religious minorities; role of the military; economic resources and development. Department stamp and permission of instructor. " + "CHEM 118": { + "prerequisites": [ + "CHEM 114A" + ], + "name": "Pharmacology and Toxicology", + "description": "A survey of the biochemical action of drugs and toxins as well as their\n\t absorption and excretion. " }, - "HINE 171/271": { - "prerequisites": [], - "name": "Topics in Early Judaism and Christianity", - "description": "Directed group study on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members." + "CHEM 119": { + "prerequisites": [ + "BIMM 100", + "or", + "CHEM 114C", + "and", + "CHEM 40C", + "or", + "CHEM 40CH" + ], + "name": "RNA Biochemistry", + "description": "This course discusses RNA structure and function, as well as biological pathways involving RNA-centered complexes.\u00a0Emphasis will be placed on catalytic RNA mechanisms, pre-mRNA splicing, noncoding RNA biology, building blocks of RNA structure, and genome editing using RNA-protein complexes. " }, - "HINE\n\t\t 186/286": { - "prerequisites": [], - "name": "Special Topics in Middle Eastern History", - "description": "Directed readings for undergraduates under the supervision of various faculty members. ** Consent of instructor to enroll possible **" + "CHEM 120A": { + "prerequisites": [ + "CHEM 6C", + "and", + "CHEM 40A" + ], + "name": "Inorganic Chemistry I", + "description": "The chemistry of the main group elements in\n\t\t\t\t terms of atomic structure, ionic and covalent bonding. Structural\n\t\t\t\t theory involving s, p, and unfilled d orbitals. Thermodynamic and spectroscopic\n\t\t\t\t criteria for structure and stability of compounds and chemical\n\t\t\t\t reactions of main group elements in terms of molecular structure\n\t\t\t\t and reactivity. " }, - "HINE 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "Technology as an agent of change. How have humans harnessed the power of nature? What factors have contributed to successes and failures? How has technology changed human life? How should we evaluate the quality of these changes?" + "CHEM 120B": { + "prerequisites": [ + "CHEM 120A" + ], + "name": "Inorganic Chemistry II", + "description": "A continuation of the discussion of structure, bonding, and reactivity with emphasis on transition metals and other elements using filled d orbitals to form bonds. Coordination chemistry in terms of valence bond, crystal field, and molecular orbital theory. The properties and reactivities of transition metal complexes including organometallic compounds. " }, - "HINE 199": { - "prerequisites": [], - "name": "Independent\n\t\t Study in Near Eastern History", - "description": "History of women\u2019s struggles and strategies for access and equality in professional science. Questions related to gender bias in science\u2014as a social institution and as an epistemological enterprise\u2014will be addressed in light of the historical and biographical readings." + "CHEM 123": { + "prerequisites": [ + "CHEM 114A" + ], + "name": "Advanced Inorganic Chemistry Laboratory", + "description": "The roles of metal ions in biological systems, with emphasis on transition metal ions in enzymes that transfer electrons, bind oxygen, and fix nitrogen. Also included are metal complexes in medicine, toxicity, and metal ion storage and transport. May be coscheduled with CHEM 225. " }, - "HISC 102": { - "prerequisites": [], - "name": "Technology in World History", - "description": "Historical aspects of the popularization of science. The changing relation between expert science and popular understanding. The reciprocal impact of scientific discoveries and theories, and popular conceptions of the natural world." + "CHEM 125": { + "prerequisites": [ + "CHEM 6C", + "PHYS 1C", + "and", + "MATH 10C" + ], + "name": "Bioinorganic Chemistry", + "description": "Renumbered from CHEM 127. This course covers thermodynamics and kinetics of biomolecules from fundamental principles to biomolecular applications. Topics include thermodynamics, first and second laws, chemical equilibrium, solutions, kinetic theory, enzyme kinetics. Students may not receive credit for CHEM 126A and either CHEM 127, CHEM 131, or CHEM 132. " }, - "HISC 103": { - "prerequisites": [], - "name": "Gender\n\t\t and Science in Historical Perspective", - "description": "History of human effects on the natural environment, with emphasis on understanding the roles of the physical and biological sciences in providing insights into environmental processes." + "CHEM 126A": { + "prerequisites": [ + "CHEM 126A" + ], + "name": "Physical Biochemistry I: Thermodynamics and Kinetics of Biomolecules", + "description": "Renumbered from CHEM 126. This course covers quantum and statistical mechanics of biomolecules. Topics include quantum mechanics, molecular structure, spectroscopy fundamentals and applications to biomolecules, optical spectroscopy, NMR, and statistical approaches to protein folding. Students may not receive credit for CHEM 126B and either CHEM 126 or CHEM 130. " }, - "HISC 104": { - "prerequisites": [], - "name": "History of Popular Science", - "description": "A cultural history of the formation of early modern science in the sixteenth and seventeenth centuries: the social forms of scientific life; the construction and meaning of the new cosmologies from Copernicus to Newton; the science of politics and the politics of science; the origins of experimental practice; how Sir Isaac Newton restored law and order to the West.\u00a0+ " + "CHEM 126B": { + "prerequisites": [ + "CHEM 6C", + "and", + "PHYS 2C", + "and", + "MATH 20D" + ], + "name": "Physical Biochemistry II: Quantum and Statistical Mechanics of Biomolecules", + "description": "Renumbered from CHEM 133. With CHEM 131 and 132, CHEM 130 is part of the Physical Chemistry sequence taught over three quarters. Recommended as the first course of the sequence. Key topics covered in this course include quantum mechanics, atomic and molecular spectroscopy, and molecular structure. Students may not receive credit for CHEM 130 and either 126B, 126, or 133. " }, - "HISC 105": { - "prerequisites": [], - "name": "History of Environmentalism", - "description": "The development of the modern conception of the sciences, and of the modern social and institutional structure of scientific activity, chiefly in Europe, during the eighteenth and nineteenth centuries." + "CHEM 130": { + "prerequisites": [ + "CHEM 6C", + "MATH 20C", + "and", + "PHYS 2C" + ], + "name": "Chemical Physics: Quantum Mechanics", + "description": "With CHEM 130 and 132, CHEM 131 is part of the Physical Chemistry sequence taught over three quarters. Recommended as the second course of the sequence. Key topics covered in this course include thermodynamics, chemical equilibrium, phase equilibrium, and chemistry of solutions. Students may not receive credit for CHEM 131 and either CHEM 127 or CHEM 126A. " }, - "HISC 106": { - "prerequisites": [], - "name": "The Scientific Revolution", - "description": "The history of twentieth-century life sciences, with an emphasis on the way in which model organisms such as fruit flies, guinea pigs, bacteriophage, and zebra fish shaped the quest to unlock the secrets of heredity, evolution, and development." + "CHEM 131": { + "prerequisites": [ + "CHEM 130", + "and", + "CHEM 131" + ], + "name": "Chemical Physics: Stat Thermo I ", + "description": "With CHEM 130 and 131, CHEM 132 is part of the Physical Chemistry sequence taught over three quarters. Recommended as the third course of the sequence. Key topics covered in this course include chemical statistics, kinetic theory, and reaction kinetics. Students may not receive credit for CHEM 132 and either CHEM 126A or CHEM 127. \n " }, - "HISC 107": { - "prerequisites": [], - "name": "The Emergence of Modern Science", - "description": "Explores the origins of the idea of the \u201ctropics\u201d and \u201ctropical disease\u201d as a legacy of European conquest and colonization and introduces students to themes in the history of colonialism, tropical medicine, and global public health." + "CHEM 132": { + "prerequisites": [ + "CHEM 6C", + "and", + "PHYS 2C" + ], + "name": "Chemical Physics: Stat Thermo II ", + "description": "Foundations of polymeric materials. Topics: structure of polymers; mechanisms of polymer synthesis; characterization methods using calorimetric, mechanical, rheological, and X-ray-based techniques; and electronic, mechanical, and thermodynamic properties. Special classes of polymers: engineering plastics, semiconducting polymers, photoresists, and polymers for medicine. Students may not receive credit for both CENG 134, CHEM 134, or NANO 134. " }, - "HISC 108": { - "prerequisites": [], - "name": "Life Sciences in the Twentieth Century", - "description": "There was no such thing as a single, unchanging relationship between science and religion, and this is a course about it. Topics include the \u201cConflict Thesis,\u201d natural theology, the Galileo Affair, Darwinism, the antievolution crusade, creationism, secularization, atheism, and psychoanalysis. +" + "CHEM 134": { + "prerequisites": [ + "CHEM 126", + "and", + "MATH 20D" + ], + "name": "Polymeric Materials", + "description": "Time-dependent behavior of systems; interaction of matter with light; selection rules. Radiative and nonradiative processes, coherent phenomena, and the density matrices. Instrumentation, measurement, and interpretation. May be coscheduled with CHEM 235. Prior or concurrent enrollment in CHEM 105A recommended. " }, - "HISC 109": { - "prerequisites": [], - "name": "Invention of Tropical Disease", - "description": "Development of nuclear science and weapons\u20141930s to present\u2014including the discovery of radioactivity and fission, the Manhattan project, the bombings of Hiroshima and Nagasaki and end of WWII, the H-bomb, and legacies of nuclear proliferation, environmental damage, and radioactive waste." + "CHEM 135": { + "prerequisites": [ + "CHEM 40A" + ], + "name": "Molecular Spectroscopy", + "description": "This course will provide an introduction to the physics and chemistry of soft matter, followed by a literature-based critical examination of several ubiquitous classes of organic nanomaterials and their technological applications. Topics include self-assembled monolayers, block copolymers, liquid crystals, photoresists, organic electronic materials, micelles and vesicles, soft lithography, organic colloids, organic nanocomposites, and applications in biomedicine and food science. " }, - "HISC 110": { - "prerequisites": [], - "name": "Historical Encounters of Science and Religion", - "description": "Explores the origin of clinical method, the hospital, internal surgery, and the medical laboratory, as well as the historical roots of debates over health-care reform, genetic determinism, and the medicalization of society." + "CHEM 141": { + "prerequisites": [ + "CHEM 40B", + "and", + "BIBC 100", + "or", + "BILD 1", + "or", + "CHEM 114A" + ], + "name": "Organic Nanomaterials", + "description": "The primary aim of this course is to provide an overview of fundamental facts, concepts, and methods in glycoscience. The course is structured around major themes in the field, starting from basic understanding of structure and molecular interactions of carbohydrates, to the mechanisms of their biological functions in normal and disease states, to their applications in materials science and energy generation. May be coscheduled with CHEM 242. CHEM 40C and at least one course in either general biology, molecular biology, or cell biology is strongly encouraged. " }, - "HISC 111": { - "prerequisites": [], - "name": "The Atomic Bomb and the Atomic Age", - "description": "The story behind the postwar rise of bioethics\u2014medical\n\t\t\t\t scandals breaking in the mass media, the development of novel technologies\n\t\t\t\t for saving and prolonging life, the emergence of new diseases, the unprecedented\n\t\t\t\t scope for manipulation opened up by biology." + "CHEM 142": { + "prerequisites": [ + "CHEM 43A", + "and", + "CHEM 40B" + ], + "name": "Introduction to Glycosciences", + "description": "Continuation of CHEM 43A, 143A, 43AM, and 143AM, emphasizing synthetic methods of organic chemistry. Enrollment is limited to majors in the Department of Chemistry and Biochemistry unless space is available. A materials fee is required. " }, - "HISC 115": { - "prerequisites": [], - "name": "History of Modern Medicine", - "description": "A survey of the history of the neurosciences from the seventeenth century to the present, exploring the political, philosophical, cultural, aesthetic and ethical aspects of research into the workings of the human brain." + "CHEM 143B": { + "prerequisites": [ + "CHEM 43A", + "and", + "CHEM 40B" + ], + "name": "Organic Chemistry Laboratory", + "description": "Identification of unknown organic compounds by a combination of chemical and physical techniques. Enrollment is limited to majors in the Department of Chemistry and Biochemistry unless space is available. Program or materials fees may apply. " }, - "HISC 116": { - "prerequisites": [], - "name": "History of Bioethics", - "description": "Analyzes the history of sexology as a series of episodes in the science of human difference, from the European reception of the first translation of the Kama Sutra in 1883 to the search for the \u201cgay gene\u201d in the 1990s." + "CHEM 143C": { + "prerequisites": [ + "CHEM 40C", + "and", + "CHEM 143B" + ], + "name": "Organic Chemistry Laboratory", + "description": "Advanced organic synthesis. Relationships between molecular structure and reactivity using modern synthetic methods and advanced instrumentation. Stresses importance of molecular design, optimized reaction conditions for development of practically useful synthesis, and problem-solving skills. A materials fee is required. " }, - "HISC 117": { - "prerequisites": [], - "name": "History of the Neurosciences", - "description": "This course explores contemporary issues in biology, ethics, and society. We will start by examining early cases of biopolitics, like social Darwinism and eugenics, and proceed to more recent issues, such as genetic engineering, patenting life, and the pharmaceutical industry." + "CHEM 143D": { + "prerequisites": [ + "CHEM 40B" + ], + "name": "Molecular Design and Synthesis", + "description": "Fundamentals of the chemistry and biochemistry of biofuel and renewable materials technologies. This course explores chemical identity and properties, metabolic pathways and engineering, refining processes, formulation, and analytical techniques related to current and future renewable products. " }, - "HISC 118": { - "prerequisites": [], - "name": "History of Sexology", - "description": "The role of technology in American history through the Civil War. Indigenous and colonial development, transportation infrastructures, and industrialization are explored to understand the connections among technology, society, and culture.\u00a0+ " + "CHEM 145": { + "prerequisites": [ + "CHEM 40C" + ], + "name": "Biofuels and Renewable Materials ", + "description": "Methodology of mechanistic organic chemistry; integration of rate expression, determination of rate constants, transition state theory; catalysis, kinetic orders, isotope effects, solvent effects, linear free energy relationship; product studies, stereochemistry; reactive intermediates; rapid reactions. May be coscheduled with CHEM 246. " }, - "HISC 119": { - "prerequisites": [], - "name": "Biology and Society", - "description": "Science and law are two of the most powerful establishments of modern Western culture. Science organizes our knowledge of the world; law directs our action in it. Will explore the historical roots of the interplay between them." + "CHEM 146": { + "prerequisites": [ + "CHEM 40A" + ], + "name": "Kinetics and Mechanism of Organic Reactions", + "description": "A look at some of nature\u2019s most intriguing molecules and the ability to discover, synthesize, modify, and use them. The role of chemistry in society, and how chemical synthesis\u2014the art and science of constructing molecules\u2014shapes our world. " }, - "HISC 120A": { - "prerequisites": [], - "name": "Technology in America I", - "description": "Through scientific and technological innovation Israel came to be known as the \u201cStart-up Nation.\u201d This course will explore the reasons why scientific and technological innovation became fundamental to Israeli society and their social, cultural, and economic implications. Students may not receive credit for HISC 132 and HISC 132GS." + "CHEM 151": { + "prerequisites": [ + "CHEM 40C" + ], + "name": "Molecules that Changed the World", + "description": "A survey of reactions of particular utility in the organic laboratory. Emphasis is on methods of preparation of carbon-carbon bonds and oxidation reduction sequences. May be coscheduled with CHEM 252. " }, - "HISC 131": { - "prerequisites": [], - "name": "Science, Technology, and Law", - "description": "Through scientific and technological innovation Israel came to be known as the \u201cStart-up Nation.\u201d This course will explore the reasons why scientific and technological innovation became fundamental to Israeli society and their social, cultural, and economic implications. Students may not receive credit for HISC 132GS and HISC 132. Program or materials fees may apply. Students must apply and be accepted into the Global Seminar Program." + "CHEM 152": { + "prerequisites": [ + "CHEM 40C" + ], + "name": "Synthetic Methods in Organic Chemistry", + "description": "A qualitative approach\n\t\t\t\t to the mechanisms of various organic reactions; substitutions, additions,\n\t\t\t\t eliminations, condensations, rearrangements, oxidations, reductions, free-radical\n\t\t\t\t reactions, and photochemistry. Includes considerations of molecular structure\n\t\t\t\t and reactivity, synthetic methods, spectroscopic tools, and stereochemistry.\n\t\t\t\t The topics emphasized will vary from year to year. This is the first quarter\n\t\t\t\t of the advanced organic chemistry sequence. May be coscheduled with CHEM 254. " }, - "HISC 132": { - "prerequisites": [], - "name": "Israel\u2014Start-up Nation", - "description": "The complex historical development of human understanding of global climate change, including key scientific work, and the cultural dimensions of proof and persuasion. Special emphasis on the differential political acceptance of the scientific evidence in the United States and the world. Graduate students are required to submit an additional paper. " + "CHEM 154": { + "prerequisites": [ + "CHEM 152" + ], + "name": "Mechanisms of Organic Reactions", + "description": "This course discusses planning economic routes for the synthesis of complex organic molecules. The uses of specific reagents to control stereochemistry will be outlined and recent examples from the primary literature will be highlighted. (May not be offered every year.) May be coscheduled with CHEM 255. " }, - "HISC 132GS": { - "prerequisites": [], - "name": "Israel\u2014Start-up Nation", - "description": "This seminar explores topics at the interface of science, technology, and culture, from the late nineteenth century to the present. Topics change yearly; may be repeated for credit with instructor\u2019s permission. ** Consent of instructor to enroll possible **" + "CHEM 155": { + "prerequisites": [ + "CHEM 40C" + ], + "name": "Synthesis of Complex Molecules", + "description": "Introduction to the measurement and theoretical correlation of the physical properties of organic molecules. Topics covered include molecular geometry, molecular-orbital theory, orbital hybridization, aromaticity, chemical reactivity, stereochemistry, infrared and electronic spectra, photochemistry, and nuclear magnetic resonance. May be coscheduled with CHEM 256. " }, - "HISC\n\t\t 163/263": { - "prerequisites": [], - "name": "History, Science, and Politics of Climate Change", - "description": "Why have women been traditionally excluded from science? How has this affected scientific knowledge? How have scientists constructed gendered representations not only of women, but also of science and nature? We will address these questions from perspectives including history, philosophy, and psychoanalytic theory. ** Consent of instructor to enroll possible **" + "CHEM 156": { + "prerequisites": [ + "CHEM 40C" + ], + "name": "Structure\n\t\t and Properties of Organic Molecules", + "description": "A comprehensive survey of modern bioorganic and natural products chemistry. Topics will include biosynthesis of natural products, molecular recognition, and small molecule-biomolecule interactions. May be coscheduled with CHEM 257. " }, - "HISC 165": { - "prerequisites": [], - "name": "Topics in Twentieth-Century Science and\n\t Culture", - "description": "This is a seminar open to advanced undergraduate and graduate students that explores topics at the interface of science, technology, and culture, from the late nineteenth century to the present. Topics change yearly; may be repeated for credit with instructor\u2019s consent. Requirements vary for undergraduates, MA, and PhD students. Graduate students are required to submit a more substantial piece of work. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "CHEM 157": { + "prerequisites": [ + "CHEM 40C" + ], + "name": "Bioorganic and Natural Products Chemistry", + "description": "Intensive coverage of modern spectroscopic techniques used to determine the structure of organic molecules. Problem solving and interpretation of spectra will be emphasized. May be coscheduled with CHEM 258. " }, - "HISC 167/267": { - "prerequisites": [], - "name": "Gender and Science", - "description": "Why have women been traditionally excluded from science? How has this affected scientific knowledge? How have scientists constructed gendered representations not only of women, but also of science and nature? We will address these questions from perspectives including history, philosophy, and psychoanalytic theory. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "CHEM 158": { + "prerequisites": [ + "BIBC 100", + "or", + "CHEM 114A", + "and", + "BIBC 102", + "or", + "CHEM 114B", + "and", + "BIMM 100", + "or", + "CHEM 114C" + ], + "name": "Applied Spectroscopy", + "description": "(Cross-listed with BIMM 164.)\n An introduction to virus structures, how they are determined,\n and how they facilitate the various stages of the viral life\n cycle from host recognition and entry to replication, assembly,\n release, and transmission to uninfected host cells. (May not\n be offered every year.) " }, - "HISC 173/273": { - "prerequisites": [], - "name": "Seminar on Darwin and Darwinisms", - "description": "A critical analysis of the host of \u201chistorical\n\t\t\t\t sciences\u201d that developed over the course of the long nineteenth\n\t\t\t\t century, from archaeology and paleontology to psychoanalysis and craniotomy,\n\t\t\t\t including the science of history itself. Graduate students will be required\n\t\t\t\t to submit an additional paper. ** Upper-division standing required ** " + "CHEM 164": { + "prerequisites": [ + "CHEM 114A", + "or", + "BIBC 100" + ], + "name": "Structural Biology of Viruses", + "description": "(Cross-listed with BIMM 162.) The resolution revolution in cryo-electron microscopy has made this a key technology for the high-resolution determination of structures of macromolecular complexes, organelles, and cells. The basic principles of transmission electron microscopy, modern cryo-electron microscopy, image acquisition, and 3D reconstruction will be discussed. Examples from the research literature using this state-of-the-art technology will also be discussed. " }, - "HISC\n\t\t 174/274": { - "prerequisites": [], - "name": "History of Localization of Brain Function", - "description": "This course introduces students to new and classic works in the history of medicine in East and Southeast Asia. Topics will include epidemic disease and state vaccination campaigns; opium and drug control; mental illness and asylums; earthquakes and disaster technologies; colonialism and public health; venereal disease and prostitution. Special emphasis will be placed on the role of experts and institutions and forms of scientific exchange and collaboration across the region." + "CHEM 165": { + "prerequisites": [ + "CHEM 40C", + "and", + "CHEM 114A" + ], + "name": "3D Cryo-Electron Microscopy of Macromolecules and Cells ", + "description": "Basics of medicinal chemistry, emphasizing rigorous descriptions of receptor-protein structure, interactions, and dynamics; their implications for drug development; and an integrated treatment of pharmacodynamic and pharmacokinetic considerations in drug design. Treats computational approaches as well as practical experimental approaches. " }, - "HISC\n\t\t 175/275": { - "prerequisites": [], - "name": "The Historical Sciences in the Nineteenth Century", - "description": "This course will explore the evolution of the institutions, ideologies, procedures, standards, and expertise that modern democratic societies have used in applying science to generate and legitimate public policy." + "CHEM 167": { + "prerequisites": [ + "CHEM 40C", + "and", + "CHEM 114A" + ], + "name": "Medicinal Chemistry", + "description": "Practical methods to make drugs currently in use and to design future drugs. Treats both chemical synthesis and biologics like monoclonal antibodies. Topics include fragment-based screening, solid phase synthesis, directed evolution, and bioconjugation as well as efficacy, metabolism, and toxicity. " }, - "HISC 176": { - "prerequisites": [], - "name": "History of Medicine in East and Southeast Asia", - "description": "Directed group study on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members." + "CHEM 168": { + "prerequisites": [ + "CHEM 6C" + ], + "name": "Drug Synthesis and Design", + "description": "An introduction to chemical concerns in nature with emphasis on atmospheric issues like air pollution, chlorofluorocarbons and the ozone hole, greenhouse effects and climate change, impacts of radioactive waste, sustainable resource usage, and risks and benefits of energy sources. Students may only receive credit for one of the following: CHEM 149A or 171. " }, - "HISC 180/280": { - "prerequisites": [], - "name": "Science and Public Policy", - "description": "This course will explore the evolution of the institutions, ideologies, procedures, standards, and expertise that modern democratic societies have used in applying science to generate and legitimate public policy. In order to obtain the department stamp, please email the professor for the OK to enroll. Once you have that email, please forward it to historyundergrad@ucsd.edu and include your PID number. Graduate students are required to submit an additional paper. ** Upper-division standing required ** " + "CHEM 171": { + "prerequisites": [ + "CHEM 6C" + ], + "name": "Environmental Chemistry I", + "description": "An introduction to chemical concerns in nature with emphasis on soil and water issues like agricultural productivity, biological impacts in the environment, deforestation, ocean desserts, natural and manmade disasters (fires, nuclear winter, volcanoes), and waste handling. Recommended preparation: CHEM 171 (formerly 149A). Students may only receive credit for one of the following: CHEM 172 or 149B. " }, - "HISC 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "This course introduces students to new and classic works in the history of medicine in East and Southeast Asia. Topics will include epidemic disease and state vaccination campaigns; opium and drug control; mental illness and asylums; earthquakes and disaster technologies; colonialism and public health; venereal disease and prostitution. Special emphasis will be placed on the role of experts and institutions and forms of scientific exchange and collaboration across the region." + "CHEM 172": { + "prerequisites": [ + "CHEM 6C" + ], + "name": "Environmental Chemistry II", + "description": "Chemical principles applied to the study of atmospheres. Atmospheric photochemistry, radical reactions, chemical lifetime determinations, acid rain, greenhouse effects, ozone cycle, and evolution are discussed. May be coscheduled with CHEM 273. " }, - "HISC 199": { - "prerequisites": [], - "name": "Independent\n\t\t Study in the History of Science", - "description": "\u201cWas ist Aufklarung?\u201d asked Kant in 1748 and the question remains hotly debated ever since. In this course we will pursue this question in tandem with another: \u201cWhat is Enlightenment science?\u201d The answer to which is equally debated. +" + "CHEM 173": { + "prerequisites": [ + "CHEM 6C" + ], + "name": "Atmospheric Chemistry", + "description": "(Cross-listed with SIO 141.) Introduction to the chemistry and distribution of the elements in seawater, emphasizing basic chemical principles such as electron structure, chemical bonding, and group and periodic properties and showing how these affect basic aqueous chemistry in marine systems. Students may not receive credit for SIO 141 and CHEM 174. " }, - "HITO 87": { - "prerequisites": [], - "name": "Special Freshman Seminar", - "description": "This course will examine the development of Gnostic Christianity in the first four centuries CE. Students will also explore similar non-Christian religious movements that claimed to have special knowledge (gnosis) of the self, the material world, and the divine. " + "CHEM 174": { + "prerequisites": [ + "BIMM 181", + "or", + "BENG 181", + "or", + "CSE 181" + ], + "name": "Chemical Principles of Marine Systems", + "description": "(Cross-listed with BIMM 184/BENG 184/CSE 184.)\n\t\t\t\t This advanced course covers the application of machine learning and modeling\n\t\t\t\t techniques to biological systems. Topics include gene structure, recognition\n\t\t\t\t of DNA and protein sequence patterns, classification, and protein structure\n\t\t\t\t prediction. Pattern discovery, Hidden Markov models/support vector machines/neural\n\t\t\t\t network/profiles, protein structure prediction, functional characterization\n\t\t\t\t or proteins, functional genomics/proteomics, metabolic pathways/gene networks. Bioinformatics majors only. " }, - "HITO 99": { - "prerequisites": [], - "name": "Independent\n\t\t Study on History Topics", - "description": "Topics include the political emancipation of the Jews of Europe; the emergence of Reform, Conservative, and Modern Orthodox Judaism; Hasidism; modern anti-Semitism; Jewish socialism; Zionism; the Holocaust; the American Jewish community; the State of Israel. " + "CHEM 184": { + "prerequisites": [ + "CHEM 126", + "and", + "MATH 20C" + ], + "name": "Computational Molecular Biology", + "description": "Course in computational methods, with focus on quantum chemistry. The course content is built on a background in mathematics and physical chemistry, and provides an introduction to computational theory, ab initio methods, and semiempirical methods. The emphasis is on applications and reliability. May be coscheduled with CHEM 285. " }, - "HITO 103S": { - "prerequisites": [], - "name": "Gnosis and Gnosticism", - "description": "This course explores Jewish women\u2019s experiences from the seventeenth century to the present, covering Europe, the United States, and Israel. Examines work, marriage, motherhood, spirituality, education, community, and politics across three centuries and three continents.\u00a0" + "CHEM 185": { + "prerequisites": [ + "MATH 20C", + "and", + "CHEM 126", + "or", + "CHEM 126B", + "or", + "CHEM 130", + "or", + "CHEM 133" + ], + "name": "Quantum Chemistry Lab ", + "description": "Course in computational methods, with focus on molecular simulations. The course content is built on a background in mathematics and physical chemistry, and provides an introduction to computational theory and molecular mechanics. The emphasis is on applications and reliability. May be coscheduled with CHEM 286. " }, - "HITO 105": { - "prerequisites": [], - "name": "Jewish Modernity from 1648 to 1948 ", - "description": "Students will produce creative video projects by conducting interviews and drawing from relevant texts, lectures, archival resources, and other materials to expand and deepen their understanding of the Holocaust and help contribute to the body of work documenting this period in history." + "CHEM 186": { + "prerequisites": [ + "CHEM 6C", + "and", + "CHEM 96", + "or", + "EDS 31" + ], + "name": "Molecular Simulations Lab", + "description": "(Cross-listed with EDS 122.) Examine theories of learning and how they are important in the science classroom. Conceptual development in the individual student, as well as the development of knowledge in the history of science. Key conceptual obstacles in science will be explored. " }, - "HITO 106": { - "prerequisites": [], - "name": "Love and Family in the Jewish Past", - "description": "This course introduces students to the history of modern Vietnam, starting with the Tay Son rebellion in the late eighteenth century and ending with the economic reforms of the 1980s. Topics include the expansion and consolidation of the French colonial state, the rise of anticolonialism and nationalism, the development of Vietnamese communism, World War II, and the First and Second Indochina Wars. A special emphasis will be focused on the place of Vietnam within wider regional and global histories." + "CHEM 187": { + "prerequisites": [ + "CHEM 6C", + "and", + "CHEM 187", + "or", + "EDS 122" + ], + "name": "Foundations\n\t\t of Teaching and Learning Science", + "description": "(Cross-listed with EDS 123.) In the lecture\n\t\t\t\t and observation format, students continue to explore the theories of learning\n\t\t\t\t in the science classroom. Conceptual development is fostered, as well as\n\t\t\t\t continued development of knowledge of science history. Students are exposed\n\t\t\t\t to the science of teaching in science in actual practice. " }, - "HITO 107": { + "CHEM 188": { "prerequisites": [], - "name": "Holocaust Video Production", - "description": "The Cold War is often understood as a superpower rivalry between the U.S. and the Soviet Union. Yet, the second half of the twentieth century witnessed civil wars, revolutions, decolonization movements, and state violence throughout the world that do not fit in this bipolar framework. Focusing on these other events, this course reexamines the Cold War in global and comparative perspective, with a particular focus on political developments in Asia, Africa, and Latin America. " + "name": "Capstone Seminar in Science Education", + "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in chemistry or biochemistry. May be taken for credit up to four times, with a change in topic, and permission of the department. P/NP grades only. ** Consent of instructor to enroll possible **" }, - "HITO 114": { + "CHEM 192": { "prerequisites": [], - "name": "History of Modern Vietnam", - "description": "Sources for reconstructing ancient history present special challenges. Introduce and examine critically some basic myths and chronicles of the eastern Mediterranean and ancient Near East and assess the challenges to today\u2019s historian in reconstructing these histories. " + "name": "Senior Seminar\n\t\t in Chemistry and Biochemistry", + "description": "Selected topics in the field of chemistry. Course will vary in title and content. Students are expected to actively participate in course discussions, read, and analyze primary literature. Current subtitles will be listed on the Schedule of Classes. May be taken for credit up to four times as topics vary. Students may not receive credit for the same topic." }, - "HITO 115/115GS": { + "CHEM 194": { "prerequisites": [], - "name": "The Global Cold War", - "description": "How did cars come to dominate the world? This course provides a survey of the world since 1900 to the near future through the history of cars and their impacts on politics, economics, society, and the environment." + "name": "Special Topics in Chemistry", + "description": "An introduction to teaching chemistry. Students are required to attend a weekly class on methods of teaching chemistry and will teach a discussion section of one of the lower-division chemistry courses. Attendance at lecture of the lower-division course in which the student is participating is required. P/NP grades only. ** Consent of instructor to enroll possible **" }, - "HITO 115S": { + "CHEM 195": { "prerequisites": [], - "name": "Myth, History, and Archaeology", - "description": "This course examines the interaction between\n\t\t\t\t sections of the globe after 1200. It emphasizes factors operating on a\n\t\t\t\t transcontinental scale (disease, climate, migration) and historical/cultural\n\t\t\t\t phenomena that bridge distance (religion, trade, urban systems). This is\n\t\t\t\t not narrative history, but a study of developments that operated on a global\n\t\t\t\t scale and constituted the first phase of globalization.\u00a0+ " + "name": "Methods of Teaching Chemistry", + "description": "Independent literature or discipline-based education research \n\t\t\t\t by arrangement with, and under the direction of, a member of the Department\n\t\t\t\t of Chemistry and Biochemistry faculty. P/NP grades only. ** Consent of instructor to enroll possible **" }, - "HITO 116": { + "CHEM 196": { "prerequisites": [], - "name": "Car Wars: A Global History of the World since 1900 through Cars", - "description": "Explores where human rights come from and what they mean by integrating them into a history of modern society, from the Conquest of the Americas and the origins of the Enlightenment, to the Holocaust and the contemporary human rights regime." + "name": "Reading and Research in Chemical Education", + "description": "An internship program that provides work experience with public/private sector employers. Subject to the availability of positions, students will work in a local company under the supervision of a faculty member and site supervisor. P/NP grades only. May be taken for credit three times. " }, - "HITO 117": { + "CHEM 197": { "prerequisites": [], - "name": "World History 1200\u20131800", - "description": "The most popular sport in the world is soccer. The game\u2019s growth and expansion was thoroughly enmeshed with the spread of modernity. It was a product of the industrial and political revolutions of the nineteenth and twentieth centuries. It has been an engine of nationalism and gender formation. The link of this sport to politics will be a central theme." + "name": "Chemistry Internship", + "description": "Directed group study on a topic or in a field not included in the regular department curriculum, by arrangement with a chemistry and biochemistry faculty member. P/NP grades only. May be taken for credit two times. ** Department approval required ** " }, - "HITO\n\t\t 119/HMNR 100": { + "CHEM 198": { "prerequisites": [], - "name": "Human Rights l: Introduction to Human Rights and Global Justice ", - "description": "The course examines multiform mystical traditions in world religions and cultures, including Greco-Roman philosophy, Judaism, Christianity, Islam, Hinduism, and Buddhism by studying classics of mystical literature and secondary sources; also addressed are mystical beliefs and practices in contemporary society." + "name": "Directed Group Study", + "description": "Independent literature or laboratory research by arrangement with, and under the direction of, a member of the Department of Chemistry and Biochemistry faculty. Students must register on a P/NP basis. ** Consent of instructor to enroll possible **" }, - "HITO 123": { + "CHEM 199": { "prerequisites": [], - "name": "The Global History of Soccer", - "description": "This course will examine the different ways that attitudes toward children have changed throughout history. By focusing on the way that the child was understood, we will examine the changing role of the family, the role of culture in human development, and the impact of industrialization and modern institutions on the child and childhood. " + "name": "Reading and Research", + "description": "Fundamental theoretical principles, capabilities, applications, and limitations of modern analytical instrumentation used for qualitative and quantitative analysis. Students will learn how to define the nature of an analytical problem and how to select an appropriate analytical method. Letter grades only. Recommended preparation: background equivalent to CHEM 100A and introductory optics and electricity from physics. (W)" }, - "HITO 124": { + "HUM 1": { "prerequisites": [], - "name": "Mystical Traditions", - "description": "An examination of the Second World War in Europe, Asia, and the United States. Focus will be on the domestic impact of the war on the belligerent countries as well as on the experiences of ordinary soldiers and civilians." + "name": "The Foundations of Western Civilization:\n\t Israel and Greece", + "description": "Previously LGTN 100, LTEU 100 (May be repeated as topics vary.) " }, - "HITO 126": { + "HUM 2": { "prerequisites": [], - "name": "A History of Childhood", - "description": "An examination of the Second World War in Europe, Asia, and the United States. Focus will be on the domestic impact of the war on the belligerent countries as well as on the experiences of ordinary soldiers and civilians." + "name": "Rome, Christianity, and the Middle Ages", + "description": "" }, - "HITO 133": { + "HUM 3": { "prerequisites": [], - "name": "War and Society: The Second World War", - "description": "Comparative study of genocide and war crimes, stressing European developments since 1900 with reference to cases elsewhere. Topics include historical precedents; evolving legal concepts; and enforcement mechanisms. Emphasis on the Holocaust, the USSR under Stalin, ex-Yugoslavia, and the Armenian genocide. Students may not receive credit for both HITO 134 and ERC 102. " + "name": "Renaissance, Reformation, and Early\n\t\t\t\t Modern Europe", + "description": "Covers various technical skills essential for research and pedagogy in classics, including use of digital resources (e.g., bibliographical databases). Provides an introduction to important disciplinary subfields, such as textual criticism and epigraphy. Selection of topics will be at instructor\u2019s discretion. " }, - "HITO 133D": { + "HUM 4": { "prerequisites": [], - "name": "War and Society: The Second World War", - "description": "Explore contrasts and parallels between African Americans and Jews from the seventeenth century to the present. Investigate slavery, the Civil War, shared music, political movements, urban geography, and longings to return to a homeland in Africa or Palestine." + "name": "Enlightenment, Romanticism, Revolution", + "description": "The enlightenment\u2019s revisions of traditional thought; the rise of classical liberalism; the era of the first modern political revolutions; romantic ideas of nature and human life. Revelle students must take course for letter grade. Students may not receive credit for HUM 4 and HUM 4GS. " }, - "HITO 134": { + "HUM 5": { "prerequisites": [], - "name": "International\n\t\t Law\u2014War Crimes and Genocide", - "description": "An examination of the history of emotions from the early modern period to the present with a focus on Europe and North America. Analysis of different approaches to emotions as well as of specific emotions (love, honor, shame, fear, guilt)." + "name": "Modern Culture", + "description": "Challenges to liberalism posed by such movements as socialism, imperialism, and nationalism; the growth of new forms of self-expression and new conceptions of individual psychology. Revelle students must take course for letter grade. " }, - "HITO 136": { + "HUM 119": { "prerequisites": [], - "name": "Jews and African Americans:\u00a0Slavery, Diaspora, Ghetto", - "description": "A lecture-discussion course on the philosophical, political, and economic ideas that shaped the Scottish Enlightenment in the eighteenth century, especially the ideas of David Hume, Adam Smith, and John Witherspoon, and their impact upon the American Revolution and the Constitution of the United States." + "name": "Special Topics in Humanities", + "description": "An in-depth study of topics in the humanities. Subject matter varies, focusing on one author, intellectual topic, or specific historical tradition. May be repeated up to three times for credit when topics vary. (F) " }, - "HITO 140": { + "HUM 195": { "prerequisites": [], - "name": "History of Emotions", - "description": "This course tracks the worldwide interplay of sport and race. We begin with patterns of exclusion and participation on the part of African Americans, Latinos, and Native Americans. We then examine patterns of inequality across the globe." + "name": "Methods of Teaching Humanities", + "description": "An introduction to teaching humanities. Students are required to attend weekly discussions on methods of teaching humanities and will teach discussion sections of one of the humanities courses. Attendance at lecture of the course in which the student is participating is required. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "HITO 150GS": { + "HUM 199": { "prerequisites": [], - "name": "The Scottish Enlightenment and the Founding of the United States", - "description": "Comparative study of American and European multicultural politics and policy, focusing on developments since 1945. Coverage includes policies aimed at members of the African American, Native American, Latino/Chicano/Hispanic, and Asian/Pacific Islander communities and comparable European groups. Students will not receive credit for both HITO 156 and HITO 156GS." + "name": "Special Studies", + "description": "Individually guided readings or projects in area of humanities not normally covered in standard curriculum. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "HITO 155": { + "PSYC 1": { "prerequisites": [], - "name": "Race, Sport, and Inequality in the Twentieth Century", - "description": "Comparative study of America and European multicultural politics and policy, focusing on developments since 1945. Coverage includes policies aimed at members of the African American, Native American, Latino/Chicano/Hispanic, and Asian/Pacific Islander communities and comparable European groups. Students must submit applications to the International Center, Programs Abroad Office, and be accepted into the Global Seminar Program. Program or material fee may apply. Students will not receive credit for both HITO 156 and HITO 156GS. " + "name": "Psychology", + "description": "This course provides an overview of the basic concepts in psychology. Topics may include human information processing, learning and memory, motivation, development, language acquisition, social psychology, and personality. " }, - "HITO 156": { + "PSYC 2": { "prerequisites": [], - "name": "Diversity, Equity, and Inclusion in the United States and Europe: Multiple Multiculturalisms", - "description": "A course on Hong Kong's political, economic, and cultural transformation alongside its incorporation into the global capitalist economy, with a focus on transnational migrants laboring and living in diaspora. Topics include Opium Wars, world system, export-processing zones, and anti-globalization movements. Students must submit applications to the International Center, Programs Abroad Office, and be accepted into the Global Seminar Program. Program or material fee may apply. " + "name": "General Psychology: Biological Foundations", + "description": "This course provides an introduction to the basic concepts of cognitive psychology. Topics include perception, attention, memory, language, and thought. The relation of cognitive psychology to cognitive science and to neuropsychology is also covered. " }, - "HITO 156GS": { + "PSYC 3": { "prerequisites": [], - "name": "Diversity, Equity, and Inclusion in the United States and Europe: Multiple Multiculturalisms", - "description": "In this course we compare the Jewish experience to other religious minorities in American history. Topics include motives and rates of immigration, education and work patterns, religious experiences, women\u2019s roles, family life, and representations in popular and high culture." + "name": "General Psychology: Cognitive Foundations", + "description": "This course provides an introduction to behavioral psychology. Topics include classical conditioning, operant conditioning, animal learning, and motivation and behavior modification. " }, - "HITO 160GS": { + "PSYC 4": { "prerequisites": [], - "name": "Globalization and Diaspora", - "description": "Topics will examine lesbian, gay, bisexual, transgender, and queer identities, communities, culture, and politics. May be repeated for credit two times, provided each course is a separate topic, for a maximum of twelve units. ** Upper-division standing required ** " + "name": "General Psychology: Behavioral Foundations", + "description": "This course provides an introduction to social psychology. Topics may include emotion, aesthetics, behavioral medicine, person perception, attitudes and attitude change, and behavior in social organizations. " }, - "HITO 164/264": { + "PSYC 6": { "prerequisites": [], - "name": "Jews and Other Ethnics in the American Past", - "description": "From early modern witches, rebels, and heretics to hypermodern gangsters, terrorists, and serial killers, applying capital punishment to foreign nationals and ethnic minorities has sustained a global conversation about the sanctity of human life and the meaning of citizenship in the Americas and Europe. Graduate students must complete an additional paper. ** Upper-division standing required ** " + "name": "General Psychology: Social Foundations", + "description": "This course provides an introduction to theories and research results in developmental psychology, covering infancy through adulthood. " }, - "HITO 165/265": { + "PSYC 7": { "prerequisites": [], - "name": "Topics\u2014LGBT History", - "description": "This course will examine what has been called the Cultural Cold Wars. Sports were the most visible form of popular culture during the era (1945\u201391). It will make use of reports and essays produced for an international, multiyear research project. It will combine written and visual sources. Matters of class, race, gender, and nationality will be discussed. May be coscheduled with HITO 267. ** Upper-division standing required ** " + "name": "General Psychology: Developmental Foundations", + "description": "This course provides an introduction to both descriptive and inferential statistics, core tools in the process of scientific discovery and the interpretation of research. " }, - "HITO\n\t\t 166/266": { + "PSYC 60": { + "prerequisites": [ + "PSYC 60" + ], + "name": "Introduction to Statistics", + "description": "This course provides an overview of how to choose appropriate research methods for experimental and nonexperimental studies. Topics may include classic experimental design and counterbalancing, statistical power, and causal inference in experimental and nonexperimental settings. " + }, + "PSYC 70": { + "prerequisites": [ + "PSYC 70" + ], + "name": "Research Methods in Psychology", + "description": "This course provides hands-on research experience. Lecture topics will include experimental and nonexperimental designs, research ethics, data analysis, and causal inference. Students will design original research projects, collect and analyze data, and write a full APA-style report, including a brief literature review relevant to their design. This course builds on PSYC 70 by applying design principles to students\u2019 own research questions and ideas. " + }, + "PSYC 71": { + "prerequisites": [ + "COGS 14B", + "PSYC 60" + ], + "name": "Laboratory in Psychological Research Methods", + "description": "This course provides students the opportunity to learn about the intricate relationship that exists between brain and behavior, as well as the evolutionary forces that shape this interaction. Lectures for this course aim to introduce students to some of the best examples in the literature that highlight these issues, while a parallel component of the course aims to introduce students to performing research on the topic. " + }, + "PSYC 81": { "prerequisites": [], - "name": "Death Penalty Global Perspectives since 1492", - "description": "The course analyzes mutual influences and exchanges between the United States and Germany from the late nineteenth to the mid-twentieth century. Topics include imperialism and racism, social thought and intellectual migration, economic relations, feminism, and youth cultures, war, and occupation. Graduate students must complete an additional paper. ** Upper-division standing required ** " + "name": "Laboratory in Brain, Behavior, and Evolution", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen." }, - "HITO 167/267": { + "PSYC 87": { "prerequisites": [], - "name": "Global History of Sports in the Cold War", - "description": "Reckoning by novelists, essayists, and biographers with the phenomenon of contemporary warfare as an unprecedented experience and an abiding threat. Graduate students are required to submit a more substantial piece of work. ** Upper-division standing required ** " + "name": "Freshman Seminar", + "description": "This course provides an overview of how to practice well-being, with principles based on mindfulness, positive psychology, cognitive therapy, and neuroscience. Each week, there is a short lecture on a given topic, combined with workshop-style exercises. " }, - "HITO 168/268": { + "PSYC 88": { "prerequisites": [], - "name": "The U.S. and Germany from the 1890s to the 1960s: Transitional Relations and Competing Modernities", - "description": "Taught in conjunction with the San Diego Maritime Museum, this course investigates life at sea from the age of discovery to the advent of the steamship. We will investigate discovery, technology, piracy, fisheries, commerce, naval conflict, sea-board life, and seaport activity. ** Upper-division standing required ** " + "name": "Learning Sustainable Well-being", + "description": "This seminar introduces the various subdisciplines in psychology and their research methods, and also explores career and graduate school opportunities. This includes informal presentations by faculty, graduate students, and other professionals. " }, - "HITO\n\t\t 172/272": { + "PSYC 90": { "prerequisites": [], - "name": "War in the Twentieth Century: A Psychological Approach", - "description": "The majority of the world\u2019s citizens now live in cities; this course examines the evolution of housing architecture and finance in the twentieth-century context of rapid urbanization, dissolving empire, industrialization, and globalization. Graduate students will submit a more substantial piece of work with in-depth analysis and with an increased number of sources cited. A typical undergraduate paper would be ten pages, whereas a typical graduate paper would require engagement with primary sources, more extensive reading of secondary material, and be about twenty pages. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Undergraduate Seminar", + "description": "Selected topics in the field of psychology. May be repeated for credit as topics vary. " }, - "HITO 178/278": { + "PSYC 93": { "prerequisites": [], - "name": "A History of Seafaring in the Age of Sail", - "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in history (at the upper-division level). Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" + "name": "Topics in Psychology", + "description": "Independent study or research under direction of a member of the faculty. May be taken up to three times for a maximum of twelve units. " }, - "HITO 180/280": { + "PSYC 99": { "prerequisites": [], - "name": "Housing in the Developing World", - "description": "Course attached to six-unit internship taken by student participating in the UCDC program. Involves weekly seminar meetings with faculty and teaching assistant and a substantial historical research paper. " + "name": "Independent Study", + "description": "This course provides a comprehensive overview of the causes, characteristics, and treatment of psychological disorders. Particular emphasis is given to the interaction between biological, psychological, and sociocultural processes contributing to abnormal behavior. Students may not receive credit for both PSYC 163 and PSYC 100. " }, - "HITO 192": { + "PSYC 100": { "prerequisites": [], - "name": "Senior Seminar in History", - "description": "A program of independent study providing candidates for history honors an opportunity to develop, in consultation with an adviser, a preliminary proposal for the honors essay. An IP grade will be awarded at the end of this quarter. A final grade will be given for both quarters at the end of HITO 195. ** Consent of instructor to enroll possible **" + "name": "Clinical Psychology", + "description": "This course provides a comprehensive overview of the field of developmental psychology, including topics in cognitive, language, and social development. " }, - "HITO 193/POLI 194/COM GEN 194/USP 194": { + "PSYC 101": { "prerequisites": [], - "name": "Research Seminar in Washington, DC", - "description": "Independent study under the supervision of a faculty member leading to the preparation of an honors essay. A letter grade for both HITO 194 and 195 will be given at the completion of this quarter. ** Consent of instructor to enroll possible **" + "name": "Developmental Psychology", + "description": "This course provides a comprehensive overview of the neural mechanisms that support vision, audition, touch, olfaction, and taste. " }, - "HITO 194": { + "PSYC 102": { "prerequisites": [], - "name": "History Honors", - "description": "The nature and uses of history are explored through the study of the historian\u2019s craft based on critical analysis of historical literature relating to selected topics of concern to all historians. Required of all candidates for history honors and open to other interested students with the instructor\u2019s consent. Department stamp required. " + "name": "Sensory Neuroscience ", + "description": "This course provides a comprehensive overview of the field of social psychology, covering a review of the field\u2019s founding principles, classic findings, and a survey of recent findings. Topics will include social perception, attributions and attitudes, stereotypies, social influence, group dynamics, and aggressive and prosocial tendencies. " }, - "HITO 195": { + "PSYC 104": { "prerequisites": [], - "name": "The Honors Essay", - "description": "Directed group study on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members. (P/NP grades only.) " + "name": "Social Psychology", + "description": "This course provides a comprehensive overview of cognitive psychology, the scientific study of mental processes: how people acquire, store, transform, use, and communicate information. Topics may include perception, attention, language, memory, reasoning, problem solving, decision-making, and creativity. " }, - "HITO 196": { + "PSYC 105": { "prerequisites": [], - "name": "Honors Seminar", - "description": "Independent study on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Cognitive Psychology", + "description": "This course provides a comprehensive overview of human and animal behavior from a neuroscience perspective. Topics include the functions and mechanisms of perception, motivation (sex, sleep, hunger, emotions), learning and memory, and motor control and movement. " }, - "HITO 198": { + "PSYC 106": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Medieval and early modern origins of constitutional ideas and institutions. The question of the course is: Where did the ideas and institutions embodied in the constitutions of the U.S. (1787) and of France (1791) come from? Requirements will vary for undergraduate, MA, and PhD students. Graduate students are required to submit a more substantial piece of work. " + "name": "Behavioral Neuroscience ", + "description": "This course provides a comprehensive overview of neuroanatomy and major methods and results from neuroimaging and neuropsychological studies of behavior. Topics include attention, motor control, executive function, memory, learning, emotion, and language. " }, - "HITO 199": { + "PSYC 108": { "prerequisites": [], - "name": "Independent Study in Historical Topics", - "description": "The upheavals that transformed the early modern Atlantic emphasizing the United States, Caribbean, and Great Britain. Topics: struggles to define democracy, the reorganization of the Atlantic state system, the Enlightenment, and international responses to the American and French Revolutions.\u00a0+ " + "name": "Cognitive Neuroscience", + "description": "This course provides research seminars by a range of departmental faculty, exposing students to contemporary research problems in many areas of psychology. Class discussions will follow faculty presentations. Must be taken for a letter grade for the Psychology Honors Program. " }, - "HIUS 103/ETHN 103A": { + "PSYC 110": { "prerequisites": [], - "name": "The United States and the Pacific World", - "description": "Examines foreign relations of the United States from acquisition of a formal overseas empire in the aftermath of the Spanish-American War to the end of the Cold War. Topics cover a range of public and private interactions with the world." + "name": "Juniors Honors Research Seminars", + "description": "This course provides training in applying advanced statistical methods to experimental design. Emphasis will be placed on the developing skills in statistical problem-solving, using computer applications, and writing scientific reports. Must be taken for a letter grade for the Psychology Honors Program. ** Consent of instructor to enroll possible **" }, - "HIUS 104": { + "PSYC 111A": { + "prerequisites": [ + "PSYC 111A" + ], + "name": "Research Methods I", + "description": "This course builds upon the material of PSYC 111A. Students will participate in data collection, data organization, statistical analysis and graphical analysis, with emphasis placed on developing scientific report writing, presentations, and critical thinking about experimental methods. Must be taken for a letter grade for the Psychology Honors Program. " + }, + "PSYC 111B": { + "prerequisites": [ + "PSYC 60", + "or", + "COGS 14B", + "and", + "PSYC 70", + "or", + "COGS 14A", + "and", + "COGS 101A", + "or", + "COGS 107A", + "or", + "COGS 107B", + "or", + "COGS 107C", + "or", + "PSYC 102", + "or", + "PSYC 106", + "or", + "PSYC 108" + ], + "name": "Research Methods II", + "description": "This course provides training in the design, execution, and analysis of electroencephalogram (EEG) experiments to study perception and cognition. The course will provide basic background on the EEG methodology: what and how neural signals are measured with EEG, how to interpret them, and how to design experiments. It will also provide hands-on training on conducting an EEG study: we will design and run experiments together in the laboratory, analyze the data, and discuss the results. " + }, + "PSYC 113": { "prerequisites": [], - "name": "The Revolutionary Atlantic", - "description": "Examine the development of apocalyptic Jewish movements in the Second Temple period and the influence these movements had on Rabbinic Judaism and early Christianity. " + "name": "Electroencephalogram", + "description": "This course provides an overview and training in the use of psychophysiological methods to investigate the cognitive and emotional process involved in understanding and reacting to other people. Students will develop individual research questions and actively participate in designing and conducting the experiments. " }, - "HIUS 106A": { + "PSYC 114": { + "prerequisites": [ + "PSYC 60" + ], + "name": "Psychophysiological Perspectives on the Social Mind Laboratory ", + "description": "This course provides training in the design, execution, and analysis of cognitive psychology experiments. Students may not receive credit for both PSYC 115 and PSYC 115A. ** Upper-division standing required ** " + }, + "PSYC 115A": { + "prerequisites": [ + "PSYC 115A" + ], + "name": "Laboratory in Cognitive Psychology I", + "description": "This course is designed to extend the training of PSYC 115A in the design, execution, and analysis of cognitive psychology experiments. Students may not receive credit for both PSYC 115 and PSYC 115B. ** Upper-division standing required ** " + }, + "PSYC 115B": { "prerequisites": [], - "name": "American Foreign Relations, to 1900", - "description": "This course examines the history of the Native Americans in the United States with emphasis on the lifeways, mores, warfare, cultural adaptation, and relations with the European colonial powers and the emerging United States until 1870.\u00a0+" + "name": "Laboratory in Cognitive Psychology II", + "description": "This course provides examination of theory, research design, and methods for clinical research. Students complete an internship at a clinical research lab, culminating in a paper. May be taken for credit three times for a total of eight units. Students may not receive credit for both PSYC 116 and PSYC 107. " }, - "HIUS 106B": { + "PSYC 116": { "prerequisites": [], - "name": "\t\t American Foreign Relations, since 1900", - "description": "This course examines the history of the Native Americans in the United States with emphasis on the lifeways, mores, warfare, cultural adaptation, and relations with the United States from 1870 to the present." + "name": "Laboratory in Clinical Psychology Research", + "description": "This course provides experience conducting educational research and outreach for children in greater San Diego County. May be taken for credit three times. " }, - "HIUS 106S": { + "PSYC 117": { "prerequisites": [], - "name": "Apocalyptic Judaism", - "description": "A lecture course that explores the evolution of the interaction between the United States and the world from the American Revolution to the First World War, with particular emphasis upon the role of diplomacy, war, and economic change. " + "name": "Laboratory in Educational Research and Outreach ", + "description": "This course provides a survey of research and theory in learning and motivation. Topics include instincts, reinforcement, stimulus control, choice, and human application. " }, - "HIUS 108A/ETHN\n\t\t 112A": { + "PSYC 120": { "prerequisites": [], - "name": "History of Native Americans in the United States I", - "description": "A lecture course that explores the evolution of the interaction between the United States and the world from 1914 to the present, with special attention to the era of the Great Depression, the Cold War, Vietnam, and the post 9/11 war on terror." + "name": "Learning and Motivation", + "description": "This course provides laboratory experience in operant psychology. " }, - "HIUS 108B/ETHN\n\t\t 112B": { + "PSYC 121": { "prerequisites": [], - "name": "History of Native Americans in the United States II", - "description": "The course addresses the causes, course, and consequences of the US Civil War. We will explore such themes as how Unionists and Confederates mobilized their populations and dealt with dissension, the war\u2019s effects on gender and race relations, and the transformation of the federal government." + "name": "Laboratory in Operant Psychology", + "description": "This course focuses on approaches to the study of behavior and its underlying fundamental units of analysis in human and nonhuman animals. Students may not receive credit for both PSYC 122 and PSYC 103. " }, - "HIUS 110": { + "PSYC 122": { "prerequisites": [], - "name": "America and the World: Revolution to World War I", - "description": "This course explores the history of the largest minority population in the United States, focusing on the legacies of the Mexican War, the history of Mexican immigration and US-Mexican relations, and the struggle for citizenship and civil rights." + "name": "Mechanisms of Animal Behavior", + "description": "This course provides an understanding of how the frontal lobes allow us to engage in complex mental processes. Topics may include anatomy and theory of prefrontal function, frontal lobe clinical syndromes, pharmacology and genetics, emotion control, and cognitive training. " }, - "HIUS 111": { + "PSYC 123": { "prerequisites": [], - "name": "America and the World: World War I to the Present", - "description": "This course surveys the history of California from the period just before Spanish contact in 1542 through California\u2019s admission to the Union in 1850. +" + "name": "Cognitive Control and Frontal Lobe Function", + "description": "This course provides an introduction to the history, purpose, and recent changes to the Diagnostic and Statistical Manual of Mental Disorders along with appropriate evidence-based interventions. Other topics include psychiatric emergencies, crisis management, and ethics. Recommended preparation: Completion of PSYC 100. " }, - "HIUS 112": { + "PSYC 124": { "prerequisites": [], - "name": "The US Civil War", - "description": " This course surveys the history of California from 1850 to the present.\n " + "name": "Clinical Assessment and Treatment ", + "description": "This course provides a fundamental understanding of brain-behavior relationships as applied to the practice of clinical neuropsychology. Major topics include functional neuroanatomy, principles of neuropsychological assessment and diagnosis, and the neuropsychological presentation of common neurologic and psychiatric conditions. " }, - "HIUS 113/ETHN 154": { + "PSYC 125": { + "prerequisites": [ + "PSYC 100", + "and", + "PSYC 124", + "and" + ], + "name": "Clinical Neuropsychology", + "description": "This course provides experience with clients in a community mental health care setting, under professional supervision. Seminar-based instruction also provides a framework for understanding theoretical, practical, and ethical issues related to client care. " + }, + "PSYC 126": { "prerequisites": [], - "name": "History of Mexican America", - "description": "Constructions of sex and sexuality in the United States from the time of precontact Native America to the present, focusing on sexual behaviors, sexual ideologies, and the uses of sexuality for social control. " + "name": "Practicum in Community Mental Health Care", + "description": "This course provides basic information about the nature of reading. Topics include word recognition, eye movements, inner speech, sentence processing, memory for text, learning to read, methods for teaching reading, reading disabilities and dyslexia, and speed-reading. Recommended preparation: completion of PSYC 105 or PSYC 145. " }, - "HIUS 114A": { + "PSYC 128": { "prerequisites": [], - "name": "California History 1542\u20131850", - "description": "This course examines the history of Los Angeles from the early nineteenth century to the present. Particular issues to be addressed include urbanization, ethnicity, politics, technological change, and cultural diversification. " + "name": "Psychology of Reading", + "description": "This course provides an overview of how we perceive the world. Topics include classic studies in perception, discussion of the view that perception is \u201clogical,\u201d and new insights into the neural mechanisms underlying perception. " }, - "HIUS 114B": { + "PSYC 129": { "prerequisites": [], - "name": "California History, 1850\u2013Present", - "description": "This course explores the history of Jews in America from the colonial period to the present, focusing on both the development of Jewish communities primarily as a result of immigration and evolving relations between Jews and the larger American society." + "name": "Logic of Perception", + "description": "This course provides a review of research on delay of gratification. Topics include what makes it so tough, in what situations it is possible, who can do it, and the implications of this ability. " }, - "HIUS 115": { + "PSYC 130": { "prerequisites": [], - "name": "History of Sexuality in the United States", - "description": "Topics will include Quaker origins of the American peace movements and examples of opposition to wars in the twentieth century from World Wars I and II, Vietnam, antinuclear movements, and intervention in Central America to Iraq." + "name": "Delay of Gratification", + "description": "This course provides a background into the origins and implementation of scientific racism, especially since the nineteenth century. Topics may include race/ethnicity and genetics, intelligence, nationalism, criminality, human performance, and morphometry. " }, - "HIUS 117": { + "PSYC 131": { "prerequisites": [], - "name": "History of Los Angeles", - "description": "(Cross-listed with ETHN 120D.) This course examines the history of racial and ethnic communities in San Diego. Drawing from historical research and interdisciplinary scholarship, we will explore how race impacted the history and development of San Diego and how \u201cordinary\u201d folk made sense of their racial identity and experiences. Toward these ends, students will conduct oral history and community-based research, develop public and digital humanities skills, and preserve a collection of oral histories for future scholarship. Concurrent enrollment in an Academic Internship Program course strongly recommended. Students may not receive credit for HIUS 120D and ETHN 120D. " + "name": "Scientific Racism: Genetics, Intelligence, and Race", + "description": "This course examines how hormones influence a variety of behaviors and how behavior reciprocally influences hormones. Specific topics covered include aggression, sex and sexuality, feeding, learning, memory, mood and neural mechanisms both in humans and nonhuman animals. Recommended preparation: completion of PSYC 106. " }, - "HIUS 118": { + "PSYC 132": { "prerequisites": [], - "name": "How Jews Became American", - "description": "A lecture-discussion course utilizing written texts and films to explore major themes in American politics and culture from the Great Depression through the 1990s. Topics will include the wars of America, McCarthyism, the counterculture of the 1960s, and the transformation of race and gender relations." + "name": "Hormones and Behavior", + "description": "This interdisciplinary course provides an overview of the fundamental properties of daily biological clocks of diverse species, from humans to microbes. Emphasis is placed on the relevance of internal time keeping in wide-ranging contexts including human performance, health, and industry. Cross-listed with BIMM 116. ** Consent of instructor to enroll possible **" }, - "HIUS 120": { + "PSYC 133": { "prerequisites": [], - "name": "Peace Movements in America", - "description": "New York City breathes history. Whether it is in the music,\n the literature, or the architecture, the city informs our most\n basic conceptions of American identity. This course examines\n the evolution of Gotham from the colonial era to today." + "name": "Circadian Rhythms\u2014Biological Clocks", + "description": "This course provides an overview of the biology and psychology of eating disorders such as anorexia nervosa, bulimia nervosa, and binge eating disorder. Abnormal, as well as normal, eating will be discussed from various perspectives including endocrinological, neurobiological, psychological, sociological, and evolutionary. " }, - "HIUS 120D": { + "PSYC 134": { "prerequisites": [], - "name": "Race and Oral History in San Diego", - "description": "Explore how Asian Americans were involved in the political, economic, and cultural formation of United States society. Topics include migration; labor systems; gender, sexuality and social organization; racial ideologies and anti-Asian movements; and nationalism and debates over citizenship. " + "name": "Eating Disorders", + "description": "This course provides an overview of how children\u2019s thinking develops. Topics may include perception, concept formation, memory, problem solving, and social cognition. " }, - "HIUS 122": { + "PSYC 136": { "prerequisites": [], - "name": "History and Hollywood: America and the Movies since the Great Depression", - "description": "History of Asian American activism from the late-nineteenth century to the present, with an emphasis on interethnic, interracial, and transnational solidarity practices. Topics include struggles for civil rights and labor rights; immigration reform; antiwar and anticolonial movements; hate crimes; and police brutality. Students may receive credit for one of the following: HIUS 125, HIUS 125GS, or ETHN 163J." + "name": "Cognitive Development", + "description": "This course provides an overview of social cognition, which blends cognitive and social psychology to understand how people make sense of the social world. Topics may include social perception, inference, memory, motivation, affect, understanding the self, stereotypes, and cultural cognition. " }, - "HIUS 123/USP 167": { + "PSYC 137": { "prerequisites": [], - "name": "History of New York City", - "description": "History of Asian American activism from the late-nineteenth century to the present, with an emphasis on interethnic, interracial, and transnational solidarity practices. Topics include struggles for civil rights and labor rights; immigration reform; antiwar and anticolonial movements; hate crimes; and police brutality. Students must apply and be accepted into the Global Seminars Program. Students may receive credit for one of the following: HIUS 125GS, HIUS 125, or ETHN 163J." + "name": "Social Cognition", + "description": "This course provides an overview of auditory perception. Topics may include the physiology of the auditory system, perception of pitch, loudness, and timbre, sound localization, perception of melodic and temporal patterns and musical illusions and paradoxes. Recommended preparation: ability to read musical notation. " }, - "HIUS 124/ETHN 125": { + "PSYC 138": { "prerequisites": [], - "name": "Asian American History", - "description": "Examines key periods, events, and processes throughout the twentieth century that shaped the way Americans thought about race. Also examines the historical development of the category of race and racism, as well as how it is lived in everyday life." + "name": "Sound and Music Perception", + "description": "This course provides an introduction to the applications of social psychological principles and findings to sports. Topics include motivation, level of aspiration, competition, cooperation, social comparison, and optimal arousal. Additional topics may include the perspective of spectators, discussing motivation and perceptions of success, streaks, and such. " }, - "HIUS 125/ETHN 163J": { + "PSYC 139": { "prerequisites": [], - "name": "Asian American Social Movements", - "description": "This course sketches the shifting experience persons of African descent have had with the law in the United States. Films, cases, articles, and book excerpts are used to convey the complex nature of this four-hundred-year journey." + "name": "The Social Psychology of Sport", + "description": "This course provides training in applying the principles of human behavior, including choice behavior, self-control, and reasoning. " }, - "HIUS 125GS": { + "PSYC 140": { "prerequisites": [], - "name": "Asian American Social Movements", - "description": "This class examines the history of racial and ethnic groups in American cities. It looks at major forces of change such as immigration to cities, political empowerment, and social movements, as well as urban policies such as housing segregation." + "name": "Human Behavior Laboratory", + "description": "This course provides insight into the question of whether important aspects of human behavior can be explained as resulting from natural selection. Topics include sex differences, selfishness and altruism, homicide and violence, and context effects of human reasoning. " }, - "HIUS 126": { + "PSYC 141": { "prerequisites": [], - "name": "The History of Race in the United States", - "description": "This course will explore connections between American culture and the transformations of class relations, gender ideology, and political thought. Topics will include the transformations of religious perspectives and practices, republican art and architecture, artisan and working-class culture, the changing place of art and artists in American society, antebellum reform movements, antislavery and proslavery thought.\u00a0+ " + "name": "Evolution and Human Nature", + "description": "This course provides a survey of research on consciousness from an experimental psychology perspective. Special emphasis will be placed on cognitive, neuroimaging, and clinical/psychiatric investigative techniques, and on the scientific assessment of the mind-body problem. " }, - "HIUS 128": { + "PSYC 142": { "prerequisites": [], - "name": "African American Legal History", - "description": "This course will focus on the transformation of work and leisure and the development of consumer culture. Students consider connections among culture, class, racial and gender ideologies, and politics. Topics include labor management and radicalism, organized sports, museums, commercial entertainment, world fairs, reactionary movements, and imperialism. " + "name": "Psychology of Consciousness", + "description": "This course provides an overview of the behavioral approach, including basic principles, self-control, clinical applications, and the design of cultures. " }, - "HIUS 129/USP 106": { + "PSYC 143": { "prerequisites": [], - "name": "The History of Race and Ethnicity in American Cities", - "description": "This course will focus on the transformation of work and leisure and development of consumer culture. Students will consider connections between culture, class relations, gender ideology, and politics. Topics will include labor radicalism, Taylorism, the development of organized sports, the rise of department stores, and the transformation of middle-class sexual culture of the Cold War. " + "name": "Control and Analysis of Human Behavior", + "description": "This course will provide a survey of current research and theory concerning human memory and amnesia from both cognitive and neuropsychological perspectives. Topics may include short-term (working) memory, encoding and retrieval, episodic and semantic memory, interference and forgetting, false memory, eyewitness memory, emotion and memory, famous case studies of amnesia, and the effects of aging and dementia on memory. " }, - "HIUS 130": { + "PSYC 144": { "prerequisites": [], - "name": "Cultural\n\t\t History from 1607 to 1865", - "description": "This course considers how cultural processes have shaped histories of the Civil War and Reconstruction. Students will analyze the relationship between popular culture and major themes of the era through the use of literature, texts, film, television, and print images. Students who took HIUS 132 cannot repeat this course. " + "name": "Memory and Amnesia", + "description": "This course provides an overview of language comprehension and production. Topics include animal communication, language development, and language disorders. Recommended preparation: completion of a course in language, cognition, or philosophy of the mind. " }, - "HIUS 131": { + "PSYC 145": { "prerequisites": [], - "name": "Cultural\n\t\t History from 1865 to 1917", - "description": "This interdisciplinary lecture course focuses on the history and literature of global piracy in the English-speaking world from Sir Francis Drake to Blackbeard and how this Golden Age was remembered in the popular fiction of the nineteenth and twentieth centuries.\u00a0Students may not receive credit for HIUS 133 and HIUS 133GS.\u00a0+" + "name": "Psychology of Language", + "description": "This course provides an introduction to research on language acquisition and its relationship to conceptual development. Topics include theoretical foundations (e.g., learning mechanisms, theories of concepts) and empirical case studies, including word learning, syntax and semantics, and language and thought. Recommended preparation: completion of a course in language/linguistics, cognition, or cognitive development. " }, - "HIUS 131D": { + "PSYC 146": { "prerequisites": [], - "name": "Cultural History from the Civil War to the Present", - "description": "This interdisciplinary lecture course focuses on the history and literature of global piracy in the English-speaking world from Sir Francis Drake to Blackbeard and how this Golden Age was remembered in the popular fiction of the nineteenth and twentieth centuries. Program or materials fees may apply. Students must apply and be accepted into the Global Seminars Program. Students may not receive credit for HIUS 133 and HIUS 133GS." + "name": "Language and Conceptual Development", + "description": "This course provides an overview of the role of gender in psychology, with an emphasis on critical thinking about gender. Topics may include gender differences in behavior and communication, influences on gender roles, gender identity, and gender effects on health and well-being. " }, - "HIUS 132S": { + "PSYC 147": { "prerequisites": [], - "name": "The Civil War and Reconstruction in Popular Culture", - "description": "Explore the politics of black culture in the postwar period. Topics include the dynamic interplay of social factors (migration, civil rights, black power, deindustrialization, globalization) and the production of African American culture, including music, film, and literature." + "name": "Gender\n\t\t\t\t ", + "description": "This course provides an overview of judgment and decision making, which is broadly concerned with preferences, subjective probability, and how they are combined to arrive at decisions. History and current topics will be covered. " }, - "HIUS 133": { + "PSYC 148": { "prerequisites": [], - "name": "The Golden Age of Piracy", - "description": "This course focuses on the role the Atlantic played in bringing together in both volatile and beneficial ways the remarkably different cultures of four continents from the Columbian Exchange to the Haitian Revolution. Students may not receive credit for HIUS 135 and 135A or 135B.\u00a0+" + "name": "Psychology of Judgment and Decision", + "description": "This course provides an overview of the neural basis of visual experience, or how our brain creates what we see in the world around us. " }, - "HIUS 133GS": { + "PSYC 150": { "prerequisites": [], - "name": "The Golden Age of Piracy", - "description": "This course traces the history of the institution of US citizenship in the last century, tracing changing notions of racial, cultural, and gender differences, the evolution of the civil rights struggle, and changes in laws governing citizenship and access to rights." + "name": "Cognitive Neuroscience of Vision", + "description": "This course provides an introduction to psychology testing. Topics include psychometrics and statistical methods of test construction; application of psychological tests in industry, clinical practice, and applied settings; and controversies in the application of psychological tests. " }, - "HIUS 134": { + "PSYC 151": { "prerequisites": [], - "name": "From\n\t\t Bebop to Hip-Hop: African American Cultural History since 1945", - "description": "This course examines the critical role mining played in the economic, political, and social history of the United States since the late 1800s. Topics discussed in the course will include labor movements, engineering, science and industry, foreign policy, and natural resource dependence." + "name": "Tests and Measurement", + "description": "This course provides an overview of the concept of intelligence from multiple perspectives. Topics include how intelligence is measured and the role of this measurement on practical matters, the role of intelligence in comparative psychology, and attempts to analyze intelligence in terms of more fundamental cognitive processes. " }, - "HIUS 135": { + "PSYC 152": { "prerequisites": [], - "name": "The Atlantic World, 1492\u20131803", - "description": "This course examines the transformation of African America across the expanse of the long twentieth century: imperialism, migration, urbanization, desegregation, and deindustrialization. Special emphasis will be placed on issues of culture, international relations, and urban politics. " + "name": "Conceptions of Intelligence", + "description": "This course provides an overview of past and current theories of emotion. Topics include facial expressions associated with emotion, psychophysiology, evolutionary perspectives, and specific emotions such as anger, fear, and jealousy. " }, - "HIUS 136/ETHN 153": { + "PSYC 153": { "prerequisites": [], - "name": "Citizenship and Civil Rights in the Twentieth Century", - "description": "The United States as a raw materials producer, as an agrarian society, and as an industrial nation. Emphasis on the logic of the growth process, the social and political tensions accompanying expansion, and nineteenth- and early twentieth-century transformations of American capitalism. " + "name": "Psychology of Emotion", + "description": "The course provides an extension of learning principles to human behavior. Topics include broad implications of a behavioral perspective, applied behavior analysis, and applications of behavioral principles to clinical disorders and to normal behavior in varied settings. " }, - "HIUS 137": { + "PSYC 154": { "prerequisites": [], - "name": "Mining and American History", - "description": "The United States as modern industrial nation. Emphasis on the logic of the growth process, the social and political tensions accompanying expansion, and twentieth-century transformations of American capitalism. " + "name": "Behavior Modification", + "description": "This course provides an exploration of health, illness, treatment, and delivery of treatment as they relate to psychological concepts and research and considers how the social psychological perspective might be extended into medical fields. " }, - "HIUS 139/ETHN 149": { + "PSYC 155": { "prerequisites": [], - "name": "African American History in the Twentieth Century", - "description": "Examines the political, economic, and social history of the American people from the turn of the twentieth century to the end of World War II. Topics: progressive movement, impact of the Great Depression, and the consequences of two world wars." + "name": "Social Psychology and Medicine", + "description": "This course provides an overview of infant development. Students will critically evaluate scientific theories regarding infant cognitive, linguistic, and social behavior. Recommended preparation: PSYC 60. " }, - "HIUS 140/ECON 158": { + "PSYC 156": { "prerequisites": [], - "name": "Economic History of the United States I", - "description": "Examines the political, economic and social history of the American people from the end of World War II to present. Topics: origins of the Cold War, struggle for racial justice and the rise of American conservatism since the 1980s. " + "name": "Cognitive Development in Infancy", + "description": "This course provides an overview of the psychology of happiness. Topics may include such questions as: What is happiness? How do we measure it, and how do we tell who has it? What is the biology of happiness and what is its evolutionary significance? What makes people happy\u2014youth, fortune, marriage, chocolate? Is the pursuit of happiness pointless? " }, - "HIUS 141/ECON 159": { + "PSYC 157": { "prerequisites": [], - "name": "Economic History of the United States II", - "description": "An examination of urban and regional planning as well as piecemeal change in the built environment. Topics include urban and suburban housing, work environments, public spaces, transportation and utility infrastructures, utopianism." + "name": "Happiness", + "description": "This course provides an examination of theories and empirical work pertaining to interpersonal relationships. Topics include attraction, jealousy, attachments, and love. " }, - "HIUS 142A": { + "PSYC 158": { "prerequisites": [], - "name": "\t\t United States in the Twentieth Century, 1900\u20131945", - "description": "An examination of urban and regional planning as well as piecemeal change in the built environment. Topics include urban and suburban housing, work environments, public spaces, transportation and utility infrastructures, and utopianism. Program or materials fees may apply. Students must apply and be accepted into the Global Seminars Program. Students may not receive credit for HIUS 143 and HIUS 143GS." + "name": "Interpersonal Relationships", + "description": "This course provides a survey of sensory and perceptual phenomena with an emphasis on their underlying physiological mechanisms. " }, - "HIUS 142B": { + "PSYC 159": { "prerequisites": [], - "name": "\t\t United States in the Twentieth Century, 1945 to the Present", - "description": "Selected topics in US history. Course may be taken for credit up to three times as topics vary.\u00a0" + "name": "Physiological Basis of Perception", + "description": "This course provides a survey of psychological findings relevant to designing \u201cuser-friendly\u201d computers and devices and improving aviation and traffic safety. Topics include human perception as it pertains to displays and image compression, human memory limitations relevant to usability, and nature of human errors. " }, - "HIUS 143": { + "PSYC 161": { "prerequisites": [], - "name": "The Built Environment in the Twentieth Century", - "description": "This course will examine the economic, social, and political changes underway in the United States from 1917 to 1945. Topics will include the 1920s, the Great Depression, the New Deal and the consequences of two World Wars.\u00a0" + "name": "Engineering Psychology", + "description": "This course provides an overview of the intersection between psychology and the legal system, covering a broad range of forensically relevant issues. Topics may include false memories, false confessions, eyewitness reliability, lie detection, DNA exonerations of the wrongfully convicted, jury decision making, and neuroscience and the law Recommended preparation: PSYC 60. " }, - "HIUS 143GS": { + "PSYC 162": { "prerequisites": [], - "name": "The Built Environment in the Twentieth Century", - "description": "Examining the history of urban riots in the United States since the late nineteenth century. Exploring how different groups of Americans have constructed competing notions of race, gender, labor, and national belonging by participating in street violence.\n\t\t\t " + "name": "Psychology and the Law", + "description": "This course provides an overview of the scientific study of law making and societal reaction to law breaking activity. Topics include major theories accounting for criminal behavior, the relationship between drugs and crime, the effects of penalties on recidivism, and the psychological effects of incarceration. " }, - "HIUS 144": { + "PSYC 164": { "prerequisites": [], - "name": "Topics in US History", - "description": "This course focuses on the phenomenon of modern American urbanization. Case studies of individual cities will help illustrate the social, political, and environmental consequences of rapid urban expansion, as well as the ways in which urban problems have been dealt with historically. " + "name": "Criminology", + "description": "This course provides a survey of the major trends and figures in the development of psychology as a field. Topics may include the mind-body problem, nativism vs. empiricism, and the genesis of behaviorism. " }, - "HIUS 145": { + "PSYC 166": { "prerequisites": [], - "name": "From New Era to New Deal", - "description": "An overview of the social and political developments that polarized American society in the tumultuous decade of the 1960s. Themes include the social impact of the postwar baby boom, the domestic and foreign policy implications of the Cold War; the evolution of the civil rights and women\u2019s movements; and the transformation of American popular culture. " + "name": "History of Psychology", + "description": "This seminar explores how psychologists think about and study the imagination\u2014the capacity to mentally transcend time, place, and circumstance to think about what might have been, plan and anticipate the future, create and become absorbed in fictional worlds, and consider alternatives to actual experiences. You will learn how to evaluate psychological evidence, and how to read, interpret, discuss, present, and write about scientific literature. PC25, PC26, PS28, PC29, PC30, PC31, PC32, PC33, PC34, PC35, HD01, HD02, HD25, HD26, or CG32 major only." }, - "HIUS 146": { + "PSYC 167": { "prerequisites": [], - "name": "Race, Riots, and Violence in the U.S.", - "description": "The history of American law and legal institutions. This quarter focuses on crime and punishment in the colonial era, the emergence of theories of popular sovereignty, the forging of the Constitution and American federalism, the relationship between law and economic change, and the crisis of slavery and Union.\u00a0+ " + "name": "Science of Imagination", + "description": "This course provides an overview of psychological disorders in children. Topics may include anxiety disorders, depressive and bipolar disorders, communication and learning disorders, conduct problems, autism, and other conditions. Emphasis is placed on symptomatology, assessment, etiological factors, epidemiology, and treatment. " }, - "HIUS 148/USP\n\t\t 103": { + "PSYC 168": { "prerequisites": [], - "name": "The American City in the Twentieth Century", - "description": "The history of American law and legal institutions. This course examines race relations and law, the rise of big business, the origins of the modern welfare state during the Great Depression, the crisis of civil liberties produced by two world wars and McCarthyism, and the Constitutional revolution wrought by the Warren Court. HIUS 150 is not a prerequisite for HIUS 151." + "name": "Psychological Disorders of Childhood", + "description": "This course provides an introduction to the neural mechanisms underlying perception, memory, language, and other mental capacities. Topics include how brain damage affects these capacities and how patients with brain lesions can contribute to our understanding of the normal brain. " }, - "HIUS 149": { + "PSYC 169": { "prerequisites": [], - "name": "The United States in the 1960s", - "description": "The historical development of constitutional thought and practice in the United States from the era of the American Revolution through the Civil War, with special attention to the role of the Supreme Court under Chief Justices Marshall and Taney." + "name": "Brain Damage and Mental Function", + "description": "This course provides a journey to the interface between neurophysiology and psychology. Topics include neuroimaging and neuroplasticity. " + }, + "PSYC 170": { + "prerequisites": [ + "PSYC 2" + ], + "name": "Cognitive Neuropsychology", + "description": "This course provides an overview of the neurobiology of learning and memory, from cognitive to molecular neuroscience, including human, animal, cellular, and molecular studies of memory. Topics include amnesia, intellectual disability, exceptional intelligence, aging, and Alzheimer\u2019s disease. " }, - "HIUS 150": { + "PSYC 171": { "prerequisites": [], - "name": "American Legal History to 1865", - "description": "The historical development of constitutional\n\t\t\t\t thought and practice in the United States since 1865, with special attention\n\t\t\t to the role of the Supreme Court from Chief Justices Chase to Rehnquist.\u00a0+ " + "name": "Neurobiology of Learning and Memory", + "description": "This course provides an overview of human sexuality research including diversity of sexual behavior and identities, sex and gender development, intimate relationships, and sexual dysfunction. Recommended preparation: completion of PSYC 1, 2, or 106. " }, - "HIUS 151": { + "PSYC 172": { "prerequisites": [], - "name": "American Legal History since 1865", - "description": "Survey of politicized criminal trials and\n\t\t\t\t impeachments from Colonial times to the 1880s. Examines politically motivated\n\t\t\t\t prosecutions and trials that became subjects of political controversy,\n\t\t\t\t were exploited by defendants for political purposes, or had\n\t\t\t\t their outcomes determined by political considerations.\u00a0+ " + "name": "Psychology of Human Sexuality", + "description": "This course provides an overview of the biological, psychological, and social influences on the psychology of food and behavior. Topics may include taste preferences and aversions and how they are learned, how culture influences food selection, and food-related behaviors across the lifespan. " }, - "HIUS 152A": { + "PSYC 173": { "prerequisites": [], - "name": "A Constitutional History of the United States to 1865", - "description": "Tracing popular cultural production and consumption in the United States since World War II. It historicizes popular culture as an arena where social relations are negotiated and where race, class, and gender identities are constructed, transformed, and contested." + "name": "Psychology of Food and Behavior", + "description": "This course provides an overview of high-level visual perception, and of how visual perception intersects with attention, memory, and concepts. Topics may include an introduction to the visual system with an emphasis on high-level visual regions; object recognition, face recognition, scene recognition and reading; visual attention, including eye movements during scene perception and during reading; and visual working memory. " }, - "HIUS 152B": { - "prerequisites": [], - "name": "A Constitutional History of the United States since 1865", - "description": "Selected problems in the history of the relationship between religious beliefs and practice and legal institutions in the Anglo American world. Topics include the English background, religion in the age of the American Revolution and the antebellum period.\u00a0+ " + "PSYC 174": { + "prerequisites": [ + "COGS 14B", + "or", + "MATH 11", + "or", + "PSYC 60", + "and", + "COGS 14A", + "or", + "PSYC 70" + ], + "name": "Visual Cognition", + "description": "This course provides a review of the scientific research surrounding the topic of Mindfulness, which has been approached from multiple disciplines including Buddhism, Positive Psychology, Cognitive Behavioral Therapy, and Neuroscience. Because Mindfulness is so multi-faceted, with many variables involved, the scientific study of Mindfulness requires rigorous research methods and statistics, and for this reason, a significant portion of the class focuses on these aspects. " }, - "HIUS 153": { + "PSYC 175": { "prerequisites": [], - "name": "American Political Trials", - "description": "Selected problems in the history of the relationship between religious beliefs and practice and legal institutions in America from the Civil War to the present. Topics include the religion and government aid; sacred duties and the law; and religion and cultural politics." + "name": "Science of Mindfulness", + "description": "This course provides an overview of how to foster creativity in individuals, groups, and organizations. Themes that cut across all three levels are highlighted. " }, - "HIUS 155": { + "PSYC 176": { "prerequisites": [], - "name": "From\n\t\t Zoot Suits to Hip-Hop: Race and Popular Culture since World War II", - "description": "This course explores the emergence of a dominant ideology of womanhood in America in the early nineteenth century and contrasts the ideal with the historically diverse experience of women of different races and classes, from settlement to 1870. Topics include witchcraft, evangelicalism, cult of domesticity, sexuality, rise of industrial capitalism and the transformation of women\u2019s work, the Civil War, and the first feminist movement.\u00a0+ " + "name": "Creativity", + "description": "This course provides an examination of human behavior in industrial, business, and organizational settings. Topics include psychological principles applied to selection, placement, management, and training; the effectiveness of individuals and groups within organizations, including leadership and control; conflict and cooperation; motivation; and organizational structure and design. " }, - "HIUS 155A": { + "PSYC 178": { "prerequisites": [], - "name": "Religion and Law in American History: Foundations to the Civil War", - "description": "This course explores the emergence of a dominant ideology of womanhood in America in the early nineteenth century and contrasts the ideal with the historically diverse experience of women of different races and classes, from settlement to 1870. Topics include witchcraft, evangelicalism, cult of domesticity, sexuality, rise of industrial capitalism and the transformation of women\u2019s work, the Civil War, and the first feminist movement." + "name": "Industrial Organizational Psychology", + "description": "This course provides an overview of the use, abuse, liability, and psychotherapeutic effects of drugs on humans. " }, - "HIUS 155B": { + "PSYC 179": { "prerequisites": [], - "name": "\t\t Religion and Law in American History: Civil War to the Present", - "description": "This course explores the making of the ideology of womanhood in modern America and the diversity of American women\u2019s experience from 1870 to the present. Topics include the suffrage movement, the struggle for reproductive rights and the ERA; immigrant and working-class women, women\u2019s work, and labor organization; education, the modern feminist movement and the contemporary politics of reproduction, including abortion and surrogate motherhood.\u00a0 " + "name": "Drugs, Addiction, and Mental Disorders", + "description": "This course provides an overview of the period of human adolescence, including the physical, cognitive, social, and emotional changes that take place during this developmental transition. " }, - "HIUS 156": { + "PSYC 180": { "prerequisites": [], - "name": "American\n\t\t Women, American Womanhood", - "description": "This course examines the history of the Spanish and Mexican borderlands (what became the US Southwest) from roughly 1400 to the end of the U.S.-Mexico War in 1848, focusing specifically on the area\u2019s social, cultural, and political development.\u00a0+ " + "name": "Adolescence", + "description": "This course provides an examination of visual, auditory, and tactile illusions and examines how they arise from interactions between perceptual and cognitive systems. " }, - "HIUS 156D": { + "PSYC 181": { "prerequisites": [], - "name": "American Women, American Womanhood", - "description": "Cross-listed as Ethnic Studies 131. This\n\t\t\t\t course examines the history of the American Southwest from\n\t\t\t\t the U.S.-Mexican War in 1846\u201348 to the present, focusing on\n\t\t\t\t immigration, racial and ethnic conflict, and the growth of Chicano national\n\t\t\t\t identity. " + "name": "Psychopharmacology\u2014Drugs and Behavior", + "description": "This course provides an overview of the experimental analysis of choice behavior, with an emphasis on the types of choice involved in self-control. A central interest will be the conditions under which decision-making is optimal. " }, - "HIUS 157": { + "PSYC 182": { "prerequisites": [], - "name": "American\n\t\t Women, American Womanhood 1870 to Present", - "description": "Course explores the concept of an American Empire by examination of the literature on the topic. Particular attention will be on the work since 9/11/01. Students are expected to produce original work concerning the definition and/or existence of an American Empire. Graduate students are expected to submit an additional piece of work. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Illusions and the Brain", + "description": "This course provides tools for the student to think about the escalating climate crisis. Urgent action is needed at a large, societal scale to prevent the worst consequences of anthropogenic global heating. Better understanding the prospects for such action can come from human psychology. How do people arrive at their beliefs? What is the basis of denial and delay? How does belief flow to action? What kinds of actions can people take? " }, - "HIUS 158/ETHN\n\t\t 130": { + "PSYC 184": { "prerequisites": [], - "name": "Social and Economic History of the Southwest I", - "description": "This seminar will trace major themes in the history of the American West. Topics will include ethnicity, the environment, urbanization, demographics, and shifting concepts surrounding the significance of the West. Graduate students will be required to submit additional work in order to receive graduate credit for the course. " + "name": "Choice and Self-Control", + "description": "This course provides an overview of how children learn to reason about the social world. Topics may include theory of mind, social categorization and stereotyping, moral reasoning, and cultural learning. Recommended preparation: PSYC 101. " }, - "HIUS 159/ETHN\n\t\t 131": { + "PSYC 185": { "prerequisites": [], - "name": "Social and Economic History of the Southwest II", - "description": "This colloquium studies the racial representation of Mexican Americans in the United States from the nineteenth century to the present, examining critically the theories and methods of the humanities and social sciences. " + "name": "Psychology of Climate Crisis", + "description": "This course provides an overview of problems of impulse control, which are important features of major psychiatric disorders and also of atypical patterns of behavior including pathological gambling, compulsive sex, eating, exercise, and shopping. Topics include development, major common features, treatment, and neurobiological basis of impulse control disorders. " }, - "HIUS\n\t\t 160/260": { - "prerequisites": [], - "name": "Colloquium on the American Empire", - "description": "The course investigates race, resistance, and culture in the United States since the late nineteenth century. It interrogates how working-class whites, African Americans, Latinos, Asian Americans, and others have simultaneously challenged, shaped, and assimilated into US society. May be coscheduled with HIUS 268. ** Upper-division standing required ** " + "PSYC 187": { + "prerequisites": [ + "BILD 2", + "or", + "PSYC 102", + "or", + "PSYC 106" + ], + "name": "Development of Social Cognition", + "description": "This course provides a survey of natural behaviors, including birdsong, prey capture, localization, electroreception and echolocation, and the neural system that controls them, emphasizing broad fundamental relationships between brain and behavior across species. Cross-listed with BIPN 189. Students may not receive credit for PSYC 189 and BIPN 189. " }, - "HIUS 162/262": { + "PSYC 188": { "prerequisites": [], - "name": "The American West", - "description": "A reading and discussion course on topics that vary from year to year, including American federalism, the history of civil liberties, and the Supreme Court. ** Consent of instructor to enroll possible **" + "name": "Impulse Control Disorders", + "description": "This course provides an interdisciplinary overview of theories and scientific research on parenting. This course takes a critical approach to the scientific evidence regarding the role of parents in child development. Topics may include media reporting of science, behavior genetics, diet, sleep, the nature of learning, screen time, impulse control, family structure, parenting styles, attachment, discipline strategies, and vaccination. " }, - "HIUS 167/267/ETHN 180": { + "PSYC 189": { "prerequisites": [], - "name": "Topics in Mexican American History", - "description": "This seminar examines race and war in US history, with an emphasis on their intersections and co-constitutions. Topics include frontier wars and \u201cmanifest destiny;\u201d border enforcement, antiradicalism, the war on drugs, and mass incarceration; and the war on terror. ** Department approval required ** " + "name": "Brain, Behavior, and Evolution", + "description": "This course provides an overview of the psychology of sleep, including sleep stages and their functions, neurological aspects of sleep, sleep across species and development, dreams and their interpretation, sleep disorders, and the role of sleep in learning and memory. " }, - "HIUS 168/268": { + "PSYC 190": { "prerequisites": [], - "name": "Race, Resistance, and Cultural Politics", - "description": "This seminar will explore the histories of sexual relations, politics, and cultures that both cross and define racial boundaries in the nineteenth and twentieth centuries. Reading will focus on the United States as well as take up studies sited in Canada and Latin America. Graduate students are expected to submit a more substantial piece of work. ** Consent of instructor to enroll possible **" + "name": "Science of Parenting", + "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small setting to explore an intellectual topic in psychology (at the upper-division level). Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" }, - "HIUS\n\t\t 169/269": { + "PSYC 191": { "prerequisites": [], - "name": "Topics in American Legal and Constitutional History", - "description": "This course explains the origin of the Atlantic as a zone of interaction for Europeans, indigenous Americans, and Africans, and evaluates the consequences of the interaction over several centuries by exploring contests over political power and economic/demographic change. Graduate students will submit a more substantial piece of work with in-depth analysis and with an increased number of sources cited. A typical undergraduate paper would be ten pages, whereas a typical graduate paper would require engagement with primary sources, more extensive reading of secondary material, and be about twenty pages. ** Upper-division standing required ** " + "name": "Psychology of Sleep", + "description": "Selected topics in the field of psychology. May be taken for credit three times as topics vary. ** Upper-division standing required ** " }, - "HIUS 174": { + "PSYC 192": { "prerequisites": [], - "name": "Race Wars in American Culture", - "description": "Comparative study of immigration and ethnic-group formation in the United States from 1880 to the present. Topics include immigrant adaptation, competing theories about the experiences of different ethnic groups, and the persistence of ethnic attachments in modern American society. " + "name": "Senior Seminar in Psychology", + "description": "Selected laboratory topics in the field of psychology. May be taken for credit two times as topics vary. ** Upper-division standing required ** " }, - "HIUS 176/276": { - "prerequisites": [], - "name": "Race and Sexual Politics", - "description": "A colloquium dealing with special topics in US history from 1900 to the present. Themes will vary from year to year. ** Consent of instructor to enroll possible **" + "PSYC 193": { + "prerequisites": [ + "PSYC 110", + "PSYC 111A-B" + ], + "name": "Topics in Psychology", + "description": "This course provides the opportunity for students to plan and carry out a research project under the guidance of the psychology faculty. Students will write a proposal for the research that they plan to conduct in 194B-C and will present this proposal to the class. Must be taken for a letter grade for the Psychology Honors Program. " }, - "HIUS 178/278": { - "prerequisites": [], - "name": "The Atlantic World, 1400\u20131800", - "description": "Cultural and political construction of the American nation. Topics include how citizenship and national community were imagined and contested; importance of class, gender, and race in the nation\u2019s public sphere; debates over slavery, expansion, and democracy in defining national purpose. Requirements will vary for undergraduates, MA, and PhD students. Graduate students are required to submit a more substantial paper. " + "PSYC 193L": { + "prerequisites": [ + "PSYC 194A" + ], + "name": "Psychology Laboratory Topics", + "description": "This course provides the opportunity for students to continue to carry out their research projects. Must be taken for a letter grade for the Psychology Honors Program. " }, - "HIUS 180/280/ETHN\n\t\t 134": { + "PSYC 194A": { + "prerequisites": [ + "PSYC 194B" + ], + "name": "Honors Thesis I", + "description": "This course provides the opportunity for students to complete their research, write their honors thesis, and present their results at the Honors Poster Session. Must be taken for a letter grade for the Psychology Honors Program. " + }, + "PSYC 194B": { "prerequisites": [], - "name": "Immigration and Ethnicity in Modern American Society", - "description": "A colloquium dealing with special topics in the history of people of African descent in the United States. Course may be taken for credit up to three times, as topics will vary from quarter to quarter. ** Consent of instructor to enroll possible **" + "name": "Honors Thesis II", + "description": "Introduction to teaching a psychology course. As an undergraduate instructional apprentice, students will attend the lectures of the course, hold weekly meetings with students of the course, hold weekly meetings with course instructor. Responsibilities may include class presentations, designing and leading weekly discussion sections, assisting with homework and exam grading, and monitoring and responding to online discussion posts. P/NP grades only. May be taken for credit two times. Only four units can be applied toward the psychology minor or major as upper-division psychology elective credit. " }, - "HIUS\n\t\t 181/281": { + "PSYC 194C": { "prerequisites": [], - "name": "Topics in Twentieth Century United States History", - "description": "In this seminar, we will examine the shifting boundary between what constitutes a public and a private concern in twentieth-century US history. We will consider issues such as civil rights, immigration, health care, and the regulation of financial institutions. ** Department approval required ** " + "name": "Honors Thesis III", + "description": "Weekly research seminar, three quarter research project under faculty guidance which culminates in a thesis. Must be taken for a letter grade to satisfy major requirements for Department of Psychology majors. " }, - "HIUS 182": { + "PSYC 195": { "prerequisites": [], - "name": "Special Topics in Intellectual History", - "description": "Selected topics in US economic history. Course may be taken for credit a total of three times, as topics vary.\u00a0 ** Consent of instructor to enroll possible **" + "name": "Instruction in Psychology", + "description": "Group study under the direction of a faculty member in the Department of Psychology. " }, - "HIUS 183": { + "PSYC 196A-B-C": { "prerequisites": [], - "name": "Topics in African American History", - "description": "Colloquium on select topics in culture and politics in the United States. Topics will vary from quarter to quarter. Graduate students will be required to submit an additional piece of work. ** Upper-division standing required ** " + "name": "Research Seminar", + "description": "Independent study or laboratory research under direction of faculty in the Department of Psychology. P/NP grades only. May be taken for credit nine times. ** Upper-division standing required ** " }, - "HIUS 185/285": { + "PSYC 198": { "prerequisites": [], - "name": "In the Public Interest", - "description": "Directed group study on United States history under the supervision of a member of the faculty on a topic not generally included in the regular curriculum. Students must make arrangements with individual faculty members." + "name": "Directed Group Study in Psychology", + "description": "\u00a0 " }, - "HIUS 186": { + "PSYC 199": { "prerequisites": [], - "name": "Topics in US Economic History", - "description": "Directed readings for undergraduates under the supervision of various faculty members. ** Consent of instructor to enroll possible **" + "name": "Independent Study", + "description": "The first part of a series of intensive courses in statistical methods and the mathematical treatment of data, with special reference to research in psychology." }, - "HIUS 188/288": { + "INTL 97": { "prerequisites": [], - "name": "Topics in Culture and Politics", - "description": "This course examines the legal and cultural constructions of \u201cfreedom\u201d in American history, with a focus on its inherent limitations and exclusions. We will examine how marginalized groups have engaged in political struggles in pursuit of more expansive notions of freedom." + "name": "Internship", + "description": "Independent research connected to an internship with an organization relevant to the career interests of a student of international studies. Topic of the required research to be determined by the supervising faculty member. P/NP grades only. May be taken for credit eight times. ** Department approval required ** " }, - "HIUS 198": { + "INTL 101": { "prerequisites": [], - "name": "Directed Group Study", - "description": "This seminar examines race and war in US history, with an emphasis on their intersections and co-constitutions. Topics include frontier wars and \u201cmanifest destiny\u201d; border enforcement; antiradicalism; the war on drugs and mass incarceration; and the war on terror. May be coscheduled with HIUS 174. ** Consent of instructor to enroll possible **" + "name": "Culture\n\t\t and Society in International Perspective", + "description": "Analysis of the cultural and social development of the modern era from the perspective of interaction among societies. Particular attention is paid to the definition, representation, and negotiation of social and cultural boundaries over time. ** Upper-division standing required ** " }, - "HIUS 199": { + "INTL 102": { "prerequisites": [], - "name": "Independent\n\t\t Study in United States History", - "description": "This course introduces students to the field of Asian American history, with an emphasis on historiographical shifts and debates. It includes a wide range of topics and methodologies that cross disciplinary boundaries." + "name": "Economics,\n\t\t Politics, and International Change", + "description": "Examination of the domestic and international sources of economic and political change. Topics include the rise of the nation-state, comparative economic development, authoritarian and democratic regimes, international and civil conflict, globalization and its domestic and international implications. ** Upper-division standing required ** " }, - "MGT 3": { + "INTL 190": { "prerequisites": [], - "name": "Quantitative Methods in Business", - "description": "Introduction to techniques to develop/analyze data for informed tactical and strategic management decisions: statistical inference, probability, regression analysis, and optimization. Using these analytic approaches, theory-based formulas, and spreadsheets, students explore managerial applications across all areas of business activity." + "name": "Seminar in International Studies", + "description": "Required seminar for International Studies seniors. Readings and discussion of topics in international and comparative studies from an interdisciplinary perspective. Emphasis on independent work and completion of a research paper. " }, - "MGT 4": { + "INTL 190H": { "prerequisites": [], - "name": "Financial Accounting", - "description": "Cross-listed with ECON 4. Recording, organizing, and communicating\n financial information to business entities. " + "name": "\t\t Honors Seminar in International Studies", + "description": "Required of all honors students in International Studies. Reading and discussion of topics in international and comparative studies from an interdisciplinary perspective. Emphasis on research design and completion of research paper in preparation for INTL 196H. " }, - "MGT 5": { + "INTL 196H": { "prerequisites": [], - "name": "Managerial Accounting", - "description": "Internal accounting fundamentals, including cost behavior, cost application\n methods, overhead allocation methods, break-even analysis, budgeting, cost\n variance analysis, inventory management, and capital budgeting." + "name": "International Studies Honors Program", + "description": "Open only to seniors who have completed INTL 190H. Completion of an honors thesis under the supervision of a member of the International Studies faculty. " }, - "MGT 12": { + "INTL 197": { "prerequisites": [], - "name": "Personal Financial Management", - "description": "Course examines management of personal financial assets: savings and checking accounts, fixed assets, and credit cards. Budgeting, loan applications, payment terms, and statement reconciliation will be covered as will credit ratings, cash management, compound interest, bank operations, and contract obligations." + "name": "Internship", + "description": "Independent research connected to an internship with an organization relevant to the career interests of a student of international studies. Topic of the required research to be determined by the supervising faculty member. P/NP grades only. May be taken for credit eight times. ** Department approval required ** " }, - "MGT 16": { + "CSE 3": { "prerequisites": [], - "name": "Personal Ethics at Work", - "description": "Course examines the ethical foundation for choices individuals make every day both in the workplace and in their private lives, the connection between economic and ethical obligations with examples related to privacy, reporting, whistle-blowing, workplace relationships, confidentiality, and intellectual property. " + "name": "Fluency in Information Technology", + "description": "Introduces the concepts and skills necessary to effectively use information technology. Includes basic concepts and some practical skills with computer and networks. " + }, + "CSE 4GS": { + "prerequisites": [ + "MATH 10A", + "or", + "MATH 20A" + ], + "name": "Mathematical Beauty in Rome", + "description": "Exploration of topics in mathematics and engineering\n\t\t\t\t as they relate to classical architecture in Rome, Italy. In\n\t\t\t\t depth geometrical\n\t\t\t\t analysis and computer modeling of basic structures (arches,\n\t\t\t\t vaults, domes),\n\t\t\t\t and on-site studies of the Colosseum, Pantheon, Roman Forum,\n\t\t\t\t and St. Peter\u2019s Basilica. " }, - "MGT 18": { - "prerequisites": [], - "name": "Managing Diverse Teams", - "description": "The modern workplace includes people different in culture, gender, age, language, religion, education, and more. Students will learn why diverse teams make better decisions and are often integral to the success of organizations. Topics include challenges of diversity, and the impact of emotional, social, and cultural intelligence on team success. Content will include significant attention to the experiences of Asian Americans and African Americans as members and leaders of such diverse teams. Students will not receive credit for both MGT 18 and MGT 18GS. " + "CSE 6GS": { + "prerequisites": [ + "MATH 10A", + "or", + "MATH 20A" + ], + "name": "Mathematical Beauty in Rome Lab", + "description": "Companion course to CSE 4GS where theory is applied and lab experiments\n\t\t\t\t are carried out \u201cin the field\u201d in Rome, Italy. For final projects,\n\t\t\t\t students will select a complex structure (e.g., the Colosseum, the\n\t\t\t\t Pantheon, St. Peter\u2019s, etc.) to analyze and model, in detail, using computer-based\n\t\t\t\t tools. " }, - "MGT 18GS": { + "CSE 5A": { "prerequisites": [], - "name": "Managing Diverse Teams", - "description": "The modern workplace includes people different in culture, gender, age, language, religion, education, and more. Students will learn why diverse teams make better decisions and are often integral to the success of organizations. Topics include challenges of diversity, and the impact of emotional, social, and cultural intelligence on team success. Content will include significant attention to the experiences of Asian Americans and African Americans as members and leaders of such diverse teams. Students must submit applications to the International Center Programs Abroad Office and be accepted into the Global Seminar Program. Students will not receive credit for both MGT 18 and MGT 18GS. Program or materials fees may apply." + "name": "Introduction to Programming I", + "description": "Introduction to algorithms and top-down problem solving. Introduction to the C language, including functions, arrays, and standard libraries. Basic skills for using a PC graphical user interface operating system environment. File maintenance utilities are covered. A student may not receive credit for CSE 5A after receiving credit for CSE 11 or CSE 8B. Recommended preparation: A familiarity with high school-level algebra is expected, but this course assumes no prior programming knowledge. " }, - "MGT 45": { + "CSE 8A": { "prerequisites": [], - "name": "Principles of Accounting", - "description": "Covers the principles, methods and applications of general accounting, cost accounting and investment ROI.\u00a0Development of the three key financial reports and their interrelations, cost identification, product costing, inventory control, operational performance, and investment return MGT 52. Test and Measurement in the Workplace (4)\nThis course introduces students to the psychometric, legal, ethical, and practical considerations of using tests and measurements for evidence-based decision-making in the workplace. Emphasis is given to selection and performance measurements for individual, team, business unit and organization-wide use in marketing, STEM, and operations. Student teams will develop managerial recommendations following company specific research and analysis.\nUpper-Division Undergraduate Courses\n" + "name": "Introduction to Computer Science: Java I", + "description": "Introductory course for students interested in computer science. Fundamental concepts of applied computer science using media computation. Exercises in the theory and practice of computer science. Hands-on experience with designing, editing, compiling, and executing programming constructs and applications. CSE 8A is part of a two-course sequence (CSE 8A and CSE 8B) that is equivalent to CSE 11. Students should take CSE 8B to complete this track. Formerly offered as corequisite courses CSE 8A plus 8AL. Students who have taken CSE 8B or CSE 11 may not take CSE 8A. Recommended preparation: No prior programming experience is assumed, but comfort using computers is helpful. Students should consult the \u201cCSE Course Placement Advice\u201d web page for assistance in choosing which CSE course to take first. ** Exam placement options to enroll possible ** " }, - "MGT 52": { - "prerequisites": [], - "name": "Test and Measurement in the Workplace", - "description": "This course introduces students to the psychometric, legal, ethical, and practical considerations of using tests and measurements for evidence-based decision-making in the workplace. Emphasis is given to selection and performance measurements for individual, team, business unit and organization-wide use in marketing, STEM, and operations. Student teams will develop managerial recommendations following company specific research and analysis." + "CSE 8B": { + "prerequisites": [ + "CSE 8A" + ], + "name": "Introduction to Computer Science: Java II", + "description": "Continuation of the Java language. Continuation of programming techniques. More on inheritance. Exception handling. CSE 8B is part of a two-course sequence (CSE 8A and CSE 8B) that is equivalent to CSE 11. Students should consult the \u201cCSE Course Placement Advice\u201d web page for assistance in choosing which CSE course to take first. Students may not receive credit for CSE 8B and CSE 11. ** Exam placement options to enroll possible ** " }, - "MGT 103": { + "CSE 11": { "prerequisites": [], - "name": "Product Marketing and Management", - "description": "Defining markets for products and services, segmenting these markets, and targeting critical customers within segments. Strategies to position products and services within segments. The critical role of pricing as well as market research, product management, promotion, selling, and customer support. " + "name": "Introduction to Computer Science and Object-Oriented Programming: Java", + "description": "An accelerated introduction to computer science and programming using the Java language. Basic UNIX. Modularity and abstraction. Documentation, testing and verification techniques. Basic object-oriented programming, including inheritance and dynamic binding. Exception handling. Event-driven programming. Experience with AWT library or another similar library. Students who have completed CSE 8B may not take CSE 11. Students should\u00a0consult the \u201cCSE Course Placement Advice\u201d web page for assistance in choosing which CSE course to take first. Recommended preparation: high school algebra and familiarity with computing concepts and a course in a compiled language. ** Exam placement options to enroll possible ** " }, - "MGT 105": { + "CSE 12": { "prerequisites": [ - "MGT 103" + "CSE 8B", + "or", + "CSE 11", + "and", + "CSE 15L" ], - "name": "Product Promotion and Brand Management", - "description": "Examines the sales function from strategic competitive importance to the firm to required direct sales skills of individual salespersons. Major subject areas covered are the sales process, recruitment and training, organization and focus, \u201cterritories,\u201d evaluation and compensation. " + "name": "Basic Data\n\t\t Structures and Object-Oriented Design", + "description": "Use and implementation of basic data structures including linked lists, stacks, and queues. Use of advanced structures such as binary trees and hash tables. Object-oriented design including interfaces, polymorphism, encapsulation, abstract data types, pre-/post-conditions. Recursion. Uses Java and Java Collections. " }, - "MGT 106": { + "CSE 15L": { "prerequisites": [ - "MGT 103" + "CSE 8B", + "or", + "CSE 11", + "and", + "CSE 12" ], - "name": "Sales and Sales Management", - "description": "The course identifies the factors that influence the selection and usage of products and services. Students will be introduced to problems/decisions that include evaluating behavior, understanding the consumers\u2019 decision process, and strategies to create desirable consumer behavior. " + "name": "Software Tools and Techniques Laboratory", + "description": "Hands-on exploration of software development\n\t\t\t\t tools and techniques. Investigation of the scientific process\n\t\t\t\t as applied to software development and debugging. Emphasis is on weekly\n\t\t\t\t hands-on laboratory experiences, development of laboratory notebooking\n\t\t\t\t techniques as applied to software design. " }, - "MGT 107": { + "CSE 20": { "prerequisites": [ - "MGT 103" + "COGS 7", + "or", + "CSE 8B", + "or", + "CSE 11" ], - "name": "Consumer Behavior", - "description": "Introduces advanced topics of special interest in marketing. Topics may include advertising, consumer behavior, pricing, product life cycles, etc. This course may also cover the unique demands of innovation-driven, biotech, and high-technology markets. " + "name": "Discrete Mathematics", + "description": "Basic discrete mathematical structures: sets, relations, functions, sequences, equivalence relations, partial orders, and number systems. Methods of reasoning and proofs: prepositional logic, predicate logic, induction, recursion, and pigeonhole principle. Infinite sets and diagonalization. Basic counting techniques; permutation and combinations. Applications will be given to digital logic design, elementary number theory, design of programs, and proofs of program correctness. Students who have completed MATH 109 may not receive credit for CSE 20. Credit not offered for both MATH 15A and CSE 20. Equivalent to MATH 15A. " }, - "MGT 109": { + "CSE 21": { "prerequisites": [ - "MGT 103", - "and", - "MGT 181", + "CSE 20", "or", - "MGT 187" + "MATH 15A" ], - "name": "Topics in Marketing", - "description": "Will examine the advantages and complications of the multinational organization with emphasis on translating marketing, financing, and operating plans in light of geographical, cultural, and legal differences across the globe. Will also cover organizational considerations for transglobal management. " - }, - "MGT 112": { - "prerequisites": [], - "name": "Global Business Strategy", - "description": "Focuses on elements of business law that are essential for the basic management of business operations. Topics include the law of contracts, sales, partnership, corporations, bankruptcy, and securities. Students will also gain knowledge of intellectual property law and dispute resolution. " + "name": "Mathematics for Algorithms and Systems", + "description": "This course will provide an introduction to the discrete mathematical tools needed to analyze algorithms and systems. Enumerative combinatorics: basic counting principles, inclusion-exclusion, and generating functions. Matrix notation. Applied discrete probability. Finite automata. " }, - "MGT 117": { - "prerequisites": [], - "name": "Business Law", - "description": "Introduces advanced topics of special interest in business and addresses the new frontiers in the industry. Topics may include intellectual property, consumer behavior, market research, analytics, and spreadsheet modeling, etc. May be taken for credit three times. Instructional methods include face-to-face lecture, case presentation, assigned reading, and group discussion. " + "CSE 30": { + "prerequisites": [ + "CSE 12", + "and", + "CSE 15L" + ], + "name": "Computer\n\t\t Organization and Systems Programming", + "description": "Introduction to organization of modern digital\n\t\t\t\t computers\u2014understanding the various components of a computer\n\t\t\t\t and their interrelationships. Study of a specific architecture/machine\n\t\t\t\t with emphasis on systems programming in C and Assembly languages in a UNIX\n\t\t\t\t environment. " }, - "MGT 119": { + "CSE 42": { "prerequisites": [], - "name": "Topics in Business", - "description": "Consider new project concepts. Discern market needs, competitive environment, and determine \u201cgo to market\u201d strategy. Research potential markets, customers, partners, and competitors. Consider price versus attributes, alternative distribution channels, gaining unfair advantage. Examine the need and structure of a start-up team. " + "name": "Building and Programming Electronic Devices", + "description": "This course allows students to use what they learned in introductory programming courses to make things happen in the real world. Working in teams, students will first learn to program Arduino-based devices. Teams of students will design a custom device and program it to do their bidding. This course is targeted to freshmen and sophomores in engineering and science disciplines who want to practice applying what they have learned in a programming class and to have the chance to program things other than computers. Program or materials fees may apply. ** Department approval required ** " }, - "MGT 121A": { + "CSE 80": { "prerequisites": [ - "MGT 181", - "or", - "MGT 187", - "and", - "MGT 111", + "CSE 8B", "or", - "MGT 121A" + "CSE 11" ], - "name": "Innovation to Market A", - "description": "Build a business plan. Establish intellectual property rights. Provide financial projections and determine financing needs. Explore investment sourcing, business valuation, and harvesting opportunities. Determine operational plans and key employee requirements. " + "name": "UNIX Lab", + "description": "The objective of the course is to help the programmer create a productive UNIX environment. Topics include customizing the shell, file system, shell programming, process management, and UNIX tools. " }, - "MGT 121B": { + "CSE 86": { + "prerequisites": [ + "CSE 12" + ], + "name": "C++ for Java Programmers", + "description": "Helps the Java programmer to be productive in the C++ programming environment. Topics include the similarities and differences between Java and C++ with special attention to pointers, operator overloading, templates, the STL, the preprocessor, and the C++ Runtime Environment. ** Consent of instructor to enroll possible **" + }, + "CSE 87": { "prerequisites": [], - "name": "Innovation to Market B", - "description": "Outlines frameworks and tools for formulating strategy to manage technology and think strategically in fast-moving industries (e.g., high tech, biotech, and clean tech). Students will gain insights into technology, strategy, and markets, especially how disruptive technologies create opportunities for startups and transform established firms, and how technology firms achieve competitive advantage through tech-enabled innovations. Illustrated by case studies on cutting-edge startups industry leaders. " + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "MGT 127": { + "CSE 90": { "prerequisites": [], - "name": "Innovation and Technology Strategy", - "description": "Business innovation is accelerating and the service sector is the fastest-growing sector of the economy. This course helps students prepare for careers as businesses transition to a service economy and help them identify career and entrepreneurial opportunities. Students gain understanding of the design and innovation approaches in businesses and the service industry. The course also addresses trends of businesses services getting digitized and technology-enabled for growth, productivity, and scalability. Credit not allowed for MGT 128 and MGT 128R. " + "name": "Undergraduate Seminar", + "description": "A seminar providing an overview of a topic of current research interest to the instructor. The goal is to present a specialized topic in computer science and engineering students. May be taken for credit three times when topics vary.\u00a0 " }, - "MGT 128": { + "CSE 91": { "prerequisites": [], - "name": "Business Innovation and Growth ", - "description": "Business innovation is accelerating and the service sector is the fastest-growing sector of the economy. This course helps students prepare for careers as businesses transition to a service economy and help them identify career and entrepreneurial opportunities. Students gain understanding of the design and innovation approaches in businesses and the service industry. The course also addresses trends of businesses\u2019 services getting digitized and technology-enabled for growth, productivity, and scalability. Credit not allowed for MGT 128R and MGT 128. " + "name": "Perspectives\n\t\t in Computer Science and Engineering", + "description": "A seminar format discussion led by CSE faculty on topics in central areas of computer science, concentrating on the relation among them, recent developments, and future directions. " }, - "MGT 128R": { + "CSE 99": { "prerequisites": [], - "name": "Business Innovation and Growth", - "description": "Introduces advanced topics of special interest in entrepreneurship. Examples of course topics include (but are not limited to) venture capital funding process, entrepreneurial business development and marketing, workplace climate and morale, and developing a capable workforce. Instructional methods include face-to-face lecture, case presentation, assigned reading and group discussion. May be taken for credit three times. " + "name": "Independent\n\t\t Study in Computer Science and Engineering", + "description": "Independent reading or research by special arrangement with a faculty member. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "MGT 129": { + "CSE 100": { "prerequisites": [ - "MGT 5", + "CSE 12", "and", - "MGT 4", + "CSE 15L", + "and", + "CSE 21", "or", - "ECON 4" + "MATH 154", + "or", + "MATH 184A", + "and", + "CSE 5A", + "or", + "CSE 30", + "or", + "ECE 15", + "or", + "MAE 9" ], - "name": "Topics in Entrepreneurship", - "description": "Preparation and interpretation\n of accounting information under both FASB and IASB guidelines\n pertaining to revenue and expense recognition, receivables,\n and inventories. ** Upper-division standing required ** " + "name": "Advanced Data Structures", + "description": "High-performance data structures and supporting algorithms. Use and implementation of data structures like (un)balanced trees, graphs, priority queues, and hash tables. Also, memory management, pointers, recursion. Theoretical and practical performance analysis, both average case and amortized. Uses C++ and STL. Credit not offered for both MATH 176 and CSE 100. Equivalent to MATH 176. Recommended preparation: background in C or C++ programming. " }, - "MGT 131A": { + "CSE 101": { "prerequisites": [ - "MGT 131A" + "CSE 100", + "or", + "MATH 176" ], - "name": "Intermediate Accounting A", - "description": "Preparation and interpretation\n of accounting information under both FASB and IASB guidelines\n pertaining to property plant and equipment, leases, intangible\n assets, investments, long-term debt, and stockholders\u2019 equity.\u00a0" + "name": "Design and Analysis of Algorithms", + "description": "Design and analysis of efficient algorithms with emphasis of nonnumerical algorithms such as sorting, searching, pattern matching, and graph and network algorithms. Measuring complexity of algorithms, time and storage. NP-complete problems. " }, - "MGT 131B": { + "CSE 103": { "prerequisites": [ - "MGT 131B" + "MATH 20A-B", + "and", + "MATH 184A", + "or", + "CSE 21", + "or", + "MATH 154" ], - "name": "Intermediate Accounting B", - "description": "Theory and practice of the attest\n process; planning and implementing the audit of the financial\n statements and internal control over financial reporting to\n ensure compliance with applicable requirements. " + "name": "A Practical\n\t\t Introduction to Probability and Statistics", + "description": "Distributions over the real line. Independence, expectation, conditional expectation, mean, variance. Hypothesis testing. Learning classifiers. Distributions over R^n, covariance matrix. Binomial, Poisson distributions. Chernoff bound. Entropy. Compression. Arithmetic coding. Maximal likelihood estimation. Bayesian estimation. CSE 103 is not duplicate credit for ECE 109, ECON 120A, or MATH 183. " }, - "MGT 132": { + "CSE 105": { "prerequisites": [ - "MGT 131B" + "CSE 12", + "and", + "CSE 15L", + "and", + "MATH 15A", + "or", + "MATH 109", + "or", + "CSE 20", + "and", + "MATH 184", + "or", + "CSE 21", + "or", + "MATH 100A", + "or", + "MATH 103A" ], - "name": "Auditing", - "description": "Covers cost accumulation and analysis, for both manufacturing\n cost components and service activities, budgeting and cost\n projections, cost variance analysis, relevant costs, and capital\n investment analysis. " + "name": "Theory of Computability", + "description": "An introduction to the mathematical theory of computability. Formal languages. Finite automata and regular expression. Push-down automata and context-free languages. Computable or recursive functions: Turing machines, the halting problem. Undecidability. Credit not offered for both MATH 166 and CSE 105. Equivalent to MATH 166. " }, - "MGT 133": { + "CSE 106": { "prerequisites": [ - "MGT 132" + "MATH 18", + "or", + "MATH 31AH", + "and", + "MATH 20C", + "or", + "MATH 31BH", + "and", + "CSE 21", + "or", + "DSC 40B", + "or", + "MATH 154", + "or", + "MATH 184A" ], - "name": "Advanced Cost Accounting", - "description": "Covers theory and practical application of federal income\n tax regulations for individuals pertaining to gross income,\n adjusted gross income, itemized deductions, business operations,\n passive activities, property transactions, deferred income\n recognition, and reporting standards. " + "name": "Discrete and Continuous Optimization", + "description": "One frequently deals with problems in engineering, data science, business, economics, and other disciplines for which algorithmic solutions that optimize a given quantity under constraints are desired. This course is an introduction to the models, theory, methods, and applications of discrete and continuous optimization. Topics include shortest paths, flows, linear, integer, and convex programming, and continuous optimization techniques such as steepest descent and Lagrange multipliers. " }, - "MGT 134": { + "CSE 107": { "prerequisites": [ - "MGT 132" + "CSE 21", + "or", + "MATH 154", + "and", + "CSE 101", + "and", + "CSE 105" ], - "name": "Federal Taxation\u2014Individuals", - "description": "Covers the theory and practical\n application of federal income tax regulations for corporations\n and other enterprises pertaining to formulations, annual operations,\n distributions, liquidations, reorganizations, affiliations,\n and reporting standards. " + "name": "Introduction to Modern Cryptography", + "description": "Topics include private and public-key cryptography, block ciphers, data encryption, authentication, key distribution and certification, pseudorandom number generators, design and analysis of protocols, zero-knowledge proofs, and advanced protocols. Emphasizes rigorous mathematical approach including formal definitions of security goals and proofs of protocol security. " }, - "MGT 135": { + "CSE 110": { "prerequisites": [ - "MGT 135" + "CSE 100" ], - "name": "Federal Taxation\u2014Companies", - "description": "Covers accounting topics related to consolidated financial\n statements, variable interest entities, foreign currency translation,\n segment reporting, and business combinations. " + "name": "Software\n\t\t\t\t Engineering", + "description": "Introduction to software development and engineering methods,\n including specification, design, implementation, testing, and\n process. An emphasis on team development, agile methods, and\n use of tools such as IDE\u2019s, version control, and test harnesses. ** Upper-division standing required ** " }, - "MGT 136": { + "CSE 112": { "prerequisites": [ - "MGT 5", - "and", - "MGT 4", - "or", - "ECON 4" + "CSE 110" ], - "name": "Advanced\n Accounting", - "description": "Examines tools and techniques to analyze a firm\u2019s financial position and performance. This course combines both accounting and finance in a practical framework for debt and equity valuation methods from both a conceptual and practical framework. ** Upper-division standing required ** " - }, - "MGT 137": { - "prerequisites": [], - "name": "Financial Statement Analysis", - "description": "This course provides an introduction to the role and use of models and modeling in managerial decision-making. Students will gain hands-on experience in evaluating accounting data using Microsoft Excel. Content includes creating data boxes in financial accounting, using multiple sheets with formulas, preparing professional quality financial reports, and creating graphs to interpret business results. Students will also explore the utility of QuickBooks and the functionality for small businesses. " + "name": "Advanced Software Engineering", + "description": "This course will cover software engineering\n\t\t\t\t topics associated with large systems development such as requirements\n\t\t\t\t and specifications, testing and maintenance, and design. Specific\n\t\t\t\t attention will be given to development tools and automated\n\t\t\t\t support environments. " }, - "MGT 138": { + "CSE 113": { "prerequisites": [ - "MGT 131B", - "and" + "CSE 12", + "and", + "CSE 21" ], - "name": "Information Technology and Accounting", - "description": "Develop an understanding of transaction cycles (e.g., sales order and purchase order processing) with a focus on processing steps, internal controls, and data used. Gain hands-on experience developing flowcharts, processing transactions in a manual accounting information system, and analyzing transaction data using Microsoft Excel and other tools. " + "name": "Errors, Defects, and Failures", + "description": "Errors, resulting in defects and ultimately system failure, occur in engineering and also other areas such as medical care. The ways in which failures occur, and the means for their prevention, mitigation, and management, will be studied. Emphasis will be on software systems but also include the study of practice of other areas. " }, - "MGT 139": { + "CSE 118": { "prerequisites": [ - "MGT 131B", - "and" + "CSE 131", + "CSE 132B", + "COGS 102C", + "COGS 121", + "COGS 184", + "ECE 111", + "ECE 118", + "ECE 191", + "ECE 192" ], - "name": "Accounting Information Systems", - "description": "Course covers key forensic accounting concepts including fraudulent financial reporting, money laundering, business valuation, and litigation support. Learning objectives are the application of analytical accounting and communication skills in identifying and presenting financial issues in both criminal and civil litigation. " + "name": "Ubiquitous Computing", + "description": "Explores emerging opportunities enabled by cheap sensors and networked computing devices. Small research projects will be conducted in teams, culminating in project presentations at the end of the term. Section will cover material relevant to the project, such as research methods, software engineering, teamwork, and project management. ** Consent of instructor to enroll possible **" }, - "MGT 143": { + "CSE 120": { "prerequisites": [ - "MGT 132" + "CSE 30", + "and", + "CSE 101", + "and", + "CSE 110" ], - "name": "Forensic Accounting", - "description": "This course will focus on three major components: 1) what matters (the purpose of ethics in the accounting profession); 2) why ethics matter (the reasons, skills, and abilities that make a difference); and 3) how a professional \u201cwalks the walk.\u201d The course provides students with the opportunity to gain knowledge, awareness, and recognition of ethical terms, theories, codes, etc. Students will be given the opportunity to practice making choices and exercise professional judgment. " + "name": "Principles\n\t\t of Computer Operating Systems", + "description": "Basic functions of operating systems; basic kernel structure, concurrency, memory management, virtual memory, file systems, process scheduling, security and protection. " }, - "MGT 146": { + "CSE 123": { "prerequisites": [ - "MGT 131B" + "CSE 30", + "and", + "CSE 101", + "and", + "CSE 110" ], - "name": "Ethics in Accounting", - "description": "Addresses issues faced in government and not-for-profit accounting. Students will gain insight into how and why these issues may have been resolved either similarly or differently from the for-profit business sector. Focus will be placed on how revenue and expense recognition, asset and liability valuation, the scope of the reporting entity, reporting cash flows, etc., differ in comparison to for-profit business accounting. " + "name": "Computer Networks", + "description": "Introduction to concepts, principles, and practice of computer communication networks with examples from existing architectures, protocols, and standards with special emphasis on the internet protocols. Layering and the OSI model; physical and data link layers; local and wide area networks; datagrams and virtual circuits; routing and congestion control; internetworking. Transport protocols. Credit may not be received for both CSE 123 and ECE 158A. ** Upper-division standing required ** " }, - "MGT 147": { + "CSE 124": { "prerequisites": [ - "MGT 131B" + "CSE 30", + "and", + "CSE 101", + "and", + "CSE 110" ], - "name": "Not-For-Profit and Government Accounting", - "description": "Introduces advanced topics of special interest in accounting. Examples of course topics include (but are not limited to) corporate valuation and forecasting, global taxation and business strategy, current issues in the practice and regulation of auditing. May be taken for credit two times for a maximum of eight credits if the topics are substantially different. " + "name": "Networked Services", + "description": "(Renumbered from CSE 123B.) The architecture of modern networked services, including data center design, enterprise storage, fault tolerance, and load balancing. Protocol software structuring, the Transmission Control Protocol (TCP), remote procedure calls, protocols for digital audio and video communication, overlay and peer-to-peer systems, secure communication. Credit may not be received for both CSE 124 and ECE 158B. Students may not receive credit for both CSE 123B and CSE 124. ** Upper-division standing required ** " }, - "MGT 149": { + "CSE 125": { "prerequisites": [], - "name": "Topics in Accounting", - "description": "This course surveys the foundations, principles, and potential of the data science/business convergence. In a nontechnical manner, the course aligns business problems, challenges, and objectives with affiliated disciplines such as machine learning and large-data statistics, providing new structures and frameworks that will help the student understand the fundamental interconnections of these important fields. " + "name": "Software\n\t\t System Design and Implementation", + "description": "Design and implementation of large, complex software systems involving multiple aspects of CSE curriculum. Emphasis is on software system design applied to a single, large group project with close interaction with instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "MGT 151": { + "CSE 127": { "prerequisites": [ - "MATH 10A", - "or", - "MATH 18", - "or", - "MATH 20A", + "MATH 154", "or", - "MATH 31AH", + "MATH 184A", "and", - "BENG 100", - "or", - "BIEB 100", - "or", - "COGS 14B", - "or", - "ECE 109", - "or", - "ECON 120A", - "or", - "MAE 108", - "or", - "MATH 11", - "or", - "MATH 180A", "or", - "MATH 181A", - "or", - "MATH 183", - "or", - "MATH 186", + "CSE 123", "or", - "MGT 3", + "CSE 124" + ], + "name": "Introduction to Computer Security", + "description": "Topics include basic cryptography, security/threat analysis, access control, auditing, security models, distributed systems security, and theory behind common attack and defense techniques. The class will go over formal models as well as the bits and bytes of security exploits. ** Upper-division standing required ** " + }, + "CSE 130": { + "prerequisites": [ + "CSE 12", + "and", "or", - "PSYC 60", + "MATH 176", + "and", "or", - "SIO 187" + "MATH 166" ], - "name": "Foundations and Principles of Business Analytics", - "description": "This course is designed to help a business manager use data to make good decisions in complex decision-making situations. Students will learn core business analytics concepts and skills including Excel, relational databases and Structured Query Language (SQL), principles of effective data visualizations and interactive data visualization (e.g., Tableau), and data preprocessing and regression analysis using data analytics programming (e.g., Python). " + "name": "Programming\n\t\t Languages: Principles and Paradigms", + "description": "(Formerly CSE 173.) Introduction to programming languages and paradigms, the components that comprise them, and the principles of language design, all through the analysis and comparison of a variety of languages (e.g., Pascal, Ada, C++, PROLOG, ML.) Will involve programming in most languages studied. " }, - "MGT 153": { + "CSE 131": { "prerequisites": [ - "MGT 153" + "CSE 100", + "and", + "CSE 105", + "and", + "CSE 130" ], - "name": "Business Analytics", - "description": "When considering complex business problems, research is often undertaken as a means of aiding decision-making. This course gives an in-depth look at the business research process, including methods of qualitative and quantitative research. Students learn about the design and execution of business analytics (including common descriptive and predictive models), and how models are selected, executed, and evaluated, with focus on extracting impactful information to aid in making informed decisions. ** Department approval required ** " + "name": "Compiler Construction", + "description": "(Formerly CSE 131B.) Introduction to the compilation of programming languages,\n\t\t\t\t practice of lexical and syntactic analysis, symbol tables,\n\t\t\t\t syntax-directed translation, type checking, code generation, optimization,\n\t\t\t\t interpretation, and compiler structure. (Students may receive repeat credit\n\t\t\t\t for CSE 131A and CSE 131B by completing CSE 131.) " }, - "MGT 154": { + "CSE 132A": { "prerequisites": [ - "MGT 181", - "and" + "CSE 100" ], - "name": "Advanced Business Research", - "description": "Residential and commercial mortgage-backed securities markets and the market for structured real estate debt; the estimation of prices, yields, and various measures of investment performance; creating and structuring security issues; legal, regulatory, and institutional issues; derivative products (CDOs, CDSs, options, futures, etc.); and current political, economic, and policy issues. " - }, - "MGT 157": { - "prerequisites": [], - "name": "Real Estate Securitization", - "description": "Introduction to the emerging real estate tech sector; newly available datasets and technologies are transforming the real estate sector; introduction of quantitative methods for analyzing real estate and urban trends; utilizing large datasets and software in making optimal decisions from the perspective of buyers, sellers, real estate agents and brokers, developers, and regulators. " - }, - "MGT 158": { - "prerequisites": [], - "name": "Real Estate and the Tech Sector", - "description": "The ability to negotiate effectively is a critical skill for business professionals. Students will develop a systematic and insightful approach to negotiation. The course provides an introduction to strategic thinking and the basic concepts, tactics, and cognitive aspects of negotiation. Interactive negotiation exercises are used to isolate and emphasize specific analytic points and essential skills. " - }, - "MGT 162": { - "prerequisites": [], - "name": "Negotiation", - "description": "Students will study alternative organizational structures\u2014their stakeholders and corporate cultures, and their use in meeting strategic enterprise priorities facing a company. This course provides students with insights into motivational factors, communications networks, organizational cultures, and alternative leadership styles. The concept of change management and its challenges is also studied along with power and influence. Students may not receive credit for MGT 164 and MGT 164GS. Course previously listed as: Organizational Leadership. " - }, - "MGT 164": { - "prerequisites": [], - "name": "Business and Organizational Leadership", - "description": "Students will study alternative organizational structures\u2014their stakeholders and corporate cultures and their use in meeting various strategic priorities facing a company. This course provides students with insights into motivational factors, communications networks, organizational cultures, and alternative leadership styles. The concept of change management and its challenges is also studied along with power and influence. Students must submit applications to the International Center Programs Abroad Office and be accepted into the Global Seminar Program. Students may not receive credit for MGT 164 and MGT 164GS. Course previously listed as: Organizational Leadership. " - }, - "MGT 164GS": { - "prerequisites": [], - "name": "Business and Organizational Leadership", - "description": "Will cover ethical conduct issues for leaders from a wide array of organizations and industries including consideration of differences among global trading partners. The issues impacting corporate responsibility will be examined as will full-cycle cost analysis of products and services. " - }, - "MGT 166": { - "prerequisites": [], - "name": "Business\n\t\t Ethics and Corporate Responsibility", - "description": "Social entrepreneurs create innovative solutions to solve challenging social and environmental issues affecting the world around them. In this course, students will learn how to apply entrepreneurial business and innovative skills to effectively tackle global issues impacting society such as environmental degradation, rural health care availability, educational improvements in economically disadvantaged regions of the world, famine in an era of obesity, and clean water development. " - }, - "MGT 167": { - "prerequisites": [], - "name": "Social Entrepreneurship", - "description": "Operations management (OM) involves the systematic design, execution, and improvement of business processes, projects, and partner relationships. This course goes beyond cost minimization and addresses issues that firms large and small must confront in their journey toward sustained scalability, growth, and profitability. Also examines human factors such as psychological contract, team management, empowerment, employee-initiated process improvements, morale, motivation, rewards, and incentives. " - }, - "MGT 171": { - "prerequisites": [], - "name": "Operations Management", - "description": "Addresses effective practices for management of business projects. Includes both project management processes\u2014scheduling, milestone setting, resource allocation, budgeting, risk mitigation\u2014and human capital management\u2014communication, teamwork, leadership. Also considers requirements for effectively working across functional and organizational boundaries. " - }, - "MGT 172": { - "prerequisites": [], - "name": "Business Project Management", - "description": "This course covers efficient techniques for managing health services projects, including both the technical aspects of project management as well as the human-capital management issues associated with blending administrative and technical staff with health-care professionals. Topics include scheduling methods, milestone setting, governmental regulations, resource allocation, interpersonal skills, and performing research and development projects\u2014all with a health services focus. " - }, - "MGT 173": { - "prerequisites": [], - "name": "Project Management: Health Services", - "description": "Supply chain management involves the flows of materials and information that contribute value to a product, from the source of raw materials to end customers. This course explains how supply chains work and describes the major challenges in managing an efficient supply chain. Covers various strategic and tactical supply chain issues such as distribution strategy, information sharing strategy, outsourcing, procurement (including e-markets), product design, virtual integration, and risk management. Credit is not allowed for both MGT 174 and MGT 175. " + "name": "Database System Principles", + "description": "Basic concepts of databases, including data modeling, relational databases, query languages, optimization, dependencies, schema design, and concurrency control. Exposure to one or several commercial database systems. Advanced topics such as deductive and object-oriented databases, time allowing. ** Upper-division standing required ** " }, - "MGT 175": { - "prerequisites": [], - "name": "Supply Chain Management", - "description": "Covers a process to conduct and create a professional supply market analysis report, starting from data sources and processes to develop cost models. Includes a structured process to create and implement supplier selection and qualification as well as cost management strategies. Students will sharpen analytical skills, think creatively outside the box, and be able to sell their strategy by studying real-life examples of how these concepts have been implemented at various Fortune 100 companies. " + "CSE 132B": { + "prerequisites": [ + "CSE 132A" + ], + "name": "Database Systems Applications", + "description": "Design of databases, transactions, use of trigger facilities and datablades. Performance measuring, organization of index structures. " }, - "MGT 176": { + "CSE 134B": { "prerequisites": [ - "MGT 153" + "CSE 100" ], - "name": "Strategic Cost Management", - "description": "In today\u2019s global economy, competition is not firm against firm, but rather supply chain against supply chain. Companies utilize analytics (i.e., the use of data, together with statistical and quantitative models, to make better, data-driven business decisions) to gain advantage in their supply chain management. Course covers the use of data analytics and spreadsheet modeling in decision-making involved in supply chain management, including logistics, facility management, fulfillment, and pricing. " + "name": "Web Client Languages", + "description": "Design and implementation of interactive World Wide Web clients using helper applications and plug-ins.\u00a0The main language covered will be Java. " }, - "MGT 177": { + "CSE 135": { "prerequisites": [ - "MGT 175" + "CSE 100", + "or", + "MATH 176" ], - "name": "Analytics and Spreadsheet Modeling in Supply Chain Management", - "description": "Introduces advanced topics of special interest in supply chain. Students will develop the ability to apply the supply chain management concepts that they have learned to real-life situations. May be taken for credit two times if topics are substantially different. " + "name": "Online Database Analytics Applications ", + "description": "Database, data warehouse, and data cube design; SQL programming and querying with emphasis on analytics; online analytics applications, visualizations, and data exploration; performance tuning. ** Upper-division standing required ** " + }, + "CSE 136": { + "prerequisites": [ + "CSE 135" + ], + "name": "Enterprise-Class Web Applications", + "description": "Design and implementation of very large-scale, web-based applications. Topics covered typically include modeling organizational needs, design and revision management, J2EE or similar software platforms, web server and application server functionality, reuse of object-oriented components, model-view-controller and other design patterns, clustering, load-balancing, fault-tolerance, authentication, and usage accounting. " }, - "MGT 179": { + "CSE 140": { "prerequisites": [ - "MATH 20A", - "or", - "MGT 3", - "and", + "MATH 15A", "or", - "MGT 45", + "MATH 109", "and", - "or", - "MGT 45", - "or", - "ECON 4" + "CSE 30" ], - "name": "Topics in Supply Chain Management", - "description": "Will cover debt and equity financing of the enterprise, the role of commercial banks, venture firms, and investment banks; along with enterprise valuation, cash flow management, capital expenditure decisions, return on investment, economic value add, and foreign currency translation. ** Upper-division standing required ** " + "name": "Components\n\t\t and Design Techniques for Digital Systems", + "description": "Design of Boolean logic and finite state machines; two-level, multilevel combinational logic design, combinational modules and modular networks, Mealy and Moore machines, analysis and synthesis of canonical forms, sequential modules. " }, - "MGT 181": { + "CSE 140L": { "prerequisites": [ - "MGT 181", - "MGT 187", + "MATH 15A", "or", - "ECON 173B" + "MATH 109", + "and", + "CSE 30" ], - "name": "Enterprise Finance", - "description": "Examines financial theory and empirical evidence useful for making investment decisions. Portfolio theory, equilibrium models, and market efficiency are examined for stock securities and fixed income instruments. Risk adjusted ROIs for capital investments\u2019 impact on stock prices and free options will also be studied. " + "name": "Digital Systems Laboratory", + "description": "Implementation with computer-aided design tools for combinational logic minimization and state machine synthesis. Hardware construction of a small digital system. " }, - "MGT 183": { + "CSE 141": { "prerequisites": [ - "MGT 181", - "MGT 187", - "or", - "ECON 173B" + "CSE 30", + "and", + "CSE 140", + "and", + "CSE 140L" ], - "name": "Financial Investments", - "description": "Focuses on role of financial institutions, implications for firm financing and valuation as well as the Federal Reserve, financial regulation, the money supply process, and monetary policy. Mechanisms through which monetary policy affects businesses and credit channels will be covered. " + "name": "Introduction to Computer Architecture", + "description": "Introduction to computer architecture. Computer system design. Processor design. Control design. Memory systems. " }, - "MGT 184": { + "CSE 141L": { "prerequisites": [ - "MGT 181", - "MGT 187", - "or", - "ECON 173B", - "and" + "CSE 30", + "and", + "CSE 140", + "and", + "CSE 140L" ], - "name": "Money and Banking", - "description": "This course provides students with an overview of the investment banking industry, including IPOs, equity offerings, debt offerings, valuation, mergers and acquisition, private equity, asset securitization, prime brokerage, sales and trading, and market making. Emphasis of the class will be on traditional corporate finance, which includes equity and debt offerings as well as mergers and acquisitions. " - }, - "MGT 185": { - "prerequisites": [], - "name": "Investment Banking", - "description": "Taking a global perspective, this course examines how innovation is funded and the financial tools necessary over the life cycle of a new venture\u2014development, growth, maturity, and exit. Students will learn to perform financial analysis to determine the feasibility of financing new, transformed, and growing ventures, whether foreign or domestic. The course will also cover term sheets, valuation methods, and the role of private equity investors\u2014angels, VCs, and vendors. " + "name": "Project in Computer Architecture", + "description": "Hands-on computer architecture project aiming to familiarize students with instruction set architecture, and design of process. Control and memory systems. " }, - "MGT 187": { + "CSE 143": { "prerequisites": [ - "MGT 181", + "CSE 140", "or", - "MGT 187" + "CSE 170A", + "or", + "ECE 81" ], - "name": "New Venture Finance", - "description": "Introduces advanced topics of special interest in finance. Topics may include behavioral finance, financial derivatives, portfolio management, fixed income securities, asset pricing theory, commercial banking, etc. May be taken for credit up to three times. " - }, - "MGT 189": { - "prerequisites": [], - "name": "Topics in Finance", - "description": "A small group undertaking, on a topic or in a field not included in the regular curriculum, by special arrangement with a faculty member. ** Consent of instructor to enroll possible **" - }, - "MGT 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "Directed individual study\n or research by special arrangement and under supervision\n of a faculty member. ** Consent of instructor to enroll possible **" - }, - "MGT 199": { - "prerequisites": [], - "name": "Directed Independent Study", - "description": "The Professional Seminar presents up-to-date research, professional skills development, and experts and business leaders as speakers. Topics may vary by term. S/U grades only. May be taken for credit eight times. " - }, - "INTL 97": { - "prerequisites": [], - "name": "Internship", - "description": "Independent research connected to an internship with an organization relevant to the career interests of a student of international studies. Topic of the required research to be determined by the supervising faculty member. P/NP grades only. May be taken for credit eight times. ** Department approval required ** " - }, - "INTL 101": { - "prerequisites": [], - "name": "Culture\n\t\t and Society in International Perspective", - "description": "Analysis of the cultural and social development of the modern era from the perspective of interaction among societies. Particular attention is paid to the definition, representation, and negotiation of social and cultural boundaries over time. ** Upper-division standing required ** " - }, - "INTL 102": { - "prerequisites": [], - "name": "Economics,\n\t\t Politics, and International Change", - "description": "Examination of the domestic and international sources of economic and political change. Topics include the rise of the nation-state, comparative economic development, authoritarian and democratic regimes, international and civil conflict, globalization and its domestic and international implications. ** Upper-division standing required ** " - }, - "INTL 190": { - "prerequisites": [], - "name": "Seminar in International Studies", - "description": "Required seminar for International Studies seniors. Readings and discussion of topics in international and comparative studies from an interdisciplinary perspective. Emphasis on independent work and completion of a research paper. " - }, - "INTL 190H": { - "prerequisites": [], - "name": "\t\t Honors Seminar in International Studies", - "description": "Required of all honors students in International Studies. Reading and discussion of topics in international and comparative studies from an interdisciplinary perspective. Emphasis on research design and completion of research paper in preparation for INTL 196H. " - }, - "INTL 196H": { - "prerequisites": [], - "name": "International Studies Honors Program", - "description": "Open only to seniors who have completed INTL 190H. Completion of an honors thesis under the supervision of a member of the International Studies faculty. " - }, - "INTL 197": { - "prerequisites": [], - "name": "Internship", - "description": "Independent research connected to an internship with an organization relevant to the career interests of a student of international studies. Topic of the required research to be determined by the supervising faculty member. P/NP grades only. May be taken for credit eight times. ** Department approval required ** " - }, - "NANO 1": { - "prerequisites": [], - "name": "NanoEngineering Seminar", - "description": "Overview of NanoEngineering. Presentations and discussions of basic knowledge and career opportunities in nanotechnology for professional development. Introduction to campus library resources. P/NP grades only." + "name": "Microelectronic System Design", + "description": "VLSI process technologies; circuit characterization; logic design styles; clocking strategies; computer-aided design tools; subsystem design; design case studies. System design project from hardware description, logic synthesis, physical layout to design verification. " }, - "NANO 4": { + "CSE 145": { "prerequisites": [], - "name": "Experience\u00a0NanoEngineering", - "description": "Introduction to NanoEngineering lab-based skills. Hands-on training and experimentation with nanofabrication techniques, integration, and analytical tools. This class is for NANO majors who are incoming freshmen, to be taken their first year.\u00a0This class is for NanoEngineering majors who are incoming freshmen, to be taken their first year. P/NP grades only. ** Department approval required ** " + "name": "Embedded System Design Project", + "description": "Project class building an embedded computing system. Learn fundamental knowledge of microcontrollers, sensors, and actuators. Introduction to the hardware and software tools to build project in a team environment and end-to-end system building. ** Department approval required ** " }, - "NANO 15": { - "prerequisites": [], - "name": "Engineering Computation Using Matlab", - "description": "Introduction to the solution of engineering problems using computational methods. Formulating problem statements, selecting algorithms, writing computer programs, and analyzing output using Matlab. Computational problems from NanoEngineering, chemical engineering, and materials science are introduced. The course requires no prior programming skills. Cross-listed with CENG 15." + "CSE 148": { + "prerequisites": [ + "CSE 141", + "and", + "CSE 141L" + ], + "name": "Advanced\n\t\t Processor Architecture Design Project", + "description": "Students will use hardware description language tools to add advanced architectural features to a basic processor design. These features may include pipelining, superscalar execution, branch prediction, and advanced cache features. Designs will be implemented in programmable logic devices. " }, - "NANO 15R": { - "prerequisites": [], - "name": "Engineering Computation Using Matlab Online", - "description": "Introduction to solution of engineering problems using computational methods. Formulating problem statements, selecting algorithms, writing computer programs, and analyzing output using Matlab. Computational problems from NanoEngineering, chemical engineering, and materials science are introduced. This is a fully online, self-paced course that utilizes multi-platform instructional techniques (video, text, and instructional coding environments). The course requires no prior programming skills. Students may not receive credit for both CENG 15 and NANO 15. Cross-listed with CENG 15R. Students may only receive credit for one of the following: NANO 15R, NANO 15, CENG 15R, or CENG 15." + "CSE 150A": { + "prerequisites": [ + "DSC 40B", + "and", + "or", + "DSC 80", + "and", + "or", + "ECE 109", + "or", + "ECON 120A", + "or", + "MATH 183", + "and", + "MATH 20A", + "and", + "or", + "MATH 31AH" + ], + "name": "Introduction to Artificial Intelligence: Probabilistic Reasoning and Decision-Making", + "description": "Introduction to probabilistic models at the heart of modern artificial intelligence. Specific topics to be covered include probabilistic methods for reasoning and decision-making under uncertainty; inference and learning in Bayesian networks; prediction and planning in Markov decision processes; applications to intelligent systems, speech and natural language processing, information retrieval, and robotics. " }, - "NANO 100L": { + "CSE 150B": { "prerequisites": [ - "NANO 108" + "DSC 40B", + "and", + "or", + "DSC 80", + "and", + "or", + "ECE 109", + "or", + "ECON 120A", + "or", + "MATH 183", + "and", + "CSE 100" ], - "name": "Physical Properties of Materials Lab", - "description": "Experimental investigation of physical properties of materials such as: thermal expansion coefficient, thermal conductivity, glass transitions in polymers, resonant vibrational response, longitudinal and shear acoustic wave speeds, Curie temperatures, UV-VIS absorption and reflection. " + "name": "Introduction to Artificial Intelligence: Search and Reasoning", + "description": "The course will introduce important ideas and algorithms in search and reasoning and demonstrate how they are used in practical AI applications. Topics include A* search, adversarial search, Monte Carlo tree search, reinforcement learning, constraint solving and optimization, propositional and first-order reasoning. " }, - "NANO 101": { + "CSE 151A": { "prerequisites": [ - "NANO 1", + "DSC 40B", + "and", "or", - "NANO 4", - "CHEM 6B", - "PHYS 2B", - "MATH 20C", + "DSC 80", "and", - "NANO 15", "or", - "NANO 15R", + "MATH 181A", "or", - "MAE 8" + "ECE 109", + "or", + "MATH 183", + "or", + "ECON 120A", + "and", + "or", + "MATH 31AH" ], - "name": "Introduction to NanoEngineering", - "description": "Introduction to NanoEngineering; nanoscale fabrication: nanolithography and self-assembly; characterization tools; nanomaterials and nanostructures: nanotubes, nanowires, nanoparticles, and nanocomposites; nanoscale and molecular electronics; nanotechnology in magnetic systems; nanotechnology in integrative systems; nanoscale optoelectronics; nanobiotechnology: biomimetic systems, nanomotors, nanofluidics, and nanomedicine. Priority enrollment given to NanoEngineering majors. ** Department approval required ** " + "name": "Introduction to Machine Learning", + "description": "Broad introduction to machine learning. The topics include some topics in supervised learning, such as k-nearest neighbor classifiers, decision trees, boosting, and perceptrons; and topics in unsupervised learning, such as k-means and hierarchical clustering. In addition to the actual algorithms, the course focuses on the principles behind the algorithms. Students may not receive credit for both CSE 151A and COGS 188, nor may they receive credit for both CSE 151A and CSE 151. " }, - "NANO 102": { + "CSE 151B": { "prerequisites": [ - "CHEM 6C", - "MATH 20D", - "NANO 101", - "PHYS 2D", + "MATH 20C", "and", - "NANO 106" + "or", + "ECE 109", + "or", + "CSE 103", + "or", + "MATH 181A", + "or", + "MATH 183" ], - "name": "Foundations in NanoEngineering: Chemical Principles ", - "description": "Chemical principles involved in synthesis, assembly, and performance of nanostructured materials and devices. Chemical interactions, classical and statistical thermodynamics of small systems, diffusion, carbon-based nanomaterials, supramolecular chemistry, liquid crystals, colloid and polymer chemistry, lipid vesicles, surface modification, surface functionalization, catalysis. Priority enrollment given to NanoEngineering majors. " + "name": "Deep Learning", + "description": "(Formerly CSE 154.) This course covers the fundamentals of neural networks. We introduce linear regression, logistic regression, perceptrons, multilayer networks and back-propagation, convolutional neural networks, recurrent networks, and deep networks trained by reinforcement learning. Students may receive credit for one of the following: CSE 151B, CSE 154, or COGS 181. ** Upper-division standing required ** " }, - "NANO 103": { + "CSE 152": { "prerequisites": [ - "BILD 1", - "CHEM 6C", - "NANO 101", + "MATH 18", + "or", + "MATH 20F", + "or", + "MATH 31AH", "and", - "NANO 102" + "CSE 100", + "or", + "DSC 40B", + "or", + "MATH 176", + "and", + "CSE 101", + "or", + "DSC 80", + "or", + "MATH 188" ], - "name": "Foundations in NanoEngineering: Biochemical Principles", - "description": "Principles of biochemistry tailored to nanotechnologies. The structure and function of biomolecules and their specific roles in molecular interactions and signal pathways. Detection methods at the micro and nano scales. Priority enrollment will be given to NanoEngineering majors. ** Department approval required ** " + "name": "Introduction to Computer Vision", + "description": "The goal of computer vision is to compute scene and object properties from images and video. This introductory course includes feature detection, image segmentation, motion estimation, object recognition, and 3-D shape reconstruction through stereo, photometric stereo, and structure from motion. ** Upper-division standing required ** " }, - "NANO 104": { + "CSE 152A": { "prerequisites": [ - "MATH 20D", - "NANO 101" + "MATH 31AH", + "and", + "or", + "DSC 30", + "and", + "or", + "DSC 80" ], - "name": "Foundations in NanoEngineering: Physical Principles", - "description": "Introduction to quantum mechanics and nanoelectronics. Wave mechanics, the Schr\u00f6dinger equation, free and confined electrons, band theory of solids. Nanosolids in 0D, 1D, and 2D. Application to nanoelectronic devices. Priority enrollment given to NanoEngineering majors ** Department approval required ** " + "name": "Introduction to Computer Vision I", + "description": "This course provides a broad introduction to the foundations, algorithms, and applications of computer vision. It introduces classical models and contemporary methods, from image formation models to deep learning, to address problems of 3-D reconstruction and object recognition from images and video. Topics include filtering, feature detection, stereo vision, structure from motion, motion estimation, and recognition. Programming assignments will be in Python. Students may not receive credit for both CSE 152A and CSE 152. " }, - "NANO 106": { + "CSE 152B": { "prerequisites": [ - "MATH 20F" + "CSE 152A", + "or", + "CSE 152" ], - "name": "Crystallography of Materials", - "description": "Fundamentals of crystallography, and practice of methods to study material structure and symmetry. Curie symmetries. Tensors as mathematical description of material properties and symmetry restrictions. Introduction to diffraction methods, including X-ray, neutron, and electron diffraction. Close-packed and other common structures of real-world materials. Derivative and superlattice structures. " + "name": "Introduction to Computer Vision II", + "description": "This course covers advanced topics needed to apply computer vision in industry or follow current research. Example topics include real-time systems for 3D computer vision, machine learning tools such as support-vector machine (SVM) and boosting for image classification, and deep neural networks for object detection and semantic segmentation. " }, - "NANO 107": { + "CSE 156": { "prerequisites": [ - "NANO 15", - "NANO 101", - "MATH 20B", + "MATH 20C", "or", - "MATH 20D", + "MATH 31BH", "and", - "PHYS 2B" + "MATH 18", + "or", + "MATH 31AH", + "and", + "COGS 118A", + "or", + "CSE 150", + "or", + "CSE 151" ], - "name": "Electronic Devices and Circuits for Nanoengineers", - "description": "Overview of electrical devices and CMOS integrated circuits emphasizing fabrication processes, and scaling behavior. Design, and simulation of submicron CMOS circuits including amplifiers active filters digital logic, and memory circuits. Limitations of current technologies and possible impact of nanoelectronic technologies.\u00a0" - }, - "NANO 108": { - "prerequisites": [], - "name": "Materials Science and Engineering", - "description": "Structure and control of materials: metals, ceramics, glasses, semiconductors, polymers to produce useful properties. Atomic structures. Defects in materials, phase diagrams, micro structural control. Mechanical, rheological, electrical, optical and magnetic properties discussed. Time temperature transformation diagrams. Diffusion. Scale dependent material properties. " + "name": "Statistical Natural Language Processing", + "description": "Natural language processing (NLP) is a field of AI which aims to equip computers with the ability to intelligently process natural (human) language. This course will explore statistical techniques for the automatic analysis of natural language data. Specific topics covered include probabilistic language models, which define probability distributions over text passages; text classification; sequence models; parsing sentences into syntactic representations; and machine translation. ** Upper-division standing required ** " }, - "NANO 110": { + "CSE 158": { "prerequisites": [ - "MATH 20F", - "NANO 102", - "NANO 104", + "DSC 40B", "and", - "NANO 15", - "MAE 8" + "or", + "DSC 80", + "and", + "or", + "ECE 109", + "or", + "MATH 181A", + "or", + "ECON 120A", + "or", + "MATH 183" ], - "name": "Molecular Modeling of Nanoscale Systems ", - "description": "Principles and applications of molecular modeling and simulations toward NanoEngineering. Topics covered include molecular mechanics, energy minimization, statistical mechanics, molecular dynamics simulations, and Monte Carlo simulations. Students will get hands-on training in running simulations and analyzing simulation results. " + "name": "Recommender Systems and Web Mining", + "description": "Current methods for data mining and predictive analytics. Emphasis is on studying real-world data sets, building working systems, and putting current ideas from machine learning research into practice. " }, - "NANO 111": { + "CSE 160": { "prerequisites": [ - "NANO 102" + "CSE 100", + "or", + "MATH 176" ], - "name": "Characterization of NanoEngineering Systems", - "description": "Fundamentals and practice of methods to image, measure, and analyze materials and devices that are structured at the nanometer scale. Optical and electron microscopy; scanning probe methods; photon-, ion-, electron-probe methods, spectroscopic, magnetic, electrochemical, and thermal methods. " + "name": "Introduction to Parallel Computing", + "description": "Introduction to high performance parallel computing: parallel architecture, algorithms, software, and problem-solving techniques. Areas covered: Flynn\u2019s taxonomy, processor-memory organizations, shared and nonshared memory models: message passing and multithreading, data parallelism; speedup, efficiency and Amdahl\u2019s law, communication and synchronization, isoefficiency and scalability. Assignments given to provide practical experience. " }, - "NANO 112": { + "CSE 163": { "prerequisites": [ - "NANO 102", - "NANO 104", - "NANO 111" + "CSE 167" ], - "name": "Synthesis and Fabrication of NanoEngineering Systems", - "description": "Introduction to methods for fabricating materials and devices in NanoEngineering. Nano-particle, -vesicle, -tube, and -wire synthesis. Top-down methods including chemical vapor deposition, conventional and advanced lithography, doping, and etching. Bottom-up methods including self-assembly. Integration of heterogeneous structures into functioning devices. " + "name": "Advanced Computer Graphics", + "description": "Topics include an overview of many aspects of computer graphics, including the four main computer graphics areas of animation, modeling, rendering, and imaging. Programming projects in image and signal processing, geometric modeling, and real-time rendering. " }, - "NANO 114": { + "CSE 164": { "prerequisites": [ - "MATH 20F", - "and", - "NANO 15", - "MAE 8" + "CSE 167" ], - "name": "Probability and Statistical Methods for Engineers", - "description": "Probability theory, conditional probability, Bayes theorem, discrete random variables, continuous random variables, expectation and variance, central limit theorem, graphical and numerical presentation of data, least squares estimation and regression, confidence intervals, testing hypotheses. Cross-listed with CENG 114. Students may not receive credit for both NANO 114 and CENG 114. " + "name": "GPU Programming", + "description": "Principles and practices of programming graphics processing units (GPUs). GPU architecture and hardware concepts, including memory and threading models. Modern hardware-accelerated graphics pipeline programming. Application of GPU programming to rendering of game graphics, including physical, deferring, and global lighting models. Recommended preparation: Practical Rendering and Computation with Direct3D 11 by Jason Zink, Matt Pettineo, and Jack Hoxley. " }, - "NANO 120A": { + "CSE 165": { "prerequisites": [ - "NANO 110" + "CSE 167" ], - "name": "NanoEngineering System Design I", - "description": "Principles of product design and the design process. Application and integration of technologies in the design and production of nanoscale components. Engineering economics. Initiation of team design projects to be completed in NANO 120B. " + "name": "3-D User Interaction", + "description": "This course focuses on design and evaluation of three-dimensional (3-D) user interfaces, devices, and interaction techniques. The course consists of lectures, literature reviews, and programming assignments. Students will be expected to create interaction techniques for several different 3-D interaction devices. Program or materials fees may apply. " }, - "NANO 120B": { + "CSE 166": { "prerequisites": [ - "NANO 120A" + "MATH 18", + "or", + "MATH 31AH", + "or", + "MATH 20F", + "and", + "or", + "DSC 80", + "or", + "MATH 176" ], - "name": "NanoEngineering System Design II", - "description": "Principles of product quality assurance in design and production. Professional ethics. Safety and design for the environment. Culmination of team design projects initiated in NANO 120A with a working prototype designed for a real engineering application. " - }, - "NANO 134": { - "prerequisites": [], - "name": "Polymeric Materials", - "description": "Foundations of polymeric materials. Topics: structure of polymers; mechanisms of polymer synthesis; characterization methods using calorimetric, mechanical, rheological, and X-ray-based techniques; and electronic, mechanical, and thermodynamic properties. Special classes of polymers: engineering plastics, semiconducting polymers,\u00a0photoresists, and polymers for medicine. Cross-listed with CENG 134.\u00a0Students may not receive credit for both\u00a0CENG\u00a0134 and\u00a0NANO\u00a0134. " + "name": "Image Processing", + "description": "Principles of image formation, analysis, and representation. Image enhancement, restoration, and segmentation; stochastic image models. Filter design, sampling, Fourier and wavelet transforms. Selected applications in computer graphics and machine vision. " }, - "NANO 141A": { + "CSE 167": { "prerequisites": [ - "PHYS 2A" + "CSE 100", + "or", + "MATH 176" ], - "name": "Engineering Mechanics I: Analysis of Equilibrium", - "description": "Newton\u2019s laws. Concepts of force and moment vector. Free body diagrams. Internal and external forces. Equilibrium of concurrent, coplanar, and three-dimensional system of forces. Equilibrium analysis of structural systems, including beams, trusses, and frames. Equilibrium problems with friction. " + "name": "Computer Graphics", + "description": "Representation and manipulation of pictorial data. Two-dimensional and three-dimensional transformations, curves, surfaces. Projection, illumination, and shading models. Raster and vector graphic I/O devices; retained-mode and immediate-mode graphics software systems and applications. Students may not receive credit for both MATH 155A and CSE 167. " }, - "NANO 141B": { + "CSE 168": { "prerequisites": [ - "NANO 141A" + "CSE 167" ], - "name": "Engineering Mechanics II: Analysis of Motion", - "description": "Newton\u2019s laws of motion. Kinematic and kinetic \u200bdescription of particle motion. Angular momentum. Energy and work principles. Motion of the system of interconnected particles.\u00a0Mass center. Degrees of freedom. Equations of planar motion of rigid bodies. Energy methods. Lagrange\u2019s equations of motion. Introduction to vibration. Free and forced vibrations of a single degree of freedom system. Undamped and damped vibrations. Application to NanoEngineering problems.\u00a0" + "name": "Computer Graphics II: Rendering", + "description": "Weekly programming assignments that will cover graphics rendering algorithms. During the course the students will learn about ray tracing, geometry, tessellation, acceleration structures, sampling, filtering, shading models, and advanced topics such as global illumination and programmable graphics hardware. " }, - "NANO 146": { + "CSE 169": { "prerequisites": [ - "NANO 103", - "and" + "CSE 167" ], - "name": "Nanoscale Optical Microscopy and Spectroscopy", - "description": "Fundamentals in optical imaging and spectroscopy at the nanometer scale. Diffraction-limited techniques, near-field methods, multi-photon imaging and spectroscopy, Raman techniques, Plasmon-enhanced methods, scan-probe techniques, novel sub-diffraction-limit imaging techniques, and energy transfer methods. " - }, - "NANO 148": { - "prerequisites": [], - "name": "Thermodynamics of Materials", - "description": "Fundamental laws of thermodynamics for simple substances; application to flow processes and to nonreacting mixtures; statistical thermodynamics of ideal gases and crystalline solids; chemical and materials thermodynamics; multiphase and multicomponent equilibria in reacting systems; electrochemistry. " + "name": "Computer Animation", + "description": "Advanced graphics focusing on the programming techniques involved in computer animation. Algorithms and approaches for both character animation and physically based animation. Particular subjects may include skeletons, skinning, key framing, facial animation, inverse kinematics, locomotion, motion capture, video game animation, particle systems, rigid bodies, clothing, and hair. Recommended preparation: An understanding of linear algebra. " }, - "NANO 150": { + "CSE 170": { "prerequisites": [ - "NANO 108" + "CSE 11", + "or", + "CSE 8B", + "and", + "COGS 187A", + "or", + "COGS 1", + "or", + "DSGN 1" ], - "name": "Mechanics of Nanomaterials", - "description": "Introduction to mechanics of rigid and deformable bodies. Continuum and atomistic models, interatomic forces and intermolecular interactions. Nanomechanics, material defects, elasticity, plasticity, creep, and fracture. Composite materials, nanomaterials, biological materials. " - }, - "NANO 156": { - "prerequisites": [], - "name": "Nanomaterials", - "description": "Basic principles of synthesis techniques, processing, microstructural control, and unique physical properties of materials in nanodimensions. Nanowires, quantum dots, thin films, electrical transport, optical behavior, mechanical behavior, and technical applications of nanomaterials. Cross-listed with MAE 166. " + "name": " Interaction Design", + "description": "Introduces fundamental methods and principles for designing, implementing, and evaluating user interfaces. Topics include user-centered design, rapid prototyping, experimentation, direct manipulation, cognitive principles, visual design, social software, software tools. Learn by doing: Work with a team on a quarter-long design project. Cross-listed with COGS 120. Students may not receive credit for COGS 120 and CSE 170. Recommended preparation: Basic familiarity with HTML. " }, - "NANO 158": { + "CSE 176A": { "prerequisites": [ - "NANO 108", - "and", - "NANO 148" + "CSE 110", + "or", + "CSE 170", + "or", + "COGS 120" ], - "name": "Phase Transformations and Kinetics", - "description": "Materials and microstructures changes. Understanding of diffusion to enable changes in the chemical distribution and microstructure of materials, rates of diffusion. Phase transformations, effects of temperature and driving force on transformations and microstructure. " + "name": "Health Care Robotics", + "description": "Robotics has the potential to improve well-being for millions of people and support caregivers and to aid the clinical workforce. We bring together engineers, clinicians, and end-users to explore this exciting new field. The course is project-based, interactive, and hands-on, and involves working closely with stakeholders to develop prototypes that solve real-world problems. Students will explore the latest research in health care robotics, human-robot teaming, and health design. Program or materials fees may apply. " }, - "NANO 158L": { + "CSE 176E": { "prerequisites": [], - "name": "Materials Processing Laboratory", - "description": "Metal casting processes, solidification, deformation processing, thermal processing: solutionizing, aging, and tempering, joining processes such as welding and brazing. The effect of processing route on microstructure and its effect on mechanical and physical properties will be explored.\u00a0NanoEngineering majors have priority enrollment. " - }, - "NANO 159": { - "prerequisites": [ - "CHEM 6A", - "CHEM 6B", - "CHEM 6C", - "CHEM 7L" - ], - "name": "Electrochemistry: Fundamentals and Applications", - "description": "Introduce fundamentals of electrochemical processes and electrode reactions to the principles of electrochemical techniques, instrumental requirements, and their diverse real-life applications in the energy, environmental, and diagnostics areas. " + "name": "Robot Systems Design and Implementation", + "description": "End-to-end system design of embedded electronic systems including PCB design and fabrication, software control system development, and system integration. Program or material fee may apply. May be coscheduled with CSE 276E. ** Department approval required ** " }, - "NANO 161": { + "CSE 180": { "prerequisites": [ - "NANO 108" + "BILD 1" ], - "name": "Material Selection in Engineering", - "description": "Selection of materials for engineering systems, based on constitutive analyses of functional requirements and material properties. The role and implications of processing on material selection. Optimizing material selection in a quantitative methodology. NanoEngineering majors receive priority enrollment. ** Department approval required ** " + "name": "Biology Meets Computing", + "description": "Topics include an overview of various aspects of bioinformatics and will simultaneously introduce students to programming in Python. The assessments in the course represent various programming challenges and include solving diverse biological problems using popular bioinformatics tools. Students may not receive credit for CSE 180 and CSE 180R. " }, - "NANO 164": { + "CSE 180R": { "prerequisites": [ - "NANO 101", - "NANO 102", - "NANO 148" + "BILD 1", + "or", + "BILD 4", + "or", + "CSE 3", + "or", + "CSE 7", + "or", + "CSE 8A", + "or", + "CSE 8B", + "or", + "CSE 11" ], - "name": "Advanced Micro- and Nano-materials for Energy Storage and Conversion", - "description": "Materials for energy storage and conversion in existing and future power systems, including fuel cells and batteries, photovoltaic cells, thermoelectric cells, and hybrids. " + "name": "Biology Meets Computing", + "description": "Topics include an overview of various aspects of bioinformatics and will simultaneously introduce students to programming in Python. The assessments in the course represent various programming challenges and include solving diverse biological problems using popular bioinformatics tools. This will be a fully online class based on extensive educational materials and online educational platform Stepik developed with HHMI, NIH, and ILTI support. Students may not receive credit for CSE 180 and CSE 180R. " }, - "NANO 168": { + "CSE 181": { "prerequisites": [ - "NANO 102", + "MATH 176", "and", - "NANO 104" + "and", + "or", + "CHEM 114C" ], - "name": "Electrical, Dielectric, and Magnetic Properties of Engineering Materials", - "description": "Introduction to physical principles of electrical, dielectric, and magnetic properties. Semiconductors, control of defects, thin film, and nanocrystal growth, electronic and optoelectronic devices. Processing-microstructure-property relations of dielectric materials, including piezoelectric, pyroelectric and ferroelectric, and magnetic materials. " + "name": "Molecular Sequence Analysis", + "description": "This course covers the analysis of nucleic acid and protein sequences, with an emphasis on the application of algorithms to biological problems. Topics include sequence alignments, database searching, comparative genomics, and phylogenetic and clustering analyses. Pairwise alignment, multiple alignment, DNS sequencing, scoring functions, fast database search, comparative genomics, clustering, phylogenetic trees, gene finding/DNA statistics. Students may receive credit for one of the following: CSE 181, BIMM 181, or BENG 181. " }, - "NANO 174": { + "CSE 182": { "prerequisites": [ - "NANO 108" + "CSE 100", + "or", + "MATH 176" ], - "name": "Mechanical Behavior of Materials", - "description": "Microscopic and macroscopic aspects of the mechanical behavior of engineering materials, with emphasis on recent development in materials characterization by mechanical methods. The fundamental aspects of plasticity in engineering materials, strengthening mechanisms, and mechanical failure modes of materials systems. " + "name": "Biological Databases", + "description": "This course provides an introduction to the features of biological data, how those data are organized efficiently in databases, and how existing data resources can be utilized to solve a variety of biological problems. Object oriented databases, data modeling and description. Survey of current biological database with respect to above, implementation of a database on a biological topic. Cross-listed with BIMM 182 and BENG 182. Students may receive credit for one of the following: CSE 182, BENG 182, or BIMM 182. " }, - "NANO 174L": { + "CSE 184": { "prerequisites": [ - "NANO 174" + "BIMM 181", + "or", + "BENG 181", + "or", + "CSE 181", + "BENG 182", + "or", + "BIMM 182", + "or", + "CSE 182", + "or", + "CHEM 182" ], - "name": "Mechanical Behavior Laboratory", - "description": "Experimental investigation of mechanical behavior of engineering materials. Laboratory exercises emphasize the fundamental relationship between microstructure and mechanical properties, and the evolution of the microstructure as a consequence of rate process. " - }, - "NANO 199": { - "prerequisites": [], - "name": "Independent Study for Undergraduates", - "description": "Independent reading or research on a problem by special arrangement with a faculty member. P/NP grades only. " - }, - "CENG 4": { - "prerequisites": [], - "name": "Experience Chemical Engineering", - "description": "Principles of chemical process design and\n\t\t\t\t economics. Process flow diagrams and cost estimation. Computer-aided design\n\t\t\t\t and analysis. Representation of the structure of complex, interconnected\n\t\t\t\t chemical processes with recycle streams. Ethics and professionalism. Health,\n\t\t\t\t safety, and the environmental issues. ** Consent of instructor to enroll possible **" - }, - "CENG 15": { - "prerequisites": [], - "name": "Engineering Computation Using Matlab", - "description": "Engineering and economic analysis of integrated\n\t\t\t\t chemical processes, equipment, and systems. Cost estimation, heat and mass\n\t\t\t\t transfer equipment design and costs. Comprehensive integrated plant design.\n\t\t\t\t Optimal design. Profitability. " - }, - "CENG 15R": { - "prerequisites": [], - "name": "Engineering Computation Using Matlab Online", - "description": "Foundations of polymeric materials. Topics: structure of polymers; mechanisms of polymer synthesis; characterization methods using calorimetric, mechanical, rheological, and X-ray-based techniques; and electronic, mechanical, and thermodynamic properties. Special classes of polymers: engineering plastics, semiconducting polymers, photoresists, and polymers for medicine.\u00a0Cross-listed with\u00a0NANO\u00a0134. Students may not receive credit for both\u00a0CENG\u00a0134 and\u00a0NANO\u00a0134. " - }, - "CENG\n\t\t 100": { - "prerequisites": [], - "name": "Material and Energy Balances ", - "description": "Brief introduction to solid-state materials and devices. Crystal growth and purification. Thin film technology. Application of chemical processing to the manufacture of semiconductor devices. Topics to be covered: physics of solids, unit operations of solid state materials (bulk crystal growth, oxidation, vacuum science, chemical and physical vapor deposition, epitaxy, doping, etching).\u00a0" + "name": "Computational Molecular Biology", + "description": "This advanced course covers the application of machine learning and modeling techniques to biological systems. Topics include gene structure, recognition of DNA and protein sequence patterns, classification, and protein structure prediction. Pattern discovery, Hidden Markov models/support victor machines/neural network/profiles. Protein structure prediction, functional characterization or proteins, functional genomics/proteomics, metabolic pathways/gene networks. Cross-listed with BIMM 184/BENG 184/CHEM 184. " }, - "CENG 101A": { + "CSE 185": { "prerequisites": [ - "MAE 170" + "CSE 11", + "or", + "CSE 8B", + "and", + "CSE 12", + "and", + "MATH 20C", + "or", + "MATH 31BH", + "and", + "BILD 1", + "and", + "BIEB 123", + "or", + "BILD 4", + "or", + "BIMM 101", + "or", + "CHEM 109" ], - "name": "Introductory Fluid Mechanics", - "description": "Laboratory projects in the areas of applied\n\t\t\t\t chemical research and unit operations. Emphasis on applications of engineering\n\t\t\t\t concepts and fundamentals to solution of practical and research problems. ** Consent of instructor to enroll possible **" + "name": "Advanced Bioinformatics Laboratory", + "description": "This course emphasizes the hands-on application of bioinformatics to biological problems. Students will gain experience in the application of existing software, as well as in combining approaches to answer specific biological questions. Topics include sequence alignment, fast database search, comparative genomics, expression analysis, computational proteomics, genome-wide association studies, next-generation sequencing, genomics, and big data. Students may not receive credit for CSE 185 and BIMM 185. Restricted to CS27, BI34, BE28, and CH37 major codes. " }, - "CENG 101B": { + "CSE 190": { "prerequisites": [], - "name": "Heat Transfer", - "description": "Training in planning research projects, execution\n\t\t\t\t of experimental work, and articulation (both oral and\n\t\t\t\t written) of the research plan and results in the areas of applied chemical\n\t\t\t\t technology and engineering operations related to mass, momentum, and heat\n\t\t\t transfer. " + "name": "Topics\n\t\t in Computer Science and Engineering", + "description": "Topics of special interest in computer science and engineering. Topics may vary from quarter to quarter. May be repeated for credit with the consent of instructor. ** Consent of instructor to enroll possible **" }, - "CENG 101C": { + "CSE 191": { "prerequisites": [], - "name": "Mass Transfer", - "description": "Independent reading or research on a problem\n\t\t\t\t by special arrangement with a faculty member. P/NP grades only. ** Consent of instructor to enroll possible **" + "name": "Seminar in CSE", + "description": "A seminar course on topics of current interest. Students, as well as, the instructor will be actively involved in running the course/class. This course cannot be counted toward a technical elective. ** Consent of instructor to enroll possible **" }, - "CENG 102": { + "CSE 192": { "prerequisites": [], - "name": "Chemical Engineering Thermodynamics", - "description": "Each graduate student in chemical engineering is expected\n\t\t\t\t to attend one seminar per quarter, of his or her choice, dealing with current\n\t\t\t topics in chemical engineering. Topics will vary. P/NP grades only. May be taken for credit four times." + "name": "Senior Seminar in Computer Science and Engineering", + "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in CSE (at the upper-division level). Topics will vary from quarter to quarter. Senior seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "CENG 113": { + "CSE 193": { "prerequisites": [], - "name": "Chemical Reaction Engineering", - "description": "Introduction to nanomedicine; diffusion and\n\t\t\t\t drug dispersion; diffusion in biological systems; drug permeation\n\t\t\t\t through biological barriers; drug transport by fluid motion;\n\t\t\t\t pharmacokinetics of drug distribution; drug delivery systems;\n\t\t\t\t nanomedicine in practice: cancers, cardiovascular diseases,\n\t\t\t\t immune diseases, and skin diseases. Cross-listed with NANO 243. Students may not receive credit for both CENG 207 and NANO 243." + "name": "Introduction to Computer Science Research", + "description": "Introduction to research in computer science. Topics include defining a CS research problem, finding and reading technical papers, oral communication, technical writing, and independent learning. Course participants apprentice with a CSE research group and propose an original research project. ** Consent of instructor to enroll possible **" }, - "CENG 114": { + "CSE 195": { "prerequisites": [], - "name": "Probability and Statistical Methods for Engineers", - "description": "Basic engineering principles of nanofabrication.\n\t\t\t\t Topics include photo, electron beam, and nanoimprint lithography, block\n\t\t\t\t copolymers and self-assembled monolayers, colloidal assembly, biological\n\t\t\t\t nanofabrication. Cross-listed with NANO 208. Students may not receive credit for both CENG 208 and NANO 208." - }, - "CENG\n\t\t 120": { - "prerequisites": [ - "MAE 101A-B", - "and", - "MAE 110A" - ], - "name": "Chemical Process Dynamics and Control", - "description": "Basic conservation laws, flow kinematics. The Navier-Stokes equations and some of its exact solutions, nondimensional parameters and different flow regimes, vorticity dynamics. Cross-listed with MAE 210A. ** Consent of instructor to enroll possible **" + "name": "Teaching", + "description": "Teaching and tutorial assistance in a CSE course under the supervision of the instructor. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "CENG 122": { + "CSE 197": { "prerequisites": [], - "name": "Separation Processes", - "description": "Understanding nanotechnology,\n broad implications; miniaturization: scaling laws; nanoscale\n physics; types and properties of nanomaterials; nanomechanical\n oscillators, nano(bio)electronics, nanoscale heat transfer;\n fluids at nanoscale; machinery cell; applications of nanobiotechnology\n and nanobiotechnology. Cross-listed with NANO 201. Students may not receive credit for both CENG 211 and NANO 201." + "name": "Field\n\t\t Study in Computer Science and Engineering", + "description": "Directed study and research at laboratories away from the campus. (P/NP grades only.) ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "CENG 124A": { + "CSE 198": { "prerequisites": [], - "name": "Chemical Plant and Process Design I", - "description": "Development of quantitative understanding of the different\n intermolecular forces between atoms and molecules and how these\n forces give rise to interesting phenomena at the nanoscale,\n such as flocculation, wetting, and self-assembly in biological\n (natural) and synthetic systems.\u00a0Cross-listed with NANO 202. Students may not receive credit for both CENG 212 and NANO 202." + "name": "Directed Group Study", + "description": "Computer science and engineering topics whose study involves reading and discussion by a small group of students under the supervision of a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "CENG\n\t\t 124B": { + "CSE 199": { "prerequisites": [], - "name": "Chemical Plant and Process Design II", - "description": "Examination of nanoscale\n synthesis\u2014top-down and bottom-up; physical deposition; chemical\n vapor deposition; plasma processes; sol-gel processing; soft-lithography;\n self-assembly and layer-by-layer; molecular synthesis.\u00a0Nanoscale\n characterization; microscopy (optical and electron: SEM,\n TEM); scanning probe microscopes (SEM, AFM); profilometry;\n reflectometry, and ellipsometry; X-ray diffraction; spectroscopies\n (EDX, SIMS, Mass spec, Raman, XPS); particle size analysis;\n electrical, optical, magnetic, mechanical, thermal. Cross-listed with NANO 203. Students may not receive credit for both CENG 213 and NANO 203. " + "name": "Independent Study for Undergraduates", + "description": "Independent reading or research by special arrangement with a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "CENG 134": { - "prerequisites": [], - "name": "Polymeric Materials", - "description": "Expanded mathematical analysis of topics introduced in CENG\n 212. Introduction of both analytical and numerical methods\n through application to problems in NanoEngineering. Nanoscale\n systems of interest include colloidal systems, block-copolymer\n based self-assembled materials, molecular motors made out of\n DNA, RNA, or proteins, etc. Nanoscale phenomena including self-assembly\n at the nanoscale, phase separation within confined spaces,\n diffusion through nanopores and nanoslits, etc. Modeling techniques\n include quantum mechanics, diffusion and kinetics theories,\n molecular dynamics, etc. Cross-listed with NANO 204. Students may not receive credit for both CENG 214 and NANO 204. ** Consent of instructor to enroll possible **" + "CSE 199H": { + "prerequisites": [ + "CSE department" + ], + "name": "CSE Honors Thesis Research for Undergraduates", + "description": "Undergraduate research for completing an honors project under the supervision of a CSE faculty member. May be taken across multiple quarters. Students should enroll for a letter grade. May be taken for credit three times. ** Consent of instructor to enroll possible **" }, - "CENG 157": { + "SE 1": { "prerequisites": [], - "name": "Process Technology in the Semiconductor Industry", - "description": "Discussion of scaling issues\n and how to carry out the effective hierarchical assembly\n of diverse molecular and nanoscale components into higher\n order structures that retain the desired electronic/photonic,\n structural, mechanical, or catalytic properties at the microscale\n and macroscale levels. Novel ways to combine the best aspects\n of both top-down and bottom-up processes to create a totally\n unique paradigm change for the integration of heterogeneous\n molecules and nanocomponents into higher order structures. Cross-listed with NANO 205. Students may not receive credit for both CENG 215 and NANO 205.\u00a0" + "name": "Introduction to Structures and Design", + "description": "Introduction to fundamentals of structures and how structures work. Overview of structural behavior and structural design process through hands-on projects. Lessons learned from structural failures. Professional ethics. Role and responsibility of structural engineers. Introduction to four structural engineering focus sequences. Program or materials fees may apply. Priority enrollment given to structural engineering majors." }, - "CENG\n\t\t 176A": { + "SE 2": { "prerequisites": [ - "MAE 101A-B-C" + "CHEM 6A", + "PHYS 2A" ], - "name": "Chemical Engineering Process Laboratory I", - "description": "Conduction, convection, and radiation heat transfer development of energy conservation equations. Analytical and numerical solutions to heat transport problems. Specific topics and applications vary. Cross-listed with MAE 221A. ** Consent of instructor to enroll possible **" + "name": "Structural Materials", + "description": "Properties and structures of engineering materials, including metals and alloys, ceramics, cements and concretes, polymers, and composites. Elastic deformation, plastic deformation, fracture, fatigue, wearing, and corrosion. Selection of engineering materials based on performance and cost requirements. " }, - "CENG\n\t\t 176B": { + "SE 2L": { "prerequisites": [ - "MAE 101A-B-C" + "CHEM 6A", + "PHYS 2A", + "and", + "SE 2" ], - "name": "Chemical Engineering Process Laboratory II", - "description": "Fundamentals of diffusive and convective mass transfer and mass transfer with chemical reaction. Development of mass conservation equations. Analytical and numerical solutions to mass transport problems. Specific topics and applications will vary. Cross-listed with MAE 221B. ** Consent of instructor to enroll possible **" - }, - "CENG\n\t\t 199": { - "prerequisites": [], - "name": "Independent Study for Undergraduates", - "description": "Advanced topics in characterizing nanomaterials using synchrotron X-ray sources. Introduction to synchrotron sources, X-ray interaction with matter, spectroscopic determination of electronic properties of nanomagnetic, structural determination using scattering techniques and X-ray imaging techniques. Cross-listed with NANO 230. Students may not receive credit for both CENG 230 and NANO 230." - }, - "TWS 20": { - "prerequisites": [], - "name": "Introduction to Third World Studies", - "description": "This introductory course examines historical and theoretical debates on the Third World. Especially important are socioeconomic, political, as well as cultural processes, as they are key factors to understanding the Third World across the globe." - }, - "TWS 21-22-23-24-25-26": { - "prerequisites": [], - "name": "\t\t Third World Literatures", - "description": "This course will investigate novelistic and dramatic treatments of European society in the era of nineteenth-century imperialism, Third World societies under the impact of colonialism, and the position of national minorities inside the United States to the present day. Attention will center on the interplay between the aesthetic merits and social-historical-philosophical content of the works read." - }, - "TWS 132": { - "prerequisites": [], - "name": "Literature and Third World Societies", - "description": "Seminars will be organized on the basis of topics with readings, discussions, and papers. Specific subjects to be covered will change each quarter depending on particular interest of instructors or students. May be repeated for credit. " - }, - "TWS 190": { - "prerequisites": [], - "name": "Undergraduate Seminars", - "description": "In an attempt to explore and study some unique processes and aspects of community life, students will engage in research in field settings. Topics to be researched may vary, but in each case the course will provide skills for carrying out these studies. " - }, - "TWS 197": { - "prerequisites": [], - "name": "Fieldwork", - "description": "Directed group study on a topic or in a field not included in the regular department curriculum, by special arrangement with a faculty member. " - }, - "TWS 198": { - "prerequisites": [], - "name": "Directed Group Studies", - "description": "Tutorial, individual guided reading and research projects (to be arranged between student and instructor) in an area not normally covered in courses currently being offered in the department. (P/NP grades only.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Structural Materials Lab", + "description": "Materials testing and/or processing for metals and alloys, polymers and composites, cements, and wood. Materials selection and structural design to meet functional and cost requirements. Structural construction and testing. Use of computer resources. " }, - "VIS 1": { - "prerequisites": [], - "name": "Introduction to\n\t\t Art Making: Two-Dimensional Practices", - "description": "An introduction to the concepts and techniques of art making with specific reference to the artists and issues of the twentieth century. Lectures and studio classes will examine the nature of images in relation to various themes. Drawing, painting, found objects, and texts will be employed. This course is offered only one time each year. " + "SE 3": { + "prerequisites": [ + "SE 1" + ], + "name": "Graphical Communication for Engineering Design", + "description": "Use of computer graphics (CAD software) to communicate engineering designs. Includes visualization, sketching, 2D and 3D graphics standards, dimensioning, tolerance, assemblies, and prototyping/testing with light manufacturing methods. Project/system management software, i.e., building information modeling (BIM), will be introduced. Use of computer resources. " }, - "VIS 2": { + "SE 7": { "prerequisites": [], - "name": "Introduction to\n\t\t Art Making: Motion and Time-Based Art", - "description": "An introduction to art making utilizing the transaction between people, objects, situations, and media. Includes both critical reflection on relevant aspects of modern and contemporary art practices (Marina Abramovic, Allen Kaprow, Adrian Piper, James Luna, Stelarc, Ron Athey, conceptual art, performance art, new media art, etc.) and practical experience in a variety of artistic exercises. This course is offered only one time each year. " + "name": "Spatial Visualization", + "description": "Spatial visualization is the ability to manipulate 2D and 3D shapes in one\u2019s mind. In this course, students will perform exercises that increase their spatial visualization skills. P/NP grades only. Students may not receive credit for SE 7 and MAE 7. " }, - "VIS 3": { - "prerequisites": [], - "name": "Introduction to\n\t\t Art Making: Three-Dimensional Practices", - "description": "An introduction to art making that uses as its base the idea of the \u201cconceptual.\u201d The lecture exists as a bank of knowledge about various art world and nonart world conceptual plays. The studio section attempts to incorporate these ideas into individual and group projects using any \u201cmaterial.\u201d This course is offered only one time each year. " + "SE 9": { + "prerequisites": [ + "MATH 20D", + "and", + "MATH 18" + ], + "name": "Algorithms and Programming for Structural Engineering", + "description": "Introduction to the Matlab environment. Variables and types, statements, functions, blocks, loops, and branches. Algorithm development. Functions, function handles, input and output arguments. Data encapsulation and object-oriented programming. Toolboxes and libraries. Models from physics (mechanics and thermodynamics) are used in exercises and projects. " }, - "VIS 10": { + "SE 87": { "prerequisites": [], - "name": "Computing in the Arts Lecture Series", - "description": "Designed around presentations by visiting artists, critics, and scientists involved with contemporary issues related to computer arts and design. Lectures by the instructor and contextual readings provide background material for the visitor presentations. Program or materials fees may apply. Students may not receive credit for both VIS 10 and ICAM 110. This course is offered only one time each year. " + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. " }, - "VIS 11": { + "SE 99H": { "prerequisites": [], - "name": "Introduction to Visual Culture", - "description": "This course examines the significant topics in art practice, theory, and history that are shaping contemporary art thinking. A wide range of media extending across studio art practice, digital media, performative practices, and public culture will be considered as interrelated components. This course is required for visual arts transfer students. Students may not receive credit for both VIS 11 and VIS 111. This course is offered only one time each year during winter quarter. " + "name": "Independent Study", + "description": "Independent study or research under direction of a faculty member. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 20": { + "SE 101A": { "prerequisites": [], - "name": "Introduction to Art History", - "description": "This course examines history of Western art and architecture through such defining issues as the respective roles of tradition and innovation in the production and appreciation of art; the relation of art to its broader intellectual and historical contexts; and the changing concepts of the monument, the artist, meaning, style, and \u201cart\u201d itself. Representative examples will be selected from different periods, ranging from Antiquity to Modern. Content will vary with the instructor. " + "name": "Mechanics I: Statics", + "description": "\u00a0" }, - "VIS 21A": { - "prerequisites": [], - "name": "Introduction\n\t\t to the Art of the Americas or Africa and Oceania", - "description": "Course offers a comparative and thematic approach to the artistic achievements of societies with widely divergent structures and political organizations from the ancient Americas to Africa and the Pacific Islands. Topics vary with the interests and expertise of instructor. Students may not receive credit for VIS 21 and VIS 21A. " + "SE 101B": { + "prerequisites": [ + "MATH 20C", + "and", + "PHYS 2A" + ], + "name": "Mechanics II: Dynamics", + "description": "Principles of statics using vectors. Two- and three-dimensional equilibrium of statically determinate structures under discrete and distributed loading including hydrostatics; internal forces and concept of stress; free body diagrams; moment, product of inertia; analysis of trusses and beams. " }, - "VIS 21B": { - "prerequisites": [], - "name": "Introduction to Asian Art", - "description": "Survey of the major artistic trends of India, China, and Japan, taking a topical approach to important developments in artistic style and subject matter to highlight the art of specific cultures and religions. Students may not receive credit for VIS 21 and VIS 21B. " + "SE 101C": { + "prerequisites": [ + "SE 101A", + "MAE 130A" + ], + "name": "Mechanics III: Vibrations", + "description": "Kinematics and kinetics of particles in two- and three-dimensional motion. Newton\u2019s equations of motion. Energy and momentum methods. Impulsive motion and impact. Systems of particles. Kinetics and kinematics of rigid bodies in 2-D. Introduction to 3-D dynamics of rigid bodies. " }, - "VIS 22": { - "prerequisites": [], - "name": "Formations of Modern Art", - "description": "Wide-ranging survey introducing the key aspects of modern art and criticism in the nineteenth and twentieth centuries, including neoclassicism, romanticism, realism, impressionism, postimpressionism, symbolism, fauvism, cubism, Dadaism and surrealism, abstract expressionism, minimalism, earth art, and conceptual art. " + "SE 103": { + "prerequisites": [ + "MATH 18", + "and", + "SE 101B", + "MAE 130B" + ], + "name": "Conceptual Structural Design", + "description": "Free and forced vibrations of damped 1-DOF systems; vibrations isolation, impact and packaging problems. Analysis of discrete MDOF systems using matrix representation; normal mode of frequencies and modal matrix formulation. Lagrange\u2019s equations. Modal superposition for analysis of continuous vibrating systems. " }, - "VIS 23": { - "prerequisites": [], - "name": "Information Technologies in Art History", - "description": "This seminar introduces fundamentals of art historical practice such as descriptive and analytical writing, compiling annotated bibliographies with traditional and online resources, defining research topics, and writing project proposals. " + "SE 104": { + "prerequisites": [ + "SE 9", + "SE 101A", + "MAE 130A", + "SE 104", + "and", + "SE 104L" + ], + "name": "Structural Materials", + "description": "Introduction to structural design approaches for civil structures. Structural materials. Loads and load paths. Gravity and lateral load elements and systems. Code design fundamentals. Construction methods. Structural idealization. Hand and computer methods of analysis. Experimental methods applied through team-based projects. Program or materials fees may apply. " }, - "VIS 30": { - "prerequisites": [], - "name": "Introduction to Speculative Design", - "description": "Note: Prerequisite for VIS 112 and highly recommended for all other seminars. Must be taken within a year of declaring major or transferring into the art history program. " + "SE 104L": { + "prerequisites": [ + "SE 1", + "and", + "SE 101A", + "or", + "MAE 130A" + ], + "name": "Structural Materials Lab", + "description": "Properties and structures of engineering materials, including metals and alloys, ceramics, cements and concretes, wood, polymers, and composites. Elastic deformation, plastic deformation, fracture, fatigue, creep.\u00a0Selection of engineering materials based on performance and cost requirements. Measurement techniques.\u00a0" }, - "VIS 41": { - "prerequisites": [], - "name": "Design Communication", - "description": "Speculative design uses design methods to question and investigate material culture with critical creative purpose. This course provides a historical, theoretical, and methodological introduction to speculative design as a distinct program. Emphasis is tracing the integration of interdisciplinary intellectual and technical problems toward creative, unexpected propositions and prototypes. " + "SE 110A": { + "prerequisites": [ + "MATH 20D", + "and", + "SE 101A", + "MAE 130A" + ], + "name": "Solid Mechanics I", + "description": "Concepts of stress and strain. Hooke\u2019s law. Stress transformation. Axial loading of bars. Torsion of circular shafts. Torsion of thin-walled members. Pure bending of beams. Unsymmetric bending of beams. Shear stresses in beams. Shear stresses in thin-walled beams. Shear center. Differential equation of the deflection curve. Deflections and slopes of beams from integration methods. Statically determinate and indeterminate problems. " }, - "VIS 60": { - "prerequisites": [], - "name": "Introduction to Digital Photography", - "description": "This course provides a strong foundation in contemporary techniques of design communication, including: digital image editing, typography, vector-based illustration and diagramming, document layout, as well as basic digital video editing tools, and web-production formats. Emphasis is on mastery of craft through iteration and presentation of multiple projects. Students may not receive credit for VIS 140 or ICAM 101 and VIS 41. " + "SE 110B": { + "prerequisites": [ + "SE 110A", + "MAE 131A", + "SE majors" + ], + "name": "Solid Mechanics II", + "description": "Advanced concepts in the mechanics of deformable bodies. Unsymmetrical bending of symmetrical and unsymmetrical sections. Bending of curved beams. Shear center and torsional analysis of open and closed sections. Stability analysis of columns, lateral buckling. Application of the theory of elasticity in rectangular coordinates. " }, - "VIS 70N": { - "prerequisites": [], - "name": "Introduction to Media", - "description": "An in-depth exploration of the camera and image utilizing photographic digital technology. Emphasis is placed on developing fundamental control of the processes and materials through lectures, field, and lab experience. Basic discussion of image making included. Program or materials fees may apply. " + "SE 115": { + "prerequisites": [ + "PHYS 2A", + "and", + "MATH 20D" + ], + "name": "Fluid Mechanics for Structural Engineering", + "description": "Fluid statics, hydrostatic forces; integral and differential forms of conservation equations for mass, momentum, and energy; Bernoulli equation; dimensional analysis; viscous pipe flow; external flow, boundary layers; open channel flow. ** Consent of instructor to enroll possible **" }, - "VIS 80": { - "prerequisites": [], - "name": "Introduction to the Studio Major", - "description": "Operating as both a lecture and production course, this introductory class provides a technical foundation and theoretical context for all subsequent production-oriented film and video studies. In the laboratory, the student will learn the basic skills necessary to initiate video production. Completion of Visual Arts 70N is necessary to obtain a media card. Program or materials fees may apply. " + "SE 120": { + "prerequisites": [ + "SE 102", + "and", + "SE 103", + "SE majors" + ], + "name": "Engineering Graphics & Computer\n\t\t Aided Structural Design", + "description": "Engineering graphics, solid modeling, CAD applications including 2-D and 3-D transformations, 3-D viewing, wire frame and solid models, Hidden surface elimination. Program or materials fees may apply. " }, - "VIS 84": { - "prerequisites": [], - "name": "History of Film", - "description": "A practical introduction to the studio art major and a conceptual introduction to how diverse strategies of art making are produced, analyzed, and critiqued. Introduces historical and contemporary topics in painting, drawing, sculpture, installation, and performance art and field-based practices. Required for all studio majors and minors including transfer students. Must be taken in residence at UC San Diego. " + "SE 121A": { + "prerequisites": [ + "SE 9", + "and", + "SE 101A", + "MAE 130A" + ], + "name": "Introduction to Computing for Engineers", + "description": "Introduction to engineering computing. Interpolation, integration, differentiation. Ordinary differential equations. Nonlinear algebraic equations. Systems of linear algebraic equations. Representation of data in the computer. Use of computer resources. " }, - "VIS 84B": { - "prerequisites": [], - "name": "Film Aesthetics", - "description": "A survey of the history and the art of the cinema. The course will stress the origins of cinema and the contributions of the earliest filmmakers, including those of Europe, Russia, and the United States. This course is offered only one time each year. Program or materials fees may apply. " + "SE 121B": { + "prerequisites": [ + "SE 101C", + "MAE 130C", + "and", + "SE 121A" + ], + "name": "Computing Projects in Structural Engineering", + "description": "Exploration of numerical algorithms in engineering computations. Centered around computing projects. Matrix eigenvalue problems, boundary value problems, solution of systems of nonlinear algebraic equations, optimization. Use of computer resources. " }, - "VIS 85A": { - "prerequisites": [], - "name": "Media History", - "description": "Analysis and interpretation of a film movement, style, genre, or set of conventions in light of aesthetic, philosophical, and/or theoretical frameworks. Specific films and emphases may vary by year and instructor. Examples include early twentiety-century century avant-garde, Third Cinema, Neorealism, direct cinema and cin\u00e9ma v\u00e9rit\u00e9, observational cinema, the French New Wave, the Hong Kong New Wave, essay films, pre-Code Hollywood cinema, structuralist film. Program or materials fees may apply. " + "SE 125": { + "prerequisites": [ + "SE majors" + ], + "name": "Statistics, Probability and Reliability", + "description": "Probability theory. Statistics, data analysis and inferential statistics, distributions, confidence intervals. Introduction to structural reliability and random phenomena. Applications to components and systems. " }, - "VIS 85B": { - "prerequisites": [], - "name": "Media Aesthetics", - "description": "A survey of media history, theory, and art in a range of national and international contexts. Offers historically situated analysis of print, audio, text-based, image-based, and time-based media in narrative, avant-garde, and documentary forms across different movements, genres, and styles with attention to associated theories and conventions (such as mechanical, electronic, graphical, lens-based, video, digital, and mixed media). Specific works and emphases may vary by year and instructor. Program or materials fees may apply. " + "SE 130A\u2013B": { + "prerequisites": [ + "SE 110A", + "MAE 131A" + ], + "name": "Structural Analysis", + "description": "Classical methods of analysis for statically indeterminate structures. Development of computer codes for the analysis of civil, mechanical, and aerospace structures from the matrix formulation of the classical structural theory, through the direct stiffness formulation, to production-type structural analysis programs. " }, - "VIS 87": { - "prerequisites": [], - "name": "Freshman Seminar", - "description": "Analysis and interpretation of a specific media art movement, style, genre, or set of conventions in light of aesthetic, philosophical, and/or theoretical frameworks. Specific works and emphases may vary by year and instructor. Examples include video art of the 1970s-80s, media art and industry, media archaeology, and computational aesthetics. Program or materials fees may apply. " + "SE 131": { + "prerequisites": [ + "SE 101C", + "or", + "MAE 130C", + "and", + "SE 121B" + ], + "name": "Finite Element Analysis", + "description": "Development of finite element models based upon the Galerkin method. Application to static and dynamic heat conduction and stress analysis. Formulation of initial boundary value problem models, development of finite element formulas, solution methods, and error analysis and interpretation of results. " }, - "VIS 100": { - "prerequisites": [], - "name": "Introduction to Public Culture", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students with preference given to entering freshmen. " + "SE 140": { + "prerequisites": [ + "SE 103", + "SE 130B", + "and" + ], + "name": "Structures and Materials Laboratory", + "description": "Introduction to concepts, procedures, and key issues of engineering design. Problem formulation, concept design, configuration design, parametric design, and documentation. Project management, team working, ethics, and human factors. Term project in model structure design. Program or materials fees may apply. ** Upper-division standing required ** " }, - "VIS 100A": { - "prerequisites": [], - "name": "Design of Public Culture", - "description": "This course examines the expansion of visual arts into contemporary fields of public culture and social practice, including new forms of research and practice intervening across urban socio-economic and political domains, environmental, spatial and community-based dynamics, architecture, information-design, and visualization. " + "SE 140A": { + "prerequisites": [ + "SE 130B", + "and", + "SE 150" + ], + "name": "Professional Issues and Design for Civil Structures I", + "description": "Part I of multidisciplinary team experience to design, analyze, build, and test civil/geotechnical engineering components and systems considering codes, regulations, alternative design solutions, economics, sustainability, constructability, reliability, and aesthetics. Professionalism, technical communication, project management, teamwork, and ethics in engineering practice. Use of computer resources. Program or materials fees may apply. " + }, + "SE 140B": { + "prerequisites": [ + "SE 140A", + "SE 151A", + "and", + "SE 181" + ], + "name": "Professional Issues and Design for Civil Structures II", + "description": "Part II of multidisciplinary team experience to design, analyze, build, and test civil/geotechnical engineering components and systems considering codes, regulations, alternative design solutions, economics, sustainability, constructability, reliability, and aesthetics. Professionalism, technical communication, project management, teamwork, and ethics in engineering practice. Use of computer resources. Program or materials fees may apply. " + }, + "SE 142": { + "prerequisites": [ + "SE 110A", + "MAE 131A", + "SE 110B", + "and", + "SE 160A" + ], + "name": "Design of Composite Structures", + "description": "Introduction to advanced composite materials and their applications. Fiber and matrix properties, micromechanics, stiffness, ply-by-ply stress, hygrothermal behavior, and failure prediction. Lab activity will involve design, analysis, fabrication, and testing of composite structure. Program or materials fees may apply. " + }, + "SE 143A": { + "prerequisites": [ + "SE 3", + "SE 142", + "and", + "SE 160B" + ], + "name": "Aerospace Structural Design I", + "description": "Conceptual and preliminary structural design of aircraft and space vehicles. Minimum-weight design of primary structures based upon mission requirements and configuration constraints. Multicriteria decision making. Team projects include layout, material selection, component sizing, fabrication, and cost. Oral presentations. Written reports. Use of computer resources. Program or materials fees may apply. " + }, + "SE 143B": { + "prerequisites": [ + "SE 143A" + ], + "name": "Aerospace Structural Design II", + "description": "Detailed structural design of aircraft and space vehicles. Composite material design considerations. Multidisciplinary design optimization. Introduction to aerospace computer-aided design and analysis tools. Team projects include the analysis, fabrication, and testing of a flight vehicle component. Oral presentations. Written reports. Use of computer resources. Program or materials fees may apply. " }, - "VIS 101": { + "SE 150": { "prerequisites": [ - "VIS 100" + "SE 130A" ], - "name": "Introduction to Urban Ecologies", - "description": "This course will explore design strategies that engage today\u2019s shifting public domain structures, situating the problematic of \u201cthe public\u201d and the politics of public sphere as sites of investigation, and speculating new interfaces between individuals, collectives, and institutions in coproducing more critical and inclusive forms of public space and culture. " - }, - "VIS 101A": { - "prerequisites": [], - "name": "Designing Urban Ecologies", - "description": "This course examines expanded meanings of the urban and the ecological into new conceptual zones for artistic practice and research, introducing urbanization as complex and transformative processes of interrelated cultural, socio-economic, political and environmental conditions, whose material and informational flows are generative of new interpretations of ecology. " + "name": "Design of Steel Structures", + "description": "Design concepts and loadings for structural systems. Working stress, ultimate strength design theories. Properties of structural steel. Elastic design of tension members, beams, and columns. Design of bolted and welded concentric and eccentric connections, and composite floors. Introduction to plastic design. " }, - "VIS 102": { + "SE 151A": { "prerequisites": [ - "VIS 101" + "SE 103", + "and", + "SE 130A" ], - "name": "Democratizing the City ", - "description": "This course will explore design strategies that engage peoples\u2019 shifting geopolitical boundaries, bioregional and ecosystems, urban structures and landscapes, and recontextualize the city as a site of investigation by developing new ways of intervening into expanded notions of urban space, including virtual communities and new speculations of urbanity. " + "name": "Design of Reinforced Concrete", + "description": "Concrete and reinforcement\n properties. Service and ultimate limit state analysis and\n design. Design and detailing of structural components.\u00a0" }, - "VIS 103": { - "prerequisites": [], - "name": "Architectural Practices", - "description": "Introduction to urban inequality across the Tijuana\u2013San Diego region, and the border flows that make the marginalized neighborhoods within this geography of conflict into sites of socioeconomic and cultural productivity, laboratories to rethink the gap between wealth and poverty. " + "SE 151B": { + "prerequisites": [ + "SE 151A" + ], + "name": "Design of Prestressed\n Concrete", + "description": "Time-dependent and independent properties of concrete and\n reinforcing material. Concept and application of prestressed\n concrete. Service and ultimate limit state analysis and design\n of prestressed concrete structures and components. Detailing\n of components. Calculation of deflection and prestress losses.\n " }, - "VIS 103A": { - "prerequisites": [], - "name": "Contemporary Arts in South Korea", - "description": "We can learn a lot from the spatial, aesthetic, and formal strategies of architects, as well as their critical stance on the shifting cultural, socio-political, and economic dynamics in the contemporary city. This is an introductory course to explore some of the most important, innovative contemporary architectural practices in the world, and their role in shaping new paradigms in design, material, urban, and environmental culture. " + "SE 152": { + "prerequisites": [ + "SE 130B", + "SE 150", + "and", + "SE 151A" + ], + "name": "Seismic Design of Structures", + "description": "Seismic design philosophy. Ductility concepts.\n\t\t\t\t Lateral force resisting systems. Mechanisms of nonlinear deformation.\n\t\t\t\t Methods of analysis. Detailing of structural steel and reinforced\n\t\t\t\t concrete elements. Lessons learned from past earthquakes. Multistory\n\t\t\t\t building design project. " }, - "VIS 103B": { - "prerequisites": [], - "name": "Architecture and Urbanism of Korea", - "description": "The course will examine the theories and practices of contemporary art in South Korea, and its systems of cultural productions and disseminations. Highlighting the work of representative artists, institutions, and events, the course focuses on the predominance of governmental and corporate sponsorships, and how its cultural system is positioned for national and global presence, as well as the emergence alternative art spaces that promote the decentralization of cultural programs. Renumbered from VIS 127A. Students may not receive credit for VIS 103A and VIS 127A. This course is part of the Korean studies minor program. " + "SE 154": { + "prerequisites": [ + "SE 103", + "and", + "SE 130A" + ], + "name": "Design of Timber Structures", + "description": "Properties of wood and lumber grades. Beam design. Design of axially loaded members. Design of beam-column. Properties of plywood and structural-use panels. Design of horizontal diaphragms. Design of shear walls. Design of nailed and bolted connections. " }, - "VIS 105A": { - "prerequisites": [], - "name": "Drawing: Representing the Subject", - "description": "Covering the evolution of architecture and urban developments in South and North Korea since 1953. The course will examine how both states have shaped their political, economic, and cultural conditions. In particular, we will compare the apartment block communities, national identity architecture, and thematic architecture for entertainment and political propaganda. We will look at how traditional Korean architecture and urban structures were modified for modern life and political economy. Renumbered from VIS 127I. Students may not receive credit for VIS 103B and VIS 127I. " + "SE 160A": { + "prerequisites": [ + "SE 2", + "SE 2L", + "SE 101B", + "MAE 130B", + "and", + "SE 110A", + "MAE 131A" + ], + "name": "Aerospace Structural Mechanics I", + "description": "Aircraft and spacecraft flight loads and operational envelopes, three-dimensional stress/strain relations, metallic and composite materials, failure theories, three-dimensional space trusses and stiffened shear panels, combined extension-bend-twist behavior of thin-walled multicell aircraft and space vehicle structures, modulus-weighted section properties, shear center. " }, - "VIS 105B": { + "SE 160B": { "prerequisites": [ - "VIS 80" + "SE 101C", + "MAE 130C", + "and", + "SE 160A" ], - "name": "Drawing: Practices and Genre", - "description": "A studio course in beginning drawing covering basic drawing and composition. These concepts will be introduced by the use of models, still life, landscapes, and conceptual projects. " + "name": "Aerospace Structural Mechanics II", + "description": "Analysis of aerospace structures via work-energy principles and finite element analysis. Bending of metallic and laminated composite plates and shells. Static vibration and buckling analysis of simple and built-up aircraft structures. Introduction to wing divergence and flutter, fastener analysis. " }, - "VIS 105C": { + "SE 163": { "prerequisites": [ - "VIS 105A" + "SE 110A", + "and", + "SE 110B" ], - "name": "Drawing: Portfolio Projects", - "description": "A continuation of VIS 105A. A studio course in which the student will investigate a wider variety of technical and conceptual issues involved in contemporary art practice related to drawing. " + "name": "Nondestructive Evaluation", + "description": "Fourier signal processing, liquid penetrant, elastic wave propagation, ultrasonic testing, impact-echo, acoustic emission testing, vibrational testing, infrared thermography. May be coscheduled with SE 263. ** Consent of instructor to enroll possible **" }, - "VIS 105D": { + "SE 164": { "prerequisites": [ - "VIS 105B" + "SE 101C", + "MAE 130C", + "and", + "SE 110A" ], - "name": "Art Forms and Chinese Calligraphy ", - "description": "A studio course in drawing, emphasizing individual creative problems. Class projects, discussions, and critiques will focus on issues related to intention, subject matter, and context. " + "name": "Sensors and Data Acquisition for Structural Engineering", + "description": "This course discusses theory, design, and applications of sensor technologies in the context of structural engineering and structural health monitoring. Topics include sensors and sensing mechanisms; measurement uncertainty; signal conditioning and interface circuits; data acquisition; analog/digital circuits; and emerging sensors. May be coscheduled with SE 264. " }, - "VIS 105E": { + "SE 165": { "prerequisites": [ - "VIS 80" + "MAE 130C" ], - "name": "Chinese Calligraphy as Installation", - "description": "This course treats Chinese calligraphy as a multidimensional point of departure for aesthetic, cultural, and political concerns. This conceptually based course combines fundamental studio exercises with unconventional explorations. Students are exposed to both traditional and experimental forms of this unique art and encouraged to learn basic aesthetic grammars. There are no Chinese language requirements for this course. " + "name": "Structural Health Monitoring", + "description": "A modern paradigm of structural health monitoring as it applies to structural and mechanical systems is presented. Concepts in data acquisition, feature extraction, data normalization, and statistical modeling will be introduced in an integrated context. Matlab-based exercise. Term project. Use of computer resources. " }, - "VIS 106A": { + "SE 168": { "prerequisites": [ - "VIS 105D" + "SE 101C", + "MAE 130C", + "and", + "SE 131" ], - "name": "Painting: Image Making", - "description": "This course concerns East\u2013West aesthetic interactions. What are the conceptual possibilities when calligraphy, an ancient form of Chinese art, is combined with installation, a contemporary artistic Western practice? Emphasis is placed on such issues as cultural hybridity, globalization, multiculturalism, and commercialization. " + "name": "Structural System Testing and Model Correlation\n\t\t\t ", + "description": "Dynamic/model testing of structures: test planning/execution,\n actuation, sensing, and data acquisition, signal processing,\n data conditioning, test troubleshooting. Methods of updating\n finite element structural models to correlate with dynamic\n test results. Model/test correlation assessment in industrial\n practice. Knowledge of Matlab strongly encouraged. " }, - "VIS 106B": { + "SE 171": { "prerequisites": [ - "VIS 80" + "SE 160A" ], - "name": "Painting: Practices and Genre", - "description": "A studio course focusing on problems inherent in painting\u2014transferring information and ideas onto a two-dimensional surface, color, composition, as well as manual and technical procedures. These concepts will be explored through the use of models, still life, and landscapes. " + "name": "Aerospace Structures Repair", + "description": "Review methods used to repair aerospace structures. Emphasis on primary load-bearing airframe structures and analysis/design of substantiate repairs. Identification of structural/corrosion distress, fatigue cracking, damage tolerance, integrity and durability of built-up members, patching, health monitoring. Use of computer resources. ** Consent of instructor to enroll possible **" }, - "VIS 106C": { + "SE 180": { "prerequisites": [ - "VIS 106A" + "SE 110A", + "and", + "SE 130A" ], - "name": "Painting: Portfolio Projects", - "description": "A continuation of VIS 106A. A studio course in which the student will investigate a wider variety of technical and conceptual issues involved in contemporary art practice related to painting. " + "name": "Earthquake Engineering", + "description": "Elements of seismicity and seismology. Seismic hazards. Dynamic analysis of structures underground motion. Elastic and inelastic response spectra. Modal analysis, nonlinear time-history analysis. Earthquake resistant design. Seismic detailing. " }, - "VIS 107A": { + "SE 181": { "prerequisites": [ - "VIS 106B" + "SE 110A", + "or", + "MAE 131A" ], - "name": "Sculpture: Making the Object", - "description": "A studio course in painting emphasizing individual creative problems. Class projects, discussions, and critiques will focus on issues related to intention, subject matter, and context. " + "name": "Geotechnical Engineering", + "description": "General introduction to physical and engineering properties of soils. Soil classification and identification methods. Compaction and construction control. Total and effective stress. Permeability, seepage, and consolidation phenomena. Shear strength of sand and clay. " }, - "VIS 107B": { + "SE 182": { "prerequisites": [ - "VIS 80" + "SE 181" ], - "name": "Sculpture: Practices and Genre", - "description": "A studio course focusing on the problems involved in transferring ideas and information into three-dimensions. Course will explore materials and construction as dictated by the intended object. Specific problems to be investigated will be determined by the individual professor. " + "name": "Foundation Engineering", + "description": "Application of soil mechanics to the analysis, design, and construction of foundations for structures. Soil exploration, sampling, and in situ testing techniques. Stress distribution and settlement of structures. Bearing capacities of shallow foundations and effects on structural design. Analysis of axial and lateral capacity of deep foundations, including drilled piers and driven piles. " }, - "VIS 107C": { + "SE 184": { "prerequisites": [ - "VIS 107A" + "SE 181" ], - "name": "Sculpture: Portfolio Projects", - "description": "A studio course in which the student will investigate a wider variety of technical and conceptual issues as well as materials involved in contemporary art practice related to sculpture. " + "name": "Ground Improvement", + "description": "Concepts underpinning mechanical, hydraulic, chemical and inclusion-based methods of ground improvement will be discussed. Students will be able to understand the advantages, disadvantages and limitations of the various methods; and develop a conceptual design for the most appropriate improvement strategy. " }, - "VIS 108": { + "SE 192": { "prerequisites": [ - "VIS 107B" + "SE major" ], - "name": "Advanced Projects in Art", - "description": "A studio course in sculpture emphasizing individual creative problems. Class projects, discussions, and critiques will focus on issues related to intention, subject matter, and context. Students may not receive credit for both VIS 107C and VIS 107CN. " + "name": "Senior Seminar", + "description": "The Senior Seminar is designed to allow senior undergraduates to meet with faculty members to explore an intellectual topic in structural engineering. Topics will vary from quarter to quarter. Enrollment is limited to twenty students with preference given to seniors. ** Consent of instructor to enroll possible **" + }, + "SE 195": { + "prerequisites": [], + "name": "Teaching", + "description": "Teaching and tutorial assistance in a SE course under supervision of instructor. Not more than four units may be used to satisfy graduation requirements. (P/NP grades only.) ** Consent of instructor to enroll possible **" + }, + "SE 197": { + "prerequisites": [], + "name": "Engineering Internship", + "description": "An enrichment program, available to a limited number of undergraduate students, which provides work experience with industry, government offices, etc., under the supervision of a faculty member and industrial supervisor. Coordination of the Engineering Internship is conducted through UC San Diego\u2019s Academic Internship Program. ** Consent of instructor to enroll possible **" + }, + "SE 198": { + "prerequisites": [], + "name": "Directed Study Group", + "description": "Directed group study, on a topic or in a field not included in the regular department curriculum, by special arrangement with a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" + }, + "SE 199": { + "prerequisites": [], + "name": "Independent Study", + "description": "Independent reading or research on a problem by special arrangement with a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" + }, + "TDAC 1": { + "prerequisites": [], + "name": "Introduction to Acting", + "description": "The subject codes are" + }, + "TDAC 101": { + "prerequisites": [], + "name": "Acting I", + "description": "A beginning course in the fundamentals of acting: establishing a working vocabulary and acquiring the basic skills of the acting process. Through exercises, compositions, and improvisations, the student actor explores the imagination as the actor\u2019s primary resource, and the basic approach to text through action. " + }, + "TDAC 102": { + "prerequisites": [], + "name": "Acting II", + "description": "This course focuses on beginning scene study with an emphasis on exploring action/objective and the given circumstances of a selected text. ** Consent of instructor to enroll possible **" + }, + "TDAC 103A": { + "prerequisites": [], + "name": "Acting Intensive I", + "description": "Further study in the application of the given circumstances to a text and the development of characterization. " + }, + "TDAC 103B": { + "prerequisites": [], + "name": "Acting Intensive II", + "description": "An intensive foundation class for students interested in professional actor training. Using Viewpoints, students will train the physical, vocal, and emotional aspects of their actor instrument toward developing character and relationships by using scenes from contemporary and modern plays. " + }, + "TDAC 104": { + "prerequisites": [], + "name": "Classical Text", + "description": "A continuation of TDAC 103A. Working from Meisner technique, students will learn to deepen and detail their objectives, spontaneous response, and deep listening skills. Focus on the process that will lead to scene work using this technique. ** Consent of instructor to enroll possible **" + }, + "TDAC 105": { + "prerequisites": [], + "name": "Rehearing Shakespeare", + "description": "Studies in the heightened realities of poetic drama. Verse analysis, research, methods and how to approach a classical dialogue. " + }, + "TDAC 106": { + "prerequisites": [], + "name": "Chekhov Acting", + "description": "Advanced exploration of Shakespeare\u2019s language through examining and performing scenes from the plays. Admission by audition/interview. May be taken for credit two times. " + }, + "TDAC 107": { + "prerequisites": [], + "name": "Improvisation for the Theatre", + "description": "Practical exercises, discussion, text analysis, and scene work on the writings of Anton Chekhov. Admission by audition/interview. " + }, + "TDAC 108": { + "prerequisites": [], + "name": "Advanced Topics", + "description": "Improvisation for the Theatre explores improvisation techniques as an alternative and unique approach to acting. Students should have a performance background. " + }, + "TDAC 109": { + "prerequisites": [], + "name": "Singing for Actors", + "description": "Advanced topics in acting, such as avant-garde drama, commedia, or Beckett, for students who possess basic acting techniques. May be taken for credit four times. " + }, + "TDAC 110": { + "prerequisites": [], + "name": "Acting for the Camera", + "description": "This course introduces basic skills of breathing, placement, diction, musicianship, harmony, interpretation, and presentation needed by actors for roles requiring singing. Through a combination of group and individual coaching in class, students will prepare a program of short solo and ensemble pieces for a finals-week presentation. " }, - "VIS 109": { + "TDAC 111": { "prerequisites": [], - "name": "Advanced Projects in Media", - "description": "A studio course for serious art students at the advanced level. Stress will be placed on individual creative problems. Specific orientation of this course will vary with the instructor. Topics may include film, video, photography, painting, performance, etc. May be taken for credit three times. " + "name": "Freeing the Voice", + "description": "This course is designed to aid the actor in the transition from stage to film work. Examination of film production and its physical characteristics and the acting style needed for work in film and television. Students will perform in simulated studio setting on camera. " }, - "VIS 110A": { + "TDAC 112": { "prerequisites": [], - "name": "Contemporary Issues and Practices", - "description": "Individual or group projects over one or two quarters. Specific project organized by the student(s) will be realized during this course with instructor acting as a close adviser/critic. Concept papers/scripts must be completed by the instructor prior to enrollment. Two production-course limitation. May be taken for credit three times. " + "name": "Senior Seminar in Acting", + "description": "Intensive workshop for actors and directors designed to \u201cfree the voice,\u201d with special emphasis on characteristics and vocal flexibility in a wide range of dramatic texts. This proven method combines experimental and didactic learning with selected exercises, texts, tapes, films, and total time commitment. " }, - "VIS 110B": { + "TDAC 115": { "prerequisites": [], - "name": "Professional Practice in the Visual Arts", - "description": "This course for the advanced visual arts major examines topics in contemporary studio art practice. The course is divided among research, discussion, projects, field trips to galleries, and visiting artists, and will encourage student work to engage in a dialogue with the issues raised. " + "name": "Movement for Actors", + "description": "An in-depth study seminar focused on special issues in acting as they relate to contemporary theatre. Of particular interest to students who plan to pursue a career in this area of theatre. " }, - "VIS 110C": { + "TDAC 120": { "prerequisites": [], - "name": "Proposals, Plans, Presentations", - "description": "This class is for the advanced visual arts major who is interested in taking the next steps toward becoming a professional visual artist. Students will become familiar with artist\u2019s residencies and graduate programs and what they offer. Of most importance will be developing the portfolio and the artist statement, as well as becoming more familiar with the contemporary art world. Two production-based limitation. " + "name": "Ensemble", + "description": "An exploration of the wide array of physical skills necessary for the actor. Using techniques derived from mime, clowning, sports, acrobatics, and improvisation, students will investigate their individual physical potential as well as their sense of creativity and imagination. " }, - "VIS 110D": { + "TDAC 122": { "prerequisites": [], - "name": "Visual Narrative", - "description": "This is a course for the advanced visual arts major that explores the use of the maquette, or sketch, in the process of developing, proposing, and planning visual works in various media for public projects, site specific works, grants, exhibition proposals, etc. The student will work on synthesizing ideas and representing them in alternate forms that deal with conception, fabrication, and presentation. " + "name": "Ensemble: Undergraduate Production", + "description": "An intensive theatre practicum designed to generate theatre created by an ensemble with particular emphasis upon the analysis of text. Students will explore and analyze the script and its author. Ensemble segments include black theatre, Chicano theatre, feminist theatre, and commedia dell\u2019arte. Audition may be required. A maximum of four units may be used for major credit. (Cross-listed with ETHN 146A.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 110E": { + "TDAC 123": { "prerequisites": [], - "name": "Art in Public Spaces/Site-Specific Art ", - "description": "This course for the advanced visual arts major explores narrative in art practice. The course will explore the construction of real and fictive narratives across a variety of disciplines with an emphasis on illustration, the graphic novel, comics, and other forms of drawing practice. Studio work is complemented by in-depth study of the gaze, subjectivity, memory, and imagination. After guided assignments, emphasis is on self-directed projects. " + "name": "Advanced Studies in Performance", + "description": "Participation in a fully staged theatre production directed by an MFA or PhD student for the Department of Theatre and Dance. Admission by audition only. A maximum of four units may be used for major credit. ** Consent of instructor to enroll possible **" }, - "VIS 110F": { + "TDDE 1": { "prerequisites": [], - "name": "Installation: Cross-Disciplinary Projects", - "description": "This course for the advanced visual arts major takes painting, sculpture, and related media out of the studio/gallery and into the public sphere by examining the contemporary history of public artworks with traditional and nontraditional site-specific work, focusing on production, critical discussion, and writing. Two production-course limitation. " + "name": "Introduction to Design for the Theatre", + "description": "Participation in a fully staged season production that is directed by a faculty member or guest for the Department of Theatre and Dance. Admission by audition only. A maximum of four units may be used for major credit. ** Consent of instructor to enroll possible **" }, - "VIS 110G": { + "TDDE 101": { "prerequisites": [], - "name": "The Natural and Altered Environment", - "description": "This course for the advanced visual arts major expands the idea contained in a singular work, or object, into the use of multiple objects, images, and media that redefines the idea as well as the space for which it is intended. Examination of historic, modern, and contemporary works will influence discussion of student project development and execution. Two production-course limitation. " + "name": "Theatre Process\u2014Scenery", + "description": "A survey of contemporary and historical concepts and practices in the visual arts of the theatre; studies in text analysis, studio processes and technical production; elementary work in design criticism, scale model making, and costume design. A course serving as an introduction to theatre design and production. " }, - "VIS 110H": { + "TDDE 102": { "prerequisites": [], - "name": "Art and Text", - "description": "This course for the advanced visual arts major explores the natural and altered environment as a basis for subject as well as placement of work pertaining to the environment. Two production-course limitation. ** Exam placement options to enroll possible ** " + "name": "Advanced Scenic Design", + "description": "A hands-on course develops craft skills and solution-finding process in design including script analysis, concept sketches, research, and scale model making. An exploration of fundamental ways of seeing and understanding visual design. " }, - "VIS 110I": { + "TDDE 111": { "prerequisites": [], - "name": "Performing for the Camera", - "description": "This class is for the advanced visual arts major devoted to the study and practice of the multiple ways in which writing and other forms of visible language have been incorporated into contemporary and traditional artworks, including artists\u2019 books, collaging and poster art, literature and poetry, typographical experiments, and calligraphies. Two production-course limitation. " + "name": "Theatre Process\u2014Costume Design", + "description": "An advanced course based on the \u201cpractice\u201d of scenic design, dealing with the solution finding process, from text to idea to realized work. ** Consent of instructor to enroll possible **" }, - "VIS 110K": { + "TDDE 112": { "prerequisites": [], - "name": "Digital Studio", - "description": "The dematerialization of the performer into media-based image\u2014video, film, slides, still photographs, and using the camera as a spy, a coconspirator, a friend, or a foe\u2014employing time lags, spatial derangement, image destruction, along with narrative, text, and history, to invent time-based pieces that break new ground while being firmly rooted in an understanding of the rich body of work done in this area over the last three decades. " + "name": "Advanced Costume Design", + "description": "The process of the costume designer from script analysis and research visualization of ideas, through the process of costume design. Lecture and demonstration labs parallel lecture material. This course is intended for those interested in a basic understanding of the costumer\u2019s process. No previous drawing or painting skills required. " }, - "VIS 110M": { + "TDDE 121": { "prerequisites": [], - "name": "Studio Honors I", - "description": "This is a studio art course for the advanced visual arts major with a focus on the intersection of digital rendering and drawing, painting, sculpture, and performance. Structured as core lectures and labs, studio production, reading, and critical theory focused on contemporary art engaged with technology, as well as artists\u2019 responses to its demands. Two production-course limitation. " + "name": "Theatre Process\u2014Lighting Design", + "description": "An advanced course based on the \u201cpractice\u201d of costume design, dealing with the solution finding process, from text to idea to realized work. ** Consent of instructor to enroll possible **" }, - "VIS 110N": { + "TDDE 130": { "prerequisites": [], - "name": "Studio Honors II", - "description": "This is a course for the advanced studio major who is selected based on a proven record of engagement, productivity, and self-discipline as well as a clear trajectory of their work. The intent is to help refine and expand the student\u2019s studio practice toward a unified portfolio and artist\u2019s statement as well as develop experience in participation and organization of group and solo exhibitions. ** Consent of instructor to enroll possible **" + "name": "Assistant Designer", + "description": "One of three classes in theatre process. The course aims to develop basic skills in lighting design through practical projects, lab work and lecture. These emphasize collaborating, manipulating light and color, and developing craft skills. ** Consent of instructor to enroll possible **" }, - "VIS 112": { - "prerequisites": [ - "VIS 110M" - ], - "name": "Art Historical Methods", - "description": "The second advanced studio course in the Honors Program in Studio, the successful completion of which will lead toward an honors degree in the studio major. The course builds on the critical and technical issues raised in Studio Honors I. " + "TDDE 131": { + "prerequisites": [], + "name": "Special Topics in Theatre Design", + "description": "A production-oriented course that continues\n\t\t\t\t to introduce students to the fundamentals of design assisting.\n\t\t\t\t Laboratory format allows the student to work with faculty,\n\t\t\t\t graduate, or advanced undergraduate theatre designers, doing\n\t\t\t\t research, developing design concepts, and supporting the designer\n\t\t\t\t in a number of professional ways. May be taken for credit two times. ** Consent of instructor to enroll possible **" }, - "VIS 113AN": { - "prerequisites": [ - "VIS 23", - "and" - ], - "name": "History of Criticism I: Early Modern", - "description": "A critical review of the principal strategies of investigation in past and present art-historical practice, a scrutiny of their contexts and underlying assumptions, and a look at alternative possibilities. The various traditions for formal and iconographic analysis as well as the categories of historical description will be studied. Required for all art history and criticism majors. " + "TDDE 132": { + "prerequisites": [], + "name": "Undergraduate\n\t\t\t\t Main Stage Production: Design", + "description": "A course designed to expose the theatre design students to a variety of specialized topics that will vary from quarter to quarter. May be taken for credit three times. ** Consent of instructor to enroll possible **" }, - "VIS 113BN": { + "TDDE 141": { + "prerequisites": [], + "name": "Theatre Process\u2014Sound Design", + "description": "A course that will guide a student in a design assignment on the undergraduate main stage production. Specialized topics dependent on the design requirements of the production. May be taken for credit three times. ** Consent of instructor to enroll possible **" + }, + "TDDE 142": { "prerequisites": [ - "VIS 112" + "MUS 173" ], - "name": "History\n\t\t of Criticism II: Early Twentieth Century", - "description": "Using a wide range of nineteenth-century texts, this course will offer close discussions of romantic criticism and aesthetic philosophy (ideas of originality, genius, and nature); the conditions of \u201cmodern life\u201d; realism and naturalism; science and photography; and questions of form, expression, symbolism, and history. This is a seminar course. Recommended preparation: two upper-division art history courses. " + "name": "Advanced Sound Design", + "description": "A hands-on course on the process of sound design from conception to planning and implementation. The course will concentrate equally on the technical and artistic aspects of the sound design process and will include a survey of modern audio technologies. ** Consent of instructor to enroll possible **" }, - "VIS 113CN": { + "TDDE 151": { "prerequisites": [], - "name": "History\n\t\t of Criticism III: Contemporary", - "description": "The principal theories of art and criticism from symbolism until 1945: formalism and modernism, abstraction, surrealism, Marxism, and social art histories, phenomenology, existentialism. Recommended preparation: VIS 112 or two upper-division courses in art history strongly recommended. " + "name": "Digital Video Design", + "description": "This course focuses on advancing students in their artistic and technical skills in sound design. A large-scale project will be identified with special attention given to text analysis and technical specification of the sound design. ** Consent of instructor to enroll possible **" }, - "VIS 114A": { + "TDDE 169A": { "prerequisites": [], - "name": "Landscape and Memory", - "description": "Recent approaches to the image in art history and visual culture: structuralism, semiotics, psychoanalysis, poststructuralism, postmodernism, feminism, postcolonialism, cultural studies. Recommended preparation: VIS 112 or two upper-division courses in art history strongly recommended. " + "name": "Digital Rendering for Theatre and Performance Design I", + "description": "This course will examine the field of projection design for theatre and dance performance. Students will study and produce original works based on the theoretical and aesthetic approaches of animation, film, performance, and installation art that influence contemporary projection design. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 114B": { + "TDDE 169B": { "prerequisites": [], - "name": "The Fragment: Uses and Theories", - "description": "This seminar treats landscape as site, image, symbol, and ideal through a historical examination of the major themes and issues in the forms and functions of landscape and its representation in the European and, to a certain extent, the American tradition from antiquity to the present day. These historical discussions will also form a framework for observations on and analyses of contemporary landscape, both as experienced and as an idea. This course presumes no prior knowledge of the field. This course fulfills the theory requirement and seminar requirement in the art history program. Recommended preparation: VIS 20. " + "name": "Digital Rendering for Theatre and Performance Design II", + "description": "Introductory course that explores a variety of digital rendering methods for artistic 2-D, 3-D, and moving graphics visualization in theatre and performance design. Course objective is to synthesize and expand traditional drawing and painting methods with modern digital media-based applications. " }, - "VIS 114GS": { + "TDDE 190": { "prerequisites": [], - "name": "Arts and Visual Culture in China", - "description": "This seminar focuses on the dynamic and at times contentious relationship between antiquity and the Middle Ages as it played out in various environments\u2014physical, social, cultural, and intellectual\u2014from Rome to Constantinople to Venice, Pisa, and Florence. After considering classic and contemporary formulations of the problem, it turns to in-depth examination of the architecture, images, objects, and techniques at sites in the history of art, where fragments were deployed and displayed. This course fulfills the theory requirement and seminar requirement in the art history program. Recommended preparation: VIS 20 or VIS 112. " + "name": "Major\n\t\t\t\t Project in Design/Theatre Production", + "description": "A continuation of TDDE 169A. Studio course explores advanced digital rendering methods for artistic 2-D, 3-D, and moving graphics for theatre and performance design. Focus will be on advanced techniques in the process of visualization from conception to production. " }, - "VIS 117E": { + "TDDR 101": { "prerequisites": [], - "name": "Problems in Ethnoaesthetics", - "description": "This course studies important developments in the arts of China in the context of contemporary cultural phenomena. The factors behind the making of art will be brought to bear on selected objects or monuments from China\u2019s great artistic eras. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Stage Management", + "description": "For the advanced design/production student.\n\t\t\t\t Concentration on a particularly challenging design or theatre production\n\t\t\t\t assignment, including such areas as assistant designer (scenery, lighting,\n\t\t\t\t or costumes), technical director, master cutter, or master electrician.\n\t\t\t\t May be repeated one time for credit. A maximum of eight units of major\n\t\t\t\t project study, regardless of area (design, directing, or stage management)\n\t\t\t\t may be used to fulfill major requirements. May be taken for credit two times. ** Consent of instructor to enroll possible **" }, - "VIS 117F": { + "TDDR 108": { "prerequisites": [], - "name": "Theorizing the Americas", - "description": "This seminar will address and critique various approaches to studying the art of non-Western societies with respect to their own aesthetic and cultural systems. Students are encouraged to explore comparative philosophies of art and test paradigms of Western aesthetic scholarship. Recommended preparation: VIS 21A or 21B or 112 or two upper-division courses in art history strongly recommended. " + "name": "Text Analysis for Actors and Directors", + "description": "Discussion and research into the duties, responsibilities, and roles of a stage manager. Work to include studies in script analysis, communication, rehearsal procedures, performance skills, and style and conceptual approach to theatre. THGE or TDGE 1, THAC or TDAC 1, and THDE or TDDE 1 recommended. " }, - "VIS 117G": { + "TDDR 111": { "prerequisites": [], - "name": "Critical Theory and Visual Practice", - "description": "Examines the philosophical debates that locate the Americas in relation to the modern world. " + "name": "Directing-Acting Process", + "description": "This is an introductory class in the process of understanding the play script. The class will focus on analyzing the story and the underlying dramatic structure in terms of dramatic action. Objectives, actions, choices, given circumstances, and character will be examined. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 117I": { + "TDDR 190": { "prerequisites": [], - "name": "Western\n\t\t and Non-Western Rituals and Ceremonies", - "description": "This seminar will examine key moments in the interaction between the world of art and the world of ideas; the goal is to start students thinking about the entire theory-practice relation as it connects with their own projects and research. " + "name": "Major Project in Directing", + "description": "A studio class that investigates the fundamental\n\t\t\t\t skills a director needs to work with actors. Working with actors, students\n\t\t\t\t learn how to animate the text onstage through status exercises and scene\n\t\t\t\t work as they develop their skill in text work, staging, and dramatic storytelling. " }, - "VIS 120A": { + "TDDR 191": { "prerequisites": [], - "name": "Greek Art", - "description": "This course will examine the process of image making within specific ceremonies and/or rituals. Selected ceremonies from West Africa, Melanesia, Nepal, and the United States, including both Christian and non-Christian imagery, will be considered. Performance art and masquerade will be analyzed within a non-Western framework. Recommended preparation: VIS 21A. Students may not receive credit for both VIS 126F and VIS 117I.\u00a0" + "name": "Major Project in Stage Management", + "description": "For the advanced student in directing. Intensive concentration on the full realization of a dramatic text from research and analysis through rehearsal and into performance. A maximum of eight units of major project study, regardless of area (design, directing, or stage management) may be used to fulfill major requirements. See department for application. May be taken for credit two times. ** Consent of instructor to enroll possible **" }, - "VIS 120B": { + "TDDM 1": { "prerequisites": [], - "name": "Roman Art", - "description": "Greek classical civilization was a turning point in the history of humanity. Within a new kind of society, the idea of the individual as free and responsible was forged, and with it the invention of history, philosophy, tragedy, and science. The arts that expressed this cultural explosion were no less revolutionary. The achievements of Greek art in architecture, sculpture, and painting will be examined from their beginnings in the archaic period, to their epoch-making fulfillment in the classical decades of the fifth century BC, to their diffusion over the entire ancient world in the age of Alexander and his successors. Recommended preparation: VIS 20. " + "name": "Introduction to Dance Making", + "description": "For the advanced student in stage management. Intensive concentration on the full realization of a dramatic text, from research and analysis through rehearsal and final performance. A maximum of eight units of major project study regardless of area (design, directing, stage management, or playwriting) may be used to fulfill major requirements. See department for application. May be taken for credit two times. ** Consent of instructor to enroll possible **" }, - "VIS 120C": { + "TDDM 5": { "prerequisites": [], - "name": "Late Antique Art", - "description": "Roman art was the \u201cmodern art\u201d of antiquity. Out of their Italic tradition and the great inheritance of Greek classic and Hellenistic art, the Romans forged a new language of form to meet the needs of a vast empire, a complex and tumultuous society, and a sophisticated, intellectually diverse culture. An unprecedented architecture of shaped space used new materials and revolutionary engineering techniques in boldly functional ways for purposes of psychological control and symbolic assertion. Sculpture in the round and in relief was pictorialized to gain spatial effects and immediacy of presence, and an extraordinary art of portraiture investigated the psychology while asserting the status claims of the individual. Extreme shifts of style, from the classicism of the age of Augustus to the expressionism of the third century AD, are characteristic of this period. The new modes of architecture, sculpture, and painting, whether in the service of the rhetoric of state power or of the individual quest for meaning, were passed on to the medieval and ultimately to the modern West. Recommended preparation: VIS 20. " + "name": "Site Specific Dance and Performance", + "description": "Explores the concepts and processes of dance making through creative projects, discussions, and the examination of major dance works. Recommended preparation: No prior dance experience required. Open to all levels. " }, - "VIS 121AN": { + "TDDM 100": { "prerequisites": [], - "name": "Art and Experience in the Middle Ages ", - "description": "During the later centuries of the Roman Empire, the ancient world underwent a profound crisis. Beset by barbarian invasions, torn by internal conflict and drastic social change, inflamed with religious passion that was to lead to a transformed vision of the individual, the world, and the divine, this momentous age saw the conversion of the Roman world to Christianity, the transfer of power from Rome to Constantinople, and the creation of a new society and culture. Out of this ferment, during the centuries from Constantine to Justinian, there emerged new art forms fit to represent the new vision of an otherworldly reality: a vaulted architecture of diaphanous space, a new art of mosaic, which dissolved surfaces in light, a figural language both abstractly symbolic and urgently expressive. The great creative epoch transformed the heritage of classical Greco-Roman art and laid the foundations of the art of the Christian West and Muslim East for the next thousand years. Recommended preparation: VIS 20 or 120B. " + "name": "Dance Making 1", + "description": "The study of dance and performance creation in relation to the environment, political activism, happenings, and ritual. Students explore ideas within the unique attributes of architecture, natural landscapes, public spaces, visual art, historic landmarks, and cultural contexts. Recommended preparation: No prior dance experience needed. Open to all levels. " }, - "VIS 121B": { + "TDDM 101": { "prerequisites": [], - "name": "Church and Mosque: Medieval Art and Architecture between Christianity and Islam ", - "description": "This survey course follows the parallel tracks of the sacred and secular in art and architecture from Constantine to the Crusades. Highlights include the emergence of Christian art, visual culture of the courts, development of monasteries, fall and rise of towns and cities, and arts of ritual. The thematic juxtaposition of different media and medieval people speaking in their own voices yields a multidimensional image of society in which the medieval experience is made as concrete as possible. Recommended preparation: VIS 20. " + "name": "Dance Making 2", + "description": "Practical and conceptual studies of approaches to dance making. Compositional projects enable students to create short works for solo, duet, and small group situations with options to explore interdisciplinary collaboration, specific sites, text, political and societal issues, and advanced partner work. ** Consent of instructor to enroll possible **" }, - "VIS 121C": { + "TDGE 1": { "prerequisites": [], - "name": "Art and the Bible in the Middle Ages: Sign and Design", - "description": "This course surveys the changes in art and architecture caused by the rise of new religions after the ancient world demise, a period of upheaval and contention often known as the \u201cClash of Gods.\u201d How did Christianity come to dominate Europe with its churches and monasteries and then Islam with its mosques in the Middle East and North Africa? Studying the role of religion in the formation of artistic styles will show a dynamic interaction between the visual cultures of Christianity and Islam. Recommended preparation: VIS 20. " + "name": "Introduction to Theatre", + "description": "The study of compositional, ensemble, collaborative, and improvisational approaches to dance making. Structures, scores, tasks, imagination, timing, spontaneity, partnering skills, composing in the moment, shared authorship, and experimentation facilitate the development of movement vocabulary. ** Consent of instructor to enroll possible **" }, - "VIS 121H": { + "TDGE 3": { "prerequisites": [], - "name": "Medieval Multiculturalism", - "description": "This seminar explores movement and exchange between Mediterranean cities with diverse political, social, ethnic, and religious roots and the new modes of art, architecture, and intellectual discourse that this diversity fostered. In addition to medieval sources, readings include art historical and theoretical texts from a variety of periods and fields that frame the implications of multiculturalism for historical and contemporary categories of perception and for the analysis of visual culture. Recommended preparation: VIS 20 or VIS 112 recommended. " + "name": "Cultivating the Creative Mind", + "description": "An introduction to fundamental concepts in drama and performance. Students will attend performances and learn about how the theatre functions as an art and as an industry in today\u2019s world. " }, - "VIS 122AN": { + "TDGE 5": { "prerequisites": [], - "name": "Renaissance Art", - "description": "Italian artists and critics of the fourteenth through sixteenth centuries were convinced that they were participating in a revival of the arts unparalleled since antiquity. Focusing primarily on Italy, this course traces the emergence in painting, sculpture and architecture, of an art based on natural philosophy, optical principles, and humanist values, which embodied the highest intellectual achievement and deepest spiritual beliefs of the age. Artists treated include Giotto, Donatello, Masaccio, Brunelleschi, Jan van Eyck, Mantegna, Botticelli, Leonardo da Vinci, Michelangelo, Raphael, Bramante, Durer, and Titian. Recommended preparation: VIS 20. " + "name": "A Glimpse into Acting", + "description": "This course will use the theatrical context to integrate scientific research about creativity, group dynamics, and related topics. Through a mix of theoretical and experiential classes and assignments, we will explore the intersection of theatre and neuroscience, investigating and expanding the creative mind. " }, - "VIS 122B": { + "TDGE 10": { "prerequisites": [], - "name": "Baroque: Painters, Sculptors, Architects", - "description": "This course will explore the baroque, through the lens of the lives of artists and architects who made it great: Rembrandt, Vermeer, Velasquez, Bernini, and Caravaggio, as well as the artists of the sixteenth century who served as a source of inspiration and point of departure for the great work of the baroque. The lives of these people interlocked on a number of different levels in order to create a visual culture that many regard as fundamental to the modern world. " + "name": "Theatre and Film", + "description": "An introductory course on acting fundamentals for students without an acting background. Through analysis of acting on film, students will explore the actor\u2019s craft and practice these skills in studio exercises to better understand how an actor approaches a text.\u00a0" }, - "VIS 122CN": { + "TDGE 11": { "prerequisites": [], - "name": "Leonardo da Vinci in Context", - "description": "This course offers new approaches to understanding Michelangelo\u2019s greatest creations. By considering how each work relates to the setting for which it was intended, by regarding critical literature and artistic borrowings as evidence about the works, and by studying the thought of the spiritual reformers who counseled Michelangelo, new interpretations emerge which show the artist to be a deeply religious man who invested his works with both public and private meanings. " + "name": "Great Performances on Film", + "description": "Theatre and Film analyzes the essential differences between theatrical and cinematic approaches to drama. Through selected play/film combinations, the course looks at how the director uses actors and the visual languages of the stage and screen to guide and stimulate the audience\u2019s responses. " }, - "VIS 122D": { - "prerequisites": [ - "VIS 23" - ], - "name": "Michelangelo", - "description": "A critical, art historical look at the world\u2019s\n\t\t\t\t most famous painting and its interpretations. Recommended preparation: One upper-division course in art history (VIS 113AN\u2013129F). " + "TDGE 12": { + "prerequisites": [], + "name": "Topics in Cinema and Race", + "description": "Course examines major accomplishments in screen acting from the work of actors in films or in film genres. May be taken for credit three times. " }, - "VIS 122F": { + "TDGE 25": { "prerequisites": [], - "name": "Leonardo\u2019s La Gioconda", - "description": "(Cross-listed with HIEU 124GS.) Language and culture study in Italy. Course considers the social, political, economic, and religious aspects of civic life that gave rise to the unique civic art, the architecture of public buildings, and the design of the urban environment of such cities as Florence, Venice, or Rome. Course materials fees may be required. Students may not receive credit for both VIS 122E and VIS 122GS or both HIEU 124 and HIEU 124GS.\u00a0 ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Public Speaking", + "description": "This course explores filmed representations of race and diversity and examines works by underrepresented filmmakers. Course topics vary; they include African American film, Latino/a film, Asian American film, films by Spike Lee, stereotypes on film, and other such topics. Students may not enroll in the same topic of TDGE 12 that they have already taken in TDGE 11, Great Performances on Film. This will count as a duplicate of credit for repeating the same film topic. May be taken for credit two times. " }, - "VIS 122GS": { + "TDGE 50": { "prerequisites": [], - "name": "The City in Italy", - "description": "The art of the Early Renaissance in Northern Europe is marked by what appears to be striking conflict: on the one hand, a new love of nature and the pleasures of court society, and on the other, an intensified spirituality and focus on personal devotion. This course explores these provocative crosscurrents in works by master painters like Jan van Eyck and Hieronymus Bosch as well as in lesser known mass-produced objects of everyday use. " + "name": "Musical Theatre Chorus", + "description": "This course is designed to establish a clear understanding of the fundamentals of effective oral communication. The methodologies explore the integration of relaxation, concentration, organization, and clear voice and diction as applied to various public speaking modes. " }, - "VIS 123AN": { + "TDGE 87": { "prerequisites": [], - "name": "Between Spirit and Flesh", - "description": "Eighteenth-century artists and critics were convinced that art could be a force to improve society. This course places Rococo and neoclassical artists such as Watteau, Fragonard, Tiepolo, Hogarth, Reynolds, Vig\u00e9e Le Brun, Blake, and David, within the context of art academies, colonialism, the Grand Tour, Enlightenment conceptualizations of history and nature, and the American and French Revolutions. Recommended preparation: VIS 20 or 22 recommended. " + "name": "Freshman Seminar in Theatre and Dance", + "description": "Study and perform selected songs from American musical theatre. Open to all students. No audition required. Attendance at rehearsals and performance are mandatory. P/NP grades only. May be taken for credit six times. " }, - "VIS 124BN": { + "TDGE 89": { "prerequisites": [], - "name": "Art and the Enlightenment", - "description": "A critical survey discussing the crisis of the Enlightenment, romanticism, realism and naturalism, academic art and history painting, representations of the New World, the Pre-Raphaelites, impressionism, international symbolism, postimpressionism, and the beginnings of modernism. Recommended preparation: VIS 20 or 22 recommended. " + "name": "Dance Movement Exploration", + "description": "Seminar on a topic in theatre or dance on a level appropriate for first-year students, conducted in an informal, small group setting limited to ten to twenty students. Topics will vary. " }, - "VIS 124CN": { + "TDGE 100": { "prerequisites": [], - "name": "Nineteenth-Century Art", - "description": "A cultural history of nineteenth-century Paris. Addresses how and why the cultural formations and developments of the period, and their inseparability from the city, have led so many to consider Paris the capital of modernity. " + "name": "Creating the Role of \u201cLeader\u201d", + "description": "An introduction to dance movement and understanding your body. A contemporary approach to dancing and its many genres as an expressive medium and form of communication. A movement course but no dance training or background in dance needed. May be taken for credit three times. " }, - "VIS 124D": { + "TDGE 105": { "prerequisites": [], - "name": "Paris, Capital of the Nineteenth Century", - "description": "Considers nineteenth-century European painting and printmaking in relation to the construction of nature and the historically specific ways of seeing that emerge from it. Key artists, groups of artists, include John Constable, J.M.W. Turner, Caspar David Friedrich, Camille Corot, the Barbizon School, J.-J. Grandville, the Pre-Raphaelites, and the Impressionists. " + "name": "Exploring Acting", + "description": "An acting course for nonmajors, building on the acting fundamentals developed in TDGE 5. Using analysis of film acting to practice in studio exercises and scene work, student actors learn to approach a text using imagination as their primary tool. ** Consent of instructor to enroll possible **" }, - "VIS 124E": { + "TDGE 122": { "prerequisites": [], - "name": "The Production of Nature", - "description": "A critical study of European painting, sculpture, and printmaking between 1789 and 1851. Of primary interest will be the highly charged encounter between art and politics during the period. In addition, the course addresses this art\u2019s diverse, often contradictory dealings with class, gender, sexuality, race, and empire. " + "name": "The Films of Woody Allen", + "description": "A select survey of eight to ten exceptional offbeat, frequently low-budget films from the last sixty years that have attained cult status. The mix includes Tod Browning\u2019s Freaks (1932) to John Water\u2019s Pink Flamingos (1973). Aspects of bad taste, cinematic irony, and theatrical invention will be highlighted. " }, - "VIS 124F": { + "TDGE 124": { "prerequisites": [], - "name": "Art in the Age of Revolutions", - "description": "A critical survey outlining the major avant-gardes after 1900: fauvism, cubism, metaphysical painting, futurism, Dadaism, surrealism, neoplasticism, purism, the Soviet avant-garde, socialist realism, and American art before abstract expressionism. Recommended preparation: VIS 20 or 22 recommended. " + "name": "Cult Films: Weirdly Dramatic", + "description": "Great films and the performance of the actors in them are analyzed in their historical, cinematic, or theatrical contexts. This course examines the actor\u2019s contribution to classic cinema and the social and aesthetic forces at work in film. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 125A": { + "TDGE 125": { "prerequisites": [], - "name": "Twentieth-Century Art", - "description": "Art after abstract expressionism: happenings, postpainterly abstraction, minimalism, performance, earth art, conceptual art, neo-expressionism, postconceptualism and development in the 1990s, including non-Western contexts. We also explore the relation of these tendencies to postmodernism, feminism, and ideas of postcoloniality. Recommended preparation: VIS 20 or 22 recommended. " + "name": "Topics in Theatre and Film", + "description": "This course will use a broad range of animation styles and genres to examine larger issues in art practice, focusing closely on the relationship between form and content, and how sound/set/costume/character design impacts narrative. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 125BN": { + "TDGE 126": { "prerequisites": [], - "name": "Contemporary Art", - "description": "What is the place of visual art in modern Western culture? This course will address: visual art and radical politics in Courbet and the generation of 1848; Impressionism, Paris, and the cult of la vie moderne; Gauguin, Van Gogh, and the quest for \u201cvisionary\u201d painting; Cezanne and the reformulation of painting in terms of pure sensation; the divergent paths of Matisse and Picasso in 1906. The twentieth century follows the emergence of different interpretations of modernity in the USSR, Germany, and France. " + "name": "Storytelling and Design in Animation", + "description": "This course examines recent movies by Native American/First Nations artists that labor to deconstruct and critique reductive stereotypes about America\u2019s First Peoples in Hollywood cinema. Carving spaces of \u201cvisual sovereignty\u201d (Raheja), these films propose complex narratives and characterizations of indigeneity. Students may not receive credit for both TDGE 131 and ETHN 163F. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 125C": { + "TDGE 131": { "prerequisites": [], - "name": "Modern Art in the West, 1850\u20131950", - "description": "A critical examination of the work of one of the most radical twentieth-century artists. In Duchamp\u2019s four-dimensional perspective, the ideas of art-object, artist, and art itself are deconstructed. The Large Glass and Etant Donn\u00e9es are the twin foci of an oeuvre without boundaries in which many twentieth-century avant-garde devices such as chance techniques, conceptual art, and the fashioning of fictive identities, are invented. " + "name": "Playing Indian: Native American and First Nations Cinema", + "description": "An exploration of fundamental ways of seeing and thinking about the performance space. A look at the design process as it reflects styles and attitudes through an examination of text/image/meaning/message in theatre, dance, opera, and visual arts. With a special emphasis on the \u201csolution-finding process\u201d in design, as a leap from text to context, to finalized design. ** Consent of instructor to enroll possible **" }, - "VIS 125DN": { + "TDGE 133": { "prerequisites": [], - "name": "Marcel Duchamp", - "description": "This course will present an overview of socially engaged art in the modern era. We will explore the historical roots of these practices in the nineteenth and early twentieth centuries and the new forms of activist art that emerged during the 1960s. We will also explore the growth of engaged art produced in conjunction with new movements for social and economic justice since the 1990s. " + "name": "Visual Ideas", + "description": "This class examines disability in the performative context, exploring the representation of people with disabilities and the struggle for access and inclusion. The frame of advocacy, understanding, and creative collaboration will deepen the historical perspective on disability. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 125G": { + "TDGE 134": { "prerequisites": [], - "name": "History of Socially Engaged Art", - "description": "An introduction to the cities and monuments of the ancient civilizations that flourished in Mexico and Central America before the Spanish Conquest. This course will cover the major cultures of Mesoamerica, including the Olmec, Aztec, and neighboring groups. Recommended preparation: VIS 21. " + "name": "Disability and Performative Exploration: Struggle for Inclusion", + "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in theatre and dance (at the upper-division level). Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" }, - "VIS 126AN": { + "TDGE 192": { "prerequisites": [], - "name": "Pre-Columbian\n\t\t Art of Ancient Mexico and Central America", - "description": "This course offers a history of Maya society from its formative stages to the eve of the Spanish Conquest through an investigation of its art and archeology. Special attention is given to its unique calendar and writing systems. Recommended preparation: VIS 21. " + "name": "Senior Seminar in Theatre and Dance", + "description": "The Honors thesis is designed to give theatre and dance majors the opportunity to undertake advanced creative research in an area of specialization (directing, history, pedagogy, performance, playwriting, or stage management), culminating in the writing of a thesis and the oral or performative presentation of the thesis to the members of the student\u2019s Honors Committee. Application available with the theatre and dance undergraduate coordinator. This is a two-quarter research project. Students enroll in the winter and spring quarters of their senior year. Deadline to apply is fall quarter of the student\u2019s senior year. ** Department approval required ** " }, - "VIS 126BN": { + "TDGE 196A": { "prerequisites": [], - "name": "The\n\t\t Art and Civilization of the Ancient Maya", - "description": "Topics of this seminar will address special problems or areas of research related to the major civilizations of ancient Mexico and Central America. Course offerings will vary to focus upon particular themes, subjects, or interpretive problems. Recommended preparation: VIS 21A. Students may not receive credit for both VIS 126B-C. " + "name": "Honors Study in Theatre and Dance", + "description": "A continuation of TDGE 196A. Theatre and dance Honors students complete thesis work in directing, history, pedagogy, performance, playwriting, or stage management under the close supervision of a faculty member. All students enrolled will present their thesis work during a departmental showcase event at the end of the spring quarter. ** Department approval required ** " }, - "VIS 126C": { + "TDGE 196B": { "prerequisites": [], - "name": "Problems in Mesoamerican Art History", - "description": "This seminar focuses upon the art, architecture, and inscriptions of the ancient Maya. Topics will vary within a range of problems that concern hieroglyphic writing, architecture, and visual symbols the Maya elite used to mediate their social, political, and spiritual words. Recommended preparation: VIS 21A. " + "name": "Honors Study in Theatre and Dance", + "description": "Group studies, readings, projects, and discussions in theatre history, problems of production and performance, and similarly appropriate subjects. ** Consent of instructor to enroll possible **" }, - "VIS 126D": { + "TDGE 198": { "prerequisites": [], - "name": "Problems\n\t\t in Ancient Maya Iconography and Inscriptions", - "description": "This course provides a critical revision to art history of the modern era in the Americas by bringing to the center, as an organizing principle, an expanded understanding and critique of the notion of indigenism. Presenting evidence that the constant iteration of the problem of representation of indigeneity and the indigenous is persistent across the region following a network of exchanges and contacts across art movements and political contexts. " + "name": "Directed Group Studies", + "description": "Qualified students will pursue a special project in theatre history, problems of production and performance, and similarly appropriate topics. ** Consent of instructor to enroll possible **" }, - "VIS 126E": { + "TDGE 199": { "prerequisites": [], - "name": "Indigenisms I: The Making of the Modern, Nineteenth Century to Mid-Twentieth Century", - "description": "Lectures, readings, and discussions will expand the definitions of indigenism and Indianism toward many neo-avantgarde and contemporary strategies of art making that posit the Amerindian as inscription and imaginary\u2014as key localizations from which new languages and art systems emerge. Examples of (neo) indigenisms from Peru, Mexico, the United States, Uruguay, Argentina, Chile, Ecuador, Venezuela, Guatemala, Colombia, and Brazil will be presented and reviewed. " + "name": "Special Projects", + "description": "Focuses on the foundational aesthetic concepts of dance creation and performance within a diverse range of cultural contexts. Students develop descriptive, perceptual, and analytical skills. ** Consent of instructor to enroll possible **" }, - "VIS 126F": { + "TDHD 20": { "prerequisites": [], - "name": "Indigenisms II: Contemporary Disseminations, Neo-Avantgarde to the Present", - "description": "Explores the art and expressive culture of American Indians of far western United States, including California and Pacific Northwest. Social and cultural contexts of artistic traditions and their relations to the lifeways, ceremonialism, beliefs, and creative visions of their makers. Recommended preparation: VIS 21A. Students may not receive credit for both VIS 126CN and VIS 126HN. " + "name": "Looking at Dance", + "description": "An historical overview of the most influential international dance pioneers in recent history, the cultural, political, and artistic contexts that informed the development of their work and the impact that their achievements have on the evolution of dance worldwide. ** Consent of instructor to enroll possible **" }, - "VIS 126HN": { + "TDHD 21": { "prerequisites": [], - "name": "Pacific Coast American Indian Art", - "description": "Examines the history, art, and architecture of Navajo, Hopi, Zuni, and other Native American communities of New Mexico and Arizona; the origins of their civilization; and how their arts survived, adapted, and changed in response to Euro-American influences. Recommended preparation: VIS 21A. Students may not receive credit for both VIS 126D and VIS 126I. " + "name": "Dance Pioneers of the Twentieth and Twenty-First Centuries", + "description": "The study of dance forms from a global perspective. An analysis and understanding of international dance traditions and their connections to religion, ritual, folklore, custom, festive celebration, popular culture, art, and political movements. ** Consent of instructor to enroll possible **" }, - "VIS 126I": { + "TDHD 175": { "prerequisites": [], - "name": "Southwest American Indian Art", - "description": "The dynamic, expressive arts of selected West African societies and their subsequent survival and transformation in the New World will be studied. Emphasis will be placed on Afro-American modes of art and ceremony in the United States, Haiti, Brazil, and Suriname. " + "name": "Cultural Perspectives on Dance", + "description": "An in-depth exposure to an important topic in dance history, theory, aesthetics, and criticism. Topics vary from quarter to quarter. " }, - "VIS 126J": { + "TDHD 176": { "prerequisites": [], - "name": "African and Afro-American Art", - "description": "An examination of the relation of art to ritual life, mythology, and social organization in the native Polynesian and Melanesian cultures of Hawaii, New Guinea, the Solomon Islands, and Australia. Recommended preparation: VIS 21A. Students may not receive credit for both VIS 126E and VIS 126K. " + "name": "Dance History\u2014Special Topics", + "description": "An introduction to the fundamental techniques of analyzing dramatic texts. Focus is on the student\u2019s ability to describe textual elements and their relationships to each other as well as on strategies for writing critically about drama. " }, - "VIS 126K": { + "TDHT 10": { "prerequisites": [], - "name": "Oceanic Art", - "description": "A survey of major figures and movements in Latin American art from the late-nineteenth century to the mid-twentieth century. " + "name": "Introduction to Play Analysis", + "description": "Ancient and medieval theatre. Explores the\n\t\t\t\t roots of contemporary theatre in world performance traditions of ancient\n\t\t\t\t history with a focus on humans\u2019 gravitation toward ritual and play. Examples\n\t\t\t\t come from Egypt, Greece, Rome, Mesoamerica, Japan, China, India, Indonesia,\n\t\t\t Persia, and England. " }, - "VIS 126P": { + "TDHT 21": { "prerequisites": [], - "name": "Latin American\n\t\t Art: Modern to Postmodern, 1890\u20131950", - "description": "A survey of major figures and movements in Latin American art from the mid-twentieth century to the present. " + "name": "Ancient\n\t\t\t\t and Medieval Theatre", + "description": "Explores varieties of drama in professional\n\t\t\t\t theatre from 1500 to 1900 in Europe, Japan, and China, and their interconnections\n\t\t\t both formal and historical. " }, - "VIS 126Q": { + "TDHT 22": { "prerequisites": [], - "name": "Latin American\n\t\t Art: Modern to Postmodern, 1950\u2013Present", - "description": "Course will survey major trends in the arts of China from a thematic point of view, explore factors behind the making of works of art, including political and religious meanings, and examine contexts for art in contemporary cultural phenomena. Recommended preparation: VIS 21B. " + "name": "Theatre\n\t\t\t\t 1500\u20131900", + "description": "Twentieth-century theatre: a survey of drama\n\t\t\t\t from 1900 to 1990, with attention also paid to the development of avant-garde\n\t\t\t\t performance forms. Plays discussed reflect developments in Europe and the\n\t\t\t United States, but also transnational, postcolonial perspectives. " }, - "VIS 127B": { + "TDHT 23": { "prerequisites": [], - "name": "Arts of China", - "description": "Course will explore Chinese art of the twentieth century. By examining artworks in different media, we will investigate the most compelling of the multiple realities that Chinese artists have constructed for themselves. Recommended preparation: VIS 21B. " + "name": "Twentieth-Century\n\t\t\t\t Theatre", + "description": "An in-depth exposure to an important individual writer or subject in dramatic literature and/or theatre history. Topics vary from quarter to quarter. Recent courses have included Modern French Drama, and the History of Russian Theatre. No prior knowledge in theatre history is needed. May be taken for credit three times. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 127C": { + "TDHT 101": { "prerequisites": [], - "name": "Arts of Modern China", - "description": "Explore representations of figures and landscapes from the dawn of Chinese painting through the Yuan dynasty, with stress on developments in style and subject matter and relationships to contemporary issues in philosophy, religion, government, society, and culture. " + "name": "Topics\n\t\t in Dramatic Literature and Theatre History", + "description": "This course examines pivotal dramatic works in the history of professional Asian American theatre in the United States (1960s to the present). Issues include interculturalism, the crossover between minority theatres and mainstream venues, and the performance of identity. TDHT 103 is an approved Diversity, Equity, and Inclusion (DEI) course. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 127D": { + "TDHT 103": { "prerequisites": [], - "name": "Early Chinese Painting", - "description": "Explores major schools and artists of the Ming and Qing periods, including issues surrounding court patronage of professional painters, revitalization of art through reviving ancient styles, commercialization\u2019s challenges to scholar-amateur art, and the influences of the West. " + "name": "Asian American Theatre", + "description": "Continuities and changes in Italian comedy from the Romans through the Renaissance and commedia dell\u2019arte to modern comedy. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 127E": { + "TDHT 104": { "prerequisites": [], - "name": "Later Chinese Painting", - "description": "Explore the development of Buddhist art and architecture in Japan. Focus on the role of art in Buddhist practice and philosophy and the function of syncretic elements in Japanese Buddhist art. " + "name": "Italian Comedy", + "description": "Masterpieces of French farce and comedy from the seventeenth century to the twentieth century studied French theatrical and cultural contexts. Readings include plays by Moliere, Marivauz, Beaumarchais, and Feydeau. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 127F": { + "TDHT 105": { "prerequisites": [], - "name": "Japanese Buddhist Art", - "description": "This course investigates the multiple realities of art and visual culture in twentieth-century China and explores the ways in which Chinese artists have defined modernity and their tradition against the complex background of China\u2019s history. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "French Comedy", + "description": "In this course we will examine representative plays and playwrights who write about the \u201cAmerican\u201d experience from a variety of historical periods and diverse cultural communities. Playwrights will include Glaspell, O\u2019Neill, Williams, Hansberry, Valdez, Yamauchi, Parks, Kushner, Mamet, Greenberg, Hwang, Letts, and Cruz. Theatre companies will include The Group, Provincetown Players, San Francisco Mime Troupe, East/West Players, Teatro Campesino, Spiderwoman, and Cornerstone. TDHT 107 is an approved Diversity, Equity, and Inclusion (DEI) course. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 127GS": { + "TDHT 107": { "prerequisites": [], - "name": "Issues in Modern and Contemporary Chinese Art", - "description": "Surveys the key works and developments in the modern art and visual culture of Japan from Edo and Meiji to the present and of China from the early-twentieth century to contemporary video, performance, and installation art. Recommended preparation: VIS 21B. " + "name": "American Theatre", + "description": "This course examines the works of Luis Valdez, playwright, director, screenwriter, film director, and founder of the Teatro Campesino. Readings include plays and essays by Valdez and critical books and articles about this important American theatre artist. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 127N": { + "TDHT 108": { "prerequisites": [], - "name": "Twentieth-Century Art in China and Japan", - "description": "Course is a survey of the visual arts of Japan, considering how the arts developed in the context of Japan\u2019s history and discussing how art and architecture were used for philosophical, religious, and material ends. Recommended preparation: VIS 21B. " + "name": "Luis Valdez", + "description": "This course provides a survey of the contributions to the theatre arts made by African Americans. Analytic criteria will include the historical context in which the piece was crafted; thematic and stylistic issues; aesthetic theories and reception. TDHT 109 is an approved Diversity, Equity, and Inclusion (DEI) course. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 127P": { + "TDHT 109": { "prerequisites": [], - "name": "Arts of Japan", - "description": "Explore major trends in Japanese pictorial art from the seventh century to the nineteenth century, with focus on function, style, and subject matter, and with particular emphasis on the relationship between Japanese art and that of continental Asia. " + "name": "African American Theatre", + "description": "Focusing on the contemporary evolution of Chicano dramatic literature, this course will analyze playwrights and theatre groups that express the Chicano experience in the United States, examining relevant \u201cactors,\u201d plays, and documentaries for their contributions to the developing Chicano theatre movement. (Cross-listed with Ethnic Studies 132.) No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 127Q": { + "TDHT 110": { "prerequisites": [], - "name": "Japanese Painting and Prints", - "description": "These lecture courses are on topics of special interest to visiting and permanent faculty. Topics vary from term to term and with instructor and many will not be repeated. These courses fulfill upper-division distribution requirements. As the courses under this heading will be offered less frequently than those of the regular curriculum, students are urged to check with the visual arts department academic advising office for availability and descriptions of these supplementary courses. Like the courses listed under VIS 129, below, the letters following the course number designate the general area in which the courses fall. Students may take courses with the same number but of different content, for a total of three times for credit. Recommended preparation: courses in art history (VIS 113AN\u2013129F). \n " + "name": "Chicano Dramatic Literature", + "description": "Course examines the plays of leading Cuban American, Puerto Rican, and Chicano playwrights in an effort to understand the experience of these Hispanic American groups in the United States. (Cross-listed with Ethnic Studies 133.) No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 128A\u2013E": { + "TDHT 111": { "prerequisites": [], - "name": "Topics in Art History and Theory", - "description": "A lecture course on a topic of special interest\n\t\t\t\t in ancient or medieval art. Recommended preparation: courses in art history (VIS 113AN\u2013129F). " + "name": "Hispanic American Dramatic Literature", + "description": "The class will explore the musical\u2019s origins, evolution, components, and innovators, with emphasis on adaptation and the roles of the director and choreographer. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 128A": { + "TDHT 114": { "prerequisites": [], - "name": "Topics in Premodern Art History", - "description": "A lecture course on a topic of special interest\n\t\t\t\t on modern or contemporary art. May be taken three times for\n\t\t\t\t credit. Recommended preparation: courses in art history (VIS 113AN\u2013129F). " + "name": "American Musical Theatre", + "description": "Evolution of directing theory from 1850 to the present with reference to the work of internationally influential directors such as Saxe-Meiningen, Antoine, Stanislavski, Meyerhold, Brecht, and Brook, among others. No prior knowledge in theatre history is needed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 128C": { + "TDHT 115": { "prerequisites": [], - "name": "Topics in Modern Art History", - "description": "A lecture course on the topic of special interest in the art of Latin America, the Ancient Americas, or Africa and the Pacific Islands. Students may not receive credit for VIS 128D and VIS 128DN. Recommended preparation: courses in art history (VIS 113AN\u2013129F). May be taken for credit three times. " + "name": "History and Theory of Directing", + "description": "Introduces theatre and dance students to the practice of contemporary production dramaturgy. Students learn strategies for applying the results of textual analysis and cultural research to the production process. " }, - "VIS 128D": { + "TDHT 119": { "prerequisites": [], - "name": "Topics in Art History of the Americas", - "description": "A lecture course on the topic of special interest\n\t\t\t\t in India, China, and Japan. Recommended preparation: courses in art history (VIS 113AN\u2013129F). " - }, - "VIS 128E": { - "prerequisites": [ - "VIS 112" - ], - "name": "Topics in Art History of Asia", - "description": "These seminar courses provide the opportunity for in-depth study of a particular work, artist, subject, period, or issue. Courses offered under this heading may reflect the current research interests of the instructor or treat a controversial theme in the field of art history and criticism. Active student research and classroom participation are expected. Enrollment is limited and preference will be given to majors. The letters following 129 in the course number designate the particular area of art history or theory concerned. Students may take courses with the same number but of different content more than once for credit, with consent of the instructor and/or the program adviser. May be taken three times for credit. ** Consent of instructor to enroll possible **" + "name": "Production Dramaturgy", + "description": "This theoretical and embodied course examines a selection of indigenous plays and performances (dance, hip-hop) and helps students develop the critical vocabulary and contextual knowledge necessary to productively engage with the political and artistic interventions performed by these works. No prior knowledge in theatre history is needed. Students may not receive credit for both TDHT 120 and ETHN 163G. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 129A\u2013F": { - "prerequisites": [ - "VIS 112" - ], - "name": "Seminar in Art Criticism and Theory", - "description": "A seminar on an advanced topic of special\n\t\t\t\t interest in ancient or medieval art. " + "TDHT 120": { + "prerequisites": [], + "name": "Indigenous Theatre and Performance", + "description": "Experience firsthand New York history as a performing arts cultural capital. In addition to studying New York performance history and literature, attend performances accompanied by lecture/discussion. Get backstage tours, meet important players, and learn how productions go from vision to reality. Program or materials fees may apply. Contact the Department of Theatre and Dance for application for TDHT 190. May be taken for credit three times. " }, - "VIS 129A": { - "prerequisites": [ - "VIS 112" - ], - "name": "Seminar in Premodern Art History", - "description": "A seminar on an advanced topic of special\n\t\t\t\t interest in modern or contemporary art. " + "TDHT 190": { + "prerequisites": [], + "name": "The New York Theatre and Dance Scene", + "description": "A contemporary approach to beginning-level ballet technique, principles, and terminology. Develops the body for strength, flexibility, and artistic interpretation. Emphasis on developing a foundation in movement for the continuation of ballet training. Historical origin of ballet will be discussed. May be taken for credit six times. " }, - "VIS 129C": { + "TDMV 1": { "prerequisites": [], - "name": "Seminar in Modern Art History", - "description": "A seminar on an advanced topic of special\n\t\t\t\t interest in the Ancient Americas to Africa and the Pacific\n\t\t\t\t Islands. May be taken three times for credit. Student may not receive credit for VIS 129D and VIS 129DN. Recommended preparation: courses in art history (VIS 113AN\u2013129F) are recommended. VIS 112 is strongly recommended for art history majors. " + "name": "Beginning Ballet", + "description": "Introduction to contemporary somatic approaches to dance, building fundamental technical skills, kinetic and perceptual awareness, efficiency, and artistic expression. Choreographic sequences are analyzed through time space coordination and dynamics. Movement exploration includes improvisation and composition. May be taken for credit six times. " }, - "VIS 129D": { - "prerequisites": [ - "VIS 112" - ], - "name": "Seminar in Art History of the Americas", - "description": "A seminar on an advanced topic of special\n\t\t\t\t interest in India, China, and Japan. " + "TDMV 2": { + "prerequisites": [], + "name": "Beginning Contemporary Dance", + "description": "Introduction to the technique of jazz dance, while placing the art form in its historical context as an American vernacular form. Builds a beginning technical jazz vocabulary with a focus on rhythmic exercises, isolations, turns, and locomotor combinations. May be taken for credit six times. " }, - "VIS 129E": { - "prerequisites": [ - "VIS 112" - ], - "name": "Seminar in Art History of Asia", - "description": "A seminar on an advanced topic of special\n\t\t\t\t interest in art theory, art criticism, or the history of literature\n\t\t\t\t on art. " + "TDMV 3": { + "prerequisites": [], + "name": "Beginning Jazz", + "description": "An introduction to the physical practice of yoga. A detailed investigation into the ancient somatic practice of energetically connecting the mind and body through kinesthetic and sensory awareness and how this supports and informs dance practices. May be taken for credit six times. " }, - "VIS 129F": { + "TDMV 5": { "prerequisites": [], - "name": "Seminar in Art Theory and Criticism", - "description": "This research seminar, centered on a series of critical, thematic, theoretical, and/or historical issues that cut across subdisciplinary specializations, provides outstanding advanced students with the opportunity to undertake graduate-level research. The first part of a two-part sequence completed by Art History Honors Directed Group Study (VIS 129H). ** Consent of instructor to enroll possible **" + "name": "Yoga for Dance", + "description": "The study of theatrical tap dance. Various styles of tap\u2014 such as classical, rhythm, and musical theatre\u2014will be introduced. Emphasis on rhythm, coordination, timing, and theatrical style. Includes basic through intermediate tap movement. May be taken for credit three times. " }, - "VIS 129G": { + "TDMV 11": { "prerequisites": [], - "name": "Art History Honors Seminar", - "description": "The second part of the honors program sequence, this course provides a forum for students engaged in research and writing to develop their ideas with the help of a faculty adviser and in conjunction with similarly engaged students. ** Consent of instructor to enroll possible **" + "name": "Theatrical Tap", + "description": "This creative laboratory course facilitates group and individual experimentation through the study of somatic movement processes and methodologies. Students explore approaches to movement vocabulary that offer them insights into investigating their own movement generation and dance making material. May be taken for credit six times. " }, - "VIS 129H": { + "TDMV 20": { "prerequisites": [], - "name": "Art History Honors Directed Group Study", - "description": "Specific content will vary each quarter. Areas will cover expertise of visiting faculty. May be taken for credit two times. Two production-course limitation. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Movement Laboratory", + "description": "Continued studio work in ballet technique at the intermediate level and terminology. Emphasis on increasing strength, flexibility, and balance, and the interpretation of classical musical phrasing. Includes proper alignment training and artistic philosophy of classical ballet. May be taken for credit six times. ** Consent of instructor to enroll possible **" }, - "VIS 130": { + "TDMV 110": { "prerequisites": [], - "name": "Special Projects in Visual Arts", - "description": "Specific content will vary each quarter. Areas will cover expertise of visiting faculty. May be taken for credit two times. Two production-course limitation. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Intermediate Ballet", + "description": "A contemporary approach to ballet technique, terminology, and performance at the advanced level. Introduces more complex choreographic variations and skills. Individual and group composition will be examined and aesthetic criticism applied. May be taken for credit six times. ** Consent of instructor to enroll possible **" }, - "VIS 131": { + "TDMV 111": { "prerequisites": [], - "name": "Special Projects in Media", - "description": "Through discussions and readings, the class will examine the issues and aesthetics of installation art making. Using media familiar to them, students will produce several projects. May be taken for credit two times. Two production-course limitation. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Advanced Ballet", + "description": "Designed for students with advanced training in contemporary modern dance and intermediate to advanced training in ballet. Emphasis is on increasing composition and performance skills in ballet through contemporary modern dance aesthetics. May be taken for credit six times. ** Consent of instructor to enroll possible **" }, - "VIS 132": { - "prerequisites": [ - "VIS 30" - ], - "name": "Installation Production and Studio", - "description": "This course introduces students to studio-based project methodologies, including qualitative and quantitative design research, data visualization, production and exhibition methodologies, and complex collaborative project management. " + "TDMV 112": { + "prerequisites": [], + "name": "Advanced\n\t\t\t\t Ballet for Contemporary Dance", + "description": "The development of contemporary dance as an expressive medium, with emphasis on technical skills at the intermediate level. Includes the principles, elements, and historical context of contemporary modern postmodern dance. May be taken for credit six times. ** Consent of instructor to enroll possible **" }, - "VIS 135": { - "prerequisites": [ - "VIS 142", - "and", - "CSE 11", - "or", - "CSE 8B" - ], - "name": "Design Research Methods", - "description": "Introduces external APIs currently of interest in the arts, extending a common programming language such as C, C++, Python, or Java, and the basics of TCP/IP networking. Students gain API fluency through planning and coding software or software mediated art projects. Program or materials fees may apply. Two production-course limitation. " + "TDMV 120": { + "prerequisites": [], + "name": "Intermediate Contemporary Dance", + "description": "The development of contemporary somatic approaches to dance as an expressive medium, emphasizing advanced technical skills, efficient athleticism, kinesthetic refinement, individual creative voice, and performance elements. Choreography and aesthetic concepts will be explored. Incorporates various principles of human movement research. May be taken for credit six times. ** Consent of instructor to enroll possible **" }, - "VIS 141A": { - "prerequisites": [ - "VIS 141A" - ], - "name": "Computer Programming for the Arts I", - "description": "Students extend their programming capabilities to include the creation of reusable software libraries, packages, database APIs, tools, utilities, and applications intended to be publishable and useful to other practicing artists, or as preparatory work for the student\u2019s senior thesis sequence. Two production-course limitation. Program or materials fees may apply. " + "TDMV 122": { + "prerequisites": [], + "name": "Advanced Contemporary Dance", + "description": "Students will study the practice of improvisational dancing with a partner. Students will develop skills in giving and supporting body weight, lifting, balancing, falling, rolling, and recovering fluidly together. May be taken for credit three times. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 141B": { + "TDMV 123": { "prerequisites": [], - "name": "Computer Programming for the Arts II", - "description": "A survey of the conceptual uses and historical precedents for the use of computers in art and design. Preparation for further study in the computing in the arts area by providing an introduction to ideation strategies and critique-based evaluation, and an overview of theoretical issues related to the use of computers by artists and designers. Introduces the students to the program\u2019s computing and production facilities, and basic computer programming skills. Two production-course limitation. Program or materials fees may apply. " + "name": "Contact Improvisation", + "description": "Designed to provide training in the technique of jazz dance, while placing the art form in its historical context as an American vernacular form. Builds an intermediate technical jazz level with a focus on style, musicality, dynamics, and performance. May be taken for credit six times. ** Consent of instructor to enroll possible **" }, - "VIS 142": { - "prerequisites": [ - "VIS 142" - ], - "name": "Practices in Computing Arts", - "description": "Students develop artworks and performances in current virtual environments. Projects may be done individually or in groups in multiplayer games, immersive life platforms, or mixed reality projects and performances. Exploration of theoretical issues involved will underlie acquisition of techniques utilized in the construction of virtual environments. Materials fees required. " + "TDMV 130": { + "prerequisites": [], + "name": "Intermediate Jazz", + "description": "Further development in the technique of jazz dance, while placing the art form in its historical context as an American vernacular form. Builds an advanced technical jazz level with a focus on style, musicality, dynamics, and performance. May be taken for credit six times. ** Consent of instructor to enroll possible **" }, - "VIS 143": { - "prerequisites": [ - "VIS 142" - ], - "name": "Virtual Environments", - "description": "Introduces time- and process-based digital media art making. Contemporary and historical works across time- and process-based media will be studied, and projects produced. Topics may include software art, software and hardware interfacing, interaction, and installation in an art context. Recommended preparation: CSE 5A or equivalent programming experience. Materials fees required. May not receive credit for both VIS 145A and ICAM 102. Two production-course limitation. " + "TDMV 133": { + "prerequisites": [], + "name": "Advanced Jazz Dance", + "description": "An introduction to the basic technique of hip-hop, studied to enhance an understanding of the historical cultural content of the American form hip-hop and street dances in current choreography. May be taken for credit four times. " }, - "VIS 145A": { - "prerequisites": [ - "VIS 145A" - ], - "name": "Time- and Process-Based Digital Media I", - "description": "Students will implement time- and process-based projects under direction of faculty. Projects such as software and hardware interfacing, computer mediated performance, software art, installation, interactive environments, data visualization and sonification will be produced as advanced study and portfolio project. Program or materials fees may apply. Two production-course limitation. " + "TDMV 138": { + "prerequisites": [], + "name": "Beginning Hip-Hop", + "description": "Courses designed for the in-depth study of the dances and historical context of a particular culture or ethnic form: Afro-Cuban, Spanish, Balinese, Japanese, Latin, etc. Specific topic will vary from quarter to quarter. May be taken for credit two times. " }, - "VIS 145B": { - "prerequisites": [ - "VIS 41", - "or", - "VIS 70N", - "or", - "VIS 80" - ], - "name": "ime- and Process-Based Digital Media II", - "description": "Develop artworks and installations that utilize digital electronics. Techniques in digital electronic construction and computer interfacing for interactive control of sound, lighting, and electromechanics. Construction of devices that responsively adapt artworks to conditions involving viewer participation, space activation, machine intelligence. Recommended preparation: CSE 8A strongly recommended. Program or materials fees may apply. Purchase of components kit required. Two production-course limitation. " + "TDMV 140": { + "prerequisites": [], + "name": "Beginning Dances of the World", + "description": "Courses designed for the advanced continuing study of the dances and historical context of a particular culture or ethnic form: Afro-Cuban, Spanish, Balinese, Japanese, Latin, etc. Specific topic will vary from quarter to quarter. ** Consent of instructor to enroll possible **" }, - "VIS 147A": { - "prerequisites": [ - "VIS 147A" - ], - "name": "Electronic Technologies for Art I", - "description": "Continuation of the electronics curriculum. Design of programmable microcontroller systems for creating artworks that are able to respond to complex sets of input conditions, perform algorithmic and procedural processing, and generate real time output. Program or materials fees may apply. Purchase of components kit required. Two production-course limitation. " + "TDMV 141": { + "prerequisites": [], + "name": "Advanced Dances of the World", + "description": "To develop an appreciation and understanding of the various Latin dances. Emphasis on learning basic social dance movement vocabulary, history of Latin cultures, and use of each dance as a means of social and economic expression. May be taken for credit three times. " }, - "VIS 147B": { + "TDMV 142": { "prerequisites": [], - "name": "Electronic Technologies for Art II", - "description": "Artistic practice is a site of critical intervention. Through individual \u201cPractice Diagrams,\u201d students will visualize the issues, motivations, positions, and procedures that inspire and problematize their work, seeking to discover and mobilize new tools, spaces of research, and media experimentation. " + "name": "Latin Dance of the World", + "description": "An introductory course that explores the history of West African cultures and diasporas through student research, oral presentation, dance movement, and performance. Contemporary African dances influenced by drum masters and performing artists from around the world are also covered. Course materials and services fees may apply. May be taken for credit three times. " }, - "VIS 148": { + "TDMV 143": { "prerequisites": [], - "name": "Visualizing Art Practice", - "description": "Topics relevant to computer-based art and music making, such as computer methods for making art/music, design of interactive systems, spatialization of visual/musical elements, critical studies. Topics will vary. May be taken for credit three times. Recommended preparation: VIS 145A or MUS 171. Program or materials fees may apply. Two production-course limitation. " + "name": "West African Dance", + "description": "To develop an appreciation and understanding of the dances from various Asian cultures. Emphasis on learning the basic forms and movement vocabularies, their historical context, and the use of each dance as a means of cultural and artistic expression. May be taken for credit three times. " }, - "VIS 149": { - "prerequisites": [ - "VIS 22", - "or", - "VIS 84", - "or", - "VIS 159" - ], - "name": "Seminar in Contemporary Computer Topics", - "description": "Research seminar in film history, theory, and/or criticism. Potential topics: film aesthetics, film criticism, film sound, and film in the digital era, with a focus on a specific period, theme, or context. Class will be devoted to discussion of readings in connection with a film or related art, fiction, or other media. Students will gain advanced knowledge of a specialized aspect of film history, theory, or criticism in a setting that promotes research, reports, and writing. " + "TDMV 144": { + "prerequisites": [], + "name": "Asian Dance", + "description": "To develop an appreciation and understanding of the various Latin dances. Emphasis on learning intermediate social dance movement vocabulary, history of Latin cultures, and use of each dance as a means of social and economic expression. May be taken for credit two times. " }, - "VIS 150A": { - "prerequisites": [ - "VIS 84" - ], - "name": "Seminar in Film History and Theory", - "description": "An inquiry into a specialized alternative history of film, consisting of experimental works made outside the conventions of the movie industry that are closer in their style and nature to experimental work in painting, poetry, the sciences, etc., than to the mainstream theatrical cinema. Materials fees required. " + "TDMV 146": { + "prerequisites": [], + "name": "Intermediate Latin Dances of the World", + "description": "This course is designed to build on the skills developed in TDMV 138, Hip-Hop, also deepening students\u2019 understanding of the social, political, and economic forces at work within hip-hop culture. More complex rhythms and sequencing will be introduced, and musicality will be honed through an added emphasis on freestyle expression. May be taken for credit four times. " }, - "VIS 151": { - "prerequisites": [ - "VIS 22", - "or", - "VIS 70N", - "or", - "VIS 159" - ], - "name": "History of the Experimental Film", - "description": "Research seminar in media history, theory, and/or criticism. Potential topics: digital media aesthetics, television or radio, new media, theory of photography and/or other image forms in digital era. Focus on a specific period, theme, or context. Class devoted to discussion of readings in connection with viewing of media and related forms. Students will gain advanced knowledge of a specialized aspect of media history, theory, or criticism in a setting that promotes research, reports, and writing. " + "TDMV 148": { + "prerequisites": [], + "name": "Intermediate Hip-Hop", + "description": "Develops hip-hop skills at the advanced level with further studies of the social, political, and economic forces at work within hip-hop culture. Emphasis is on complex rhythms and sequencing, freestyle expression, choreography, and performance. May be taken for credit six times. ** Consent of instructor to enroll possible **" }, - "VIS 151A": { - "prerequisites": [ - "VIS 84" - ], - "name": "Seminar in Media History and Theory", - "description": "This collection of courses gathers, under one cover, films that are strongly marked by one or more of these categories: historical period, politics, language, national context, geography, culture, identity, or movement. Specific topics to be covered will vary by quarter and instructor. May be taken up to two times for credit. Program or material fee may apply. " + "TDMV 149": { + "prerequisites": [], + "name": "Advanced Hip-Hop", + "description": "An in-depth investigation of the role and aesthetics of performer/dancer in a fully staged independent project resulting in a dance performance choreographed by faculty or students. May be taken for credit two times.\u00a0 ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 152": { + "TDMV 190": { "prerequisites": [], - "name": "Film in Social Context", - "description": "Transnational Cinemas examine how US identities and film cultures have been forged through stories of exile, diaspora, and racial and sexual discrimination as well as cultural conflicts that have resonated here and abroad in the global film and media culture of the last century. Program or materials fees may apply. " + "name": "Major Project as Performer", + "description": "The in-depth study of a major dance production in a fall dance cabaret led by faculty. Admission by audition only. " }, - "VIS 152D": { - "prerequisites": [ - "VIS 84" - ], - "name": "Identity through Transnational Cinemas", - "description": "Close examination of a group of films on the level of form, technique, style, and/or poetics. Emphasis will be placed on collective film viewing, in-class discussion, and formal and/or narrative analysis. Specific topics to be covered will vary by quarter and instructor. May be taken up to two times for credit. \nMaterials fees required. " + "TDPF 160": { + "prerequisites": [], + "name": "Studies\n\t\t\t\t in Performance\u2014Fall Production", + "description": "The in-depth study for a fully staged dance production in various venues, including a fall dance cabaret led by faculty, a winter faculty concert with guest choreographers, and a spring student choreographed concert directed by faculty. Admission by audition only. May be taken for credit four times. " }, - "VIS 154": { - "prerequisites": [ - "VIS 84" - ], - "name": "Hard Look at the Movies", - "description": "Examines the work of a single director or group of directors, considering the aesthetic, social, political, and/or historical aspects of the body of films and, if relevant, the directors\u2019 broader sphere of creative production, which may include photography, art practice, writing, and/or other contributions besides film directing. May be taken up to two times for credit. Materials fees required. " + "TDPF 161": { + "prerequisites": [], + "name": "Studies\n\t\t\t\t in Performance\u2014Winter Production", + "description": "The in-depth study for a fully staged dance production in various venues, including a fall dance cabaret led by faculty, a winter faculty concert with guest choreographers, and a spring student choreographed concert directed by faculty. Admission by audition only. May be taken for credit four times. " }, - "VIS 155": { - "prerequisites": [ - "VIS 84" - ], - "name": "The Director Series", - "description": "This course introduces students to the developing history of cinema in the Latin American region. It explores the multiple authors and film movements that engage cinema as an art form in relation to issues of modernization, development, and political and social crisis. It will regard the history of cinema in the subcontinent as a force generating important cultural transformations within the complex, conflictual processes of modernization. Students may not receive credit for both VIS 156 and VIS 125F. " + "TDPF 162": { + "prerequisites": [], + "name": "Studies in Performance Spring Production\n\t\t\t ", + "description": "The study and aesthetic examination of major choreographic works by dance faculty or distinguished guest artists. Students will experience the creative process, staging, production, and performance of a complete dance work in conjunction with a conceptual study of its form and content. Audition is required. May be taken for credit four times. " }, - "VIS 156": { + "TDPF 163": { "prerequisites": [], - "name": "Latino American Cinema", - "description": "With attention to the ecology of Southern California and selected sites beyond, this course addresses historical and contemporary debates on environmental politics from the critical perspective of aesthetic practitioners, activists, and scholars from the 1960s to today. Art and media historical approaches will be offset by hands-on assignments, excursions, and the development of site-specific and creative works in all media. Program or materials fee may apply. " + "name": "Dance Repertory", + "description": "Students develop skills in directing and producing an independent staged dance concert/production in various settings. May be taken for credit two times.\u00a0" }, - "VIS 157": { + "TDPF 190": { "prerequisites": [], - "name": "Environmentalism in Arts and Media", - "description": "Photography is so ubiquitous a part of our culture that it seems to defy any simple historical definition. Accordingly, this course presents a doubled account of the medium; it explores both the historical and cultural specificity of a singular photography as well as some of the multitude of photographies that inhabit our world. Will examine a number of the most important photographic themes from the past two hundred years. " + "name": "Major Project/Dance Production", + "description": "A production-oriented course that introduces the student to technical fundamentals of costumes, scenery, lighting, and sound for the theatre. Students will be assigned to participate on a crew for a fully mounted theatrical production supported by the department. " }, - "VIS 158": { + "TDPR 6": { "prerequisites": [], - "name": "Histories of Photography", - "description": "Aims to provide historical context for computer arts by examining the interaction between the arts, media technologies, and sciences in different historical periods. Topics vary (e.g., Renaissance perspective, futurism and technology, and computer art of the 1950s and 1960s). Materials fees required. " + "name": "Theatre Practicum", + "description": "A production performance-oriented course that continues the development of costume, lighting, scenery, or sound production and introduces greater responsibilities in the laboratory format. Students serve as crew heads on major departmental productions or creative projects. May be taken for credit two times. " }, - "VIS 159": { - "prerequisites": [ - "VIS 141B", - "or", - "VIS 145B", - "or", - "VIS 147B", - "or", - "MUS 172" - ], - "name": "History of Art and Technology", - "description": "Students pursue projects of their own design over two quarters with support from faculty in a seminar environment. Project proposals are developed, informed by project development guidelines from real-world examples. Two production-course limitation. Renumbered from ICAM 160A. Students may receive credit for only one of the following: VIS 160A, MUS 160A, or ICAM 160A. " + "TDPR 102": { + "prerequisites": [], + "name": "Advanced Theatre Practicum", + "description": "A production performance-oriented course that continues the development of stage management skills and introduces greater responsibilities in the laboratory format. Students serve as either assistant stage managers on main stage productions or stage managers on studio projects. May be taken for credit two times. ** Consent of instructor to enroll possible **" + }, + "TDPR 104": { + "prerequisites": [], + "name": "Advanced\n\t\t\t\t Practicum in Stage Management", + "description": "Beginning workshop in the fundamentals of playwriting. Students discuss material from a workbook that elucidates the basic principles of playwriting, do exercises designed to help them put those principles into creative practice, and are guided through the various stages of the playwriting process that culminate with in-class readings of the short plays they have completed. " }, - "VIS 160A": { - "prerequisites": [ - "VIS 160A", - "or", - "MUS 160A" - ], - "name": "Senior Project in Computing Arts I", - "description": "Continuation of VIS 160A or MUS 160A. Completion and presentation of independent projects along with documentation. Two production-course limitation. Renumbered from ICAM 160B. Students may receive credit for only one of the following: VIS 160B, MUS 160B, or ICAM 160B. " + "TDPW 1": { + "prerequisites": [], + "name": "Introduction to Playwriting", + "description": "A workshop where students present their plays at various stages of development for group analysis and discussion. Students write a thirty-minute play that culminates in a reading. Also includes writing exercises designed to stimulate imagination and develop writing techniques. May be taken for credit two times. ** Consent of instructor to enroll possible **" }, - "VIS 160B": { - "prerequisites": [ - "VIS 135" - ], - "name": "Senior Project in Computing Arts II", - "description": "This course introduces students to the study and design of complex systems and networks at diverse scales, from the nanometric to the planetary (and perhaps beyond). Systems and networks are understood as both physical and conceptual organizations of tangible and intangible actors. These include architectural and urban systems, information and interactive systems, diagrammatic and performative systems, and political and geopolitical systems. " + "TDPW 101": { + "prerequisites": [], + "name": "Intermediate Playwriting", + "description": "Advanced workshop where students study the full-length play structure and begin work on a long play. Students present their work at various stages of development for group discussion and analysis. May be taken for credit two times. ** Consent of instructor to enroll possible **" }, - "VIS 161": { - "prerequisites": [ - "VIS 161" - ], - "name": "Systems and Networks at Scale", - "description": "The course seeks to bring the scientific laboratory into the artist and designers\u2019 studio, and vice versa. It explores intersections of advanced research in art/ design and science/technology. The course will focus on a specific laboratory innovation or a longer-term enduring challenge, and will conceive and prototype possible applications, scenarios, structures, and interventions. Course will be conducted in direct collaborations with other campus laboratories and research units. " + "TDPW 102": { + "prerequisites": [], + "name": "Advanced Playwriting", + "description": "Basic principles of screenwriting using scenario composition, plot points, character study, story conflict, with emphasis on visual action and strong dramatic movement. May be taken for credit two times. " }, - "VIS 162": { - "prerequisites": [ - "VIS 161" - ], - "name": "Speculative Science and Design Invention", - "description": "What is design as a way of knowing? The course examines critical contemporary topics in design theory, epistemology, research, and criticism. Students develop original critical and theoretical discourse. Topics draw from combinations of experimental and conceptual art, philosophy of technology, architectural theory and design, speculative fiction, bioethics and nanoethics, political philosophy of artificial intelligence and robotics, and critical engineering studies. " + "TDPW 104": { + "prerequisites": [], + "name": "Screenwriting", + "description": "For the advanced student in playwriting/screenwriting. This intensive concentration in the study of playwriting and/or screenwriting will culminate in the creation of a substantial length play. A maximum of eight units of major project study, regardless of area (design, directing, stage management, playwriting) may be used to fulfill major requirements. Applicants must have completed the playwriting sequence, THPW or TDPW 1, 101, and/or consent of instructor. See department for application form. ** Consent of instructor to enroll possible **" }, - "VIS 163": { - "prerequisites": [ - "VIS 60" - ], - "name": "Design Research and Criticism", - "description": "An intermediate course that expands the possibility of photography as an art practice. The students will learn to use and think of photography as a means of expression. Using the languages of contemporary art and photography the student will develop a body of work to be presented and critiqued. The construction of sequences, series, and the art of editing will be an important part of this critique-based course. Program or materials fees may apply. Two production-course limitation. " + "TDPW 190": { + "prerequisites": [], + "name": "Major\n\t\t\t\t Project in Playwriting/Screenwriting", + "description": "An overview of dance, examining its social and cultural history and its evolution as an art form. Focus is on dance and its many genres as an expressive medium and form of communication. " }, - "VIS 164": { - "prerequisites": [ - "VIS 60" - ], - "name": "Photographic Strategies: Art or Evidence", - "description": "Course explores both material and conceptual analog photography practices. Course will introduce the students to the history of chemical and ocular processes since the nineteenth century and their impact on image making. Students will learn basic black-and-white darkroom techniques, processing film, proofing, and printing. Course will conclude with a primer in the new photographic hybridity, bringing analog into the digital terrain. Students will be required to create a small portfolio of work. Program or materials fees may apply. Two production-course limitation. " + "TDTR 10": { + "prerequisites": [], + "name": "Introduction to Dance", + "description": "An overview and analysis of movement theory systems that offer approaches that improve movement quality, prevent injuries, aid in habilitation, develop mental focus and kinesthetic control, establish a positive body language, and develop vocabulary for creative research. " }, - "VIS 165": { - "prerequisites": [ - "VIS 164", - "or", - "VIS 165" - ], - "name": "Camera Techniques: Analog Futures", - "description": "The photograph is an empirical object. This course will explore the use of photography as a tool to both understand and represent the world. Students will learn the history of the use of photography as evidence and as a tool of empirical knowledge. In a world where subjectivity is performed the students will be required to make a medium-sized work that engages the social in a creative way. Program or materials fees may apply. Two production-course limitation. " + "TDTR 15": { + "prerequisites": [], + "name": "Dance Movement and Analysis", + "description": "The study of dance on film and video, the evolution of the creation, filming, editing, and production of dance for the camera. Major dance film works will be analyzed and discussed from choreography in the movies to dances made for film. " }, - "VIS 167": { - "prerequisites": [ - "VIS 164", - "or", - "VIS 165" - ], - "name": "Social Engagement and Photography", - "description": "This course will explore photography as art and its long and complicated relationship with painting. Students will learn and be encouraged to experiment with the medium formally and conceptually. From studio and lighting techniques to collage, montage, constructed realities, installations, and projections. Program or materials fees may apply. Two production-course limitation. " + "TDTR 20": { + "prerequisites": [], + "name": "Dance on Film", + "description": "The study of the theoretical aspects of dance education, including an analysis of movement concepts for all ages. Development of basic technique training in all forms, curriculum planning, social awareness, and problem solving. Fundamental elements of cognitive and kinetic learning skills. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 168": { - "prerequisites": [ - "VIS 174" - ], - "name": "Pictorialism and Constructed Reality", - "description": "A digital image is not a film image, and this reality and its technological and conceptual implications are what this course will attempt to map out, exploring its possibilities and the massive overhaul of media aesthetics it implies. Two production-course limitation. " + "TDTR 104": { + "prerequisites": [], + "name": "Dance Theory and Pedagogy", + "description": "A daily program of physical, vocal, and speech exercises designed to prepare the student to move in a focused way into specific class areas with minimum amount of warm-up time. The exercises work on development of flexibility, strength, and coordination throughout the body. Strong emphasis is placed on physical and mental centering within a structured and disciplined approach to preparation. " }, - "VIS 171": { - "prerequisites": [ - "VIS 70N" - ], - "name": "Digital Cinema\u2014Theory and Production", - "description": "Video medium used both as production technology and as device to explore the fundamental character of filmmaking and time-based computer art practices. Students perform all aspects of production with attention to developing ideas and building analytical/critical skills. Two production-course limitation. " + "SOCI 1": { + "prerequisites": [], + "name": "Introduction to Sociology ", + "description": "An introduction to the organizing themes and ideas, empirical concerns, and analytical approaches of the discipline of sociology. The course focuses on both classical and contemporary views of modern society, on the nature of community, and on inequality, with special attention to class, race, and gender. Materials include both theoretical statements and case studies. Will not receive credit for SOCI 1 and SOCL 1A. " }, - "VIS 174": { - "prerequisites": [ - "VIS 174" - ], - "name": "Media Sketchbook", - "description": "The evolving aims and grammars of editing practice in film and digital media will be examined. These histories will create a context for exploring contemporary editing strategies. The production projects will be centered on digital editing practice. Two production-course limitation. " + "SOCI 2": { + "prerequisites": [], + "name": "The Study of Society", + "description": "A continuation of Sociology/L 1A. The focus here is on socialization processes, culture, social reproduction and social control, and collective action. As in 1A, materials include both theoretical statements and case studies. While 1B may be taken as an independent course, it is recommended that students take 1A and 1B in sequence, as the latter builds on the former. Will not receive credit for SOCI 2 and SOCL 1B." }, - "VIS 175": { - "prerequisites": [ - "VIS 174" - ], - "name": "Editing\u2014Theory and Production", - "description": "A technical foundation and creative theoretical context for film production will be provided. Students will produce a short film with post-synchronized sounds and final mixed-track. Two production-course limitation. " + "SOCI 10": { + "prerequisites": [], + "name": "American Society: Social Structure and Culture in the\n\t\t\t\t U.S.", + "description": "An introduction to American society in historical, comparative,\n and contemporary perspectives. Topics will include American\n cultural traditions; industrialization; class structure; the\n welfare state; ethnic, racial, and gender relations; the changing\n position of religion; social movements; and political trends.\n Will not receive credit for SOCI 10 and SOCL 10. " }, - "VIS 176": { - "prerequisites": [ - "VIS 174" - ], - "name": "16mm Filmmaking", - "description": "Script writing, reading, and analysis of traditional and experimental media productions. The emphasis will be on the structural character of the scripting process and its language. Students will write several short scripts along with analytical papers. Two production-course limitation. " + "SOCI 20": { + "prerequisites": [], + "name": "Social Change in the Modern World", + "description": "A survey of the major economic, political, and social forces that have shaped the contemporary world. The course will provide an introduction to theories of social change, as well as prepare the student for upper-division work in comparative-historical sociology. Will not receive credit for SOCI 20 and SOCL 20. " }, - "VIS 177": { - "prerequisites": [ - "VIS 174" - ], - "name": "Scripting Strategies", - "description": "Sound design plays an increasing role in media production and has opened up new structural possibilities for narrative strategies. A critical and historical review of sound design and a production methodology component. Critical papers and soundtracks for short film projects will be required. Two production-course limitation. " + "SOCI 30": { + "prerequisites": [], + "name": "Science, Technology, and Society", + "description": "A series of case studies of the relations between society and modern science, technology, and medicine. Global warming, reproductive medicine, AIDS, and other topical cases prompt students to view science-society interactions as problematic and complex. Will not receive credit for SOCI 30 and SOCL 30. " }, - "VIS 178": { - "prerequisites": [ - "VIS 174", - "and", - "VIS 164" - ], - "name": "Sound\u2014Theory and Production", - "description": "Exploration of concepts in representational artworks by critically examining \u201cfound\u201d vs. \u201cmade\u201d recorded material. Advanced film/video, photography, computing work. Issues of narrative and structure; attention to formal aspects of media work emphasized. Two production-course limitation. " + "SOCI 40": { + "prerequisites": [], + "name": "Sociology of Health-Care Issues", + "description": "Designed as a broad introduction to medicine as a social institution and its relationship to other institutions as well as its relation to society. It will make use of both micro and macro sociological work in this area and introduce students to sociological perspectives of contemporary health-care issues. Will not receive credit for SOCI 40 and SOCL 40. " }, - "VIS 180A": { - "prerequisites": [ - "VIS 174", - "and", - "VIS 164" - ], - "name": "Documentary Evidence and the Construction of Authenticity in Current Media Practices", - "description": "Exploration of choices in invention, emphasizing \u201cmade\u201d over \u201cfound.\u201d Advanced film/video, photography, and computing. Issues of narrative and structure, and formal aspects of media work emphasized. Two production-course limitation. " + "SOCI 50": { + "prerequisites": [], + "name": "Introduction to Law and Society", + "description": "Interrelationships between law and society, in the U.S. and other parts of the world. We examine law\u2019s norms, customs, culture, and institutions, and explain the proliferation of lawyers in the U.S. and the expansion of legal \u201crights\u201d worldwide. Will not receive credit for SOCI 50 and SOCL 50. " }, - "VIS 180B": { - "prerequisites": [ - "VIS 174", - "and", - "VIS 164" - ], - "name": "Fiction\n\t\t and Allegory in Current Media Practices", - "description": "Advanced course to gain sophisticated control of lighting and sound recording techniques with understanding of theoretical implications and interrelation between production values and subject matter. Interactions between sound and image in various works in film, video, or installation. Two production-course limitation. " + "SOCI 60": { + "prerequisites": [], + "name": "The Practice of Social Research", + "description": "This course introduces students to the fundamental principles of the design of social research. It examines the key varieties of evidence, sampling methods, logic of comparison, and causal reasoning researchers use in their study of social issues. Will not receive credit for SOCI 60 and SOCL 60. " }, - "VIS 181": { - "prerequisites": [ - "VIS 174", - "and", - "VIS 164" - ], - "name": "Sound and Lighting", - "description": "Film/video editing and problems of editing from theoretical and practical points-of-view. Films and tapes analyzed on a frame-by-frame, shot-by-shot basis. Edit stock material and generate own materials for editing final project. Aesthetic and technical similarities/differences of film/video. Recommended preparation: VIS 175 Editing-Theory and Production strongly recommended. Two production-course limitation. " + "SOCI 70": { + "prerequisites": [], + "name": "General Sociology for Premedical Students", + "description": "This introductory course is specifically designed for premedical students and will provide them with a broad introduction to sociological concepts and research, particularly as applied to medicine." }, - "VIS 182": { - "prerequisites": [ - "VIS 174", - "and", - "VIS 164" - ], - "name": "Advanced Editing", - "description": "Looks at the way that self-identity is reflected and produced through various media practices. Focus is on rhetorical strategies of biography and autobiography in media, comparing and contrasting these strategies with those drawn from related cultural forms. Two production-course limitation. " + "SOCI 87": { + "prerequisites": [], + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminar topics will vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "VIS 183A": { - "prerequisites": [ - "VIS 174", - "and", - "VIS 164" - ], - "name": "Strategies of Self", - "description": "Looks at difference as it is reflected and constructed in various media practices. Course will examine a wide range of forms and genres such as ethnography, science fiction, crime narratives, documentary film, political drama, and animated shorts. Two production-course limitation. " + "SOCI 98": { + "prerequisites": [], + "name": "Directed Group Study", + "description": "Small group study and research under the direction of an interested faculty member in an area not covered in regular sociology courses. (P/NP grades only.) ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "VIS 183B": { - "prerequisites": [ - "VIS 174", - "and", - "VIS 164" - ], - "name": "Strategies of Alterity", - "description": "Film/video production will be framed through the script writing process, focusing on the problems of longer duration, density, and adaptation from other media. Students will both read and analyze both historical and contemporary scripts and produce a thirty- to sixty-minute script. Recommended preparation: VIS 177 Scripting Strategies. Two production-course limitation. " + "SOCI 99": { + "prerequisites": [], + "name": "Independent Study", + "description": "Individual study and research under the direction of an interested faculty member. P/NP grades only. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "VIS 184": { - "prerequisites": [ - "VIS 174", - "and", - "VIS 164" - ], - "name": "Advanced Scripting", - "description": "Through instruction and discussion, the class will focus on guiding students through advanced production on a senior project. Students will be expected to initiate and complete production on at least one portfolio-level project. May be taken for credit two times. Two production-course limitation. " + "SOCI 100": { + "prerequisites": [], + "name": "Classical Sociological Theory", + "description": "Major figures and schools in sociology from the early nineteenth century onwards, including Marx, Tocqueville, Durkheim, and Weber. The objective of the course is to provide students with a background in classical social theory, and to show its relevance to contemporary sociology. " + }, + "SOCI 102": { + "prerequisites": [], + "name": "Network Data and Methods", + "description": "Social network analysts view society as a web of relationships rather than a mere aggregation of individuals. In this course, students will learn how to collect, analyze, and visualize social network data, as well as utilize these techniques to answer an original sociological research question. " + }, + "SOCI 103M": { + "prerequisites": [], + "name": "Computer Applications to Data Management in Sociology", + "description": "Develop skills in computer management and analysis of sociological data. Practical experience with data produced by sociological research. Students will develop competency in the analysis of sociological data, by extensive acquaintance with computer software used for data analysis and management (e.g., SPSS). " }, - "VIS 185": { - "prerequisites": [ - "VIS 135", - "and", - "VIS 100" - ], - "name": "Senior Media Projects", - "description": "This advanced course provides students with a unique immersive learning experience, based on design studio/atelier methods. This course develops students\u2019 skills in the ideation, planning, and execution of complex individual and collaborative projects, including historical and contextual research, project ideation, planning and management, coordination of skills and responsibilities, iterative execution, and effective presentation. ** Upper-division standing required ** " + "SOCI 104": { + "prerequisites": [], + "name": "Field\n\t\t Research: Methods of Participant Observation", + "description": "Relationship between sociological theory and field research. Strong emphasis on theory and methods of participant observation: consideration of problems of entry into field settings, recording observations, description/analysis of field data, ethical problems in fieldwork. Required paper using field methods. " }, - "VIS 190": { - "prerequisites": [ - "VIS 84" - ], - "name": "Design Master Studio", - "description": "This course will explore the path of the deliberately \u201cunreal\u201d in movies. Fantasy in film will be considered both in terms of its psychological manifestations and also in terms of imaginary worlds created in such willfully antirealistic genres as science fiction, horror, and musical films. Offered in Summer Session only. Program or materials fees may apply. May be taken for credit three times. " + "SOCI 104Q": { + "prerequisites": [], + "name": "Qualitative Interviewing", + "description": "This course provides students with tools to conduct original research using qualitative interviews. Students will learn how to prepare, conduct, and analyze qualitative interviews. Special emphasis will be placed on the presentation of research in written form. " }, - "VIS 194S": { + "SOCI 105": { "prerequisites": [], - "name": "Fantasy in Film", - "description": "This advanced-level sequence coordinates three consecutive independent research courses to culminate in a completed thesis project in the third quarter of study. After the project\u2019s public presentation, the faculty involved in the project will determine whether the student will graduate with departmental honors. ** Consent of instructor to enroll possible **" + "name": "Ethnographic Film: Media Methods", + "description": "(Conjoined with SOCG 227.) Ethnographic recording of field data in written and audiovisual formats including film, video, and CD-ROM applications. Critical assessment of ethnographies and audiovisual ethnographic videotape. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "VIS 197": { + "SOCI 106": { "prerequisites": [], - "name": "Media Honors Thesis", - "description": "Directed group study on a topic or in a group field not included in regular department curriculum, by special arrangement with a faculty member. ** Consent of instructor to enroll possible **" + "name": "Comparative and Historical Methods", + "description": "A broad-based consideration of the use of historical materials in sociological analysis, especially as this facilitates empirically oriented studies across different societies and through time, and their application in student research projects. " }, - "VIS 198": { + "SOCI 106M": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Independent reading, research, or creative work under direction of a faculty member. ** Consent of instructor to enroll possible **" + "name": "Holocaust Diaries", + "description": "Methods for interpreting diaries, letters, and testaments written by victims and perpetrators of the Holocaust. Students use these sources for original research about life in hiding, ghettos, and death camps. Includes techniques for making comparisons and for generalizing from evidence. ** Consent of instructor to enroll possible **" }, - "VIS 199": { + "SOCI 107": { "prerequisites": [], - "name": "Special Studies in the Visual Arts", - "description": "An exploration of a range of issues important on the contemporary critical scene through readings and writing assignments. Topics will vary from year to year. (Required, MFA) " + "name": "Epidemiological Methods: Statistical Study of Disease", + "description": "Epidemiology is the statistical study of disease, and epidemiological methods are a powerful tool for understanding the causes of certain diseases, e.g., AIDS, scurvy, cholera, and lung cancer. These fundamental epidemiological methods will be taught. " }, - "CCS 101": { + "SOCI 108": { "prerequisites": [], - "name": "Carbon Neutrality Initiative at University of California", - "description": "The University of California-wide goals of the Carbon Neutrality Initiative are introduced through a series of modules where students learn basic principles of carbon neutrality, participate in seminars with campus operations staff, and tour relevant campus infrastructure including the UC San Diego microgrid, Leadership in Energy and Environmental Design (LEED) certified buildings, and sustainable transportation efforts. " + "name": "Survey Research Design", + "description": "Translation of research goals into a research design, including probability sampling, questionnaire construction, data collection (including interviewing techniques), data processing, coding, and preliminary tabulation of data. Statistical methods of analysis will be limited primarily to percentaging. " }, - "CCS 102": { + "SOCI 109": { "prerequisites": [], - "name": "Research Perspectives on Climate Change", - "description": "This course introduces students to exciting and current research topics related to climate change as presented by faculty and researchers across UC San Diego. The course is offered as a series of reading topics followed by seminars on original research presented by faculty and researchers. " + "name": "Analysis of Sociological Data", + "description": "Students test their own sociological research hypotheses using data from recent American and international social surveys and state-of-the-art computer software. Application of classical scientific method, interpretation of statistical results, and clear presentation of research findings. " }, - "CCS 197": { - "prerequisites": [ - "CCS 101", - "CCS 102", - "and" - ], - "name": "Carbon Neutrality Internship", - "description": "A campus-based internship, typically designed by the student, that will help the university meet our stated carbon neutrality goals. The project can be developed either individually or as part of a team. A written contract involving all parties will include learning objectives, a paper or project outline, and means of supervision and progress evaluation. May be taken for credit up to three times for a maximum of eight units. P/NP grades only. " + "SOCI 109M": { + "prerequisites": [], + "name": "Research Reporting", + "description": "Students learn to write a research report/article. Course covers the architecture of reports, different audiences, scientific writing style, the literature review, and how to present methodology and findings. Students write a research report using research they conducted in other classes. " }, - "CCS 199": { - "prerequisites": [ - "CCS 101", - "CCS 102", - "and" - ], - "name": "Supervised Independent Study or Research", - "description": "Independent reading or research on a topic related to climate change by special arrangement with a faculty member. May be taken for credit up to three times for a maximum of eight units. P/NP grades only. " + "SOCI 110": { + "prerequisites": [], + "name": "Qualitative\n\t\t Research in Educational Settings", + "description": "Basic understanding of participant observation, interviewing, and other ethnographic research techniques through field experiences in school and community settings sponsored by CREATE. Students will learn to take field notes, write up interviews, and compose interpretive essays based on their field experiences. " }, - "HISC 160": { + "SOCI 111": { "prerequisites": [], - "name": "Historical Approaches to the Study of Science\n\t ", - "description": "This colloquium course will introduce students to the rich variety of ways in which the scientific enterprise is currently being studied historically. Major recent publications on specific topics in the history of science selected to illustrate this diversity will be discussed and analyzed; the topics will range in period from the seventeenth century to the late twentieth, and will deal with all major branches of natural science. Requirements will vary for undergraduate, MA, and PhD students. Graduate students may be expected to submit a more substantial piece of work. ** Consent of instructor to enroll possible **" + "name": "Local Lives, Global Problems", + "description": "This course surveys the variety of ways that scholars across disciplines have studied local-global phenomena and developed theoretical, methodological, and empirical orientations that incorporate concern for place, space, and scale into their analytical lens. " }, - "HISC 161/261": { + "SOCI 112": { "prerequisites": [], - "name": "Seminar in Newton and Newtonianism", - "description": "This course focuses on the single most important figure of the scientific revolution, Isaac Newton, and on his science and philosophy, which set the frame of reference for physics and general science until the twentieth century. Graduate students are required to submit an additional piece of work. ** Upper-division standing required ** " + "name": "Social Psychology", + "description": "This course will deal with human behavior and personality development as affected by social group life. Major theories will be compared. The interaction dynamics of such substantive areas as socialization, normative and deviant behavior, learning and achievement, the social construction of the self, and the social identities will be considered. " }, - "HISC 163/263": { + "SOCI 113": { "prerequisites": [], - "name": "History, Science, and Politics of Climate\n\t Change", - "description": "The complex historical development of human understanding of global climate change, including key scientific work, and the cultural dimensions of proof and persuasion. Special emphasis on the differential political acceptance of the scientific evidence in the U.S. and the world. Graduate students are required to submit an additional paper. " + "name": "Sociology of the AIDS Epidemic", + "description": "This course considers the social, cultural, political, and economic aspects of HIV/AIDS. Topics include the social context of transmission; the experiences of women living with HIV; AIDS activism; representations of AIDS; and the impact of race and class differences. " }, - "HISC 164/264": { + "SOCI 114": { "prerequisites": [], - "name": "Topics in the History of the Physical\n\t Sciences", - "description": "Intensive study of specific problems in the physical (including chemical and mathematical) sciences, ranging in period from the Renaissance to the twentieth century. Topics vary from year to year, and students may therefore repeat the course for credit. Requirements will vary for undergraduate, MA, and PhD students. Graduate students may be expected to submit a more substantial piece of work. ** Consent of instructor to enroll possible **" + "name": "Just a Joke?: Sociology of Humor", + "description": "Telling jokes is fun, but it is also quintessentially a social act. How we make jokes and who we make jokes with is socially prescribed. We use humor every day in our social interactions to solidify social ties, but also to keep us apart. The course will examine the social dynamics of humor, paying specific attention to dimensions of race, gender, sexuality, disability, and national origin. Different types of humor will be analyzed, as well as the role of social media in altering joke culture. " }, - "HISC 166/266": { + "SOCI 115": { "prerequisites": [], - "name": "The Galileo Affair", - "description": "Galileo\u2019s condemnation by the Catholic Church in 1633 is a well-known but misunderstood episode. Was Galileo punished for holding dangerous scientific views? Personal arrogance? Disobedience? Religious transgressions? Readings in original sources, recent historical interpretations. Graduate students will be expected to submit a more substantial piece of work. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Social Problems", + "description": "Analyzes selected social problems in the United States, such as those regarding education, race relations, and wealth inequality from various sociological perspectives. The course also examines the various sites of debate discussion, like political institutions, TV and other media, and religious institutions. " }, - "HISC 170/270": { + "SOCI 116": { "prerequisites": [], - "name": "Topics in the History of Science and\n\t Technology", - "description": "This seminar explores topics at the interface of science, technology, and society, ranging from the seventeenth century to the twentieth. Requirements will vary for undergraduate, MA, and PhD students. Graduate students are required to submit an additional paper. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Gender and Language in Society", + "description": "(Same as LIGN 174.) This course examines how language contributes to the social construction of gender identities, and how gender impacts language use and ideologies. Topics include the ways language and gender interact across the life span (especially childhood and adolescence); within ethnolinguistic minority communities; and across cultures. " }, - "HISC 172/272": { + "SOCI 117": { "prerequisites": [], - "name": "Building America: Technology, Culture, and the Built Environment in the United States", - "description": "The history of the built environment in the United States, from skyscrapers to suburbs, canals and railroads to factories and department stores. The technological history of structures and infrastructures, and the social and cultural values that have been \u201cbuilt into\u201d our material environment. Graduate students are required to submit an additional paper. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Language, Culture, and Education", + "description": "(Same as EDS 117.) The mutual influence of language, culture, and education will be explored; explanations of students\u2019 school successes and failures that employ linguistic and cultural variables will be considered; bilingualism; cultural transmission through education. " }, - "POLI 5 or 5D": { + "SOCI 118": { "prerequisites": [], - "name": "Data Analytics for the Social Sciences", - "description": "Introduction to probability and analysis for understanding data in the social world. Students engage in hands-on learning with applied social science problems. Basics of probability, visual display of data, data collection and management, hypothesis testing, and computation. Students may receive credit for only one of the following courses: ECON 5, POLI 5, or POLI 5D. " + "name": "Sociology of Gender", + "description": "An analysis of the social, biological, and\n\t\t\t\t psychological components of becoming a man or a woman. The\n\t\t\t\t course will survey a wide range of information in an attempt\n\t\t\t\t to specify what is distinctively social about gender roles\n\t\t\t\t and identities; i.e., to understand how a most basic part of the \u201cself\u201d\u2014womanhood\n\t\t\t\t or manhood\u2014is socially defined and socially learned behavior. " }, - "POLI 10 or 10D": { + "SOCI 118E": { "prerequisites": [], - "name": "Introduction\n\t\t to Political Science: American Politics", - "description": "This course surveys the processes and institutions of American politics. Among the topics discussed are individual political attitudes and values, political participation, voting, parties, interest groups, Congress, presidency, Supreme Court, the federal bureaucracy, and domestic and foreign policy making. POLI 10 is Lecture only, and POLI 10D is Lecture plus Discussion section. These courses are equivalents of each other in regards to major requirements, and students may not receive credit for both 10 and 10D.\u00a0 " + "name": "Sociology of Language", + "description": "An examination of how the understanding of language can guide and inform sociological inquiries and a critical evaluation of key sociological approaches to language, including ethnomethodology, frame analysis, sociolinguistics, structuralism and poststructuralism, and others. " }, - "POLI 11 or 11D": { + "SOCI 119": { "prerequisites": [], - "name": "Introduction\n\t\t to Political Science: Comparative Politics", - "description": "The nature of political authority, the experience of a social revolution, and the achievement of an economic transformation will be explored in the context of politics and government in a number of different countries. POLI 11 is Lecture only, and POLI 11D is Lecture plus Discussion section. These courses are equivalents of each other in regards to major requirements, and students may not receive credit for both 11 and 11D.\u00a0 " + "name": "Sociology\n\t\t of Sexuality and Sexual Identities", + "description": "Introduction both to the sociological study of sexuality and to sociological perspectives in gay/lesbian studies. Examines the social construction of sexual meanings, identities, movements, and controversies; the relation of sexuality to other institutions; and the intersection of sexuality with gender, class, and race. " }, - "POLI 12 or 12D": { + "SOCI 120": { "prerequisites": [], - "name": "Introduction\n\t\t to Political Science: International Relations", - "description": "The issues of war/peace, nationalism/internationalism, and economic growth/redistribution will be examined in both historical and theoretical perspectives. POLI 12 is Lecture only, and POLI 12D is Lecture plus Discussion section. These courses are equivalents of each other in regards to major requirements, and students may not receive credit for both 12 and 12D.\u00a0 " + "name": "Sociology Through Literature", + "description": "In this course, we will examine how literature and poetry may illuminate and sometimes go beyond sociological writings in highlighting and spelling out sociological concepts and social processes. This course will cover basic concepts (social role, power), economic concepts (class, greed), and political concepts (colonialism, revolution). " }, - "POLI 13 or 13D": { + "SOCI 120T": { "prerequisites": [], - "name": "Power and Justice", - "description": "An exploration of the relationship between power and justice in modern society. Materials include classic and contemporary texts, films, and literature. POLI 13 is Lecture only, and POLI 13D is Lecture plus Discussion section. These courses are equivalents of each other in regards to major requirements, and students may not receive credit for both 13 and 13D.\u00a0" + "name": "\t\t Special Topics in Culture, Language, and Social Interaction", + "description": "This course will examine key issues in culture, language, and social interaction. Content will vary from year to year. " }, - "POLI 27": { - "prerequisites": [ - "CAT 2", - "and", - "DOC 2", - "and", - "and", - "HUM 1", - "and", - "and" - ], - "name": "Ethics and Society", - "description": "An examination of ethical\n\t\t\t\t principles (e.g., utilitarianism, individual rights, etc.)\n\t\t\t\t and their social and political applications to contemporary\n\t\t\t\t issues such as abortion, environmental protection, and affirmative action.\n\t\t\t\t Ethical principles will also be applied to moral dilemmas familiar in government,\n\t\t\t\t law, business, and the professions. Satisfies the Warren College\n\t\t\t\t ethics and society requirement. " + "SOCI 121": { + "prerequisites": [], + "name": "Economy and Society", + "description": "An examination of a central concern of classical social theory: the relationship between economy and society, with special attention (theoretically and empirically) on the problem of the origins of modern capitalism. The course will investigate the role of technology and economic institutions in society; the influence of culture and politics on economic exchange, production, and consumption; the process of rationalization and the social division of labor; contemporary economic problems and the welfare state. " }, - "POLI 28": { + "SOCI 122": { "prerequisites": [], - "name": "Ethics and Society II", - "description": "An examination of a single set of major contemporary social, political, or economic issues (e.g., environmental ethics, international ethics) in light of ethical and moral principles and values. Warren College students must take course for a letter grade in order to satisfy the Warren College general-education requirement. " + "name": "Social Networks", + "description": "This course takes a social network approach to the study of society, examining the complex web of relationships\u2014 platonic, familial, professional, romantic\u2014in which individual behavior is embedded. Special emphasis is placed on the unprecedented opportunities created by contemporary social media (e.g. Facebook, mobile phones, online dating websites) for answering fundamental sociological questions. " }, - "POLI 30 or 30D": { + "SOCI 123": { "prerequisites": [], - "name": "Political Inquiry", - "description": "Introduction to the logic of inference in social science and to quantitative analysis in political science and public policy including research design, data collection, data description and computer graphics, and the logic of statistical inference (including linear regression). POLI 30 is Lecture only, and POLI 30D is Lecture plus Discussion section. These courses are equivalents of each other in regards to major requirements, and students may not receive credit for both 30 and 30D.\u00a0" + "name": "Japanese Culture Inside/Out: A Transnational Perspective", + "description": "We examine cultural production in Japan and abroad, national and transnational political-economic and social influences, the idea of Japan in the West, and the idea of the West in Japan. " }, - "POLI 40": { + "SOCI 124": { "prerequisites": [], - "name": "Introduction to Law and Society", - "description": "This course is designed as a broad introduction to the study of law as a social institution and its relations to other institutions in society. The focus will be less on the substance of law (legal doctrine and judicial opinions) than on the process of law\u2013how legal rules both reflect and shape basic social values and their relation to social, political, and economic conflicts within society. " + "name": "The Good Society", + "description": "What institutions and policies are conducive to liberty, economic security, opportunity, a vibrant economy, shared prosperity, social cohesion, health, happiness, and other desirable features of a modern society? " }, - "POLI 87": { + "SOCI 125": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. May not be used to fulfill any major or minor requirements in political science. " + "name": "Sociology of Immigration", + "description": "Immigration from a comparative, historical, and cultural perspective. Topics include factors influencing amount of immigration and destination of immigrants; varying modes of incorporation of immigrants; immigration policies and rights; the impact of immigration on host economies; refugees; assimilation; and return migration. " }, - "POLI 90": { + "SOCI 126": { "prerequisites": [], - "name": "Undergraduate Seminar", - "description": "Selected topics to introduce students to current issues and trends in political science. May not be used to fulfill any major or minor requirements in political science. P/NP grades only. May be taken for credit four times. " + "name": "Social Organization of Education", + "description": "(Same as EDS 126.) The social organization of education in the U.S. and other societies; the functions of education for individuals and society; the structure of schools; educational decision making; educational testing; socialization and education; formal and informal education; cultural transmission. " }, - "POLI 99H": { + "SOCI 127": { "prerequisites": [], - "name": "Independent Study", - "description": "Independent study or research under direction of a member of the faculty. " + "name": "Immigration, Race, and Ethnicity", + "description": "Examination of the role that race and ethnicity play in immigrant group integration. Topics include theories of integration, racial and ethnic identity formation, racial and ethnic change, immigration policy, public opinion, comparisons between contemporary and historical waves of immigration. " }, - "POLI 100A": { + "SOCI 128": { "prerequisites": [], - "name": "The Presidency", - "description": "The role of the presidency in American politics. Topics will include nomination and election politics, relations with Congress, party leadership, presidential control of the bureaucracy, international political role, and presidential psychology. " + "name": "Religion and Popular Culture in East Asia", + "description": "(Same as HIEA 119.) Historical, social, and cultural relationships between religion and popular culture. Secularization of culture through images, worldviews, and concepts of right and wrong which may either derive from, or pose challenges to, the major East Asian religions." }, - "POLI 100B": { + "SOCI 129": { "prerequisites": [], - "name": "The US Congress", - "description": "This course will examine the nomination and election of congressmen, constituent relationships, the development of the institution, formal and informal structures, leadership, comparisons of House with Senate, lobbying, and relationship with the executive branch. " + "name": "The Family", + "description": "An examination of historical and social influences on family life. Analyzes contemporary families in the United States, the influences of gender, class, and race, and current issues such as divorce, domestic violence, and the feminization of poverty. " }, - "POLI 100C": { + "SOCI 130": { "prerequisites": [], - "name": "American Political Parties", - "description": "This course examines the development of the two major parties from 1789 to the present. Considers the nature of party coalitions, the role of leaders, activists, organizers, and voters, and the performance of parties in government. " + "name": "Population and Society", + "description": "This course offers insight into why and how\n\t\t\t\t populations grow (and decline), and where and under what conditions changes\n\t\t\t\t in population size and/or structure change have positive and negative consequences\n\t\t\t\t for societies and environment. " }, - "POLI 100DA": { + "SOCI 131": { "prerequisites": [], - "name": "Voting, Campaigning, and Elections", - "description": "A consideration of the nature of public opinion and voting in American government. Studies of voting behavior are examined from the viewpoints of both citizens and candidates, and attention is devoted to recent efforts to develop models of electoral behavior for the study of campaigns. The role of mass media and money also will be examined. " + "name": "Sociology of Youth", + "description": "Chronological age and social status; analysis of social processes bearing upon the socialization of children and adolescents. The emergence of \u201cyouth cultures,\u201d generational succession as a cultural problem. " }, - "POLI 100E": { + "SOCI 132": { "prerequisites": [], - "name": "Interest Group Politics", - "description": "The theory and practice of interest group politics in the United States. Theories of pluralism and collective action, the behavior and influence of lobbies, the role of political action committees, and other important aspects of group action in politics are examined. " + "name": "Gender and Work", + "description": "Examination and analysis of empirical research and theoretical perspectives on gender and work. Special attention to occupational segregation. Other topics include the interplay between work and family; gender, work and poverty; gender and work in the Third World. " }, - "POLI 100F": { + "SOCI 133": { "prerequisites": [], - "name": "Social Networks", - "description": "This class explores the many ways in which face-to-face social networks have a powerful effect on a wide range of human behaviors. With a foundation in understanding real-world networks, we can then consider how these networks function online." + "name": "Immigration\n\t\t in Comparative Perspective", + "description": "Societies across the world are confronting new immigration. In this course, we will focus on Europe, Asia, and North America, and examine issues of nationalism, cultural diversity and integration, economic impacts, and government policy. " }, - "POLI 100G": { + "SOCI 134": { "prerequisites": [], - "name": "How to Win or Lose an Election", - "description": "This course explores the various aspects of a political campaign including campaign organization, vote targeting, political parties, social media, fundraising, polling, media interactions, and more. These areas are examined citing specific examples from federal, state, and local campaigns." + "name": "The Making of Modern Medicine", + "description": "A study of the social, intellectual, and institutional aspects of the nineteenth-century transformation of clinical medicine, examining both the changing content of medical knowledge and therapeutics, and the organization of the medical profession. " }, - "POLI 100H": { + "SOCI 135": { + "prerequisites": [], + "name": "Medical Sociology", + "description": "An inquiry into the roles of culture and social structure in mediating the health and illness experiences of individuals and groups. Topics include the social construction of illness, the relationships between patients and health professionals, and the organization of medical work. " + }, + "SOCI 136": { "prerequisites": [], - "name": "Race and Ethnicity in American Politics", - "description": "This course examines the processes by which racial and ethnic groups have/have not been incorporated into the American political system. The course focuses on the political experiences of European immigrant groups, blacks, Latinos, and Asians. " + "name": "Data and Society", + "description": "This course explores the roles, challenges, and impacts of data and information technologies in contemporary societies. Information regarding discussion section is to be discussed in the first week of class. " }, - "POLI 100I": { + "SOCI 136E": { "prerequisites": [], - "name": "Participation and Inequality", - "description": "This course examines the causes and consequences of the unequal participation and representation of groups in US politics. " + "name": "\t\t Sociology of Mental Illness: A Historical Approach", + "description": "An examination of the social, cultural, and political factors involved in the identification and treatment of mental illness. This course will emphasize historical material, focusing on the eighteenth, nineteenth, and early twentieth centuries. Developments in England as well as the United States will be examined from an historical perspective. " }, - "POLI 100J": { + "SOCI 136F": { "prerequisites": [], - "name": "Race in American Political Development", - "description": "Readings examine how the multiracial character of the United States has shaped the broad outlines of American politics. Cases include the founding/the Constitution, southern politics, social organization in formerly Mexican regions, the New Deal, consequences of limited suffrage. " + "name": "Sociology of Mental Illness in Contemporary Society", + "description": "This course will focus on recent developments in the mental illness sector and on the contemporary sociological literature on mental illness. Developments in England as well as the United States will be examined. " }, - "POLI 100K": { + "SOCI 137": { "prerequisites": [], - "name": "Railroads and American Politics", - "description": "The railroads transformed the economy and politics of the United States in the nineteenth century. The railroads were the first big businesses, and their sheer size led inevitably to conflict with governments at all levels. This conflict shaped modern politics. " + "name": "Sociology of Food", + "description": "Topics include food as a marker of social\n\t\t\t\t differences (e.g., gender, class, ethnicity); the changing character\n\t\t\t\t of food production and distribution; food as an object of political conflict;\n\t\t\t\t and the symbolic meanings and rituals of food preparation and consumption. " }, - "POLI 100M": { + "SOCI 138": { "prerequisites": [], - "name": "Political Psychology", - "description": "We begin with hypotheses about how people develop political attitudes, and methods to test those hypotheses. The second half focuses on emerging cognitive neuroscience insights, including brain imaging, and asks how these inform theories of political cognition, affect, and behavior. " + "name": "Genetics and Society", + "description": "The class will first examine the direct social effects of the \u201cgenetic revolution\u201d: eugenics, genetic discrimination, and stratification. Second, the implications of thinking of society in terms of genetics, specifically\u2014sociobiology, social Darwinism, evolutionary psychology, and biology. " }, - "POLI 100N": { + "SOCI 139": { "prerequisites": [], - "name": "Politics in Washington", - "description": "Examines Washington as a political community, its institutions, culture, and history. In addition to its elected officeholders and senior government officials, it examines Washington\u2019s subcommunities: the national news industry, diplomatic service, the representation of interests. ** Department approval required ** " + "name": "Social Inequality: Class, Race, and Gender", + "description": "Massive inequality in wealth, power, and prestige is ever-present in industrial societies. In this course, causes and consequences of class, gender, racial, and ethnic inequality (\u201cstratification\u201d) will be considered through examination of classical and modern social science theory and research. " }, - "POLI 100O": { + "SOCI 140": { "prerequisites": [], - "name": "Perspectives on Race", - "description": "This course looks at race in American politics from a variety of perspectives. We may consider psychological, genetic, neuroscience, economic, political, sociological, and legal views of what drives powerful dynamics of race in our country. " + "name": "Sociology of Law", + "description": "This course analyzes the functions of law in society, the social sources of legal change, social conditions affecting the administration of justice, and the role of social science in jurisprudence. " }, - "POLI 100P": { + "SOCI 140F": { "prerequisites": [], - "name": "Economic Entrepreneurs and American Politics", - "description": "This course is concerned with the interaction between representative democracy and capitalism in American political history. The key to understanding this interaction is the role of the entrepreneur in the economy and how unexpected economic change shapes politics. " + "name": "Law and the Workplace", + "description": "This course examines how the US legal system has responded to workplace inequality and demands for employee rights. Particular attention is given to racial, gender, religious, and disability discrimination, as well as the law\u2019s role in regulating unions, the global economy, and sweatshop labor. " }, - "POLI 100Q": { + "SOCI 140K": { "prerequisites": [], - "name": "Advanced Topics in Racial Politics", - "description": "This course explores how race shapes outcomes in American democracy through in-depth exploration of key issues in American politics. Topics include race in the voting booth, immigration, discrimination, and inter-minority conflict." + "name": "Law and Society in China", + "description": "This course offers an overview of the courts of China. The focus is not on blackletter law. Instead, we look at what grassroots courts do on a daily basis. China has arguably the largest court system in the world. What does it do? How are the courts organized internally? What is the relationship between the courts and other government bureaucracies? Is there the rule of law in China? The course will address these questions by reviewing latest empirical research on the subject area. " }, - "POLI 100T": { + "SOCI 141": { "prerequisites": [], - "name": "Business and Politics", - "description": "This course uses the tools of political science and economics to study how corporations affect and are affected by politics. We will cover a broad range of issues, including regulation, lawmaking, mass media, interest group mobilization, and corporate social responsibility." + "name": "Crime and Society", + "description": "A study of the social origins of criminal law, the administration of justice, causes, and patterns of criminal behavior, and the prevention and control of crime, including individual rehabilitation and institutional change, and the politics of legal, police, and correctional reform. " }, - "POLI 100U": { + "SOCI 142": { "prerequisites": [], - "name": "Games, Strategy, and Politics", - "description": "This course provides an introduction to game theory with an emphasis on applications in economics, political science, and business. Game theory uses simple mathematical models to understand social phenomena. The required mathematical background is minimal (high school algebra)." + "name": "Social Deviance", + "description": "This course studies the major forms of behavior seen as rule violations by large segments of our society and analyzes the major theories trying to explain them, as well as processes of rulemaking, rule enforcing, techniques of neutralization, stigmatization and status degradation, and rule change. " }, - "POLI 100V": { + "SOCI 143": { "prerequisites": [], - "name": "Organized Interests", - "description": "This course provides a theoretical and practical examination of political parties, interest groups, and social movements in the United States. " + "name": "Suicide", + "description": "Traditional and modern theories of suicide will be reviewed and tested. The study of suicide will be treated as one method for investigating the influence of society on the individual. " }, - "POLI 100W": { + "SOCI 144": { "prerequisites": [], - "name": "Politics, Policy, and Educational Inequality ", - "description": "Education is often thought of as \u201cthe great equalizer\u201d but in the U.S. and around the world, many governments fail to ensure that all citizens have access to high-quality educational opportunities. Why? This course will give students the conceptual tools to understand who shapes education policy decisions, through what channels, and how those policy decisions affect the quality and equity of education. Emphasis is on the U.S., but analyzed in comparative perspective. " + "name": "Forms of Social Control", + "description": "The organization, development, and mission of social control agencies in the nineteenth and twentieth centuries, with emphasis on crime and madness; agency occupations (police, psychiatrists, correctional work, etc.); theories of control movements. " }, - "POLI 100Y": { + "SOCI 145": { "prerequisites": [], - "name": "Asian American Politics in the United States", - "description": "This class is a survey of historical and contemporary issues in Asian American politics in the U.S.; race and ethnicity in the context of US politics; comparisons of racial and ethnic group experiences in the U.S. with those experienced by racial and ethnic groups elsewhere; Asian American access to the political system through political participation. " + "name": "Violence and Society", + "description": "Focusing on American history, this course explores violence in the light of three major themes: struggles over citizenship and nationhood; the drawing and maintenance of racial, ethnic, and gender boundaries; and the persistence of notions of \u201cmasculinity\u201d and its relation to violence. " }, - "POLI 101E": { + "SOCI 146": { "prerequisites": [], - "name": "The Politics of Race, Ethnicity, and Immigration", - "description": "This course examines the interplay between racial/ethnic identity and politics. How do race and ethnicity become politicized? What role does ethnic or racial identity play in political behavior and decision-making processes? To what extent do political institutions and institutional design reinforce the salience of ethnic or racial identity in politics? We will be taking a comparative approach to this topic, and cover readings in both American politics and comparative politics literature." + "name": "Criminal Punishment", + "description": "This course examines the historic and contemporary responses to criminal behavior in the United States. " }, - "POLI 102C": { + "SOCI 147": { "prerequisites": [], - "name": "American Political Development", - "description": "Examines selected issues and moments in the political history of the United States, comparing competing explanations and analyses of US politics. Likely topics include the founding, \u201cAmerican exceptionalism,\u201d change in the party system, race in US politics, the \u201cnew institutionalism.\u201d " + "name": "Organizations,\n\t\t Society, and Social Justice", + "description": "Organizations are dynamic forces in society. This course examines how organizations address human health and social justice issues in national and international settings, focusing on the links between internal dynamics of organizations and macro-level political, economic, and cultural factors. " }, - "POLI 102D": { + "SOCI 148": { "prerequisites": [], - "name": "Voting Rights Act: Fifty Years Later", - "description": "The Voting Rights Act (VRA) is one of the most significant and controversial acts in American history. We will examine the environment that led to its introduction, the legislative process, executive implementation, and the political ramifications and subsequent state government and court decisions.\u00a0 " + "name": "Political Sociology", + "description": "Course focuses on the interaction between state and society. It discusses central concepts of political sociology (social cleavages, mobilization, the state, legitimacy), institutional characteristics, causes, and consequences of contemporary political regimes (liberal democracies, authoritarianism, communism), and processes of political change. " }, - "POLI 102E": { + "SOCI 148E": { "prerequisites": [], - "name": "Urban Politics", - "description": "(Same as USP107) This survey course focuses upon the following six topics: the evolution of urban politics since the mid-nineteenth century; the urban fiscal crisis; federal/urban relationships; the \u201cnew\u201d ethnic politics; urban power structure and leadership; and selected contemporary policy issues such as downtown redevelopment, poverty, and race. " + "name": "Inequality and Jobs", + "description": "Some people do much better than others in the world of work. Causes and consequences of this inequality will be examined: How do characteristics of individuals (e.g., class, gender, race, education, talent) and characteristics of jobs affect market outcomes? " }, - "POLI 102F": { + "SOCI 148GS": { "prerequisites": [], - "name": "Mass Media and Politics", - "description": "This course will explore both the role played by mass media in political institutions, processes and behaviors, and reciprocally, the roles played by political systems in guiding communication processes. " + "name": "Political Sociology", + "description": "Course focuses on the interaction between state and society. It discusses central concepts of political sociology (social cleavages, mobilization, the state, legitimacy), institutional characteristics, causes, and consequences of contemporary political regimes (liberal democracies, authoritarianism, communism), and processes of political change. Students cannot receive credit in this course if they have already taken SOCI 148. " }, - "POLI 102G": { + "SOCI 149": { "prerequisites": [], - "name": "Special Topics in American Politics", - "description": "An undergraduate course designed to cover various aspects of American politics. May be repeated for credit two times, provided each course is a separate topic, for a maximum of twelve units. " + "name": "Sociology of the Environment", + "description": "The environment as a socially and technically shaped milieu in which competing values and interests play out. Relation of humanity to nature, conflicts between preservation and development, environmental pollution and contested illnesses. Will not receive credit for SOCI 149 and SOCC 149. " }, - "POLI 102J": { + "SOCI 150": { "prerequisites": [], - "name": "Advanced Topics in Urban Politics", - "description": "(Same as USP 110) Building upon the introductory urban politics course, the advanced topics course explores issues such as community power, minority empowerment, and the politics of growth. A research paper is required. Students may not receive credit for both POLI 102J and USP 110. " + "name": "Madness and the Movies", + "description": "Hollywood has had an ongoing obsession with mental illness. This course will examine a number of important or iconic films on this subject. By examining them against a background provided by relevant scholarly materials, we shall develop a critical perspective on these cultural artifacts. " }, - "POLI 102K": { + "SOCI 151": { "prerequisites": [], - "name": "The Urban Underclass", - "description": "The lives of individuals living in ghetto poverty in the United States. Causes and consequences of ghetto poverty. Political debates surrounding the underclass and different possible solutions. " + "name": "Social Movement from Civil Rights to Black Lives Matter", + "description": "A treatment of selected social movements dealing primarily with the struggles of African-Americans, Hispanics, and women to change their situation in American society. " }, - "POLI 102L": { + "SOCI 152": { "prerequisites": [], - "name": "The Politics of Regulation", - "description": "Politics and policy-making issues in regulation. Themes: regulation versus legislation; general versus specific grants of regulatory power; market versus command mechanisms; private property; and risk assessment. Emphasis on American regulatory policy, examples from current regulatory debates (e.g., health care and environment). " + "name": "Social Inequality and Public Policy", + "description": "(Same as USP 133.) Primary focus on understanding and analyzing poverty and public policy. Analysis of how current debates and public policy initiatives mesh with alternative social scientific explorations of poverty. " }, - "POLI 103A": { + "SOCI 153": { "prerequisites": [], - "name": "California Government and Politics", - "description": "(Same as USP 109) This survey course explores six topics: 1) the state\u2019s political history; 2) campaigning, the mass media, and elections; 3) actors and institutions in the making of state policy; 4) local government; 5) contemporary policy issues; e.g., Proposition 13, school desegregation, crime, housing and land use, transportation, water; 6) California\u2019s role in national politics. " + "name": "Urban Sociology", + "description": "(Same as USP 105.) Introduces students to the major approaches in the sociological study of cities and to what a sociological analysis can add to our understanding of urban processes. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "POLI 103B": { + "SOCI 154": { "prerequisites": [], - "name": "Politics and Policymaking in Los Angeles", - "description": "(Same as USP 113) This course examines politics and policymaking in the five-county Los Angeles region. It explores the historical development of the city, suburbs, and region; politics, power, and governance; and major policy challenges facing the city and metropolitan area. " + "name": "Religious Institutions in America", + "description": "Examination of sociological theories for why people have religious beliefs. Also examines types of religious organizations, secularization, fundamentalism, religion and immigration, religion and politics, and religiously inspired violence and terrorism. The class will tend to focus on the American context. " }, - "POLI 103C": { + "SOCI 155": { "prerequisites": [], - "name": "Politics and Policymaking in San Diego", - "description": "(Same as USP 115) This course examines how\n\t\t\t\t major policy decisions are made in San Diego. It analyzes the region\u2019s\n\t\t\t\t power structure (including the roles of nongovernmental organizations\n\t\t\t\t and the media), governance systems and reform efforts, and the politics\n\t\t\t\t of major infrastructure projects. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "The City of San Diego", + "description": "A research-oriented course studying a specific city. Students will describe and analyze a local community of San Diego. Additional work on one citywide institution. Guest lecturers from San Diego organizations and government. Readings largely from city reports and news media. " }, - "POLI 103D": { + "SOCI 156": { "prerequisites": [], - "name": "California Local Government: Finance and Administration", - "description": "(Same as USP 116) This course surveys public finance and administration. It focuses upon California local governments\u2014cities, counties, and special districts\u2014and also examines state and federal relationships. Topics explored include revenue, expenditure, indebtedness, policy responsibilities, and administrative organization and processes. " + "name": "Sociology of Religion", + "description": "Diverse sociological explanations of religious ideas and religious behavior. The social consequences of different kinds of religious beliefs and religious organizations. The influence of religion upon concepts of history, the natural world, human nature, and the social order. The significance of such notions as \u201csacred peoples\u201d and \u201csacred places.\u201d The religious-like character of certain political movements and certain sociocultural attitudes. " }, - "POLI 104A": { + "SOCI 157": { "prerequisites": [], - "name": "The Supreme Court and the Constitution", - "description": "An introduction to the study of the Supreme Court and constitutional doctrine. Topics will include the nature of judicial review, federalism, race, and equal protection. The relation of judicial and legislative power will also be examined. " + "name": "Religion in Contemporary Society", + "description": "Sacred texts, religious experiences, and ritual settings are explored from the perspective of sociological analysis. The types and dynamic of religious sects and institutions are examined. African and contemporary US religious data provide resources for lecture and comparative analysis. " }, - "POLI 104B": { + "SOCI 158": { "prerequisites": [], - "name": "Civil Liberties\u2014Fundamental Rights", - "description": "This course will examine issues of civil liberties from both legal and political perspectives. Topics will include the First Amendment rights of speech, press, assembly, and religion; other \u201cfundamental\u201d rights, such as the right to privacy; and some issues in equal protection. Conflicts between governmental powers and individual rights will be examined. " + "name": "Islam in the Modern World", + "description": "The role of Islam in the society, culture, and politics of the Muslim people during the nineteenth and twentieth centuries; attempts by Muslim thinkers to accommodate or reject rival ideologies (such as nationalism and socialism); and a critical review of the relationship between Islam and the West. " }, - "POLI 104C": { + "SOCI 159": { "prerequisites": [], - "name": "Civil Liberties\u2014The Rights of the Accused and Minorities ", - "description": "Examines the legal issues surrounding the rights of criminal suspects, as well as the rights of \u201cmarginal\u201d groups such as aliens, illegal immigrants, and the mentally ill. Also includes a discussion of the nature of discrimination in American society. " + "name": "Special\n\t\t Topics in Social Organizations and Institutions", + "description": "Readings and discussion of particular substantive issues and research in the sociology of organizations and institutions, including such areas as population, economy, education, family, medicine, law, politics, and religion. Topics will vary from year to year. " }, - "POLI 104D": { + "SOCI 160": { "prerequisites": [], - "name": "Judicial Politics", - "description": "Introduction to the study of law and courts as political institutions and judges as political actors, including the role of the judiciary in our constitutional system and decision making both within the Supreme Court and within the judicial hierarchy. " + "name": "Sociology of Culture", + "description": "This course will examine the concept of culture, its \u201cdisintegration\u201d in the twentieth century, and the repercussions on the integration of the individual. We will look at this process from a variety of perspectives, each focusing on one cultural fragment (e.g., knowledge, literature, religion) and all suggesting various means to reunify culture and consequently the individual. " }, - "POLI 104E": { + "SOCI 160E": { "prerequisites": [], - "name": "Environmental Law and Policy", - "description": "The course is an introduction to US environmental law at the federal level. It emphasizes issues and current controversies involving natural resources, such as wilderness, biodiversity, water, and climate change. " + "name": "Law and Culture", + "description": "This course examines major formulations of the relationship between law and culture in the sociological literature. Topics include formal law versus embedded law, law and morality, law and the self, legal consciousness, the rule of law, and the construction of legality. " }, - "POLI 104F": { - "prerequisites": [ - "POLI 104A-B" - ], - "name": "Constitutional Law", - "description": "This course provides an intensive examination of a major issue in constitutional law. Students will be required to do legal research on a topic, write a legal brief, and argue a case to the class. " + "SOCI 161": { + "prerequisites": [], + "name": "Sociology of the Life Course", + "description": "This course explores concepts, theory and empirical research related to demographic, sociopsychological, and institutional aspects of the different stages of human development. It considers social influences on opportunities and constraints by gender, class, race/ethnicity, and historical period. " }, - "POLI 104G": { + "SOCI 162": { "prerequisites": [], - "name": "Election Law", - "description": "A detailed analysis of the legislative and judicial history of election related topics including registration laws, election administration, candidate requirements, voting rights, party organizational rules, nomination procedures, redistricting, and campaign finance. " + "name": "Popular Culture", + "description": "An overview of the historical development of popular culture from the early modern period to the present. Also, a review of major theories explaining how popular culture reflects and/or affects patterns of social behavior. Students may not receive credit for both SOCI 162 and SOCB 162. " }, - "POLI 104I": { + "SOCI 163": { "prerequisites": [], - "name": "Law and\n\t\t Politics\u2014Courts and Political Controversy", - "description": "This course will examine the role of the courts in dealing with issues of great political controversy, with attention to the rights of speech and assembly during wartime, questions of internal security, and the expression of controversial views on race and religion. The conflict between opposing Supreme Court doctrines on these issues will be explored in the context of the case studies drawn from different historical periods. " + "name": "Migration and the Law", + "description": "Provides a global sociological perspective on the development and consequences of laws regulating migration within and across nation-state borders. The ability of the nation-state to control migration using law and its policy instruments. The effects of different legal statuses on political and socioeconomic outcomes. " }, - "POLI 104J": { - "prerequisites": [ - "POLI 104A" - ], - "name": "Introduction to Legal Reasoning", - "description": "The ability to write and argue is one of the noted benefits of a legal education. Students will learn the basics of legal research and reasoning by learning to read and brief case law and write persuasive and objective memorandums. " + "SOCI 165": { + "prerequisites": [], + "name": "Predicting the Future from Tarot Cards to Computer Algorithms", + "description": "No one can see the future but everyone must try. When we act with purpose, we must form an idea of the consequences of our actions and the world in which our action will unfold. We must form expectations about the future, and therefore, we must predict, often in the face of great uncertainty, what will and won\u2019t happen. This course surveys the social devices from tarot cards to computer algorithms designed to solve the problem of prediction. " }, - "POLI 104K": { - "prerequisites": [ - "POLI 104J" - ], - "name": "Legal Argument Formulation", - "description": "This course examines the role that legal arguments have in the US court system. Students will utilize legal reasoning and research skills to craft arguments in both written and oral formats, and then participate in a moot court final. " + "SOCI 165A": { + "prerequisites": [], + "name": "American News Media", + "description": "History, politics, social organization, and ideology of the American news media. This course,165A, surveys the development of the news media as an institution, from earliest newspapers to modern mass news media. " }, - "POLI 104L": { + "SOCI 166": { "prerequisites": [], - "name": "Positive Political Theory of Law", - "description": "We will discuss modern theories of the origins of law and legal behavior. " + "name": "Sociology of Knowledge", + "description": "This course provides a general introduction to the development of the sociology of knowledge and will explore questions concerning social determination of consciousness as well as theoretical ways to articulate a critique of ideology. " }, - "POLI 104M": { + "SOCI 167": { "prerequisites": [], - "name": "Law and Sex", - "description": "How law regulates and impacts sexuality and orientation with focus on constitutional law in areas of privacy, free speech, association, regulation of sexual conduct under criminal law pornography, procreation, reproductive rights, and regulation of family status. " + "name": "Science and War", + "description": "This class examines how science has been mobilized in the development of nuclear weapons and other weapons of mass destruction. The class applies sociological concepts to the analysis of modern technological violence. " }, - "POLI 104N": { + "SOCI 168": { "prerequisites": [], - "name": "Race and Law", - "description": "Has the law helped end or contributed to racism in the United States? This course will explore the law of Slavery, Segregation, and Immigration, and study Equal Protection, Affirmative Action, and Criminal Justice (including hate crimes and First Amendment implications)." + "name": "Marxism", + "description": "This course examines Marxism as social theory and social movement. It covers the origins and historical development of Marxist ideas, the history of Marxist movements and organizations, and the interaction between theory and political practice. " }, - "POLI 104P": { + "SOCI 168E": { "prerequisites": [], - "name": "Science, Technology, and the Law", - "description": "Science advances exponentially. The law is slower to follow. This course examines legal issues created by today\u2019s scientific breakthroughs and explores what future legal challenges might await tomorrow\u2019s scientific discoveries, from privacy on the internet to the meaning of life. " + "name": "Sociology of Science", + "description": "A survey of theoretical and empirical studies concerning the workings of the scientific community and its relations with the wider society. Special attention will be given to the institutionalization of the scientific role and to the social constitution of scientific knowledge. " }, - "POLI 105A": { + "SOCI 169": { "prerequisites": [], - "name": "Latino Politics in the U.S.", - "description": "This course examines contemporary issues in Latino politics in the U.S.; comparisons of racial and ethnic group experiences in the U.S.; Latino access to the political system through political participation. " + "name": "Citizenship, Community, and Culture", + "description": "Will survey the liberal, communitarian, social-democratic, nationalist, feminist, post-nationalist, and multicultural views on the construction of the modern citizen and good society. " }, - "POLI 108": { + "SOCI 170": { "prerequisites": [], - "name": "Politics of Multiculturalism", - "description": "This course will examine central issues in debates about race, ethnicity, and multiculturalism in the United States. It will look at relations not only between whites and minorities, but also at those among racial and ethnic communities. " + "name": "Gender and Science", + "description": "Does improved technology mean progress? Or, are environmental pollution and social alienation signs that technology is out of control? This class uncovers the social problems of key modern technologies such as automobile transport, factory farming, biotechnology, and nuclear power. " }, - "POLI 110A": { + "SOCI 171": { "prerequisites": [], - "name": "Citizens\n\t\t and Saints: Political Thought from Plato to Augustine", - "description": "This course focuses on the development of politics and political thought in ancient Greece, its evolution through Rome and the rise of Christianity. Readings from Plato, Aristotle, Augustine, Machiavelli, and others. " + "name": "Technology and Science", + "description": "An analysis of films and how they portray various aspects of American society and culture. " }, - "POLI 110B": { + "SOCI 172": { "prerequisites": [], - "name": "Sovereigns, Subjects, and the Modern State: Political Thought from Machiavelli to Rousseau", - "description": "The course deals with the period that marks the rise and triumph of the modern state. Central topics include the gradual emergence of human rights and the belief in individual autonomy. Readings from Machiavelli, Hobbes, Locke, Rousseau, and others. " + "name": "Films and Society", + "description": "This course will explore the social forces that shape our health and the way we understand illness. Themes will include American public health and health care, inequality and biomedicine, as well as special topics like suicide, lead, autism, and HIV/AIDS. " }, - "POLI 110C": { + "SOCI 173": { "prerequisites": [], - "name": "Revolution\n\t\t and Reaction: Political Thought from Kant to Nietzsche", - "description": "The course deals with the period that marks the triumph and critique of the modern state. Central topics include the development of the idea of class, of the irrational, of the unconscious, and of rationalized authority as they affect politics. Readings drawn from Rousseau, Kant, Hegel, Marx, Nietzsche, and others. " + "name": "Sociology of Health, Illness, and Medicine", + "description": "Surveys the development of nationality and citizenship law in historical and comparative perspective with an emphasis on the United States, Latin America, and Europe. Examines competing sociological accounts for national variation and convergence; consequences of the law; and local, transnational, and extraterritorial forms of citizenship. " }, - "POLI 110DA": { + "SOCI 175": { "prerequisites": [], - "name": "Freedom\n\t\t and Discipline: Political Thought in the Twentieth Century", - "description": "This course addresses certain problems that are characteristic of the political experience of the twentieth century. Topics considered are revolution, availability of tradition, and the problems of the rationalization of social and political relations. Readings from Nietzsche, Weber, Freud, Lenin, Gramsci, Dewey, Oakeshott, Arendt, Merleau-Ponty. " + "name": "Nationality and Citizenship", + "description": "Focusing on Japan and its transnational relationships, this course combines analysis of readings with instruction in writing academic research papers. Students will spend about half their time on readings and half on their own research projects. We will analyze domestic and international contexts within which Japanese cultural forms emerge and influence others. Topics include Japanese approaches to popular culture, art, environment, social relationships, and social problems. " }, - "POLI 110EA": { + "SOCI 176": { "prerequisites": [], - "name": "American\n\t\t Political Thought from Revolution to Civil War", - "description": "The first quarter examines the origins and development of American political thought from the revolutionary period to the end of the nineteenth century with special emphasis on the formative role of eighteenth-century liberalism and the tensions between \u201cprogressive\u201d and \u201cconservative\u201d wings of the liberal consensus. " + "name": "Transnational Japan Research Practicum", + "description": "(Same as POLI 1420.) This course covers the definitions, history, and internationalization of terrorism; the interrelation of religion, politics and terror; and the representation of terrorism in the media. A number of organizations and their activities in Europe and the Middle East are examined. " }, - "POLI 110EB": { + "SOCI 177": { "prerequisites": [], - "name": "American\n\t\t Political Thought from Civil War to Civil Rights", - "description": "The second quarter examines some of the major themes of American political thought in the twentieth century including controversies over the meaning of democracy, equality, and distributive justice, the nature of \u201cneoconservatism,\u201d and America\u2019s role as a world power. " + "name": "International Terrorism", + "description": "The study of the unique and universal aspects of the Holocaust. Special attention will be paid to the nature of discrimination and racism, those aspects of modernity that make genocide possible, the relationship among the perpetrators, the victims and the bystanders, and the teaching, memory, and denial of the Holocaust. " }, - "POLI 110EC": { + "SOCI 178": { "prerequisites": [], - "name": "American\n\t\t Political Thought: Contemporary Debates", - "description": "This course explores contemporary issues in American political thought. Topics may include liberalism and rights, gender and sexuality, race and ethnicity, cultural diversity, and the boundaries of modern citizenship. Readings include political pamphlets, philosophical treatises, court decisions, and works of literature. " + "name": "The Holocaust", + "description": "Course focuses on the development of capitalism as a worldwide process, with emphasis on its social and political consequences. Topics include precapitalist societies, the rise of capitalism in the West, and the social and political responses to its expansion elsewhere. " }, - "POLI 110ED": { + "SOCI 179": { "prerequisites": [], - "name": "Seminar in American Political Thought", - "description": "This seminar explores debates over ideals, institutions, and identities in American political thought. Themes and topics will vary. Readings will include political pamphlets, philosophical treatises, court decisions, and works of literature. " + "name": "Social Change", + "description": "An examination of the nature of protests and violence, particularly as they occur in the context of larger social movements. The course will further examine those generic facets of social movements having to do with their genesis, characteristic forms of development, relationship to established political configurations, and gradual fading away. " }, - "POLI 110G": { + "SOCI 180": { "prerequisites": [], - "name": "International Political Thought", - "description": "This course will examine the historical development of the ideal of democracy from Periclean Athens to the present in the light of criticism by such thinkers as Plato, Tocqueville, and Mosca and difficulties encountered in efforts to realize the ideal. " + "name": "Social Movements and Social Protest", + "description": "This course examines the nature and dynamics of modern western society in the context of the historical process by which this type of society has emerged over the last several centuries. The aim of the course is to help students think about what kind of society they live in, what makes it the way it is, and how it shapes their lives. " }, - "POLI 110H": { + "SOCI 181": { "prerequisites": [], - "name": "Democracy and Its Critics", - "description": "This course examines how power has been conceived and contested during the course of American history. The course explores the changes that have occurred in political rhetoric and strategies as America has moved from a relatively isolated agrarian and commercial republic to a military and industrial empire. " + "name": "Modern Western Society", + "description": "Ethnicity and the reassertion of Indian identity in contemporary Latin America. Issues related to these trends are examined in comparative perspective, with attention to changes in global conditions and in the socioeconomic, political, and cultural contexts of Latin American modernization. " }, - "POLI 110J": { + "SOCI 182": { "prerequisites": [], - "name": "Power in American Society", - "description": "Leading political theories of liberal democracy since 1950. What is the meaning of political liberty? Political equality is the equality of what? Course will consider thinkers such as J.S. Mill, Berlin, Rawls, Dworkin, Taylor, Sen, Nussbaum, G. Cohen, Petit.\u00a0 " + "name": "Ethnicity\n\t\t and Indigenous Peoples in Latin America", + "description": "How does where you grow up affect where you end up? This course explores \u201cwho gets what where and why\u201d by examining spatial inequalities in life chances across regions, rural and urban communities, and divergent local economies in the U.S. We will \u201cplace\u201d places within their economic, socio-cultural, and historical contexts. Readings and exercises will uncover spatial variation in inequalities by race/ethnicity, immigrant status, gender, class, and LGBTQIA status that national averages obscure. " }, - "POLI 110K": { + "SOCI 183": { "prerequisites": [], - "name": "Liberty and Equality", - "description": "Leading theories of environmental justice, ethics, and politics since 1960. Thinkers such as Dauvergne, Dobson, Dryzek, Eckersley, Latour, Plumwood, and Simon on ecosystems, climate change, sustainability, preservation, human welfare, nonhuman animals, place, feminism, state, market, and green political movements. " + "name": "The Geography of American Opportunity", + "description": "This class will examine issues of masculinity and femininity through analysis of films. Emphasis is on contemporary American society and will include varying issues such as race, class, and sexualities; worlds of work; romance, marriage, and family. " }, - "POLI 110M": { + "SOCI 184": { "prerequisites": [], - "name": "Green Political Thought", - "description": "Nationalist ideologies. Examination of the rhetoric of nationalist mobilization. Theories about the relationship between nationalist movements and democracy, capitalism, warfare, and the state. " + "name": "Gender and Film", + "description": "Social development is more than sheer economic growth. It entails improvements in the overall quality of human life, particularly in terms of access to health, education, employment, and income for the poorer sectors of the population. Course examines the impact of globalization on the prospects for attaining these goals in developing countries. " }, - "POLI 110N": { + "SOCI 185": { "prerequisites": [], - "name": "Theories of Nationalism", - "description": "An examination of some of the ideas and values\n\t\t\t\t associated with major social and political movements in Europe\n\t\t\t\t and the United States since the French Revolution. Topics will vary and\n\t\t\t\t may include liberalism, populism, democracy, communism, nationalism, fascism,\n\t\t\t\t and feminism. " + "name": "Globalization and Social Development", + "description": "Social development is more than sheer economic growth. It entails improvements in the overall quality of human life, particularly in terms of access to health, education, employment, and income for the poorer sectors of the population. Course examines the impact of globalization on the prospects for attaining these goals in developing countries. Students cannot receive credit in this course if they have already taken SOCI 185. " }, - "POLI 110T": { + "SOCI 185GS": { "prerequisites": [], - "name": "Modern Political Ideologies", - "description": "Discuss the idea of justice from multiple perspectives: theory, philosophy, institutions, markets, social mobilization, politics, and environment. Examine the assets and capabilities of diverse justice-seeking organizations and movements aimed at improving quality of life and place locally, regionally, and globally." + "name": "Globalization and Social Development", + "description": "Exploration of contemporary African urbanization and social change via film, including 1) transitional African communities, 2) social change in Africa, 3) Western vs. African filmmakers\u2019 cultural codes. Ideological and ethnographic representations, aesthetics, social relations, and market demand for African films are analyzed. " }, - "POLI 111B": { + "SOCI 187": { "prerequisites": [], - "name": "Global Justice in Theory and Action", - "description": "Study of types of social norms and practices, and how to change them. Illustrated with development examples such as the end of footbinding, female genital cutting, urban violence in Colombia, Serbian student revolution, early marriage, and other adverse gender norms." + "name": "African Societies through Film", + "description": "A sociological examination of the era of the 1960s in America, its social and political movements, its cultural expressions, and debates over its significance, including those reflected in video documentaries. Comparisons will also be drawn with events in other countries. " }, - "POLI 111D": { + "SOCI 187E": { "prerequisites": [], - "name": "Changing Harmful Social Norms", - "description": "An introduction to theories of political behavior developed with the assumptions and methods of economics. General emphasis will be upon theories linking individual behavior to institutional patterns. Specific topics to be covered will include collective action, leadership, voting, and bargaining. " + "name": "The Sixties", + "description": "Course focuses on the different types of social structures and political systems in Latin America. Topics include positions in the world economy, varieties of class structure and ethnic cleavages, political regimes, mobilization and legitimacy, class alignments, reform and revolution. " }, - "POLI 112A": { + "SOCI 188D": { "prerequisites": [], - "name": "Economic Theories of Political Behavior", - "description": "The course explores the modes of political thinking found in arts, especially in drama and literature. It may include ends and means, political leadership, and political economy. Students may not receive credit for both POLI 112CS and POLI 112C. " + "name": "Latin America: Society and Politics", + "description": "The process of social change in African communities, with emphasis on changing ways of seeing the world and the effects of religion and political philosophies of social change. The methods and data used in various village and community studies in Africa will be critically examined. " }, - "POLI 112C": { + "SOCI 188E": { "prerequisites": [], - "name": "Political Theory and Artistic Vision", - "description": "This course examines the major traditions of East Asian thought in comparative perspective. Topics include Confucianism, Taoism, Buddhism, and contemporary nationalist and East Asian political thought. Throughout, focused comparisons and contrasts will be made between western and eastern thought. " + "name": "\t\t Community and Social Change in Africa", + "description": "Contradictory effects of modernization on Jewish society in Western and Eastern Europe and the plethora of Jewish responses: assimilation, fundamentalism, emigration, socialism, diaspora nationalism, and Zionism. Special attention will be paid to issues of discontinuity between Jewish societies and Israeli society. Simultaneously, we will scrutinize the influence of the Palestinian-Israeli conflict on Israeli society, state, and identity. " }, - "POLI 113A": { + "SOCI 188F": { "prerequisites": [], - "name": "East\n\t\t Asian Thought in Comparative Perspective", - "description": "Examines philosophical traditions of ancient and modern China and Japan, to understand how these have been reflected in Chinese and Japanese development. Course will be in English; however, students with Chinese or Japanese language skills will have opportunity to use these. Graduate students will be required to complete a seminar-length research paper; undergraduate students will write a paper. ** Upper-division standing required ** " + "name": "\t\t Modern Jewish Societies and Israeli Society", + "description": "The social structure of the People\u2019s Republic of China since 1949, including a consideration of social organization at various levels: the economy, the policy, the community, and kinship institutions. " }, - "POLI 113B": { + "SOCI 188G": { "prerequisites": [], - "name": "Chinese and Japanese Political Thought I", - "description": "A continuation of 113B, which follows political philosophical themes in China and Japan through the twentieth century. Important topics include Buddhism and Confucianism as they changed in each context in response to internal and external stimuli. " + "name": "Chinese Society", + "description": "Using sociological and historical perspectives, this course examines the origins and demise of apartheid and assesses the progress that has been made since 1994, when apartheid was officially ended. Contrasts of racism in South Africa and the United States. Will not receive credit for SOCI 188GS and SOCI 188J. " }, - "POLI 113C": { + "SOCI 188GS": { "prerequisites": [], - "name": "Chinese and Japanese Political Thought II", - "description": "An introduction to Marxist thought from its roots in the Western tradition through its development in non-Western contexts. Emphasis is placed on how adaptations were made in Marxism to accommodate the specific challenges of each environment. " + "name": "Change in Modern South Africa", + "description": "In this course we will examine the national and colonial dimensions of this long-lasting conflict and then turn our attention to the legal, governmental/political, and everyday aspects of the Israeli occupation of the West Bank and Gaza following the 1967 war. " }, - "POLI 114B": { + "SOCI 188I": { "prerequisites": [], - "name": "Marxist Political Thought", - "description": "Our understanding of politics, power, conflict, and quality continue to be challenged and transformed by considering gender as it intersects with nationality, race, class, and ethnicity. We will consider the importance of gender in each of the subfields of political science. " + "name": "The Israeli-Palestinian Conflict", + "description": "Using sociological and historical perspectives, this course examines the origins and demise of apartheid and assesses the progress that has been made since 1994, when apartheid was officially ended. Contrasts of racism in South Africa and the United States. " }, - "POLI 115A": { + "SOCI 188J": { "prerequisites": [], - "name": "Gender and Politics", - "description": "Readings in historical and contemporary feminist theory; development of gender as a category of political analysis; alternative perspectives on core concepts and categories in feminist thought. " + "name": "Change in Modern South Africa", + "description": "Comparative and historical perspectives on\n\t\t\t\t US society. The course highlights \u201cAmerican exceptionalism\u201d:\n\t\t\t\t Did America follow a special historical path, different from comparable\n\t\t\t\t nations in its social relations, politics, and culture? Specific topics\n\t\t\t\t include class relations, race, religion, and social policy. " }, - "POLI 116A": { + "SOCI 188K": { "prerequisites": [], - "name": "Feminist Theory", - "description": "(Same as SIO 109.) Climate change is an urgent global problem affecting the lives of hundreds of millions of people, now and for the foreseeable future. This course will empower students to confront climate change as critical actors to innovate creative cross-disciplinary solutions. Students may not receive credit for POLI 117 and SIO 109. " + "name": "American Society", + "description": "Course examines theories of social movements and changing patterns of popular protest and contentious mobilization in Latin America since the mid-twentieth century. Case studies include populism, guerrillas, liberation theology and movements of workers, peasants, women, and indigenous groups. " }, - "POLI 117": { + "SOCI 188M": { "prerequisites": [], - "name": "Bending the Curve: Solutions to Climate Change", - "description": "This course introduces students to game theory and its uses in political science. Topics covered include the concepts of Nash equilibrium, dominant strategies, subgame perfection and backwards induction, and the applications of those concepts to the study of voting, electoral competition, public goods provision, legislatures, and collective action. An emphasis is placed on developing students' analytical reasoning and problem-solving skills through weekly problem sets and in-class exercises. " + "name": "Social Movements in Latin America", + "description": "We will examine the social, political, and religious factors that affect the nexus of Israeli settlements and Israeli-Arab and Israeli-Palestinian peace making. Special attention will be paid to the period after the 1967 War when these processes begun as well as to alternative resolutions to the conflict. " }, - "POLI 118": { + "SOCI 188O": { "prerequisites": [], - "name": "Game Theory in Political Science", - "description": "An undergraduate course designed to cover various aspects of political theory. May be repeated for credit two times, provided each course is a separate topic, for a maximum of twelve units." + "name": "Settlements and Peacemaking in Israel", + "description": "Readings and discussion in selected areas of comparative and historical macrosociology. Topics may include the analysis of a particular research problem, the study of a specific society or of cross-national institutions, and the review of different theoretical perspectives. Contents will vary from year to year. " }, - "POLI 119A": { + "SOCI 189": { "prerequisites": [], - "name": "Special Topics in Political Theory", - "description": "An examination of various paths of European political development through consideration of the conflicts that shaped these political systems: the commercialization of agriculture; religion and the role of the church; the army and the state bureaucracy; and industrialization. Stress will be on alternative paradigms and on theorists. " + "name": "Special\n\t\t Topics in Comparative-Historical Sociology", + "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in sociology (at the upper-division level). Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. (P/NP grades only.) " }, - "POLI 120A": { + "SOCI 192": { "prerequisites": [], - "name": "Political Development of Western Europe", - "description": "An analysis of the political system of the Federal Republic of Germany with an emphasis on the party system, elections, executive-legislative relations, and federalism. Comparisons will be made with other West European democracies and the Weimar Republic. " + "name": "Senior Seminar in Sociology", + "description": "(Same as PS 194, COGN 194, ERTH 194, HIST 193, USP 194.) Course attached to six-unit internship taken by students participating in the UCDC Program. Involves weekly seminar meetings with faculty and teaching assistant and a substantial research paper. " }, - "POLI 120B": { + "SOCI 194": { "prerequisites": [], - "name": "The German Political System", - "description": "This course will examine the consequences of social and economic change in France. Specific topics will include institutional development under a semi-presidential system, parties, and elections. " + "name": "Research Seminar in Washington, DC", + "description": "This seminar will permit honors students to explore advanced issues in the field of sociology. It will also provide honors students the opportunity to develop a senior thesis proposal on a topic of their choice and begin preliminary work on the honors thesis under faculty supervision. " }, - "POLI 120C": { + "SOCI 196A": { "prerequisites": [], - "name": "Politics in France", - "description": "Consideration of political, economic, and security factors that have kept Germany at the center of European developments for more than a century. " + "name": "\t\t Honors Seminar: Advanced Studies in Sociology", + "description": "This seminar will provide honors candidates the opportunity to complete research on and preparation of a senior honors thesis under close faculty supervision. " }, - "POLI 120D": { + "SOCI 196B": { "prerequisites": [], - "name": "Germany: Before, During, and After Division", - "description": "Introduction to the politics and societies of the Scandinavian states (Denmark, Finland, Norway, and Sweden). Focuses on historical development, political culture, constitutional arrangements, political institutions, parties and interest groups, the Scandinavian welfare states, and foreign policy. " + "name": "\t\t Honors Seminar: Supervised Thesis Research", + "description": "Group study of specific topics under the direction of an interested faculty member. Enrollment will be limited to a small group of students who have developed their topic and secured appropriate approval from the departmental committee on independent and group studies. These studies are to be conducted only in areas not covered in regular sociology courses. ** Upper-division standing required ** ** Department approval required ** " }, - "POLI 120E": { + "SOCI 198": { "prerequisites": [], - "name": "Scandinavian Politics", - "description": "Emphasis will be placed on the interaction between British political institutions and processes and contemporary policy problems: the economy, social policy, foreign affairs. The course assumes no prior knowledge of British politics and comparisons with the United States will be drawn." + "name": "Directed Group Study", + "description": "Tutorial: individual study under the direction of an interested faculty member in an area not covered by the present course offerings. Approval must be secured from the departmental committee on independent studies. ** Upper-division standing required ** ** Department approval required ** " }, - "POLI 120G": { + "SOCI 198RA": { "prerequisites": [], - "name": "British Politics", - "description": "This course reviews the origins and development of the European Community/European Union and its institutions, theories of integration and the challenges inherent in the creation of a supranational political regime. " + "name": "Research Apprenticeship", + "description": "This course introduces various methods for observing and analyzing the social world, principles for choosing among them, and general issues of research design. Coverage emphasizes common qualitative and quantitative methods in sociology in preparation for further methods courses. ** Upper-division standing required ** " }, - "POLI 120H": { + "SOCI 199": { "prerequisites": [], - "name": "European Integration", - "description": "This course will provide a comparative perspective on the development and functioning of the Italian political system. It includes analysis of political institutions, ideological traditions, parties and elections, political elites in the policy process, and the evolving importance of Italy within European integration. " + "name": "Independent Study", + "description": "This course discusses major themes in the work of nineteenth- and twentieth-century social thinkers, including Tocqueville, Marx, Weber, and Durkheim. ** Upper-division standing required ** " }, - "POLI 120I": { + "CGS 2A": { "prerequisites": [], - "name": "Politics in Italy", - "description": "This course offers a systematic study of civil wars, electoral violence, anti-immigrant violence, genocides, coups, riots, and rebel groups in sub-Saharan Africa. It will explore why some regions experience certain types of violence and others do not. " + "name": "Introduction to Critical Gender Studies: Key Terms and Concepts ", + "description": "This course will be a general introduction to the key terms, issues, and concepts in the fields of gender and sexuality studies. " }, - "POLI 120N": { + "CGS 2B": { "prerequisites": [], - "name": "Contention and Conflict in Africa", - "description": "This course examines reasons why we can be cautiously optimistic about development, growth, peace and democratization in Africa. Sample cases include Botswana\u2019s resource blessing, postconflict reconstruction in Uganda, and democratization in Ghana, Benin, and Niger." + "name": "Introduction to Critical Gender Studies: Social Formations ", + "description": "An introduction to the social relations of power that are shaped by and that shape gender and sexuality. It will build more on the basic concepts and skills introduced in CGS 2A. " }, - "POLI 120P": { + "CGS 87": { "prerequisites": [], - "name": "Africa\u2019s Success Stories", - "description": "This course introduces students to the comparative study of ethnic politics. It examines the relationships between ethnicity on one hand, and mobilization, political contestation, violence, trust, and pork on the other. It draws from analysis from a variety of contexts and regions, such as sub-Saharan Africa, Eastern Europe, North America, South Asia, and Western Europe. " + "name": "Critical\n\t\t Gender Studies Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small, seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "POLI 120Q": { + "CGS 100A": { + "prerequisites": [ + "CGS 2A-B", + "CGS upper-division" + ], + "name": "Conceptualizing Gender: Theoretical Approaches ", + "description": "This course explores the significance of gender as a category of analysis by examining diverse theoretical frameworks from the field of critical gender studies. Particular attention is given to gender in relation to race, class, sexuality, nation, (dis)ability, and religion. Students will not receive credit for both CGS 100 and 100A. " + }, + "CGS 100B": { "prerequisites": [], - "name": "Ethnic Politics ", - "description": "This course examines general themes affecting the region (social structure and regime type, religion and modernization, bonds and tensions), the character of major states, and efforts to resolve the conflict between Israel and its Arab and Islamic neighbors. " + "name": "Conceptualizing Gender: Methods and Methodologies", + "description": "The global effects of modernity, modernization, and globalization on men and women. Topics: international consumer culture; international divisions of labor; construction of sexuality and gender within global movements; and the migrations of people, capital, and culture. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "POLI 121": { + "CGS 101": { "prerequisites": [], - "name": "Government and Politics of the Middle East", - "description": "An interdisciplinary study of Israel as both a unique and yet a common example of a modern democratic nation-state. We will examine Israel\u2019s history, its political, economic, and legal systems, social structure and multicultural tensions, the relation between state and religion, national security, and international relations. " + "name": "Gender, Modernity, and Globalization", + "description": "Examines the different methodologies and disciplinary histories that together constitute the interdisciplinary project called queer studies. Of particular interest will be how these different methodologies and history construe and construct the relations between gender, race, class, and nation. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "POLI 121B": { + "CGS 105": { "prerequisites": [], - "name": "Politics in Israel", - "description": "What do we mean by \u201cinternational\n human rights\u201d?\n Are they universal? This course examines human rights abuse\n and redress over time, and across different regions of the\n world. From this empirically grounded perspective, we\n critically evaluate contemporary human rights debates. " + "name": "Queer Theory", + "description": "Explores the legal treatment of discrimination on the basis of gender, including equal protection doctrine and some statutory law such as Title VII. Topics include the meaning of gender equality in such areas as single-sex education, military service, sexual harassment, discrimination on the basis of pregnancy, and other current issues. " }, - "POLI 122": { + "CGS 106": { "prerequisites": [], - "name": "Politics of Human Rights", - "description": "Power, a crucial part of politics, can be, and often is, abused. This course discusses the nature of power and surveys a variety of abuses, including agenda manipulation, rent extraction, fraud, extortion, corruption, exploitation, and gross political oppression. " + "name": "Gender and the Law", + "description": "(Cross-listed with LTCS 108.) This course explores the idea of artificial intelligence in both art and science, its relation to the quest to identify what makes us human, and the role gender and race have played in both. Students may not receive credit for CGS 108 and LTCS 108." }, - "POLI 122D": { + "CGS 108": { "prerequisites": [], - "name": "Abuse of Power", - "description": "In between \u201crises\u201d and \u201cdeclines,\u201d empires are political entities with highly heterogeneous populations that must be governed. The course examines the similarities and differences in imperial governance, comparing the internal and external political dynamics of traditional (Roman, Ottoman), modernizing (Habsburg), and modern (British) empires. " + "name": "Gender, Race, and Artificial Intelligence", + "description": "Various approaches to the study of gendered bodies. Possible topics to include masculinities/femininities; lifecycles; biology, culture, and identity; medical discourses; and health issues. May be taken for credit three times when topics vary. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "POLI 123": { + "CGS 111": { "prerequisites": [], - "name": "Politics of Empire in Comparative Perspective", - "description": "(Same as SOCI 188I.) In this course, we will examine the national and colonial dimensions of this long-lasting conflict and then turn our attention to the legal, governmental/political, and everyday aspects of the Israeli occupation of the West Bank and Gaza following the 1967 war. " + "name": "Gender and the Body", + "description": "(Cross-listed with ETHN 127.) This course explores the nexus of sex, race, ethnicity, gender, and nation and considers their influence on identity, sexuality, migration movement and borders, and other social, cultural, and political issues that these constructs affect. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "POLI 124": { + "CGS 112": { "prerequisites": [], - "name": "Israeli-Palestinian Conflict", - "description": "A comparative survey of the major dimensions of the electoral systems used in contemporary democracies (including plurality and majority systems, proportional representation, and districting methods) and of their effects on party competition." + "name": "Sexuality and Nation", + "description": "Examines gender and sexuality in artistic practices: music, theatre, dance, performance, visual arts, and new media. Topics may include study of specific artists, historical moments, genres, cross-cultural analyses, and multiculturalism. May be taken three times when topics vary. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "POLI 124A": { + "CGS 113": { "prerequisites": [], - "name": "Political Consequences of Electoral Systems", - "description": "What have been the effects of globalization on gender, and how has gender shaped conceptions and processes of globalization? Through case studies drawn from the global north and south, this course critically assesses contemporary theoretical debates on global gender justice." + "name": "Gender and Sexuality in the Arts", + "description": "(Cross-listed with ETHN 183.) Gender is often neglected in studies of ethnic/racial politics. This course explores the relationship of race, ethnicity, class, and gender by examining the participation of working-class women of color in community politics and how they challenge mainstream political theory." }, - "POLI 125": { + "CGS 114": { "prerequisites": [], - "name": "Gender, Politics, and Globalization", - "description": "A popular new idea in environmental protection is to include local communities in conservation efforts. But what are these communities? What challenges do they face in governing their own resources? This course uses both theory and case studies to explore the political economy of community-based conservations. " + "name": "Gender, Race, Ethnicity, and Class", + "description": "(Cross-listed with ANSC 117.) This course contrasts mainstream Anglo-American conceptualizations of transgenderism with ethnographic accounts of the experiences and practices of gender expansive people of color (African, Native, Asian/Pacific Islander, and Latinx Americans) in the United States and abroad. It will question the idea of transgenderism as a crossing from one gender to another one, the distinction between gender identity and sexuality, and the analytic of intersectionality. Students will not receive credit for both CGS 117 and ANSC 117." }, - "POLI 125A": { + "CGS 117": { "prerequisites": [], - "name": "Communities and the Environment", - "description": "This course explores emerging issues in production and consumption of food in a global economy. On production side, we discuss issues such as famine, overproduction of commercial crops, and sustainability. On consumption side, we explore issues such as fair trade, ethical consumption, and public health consequences (such as obesity).\u00a0Then we discuss the roles of governments, international organizations, and communities to address these issues." + "name": "Transgenderisms", + "description": "(Cross-listed with ANSC 186.) This course investigates the ways in which forces of racism, gendered violence, and state control intersect in the penal system. The prison-industrial complex is analyzed as a site where certain types of gendered and racialized bodies are incapacitated, neglected, or made to die. Students may not receive credit for CGS 118 and ANSC 186. " }, - "POLI 125B": { + "CGS 118": { "prerequisites": [], - "name": "The Politics of Food in a Global Economy", - "description": "Conservation in developing countries concerns resources that are extremely important to policymakers, militaries, environmental organizations, communities, and individuals. This course examines these groups' struggle for control over wildlife and forests\u2014from the capital to the village\u2014on several continents. " + "name": "Gender and Incarceration", + "description": "(Cross-listed with LTCS 119.) The course explores the politics of pleasure in relation to the production, reception, and performance of Asian American identities in the mass media of film, video, and the internet. The course considers how the \"deviant\" sexuality of Asian Americans (e.g., hypersexual women and emasculated men) does more than uniformly harm and subjugate Asian American subjects. The texts explored alternate between those produced by majoritarian culture and the interventions made by Asian American filmmakers. Students may not receive credit for LTCS 119 and CGS 119." }, - "POLI 125E": { + "CGS 119": { "prerequisites": [], - "name": "The Politics of Conservation in Developing Countries", - "description": "Why are some countries rich and others poor? This course examines how political and economic factors shape development trajectories, focusing on Africa, Asia, and Latin America. Topics include the impact of democracy, corruption, oil, and foreign aid on economic development. " + "name": "Asian American Film, Video, and New Media: The Politics of Pleasure", + "description": "(Cross-listed with ANSC 180.)\u00a0Drawing insight from anti-colonial and queer of color critique, this course critically examines the demands capitalism makes on us to perform gender, and how that relates to processes of exploitation and racialization. We will explore alternatives and develop strategies for navigating jobs in this system. Students may receive credit for one of the following: CGS 120, CGS 180, and ANSC 180." }, - "POLI 126": { + "CGS 120": { "prerequisites": [ - "POLI 11" + "CGS 2A-B", + "CGS upper-division" ], - "name": "Political Economy of Development", - "description": "This course explores how economic factors affect political institutions and how political action affects economic behavior in the United States and Western Europe. Particular attention is given to relations between business and labor, economic policy choices, and the impact of international trade. ** Consent of instructor to enroll possible **" + "name": "Capitalism and Gender", + "description": "An interdisciplinary course focusing on one of a variety of topics in gender studies, such as gender and science, the body, reproductive technologies, and public policy. May be taken for credit three times when topics vary. " }, - "POLI 126AA": { + "CGS 121": { + "prerequisites": [ + "CGS 2A-B", + "CGS upper-division" + ], + "name": "Selected Topics in Critical Gender Studies", + "description": "Focuses on the relationship between gender and culture from a multiplicity of perspectives. Possible topics could include gender and ethnicity, gender across class, and other topics to be examined in a cross-cultural framework. May be taken for credit two times when topics vary. " + }, + "CGS 122": { + "prerequisites": [ + "CGS 2A-B", + "CGS upper-division" + ], + "name": "Advanced Topics in Comparative Perspectives", + "description": "Legal treatment of gender, reproductive rights, and the family, particularly as evolving law, primarily in the U.S., has created conflicting rights, roles, and responsibilities. Topics include abortion, fetal rights, surrogacy, marriage, and child custody issues. Students will not receive credit for both CGS 107 and 123. " + }, + "CGS 123": { + "prerequisites": [ + "CGS 2A-B", + "CGS upper-division" + ], + "name": "Gender and Reproductive Politics", + "description": "Explores how girls\u2019 sexualities are shaped by gender, race, class, educational and penal institutions, and sexual norms. Engages with interdisciplinary scholarship that examines how and why the topic of girls and sexuality has become a volatile subject of public debate, and the manner in which girls\u2019 sexualities are represented in various media, particularly film. Students will not receive credit for both CGS 116 and 124. " + }, + "CGS 124": { + "prerequisites": [ + "CGS 2A", + "or", + "CGS 2B", + "CGS upper-division" + ], + "name": "Girls and Sexuality: Moral Panics, Perils, and Pleasures", + "description": "For women of color, writing has been more than just artistic expression. Women of color have also used the written word to challenge dominant ideas of race, gender, desire, power, violence, and intimacy, and to construct new ways of knowing, writing, and being. This course examines writing by women of color to understand how literary texts can shape and reflect social and political contexts. " + }, + "CGS 125": { + "prerequisites": [ + "CGS 2A-B", + "ETHN 1", + "CGS or", + "or", + "ETHN upper-division" + ], + "name": "Women of Color Writers", + "description": "(Cross-listed with ETHN 137.) This course will focus on the intersection of labor, class, race, ethnicity, gender, sexuality, and immigration in Latina cultural production.\u00a0Examined from a socio-economic, feminist, and cultural perspective, class readings will allow for historically grounded analyses of these issues.\u00a0May be taken for credit three times. " + }, + "CGS 137": { + "prerequisites": [ + "CGS 2A-B", + "ETHN 1", + "CGS or", + "or", + "ETHN upper-division" + ], + "name": "Latina Issues and Cultural Production", + "description": "(Cross-listed with ETHN 147.) An advanced introduction to historical and contemporary black feminisms in the United States and transnationally. Students will explore the theory and practice of black feminists/womanists and analyze the significance of black feminism to contemporary understandings of race, class, gender, and sexuality. Students may not receive credit for CGS 147 and ETHN 147. " + }, + "CGS 147": { + "prerequisites": [ + "CGS 2A-B", + "ETHN 1", + "CGS or", + "or", + "ETHN upper-division" + ], + "name": "Black Feminisms, Past and Present", + "description": "(Cross-listed with ETHN 150.) Examines the role of the visual in power relations; the production of what we see regarding race and sexuality; the interconnected history of the caste system, plantation slavery, visuality and contemporary society; decolonial and queer counternarratives to visuality. Students may not receive credit for CGS 150 and ETHN 150. " + }, + "CGS 150": { + "prerequisites": [ + "CGS 2A-B", + "ETHN 1", + "CGS or", + "or", + "ETHN upper-division" + ], + "name": "Visuality, Sexuality, and Race", + "description": "(Cross-listed with ETHN 165.)\u00a0This course will investigate the changing constructions of sexuality, gender, and sexuality in African American communities defined by historical period, region, and class. Topics will include the sexual division of labor, myths of black sexuality, the rise of black feminism, black masculinity, and queer politics. Students may not receive credit for CGS 165 and ETHN 165. " + }, + "CGS 165": { + "prerequisites": [ + "CGS 2A-B", + "ETHN 1", + "CGS or", + "or", + "ETHN upper-division" + ], + "name": "Gender and Sexuality in African American Communities", + "description": "(Cross-listed with ETHN 187.) The construction and articulation of Latinx sexualities will be explored in this course through interdisciplinary and comparative perspectives. We will discuss how immigration, class, and norms of ethnicity, race, and gender determine the construction, expression, and reframing of Latinx sexualities. Students will not receive credit for both CGS 115 and 187. " + }, + "CGS 187": { "prerequisites": [], - "name": "Fundamentals\n\t\t of Political Economy: Modern Capitalism", - "description": "This course explores the interrelationship of politics and economics in Eastern Europe, analyzing the historic evolution of the area, the socialist period, and contemporary political and economic change there. " + "name": "Latinx Sexualities", + "description": "Interdisciplinary readings in feminist theory and research methodology to prepare students for writing an honors thesis. Open to critical gender studies majors who have been admitted to Critical Gender Studies Honors Program. May be applied toward primary concentration in critical gender studies major. ** Consent of instructor to enroll possible **" }, - "POLI 126AB": { + "CGS 190": { "prerequisites": [], - "name": "Politics and Economics in Eastern Europe", - "description": "This course critically examines central concepts and theories of development, and assesses their utility in understanding political, economic, and social change in the developing world. Central case studies are drawn from three regions: Latin America, Sub-Saharan Africa, and Southeast Asia. " + "name": "Honors Seminar", + "description": "A program of independent study providing candidates for critical gender studies honors to develop, in consultation with an adviser, a preliminary proposal for the honors thesis. An IP grade will be awarded at the end of this quarter. A final grade for both quarters will be given upon completion of Critical Gender Studies 196B. ** Consent of instructor to enroll possible **" }, - "POLI 127": { + "CGS 196A": { "prerequisites": [], - "name": "Politics of Developing Countries", - "description": "This course considers the interplay between factor endowments, political institutions, and economic performance. It focuses on the connection between representative political institutions and the emergence and expansion of markets." + "name": "Critical Gender Studies Honors Research ", + "description": "Honors thesis research and writing for students who have completed Critical Gender Studies 190 and 196A. A letter grade for both Critical Gender Studies 196A and 196B will be given at the completion of this quarter. ** Consent of instructor to enroll possible **" }, - "POLI 128": { + "CGS 196B": { "prerequisites": [], - "name": "Autocracy, Democracy, and Prosperity", - "description": "Examine the role of elections in new and fragile democracies, explore how politicians construct elections to suppress increased levels of democracy, the techniques used to undermine free and fair elections, and the strategic responses to these actions by domestic/international actors. " + "name": "Honors Thesis", + "description": "Directed group study on a topic not generally included in the critical gender studies curriculum. ** Consent of instructor to enroll possible **" }, - "POLI 129": { + "CGS 198": { "prerequisites": [], - "name": "How to Steal an Election", - "description": "An examination of the dynamics of the Russian Revolution from 1905 through the Stalinist period and recent years in light of theories of revolutionary change. Emphasis is placed on the significance of political thought, socioeconomic stratification, and culturo-historical conditions. " + "name": "Directed Group Study", + "description": "Tutorial; independent study on a topic not generally included in the curriculum. ** Consent of instructor to enroll possible **" }, - "POLI 130AD": { + "CGS 199": { "prerequisites": [], - "name": "The Politics of the Russian Revolution", - "description": "This course analyzes the political system of China since 1949, including political institutions, the policy-making process, and the relationship between politics and economics. The main focus is on the post-Mao era of reform beginning in 1978. " + "name": "Independent Study", + "description": "This course, the first in the graduate specialization in Critical Gender Studies, is designed to give students a broad but advanced survey of historical and current research in studies of gender and sexuality in the arts, humanities, and social sciences. " }, - "POLI 130B": { + "MGT 3": { "prerequisites": [], - "name": "Politics in the People\u2019s Republic of China", - "description": "The course gives an overview of Indian politics since 1947. It addresses the following: (1) To what extent is India a full-fledged democracy in which all citizens enjoy political equality? (2) Why has political violence occurred in some parts of India, and at certain times, but not others? (3) How well have the country's institutions fared in alleviating poverty? " + "name": "Quantitative Methods in Business", + "description": "Introduction to techniques to develop/analyze data for informed tactical and strategic management decisions: statistical inference, probability, regression analysis, and optimization. Using these analytic approaches, theory-based formulas, and spreadsheets, students explore managerial applications across all areas of business activity." }, - "POLI 130G": { + "MGT 4": { "prerequisites": [], - "name": "Politics of Modern India", - "description": "Is there a Muslim challenge to immigrant integration in Christian-heritage societies? This course asks if and why Muslim immigrants integrate into their host societies, and evaluates the various solutions put forth by politicians and scholars." + "name": "Financial Accounting", + "description": "Cross-listed with ECON 4. Recording, organizing, and communicating\n financial information to business entities. " }, - "POLI 131": { + "MGT 5": { "prerequisites": [], - "name": "Muslim Integration and Exclusion", - "description": "An analysis of the dynamics of the Chinese Revolution from the fall of the Qing Dynasty (1644\u20131911) to the present. Emphasis is placed on the relationship between political thought and the dynamics of the revolutionary process. " + "name": "Managerial Accounting", + "description": "Internal accounting fundamentals, including cost behavior, cost application\n methods, overhead allocation methods, break-even analysis, budgeting, cost\n variance analysis, inventory management, and capital budgeting." }, - "POLI 131C": { + "MGT 12": { "prerequisites": [], - "name": "The Chinese Revolution", - "description": "Political development has dominated the study of comparative politics among US academicians since the revival of the Cold War in 1947. This course examines critically this paradigm and its Western philosophical roots in the context of the experience of modern China. " + "name": "Personal Financial Management", + "description": "Course examines management of personal financial assets: savings and checking accounts, fixed assets, and credit cards. Budgeting, loan applications, payment terms, and statement reconciliation will be covered as will credit ratings, cash management, compound interest, bank operations, and contract obligations." }, - "POLI 132": { + "MGT 16": { "prerequisites": [], - "name": "Political Development and Modern China", - "description": "This course will analyze the political systems of modern Japan in comparative-historical perspective." + "name": "Personal Ethics at Work", + "description": "Course examines the ethical foundation for choices individuals make every day both in the workplace and in their private lives, the connection between economic and ethical obligations with examples related to privacy, reporting, whistle-blowing, workplace relationships, confidentiality, and intellectual property. " }, - "POLI 133A": { + "MGT 18": { "prerequisites": [], - "name": "Japanese\n\t\t Politics: A Developmental Perspective", - "description": "This course discusses the following major topics in three East Asian countries (Japan, South Korea, and the Philippines) from a comparative perspective: (a) economic and political development; (b) political institutions; and (c) policies." + "name": "Managing Diverse Teams", + "description": "The modern workplace includes people different in culture, gender, age, language, religion, education, and more. Students will learn why diverse teams make better decisions and are often integral to the success of organizations. Topics include challenges of diversity, and the impact of emotional, social, and cultural intelligence on team success. Content will include significant attention to the experiences of Asian Americans and African Americans as members and leaders of such diverse teams. Students will not receive credit for both MGT 18 and MGT 18GS. " }, - "POLI 133D": { + "MGT 18GS": { "prerequisites": [], - "name": "Political Institutions of East Asian Countries", - "description": "The relationship between the United States and Japan has been described as \u201cthe most important in the world, bar none.\u201d This course will examine US-Japan security and economic relations in the postwar period from the Occupation and Cold War alliance through the severe bilateral trade friction of the 1980s and 1990s to the present relationship and how it is being transformed by the forces of globalization, regionalization, and multilateralism. " + "name": "Managing Diverse Teams", + "description": "The modern workplace includes people different in culture, gender, age, language, religion, education, and more. Students will learn why diverse teams make better decisions and are often integral to the success of organizations. Topics include challenges of diversity, and the impact of emotional, social, and cultural intelligence on team success. Content will include significant attention to the experiences of Asian Americans and African Americans as members and leaders of such diverse teams. Students must submit applications to the International Center Programs Abroad Office and be accepted into the Global Seminar Program. Students will not receive credit for both MGT 18 and MGT 18GS. Program or materials fees may apply." + }, + "MGT 45": { + "prerequisites": [], + "name": "Principles of Accounting", + "description": "Covers the principles, methods and applications of general accounting, cost accounting and investment ROI.\u00a0Development of the three key financial reports and their interrelations, cost identification, product costing, inventory control, operational performance, and investment return MGT 52. Test and Measurement in the Workplace (4)\nThis course introduces students to the psychometric, legal, ethical, and practical considerations of using tests and measurements for evidence-based decision-making in the workplace. Emphasis is given to selection and performance measurements for individual, team, business unit and organization-wide use in marketing, STEM, and operations. Student teams will develop managerial recommendations following company specific research and analysis.\nUpper-Division Undergraduate Courses\n" + }, + "MGT 52": { + "prerequisites": [], + "name": "Test and Measurement in the Workplace", + "description": "This course introduces students to the psychometric, legal, ethical, and practical considerations of using tests and measurements for evidence-based decision-making in the workplace. Emphasis is given to selection and performance measurements for individual, team, business unit and organization-wide use in marketing, STEM, and operations. Student teams will develop managerial recommendations following company specific research and analysis." + }, + "MGT 103": { + "prerequisites": [], + "name": "Product Marketing and Management", + "description": "Defining markets for products and services, segmenting these markets, and targeting critical customers within segments. Strategies to position products and services within segments. The critical role of pricing as well as market research, product management, promotion, selling, and customer support. " + }, + "MGT 105": { + "prerequisites": [ + "MGT 103" + ], + "name": "Product Promotion and Brand Management", + "description": "Examines the sales function from strategic competitive importance to the firm to required direct sales skills of individual salespersons. Major subject areas covered are the sales process, recruitment and training, organization and focus, \u201cterritories,\u201d evaluation and compensation. " }, - "POLI 133G": { - "prerequisites": [], - "name": "Postwar US-Japan Relations", - "description": "This course is primarily about the politics and political economy of South Korea, but will also briefly look at politics and political economy of North Korea as well as foreign and unification policies of the two Koreas. " + "MGT 106": { + "prerequisites": [ + "MGT 103" + ], + "name": "Sales and Sales Management", + "description": "The course identifies the factors that influence the selection and usage of products and services. Students will be introduced to problems/decisions that include evaluating behavior, understanding the consumers\u2019 decision process, and strategies to create desirable consumer behavior. " }, - "POLI 133J": { + "MGT 107": { "prerequisites": [ - "POLI 11" + "MGT 103" ], - "name": "Korean Politics", - "description": "Comparative analysis of contemporary political systems and developmental profiles of selected Latin American countries, with special reference to the ways in which revolutionary and counter-revolutionary movements have affected the political, economic, and social structures observable in these countries today. Analyzes the performance of \u201crevolutionary\u201d governments in dealing with problems of domestic political management, reducing external economic dependency, redistributing wealth, creating employment, and extending social services. Introduction to general theoretical works on Latin American politics and development. ** Consent of instructor to enroll possible **" + "name": "Consumer Behavior", + "description": "Introduces advanced topics of special interest in marketing. Topics may include advertising, consumer behavior, pricing, product life cycles, etc. This course may also cover the unique demands of innovation-driven, biotech, and high-technology markets. " }, - "POLI 134AA": { - "prerequisites": [], - "name": "Comparative Politics of Latin America", - "description": "General survey of the Mexican political system as it operates today. Emphasis on factors promoting the breakdown of Mexico\u2019s authoritarian regime and the transition to a more democratic political system. Changing relationship between the state and various segments of Mexico society (economic elites, peasants, urban labor, and the Church). New patterns of civil-military relations. " + "MGT 109": { + "prerequisites": [ + "MGT 103", + "and", + "MGT 181", + "or", + "MGT 187" + ], + "name": "Topics in Marketing", + "description": "Will examine the advantages and complications of the multinational organization with emphasis on translating marketing, financing, and operating plans in light of geographical, cultural, and legal differences across the globe. Will also cover organizational considerations for transglobal management. " }, - "POLI 134B": { + "MGT 112": { "prerequisites": [], - "name": "Politics in Mexico", - "description": "A comparative analysis of contemporary political issues in Latin America. Material to be drawn from two or three countries. Among the topics: development, nationalism, neoimperialism, political change. May be taken for credit two times. " + "name": "Global Business Strategy", + "description": "Focuses on elements of business law that are essential for the basic management of business operations. Topics include the law of contracts, sales, partnership, corporations, bankruptcy, and securities. Students will also gain knowledge of intellectual property law and dispute resolution. " }, - "POLI 134D": { + "MGT 117": { "prerequisites": [], - "name": "Selected Topics in Latin American Politics", - "description": "This course is a comparative analysis of twentieth-century political developments and issues in the southern cone of Latin America: Argentina, Chile, and Uruguay. The course will also examine the social and economic content and results of contrasting political experiments. " + "name": "Business Law", + "description": "Introduces advanced topics of special interest in business and addresses the new frontiers in the industry. Topics may include intellectual property, consumer behavior, market research, analytics, and spreadsheet modeling, etc. May be taken for credit three times. Instructional methods include face-to-face lecture, case presentation, assigned reading, and group discussion. " }, - "POLI 134I": { + "MGT 119": { "prerequisites": [], - "name": "Politics\n\t\t in the Southern Cone of Latin America", - "description": "Students will study the origins and direction of the Cuban revolution and the actions and personality of Castro. Additional topics will include the Cuban economy today, Cuban political organizations and public opinion, important social issues including health care and public education, and Cuban foreign policy and relations between the U.S. and Cuba. The class will instruct students on Cuban contemporary social media and conclude with an examination of alternative scenarios for Cuba's future. " + "name": "Topics in Business", + "description": "Consider new project concepts. Discern market needs, competitive environment, and determine \u201cgo to market\u201d strategy. Research potential markets, customers, partners, and competitors. Consider price versus attributes, alternative distribution channels, gaining unfair advantage. Examine the need and structure of a start-up team. " }, - "POLI 134J": { - "prerequisites": [], - "name": "Cuba: Revolution and Reform", - "description": "This course is designed to expose students to the study of LGBT politics, focusing specifically on the formation of LGBT movements, the presence (or absence) of political opportunities to advance their desired goals, as well as their political success (or lack thereof). Although the course will initially examine the US LGBT movement, the course will also examine the formation (and political success/failure) of LGBT movements in other democratic political systems. " + "MGT 121A": { + "prerequisites": [ + "MGT 181", + "or", + "MGT 187", + "and", + "MGT 111", + "or", + "MGT 121A" + ], + "name": "Innovation to Market A", + "description": "Build a business plan. Establish intellectual property rights. Provide financial projections and determine financing needs. Explore investment sourcing, business valuation, and harvesting opportunities. Determine operational plans and key employee requirements. " }, - "POLI 135": { + "MGT 121B": { "prerequisites": [], - "name": "Comparative LGBT Politics", - "description": "The political impact of major religious traditions\u2014including Christianity, Islam, Hinduism, and Confucianism\u2014around the world. " + "name": "Innovation to Market B", + "description": "Outlines frameworks and tools for formulating strategy to manage technology and think strategically in fast-moving industries (e.g., high tech, biotech, and clean tech). Students will gain insights into technology, strategy, and markets, especially how disruptive technologies create opportunities for startups and transform established firms, and how technology firms achieve competitive advantage through tech-enabled innovations. Illustrated by case studies on cutting-edge startups industry leaders. " }, - "POLI 136": { + "MGT 127": { "prerequisites": [], - "name": "Religion and Politics", - "description": "An examination of nationalist politics as practiced by opposition movements and governments in power. Appropriate case studies from around the world will be selected. " + "name": "Innovation and Technology Strategy", + "description": "Business innovation is accelerating and the service sector is the fastest-growing sector of the economy. This course helps students prepare for careers as businesses transition to a service economy and help them identify career and entrepreneurial opportunities. Students gain understanding of the design and innovation approaches in businesses and the service industry. The course also addresses trends of businesses services getting digitized and technology-enabled for growth, productivity, and scalability. Credit not allowed for MGT 128 and MGT 128R. " }, - "POLI 136A": { + "MGT 128": { "prerequisites": [], - "name": "Nationalism and Politics", - "description": "Sports analytics is a fast-growing field. It uses data and statistical methods to measure performance in competitive sports. The approach's popularity has generated a wealth of data that can be used to shed light on social science questions in interesting ways. We will focus on topics such as violent behavior, discrimination, cultural/ethnic diversity, corruption, and cognitive biases using examples from baseball, basketball, figure skating, football, hockey, soccer, and sumo wrestling. " + "name": "Business Innovation and Growth ", + "description": "Business innovation is accelerating and the service sector is the fastest-growing sector of the economy. This course helps students prepare for careers as businesses transition to a service economy and help them identify career and entrepreneurial opportunities. Students gain understanding of the design and innovation approaches in businesses and the service industry. The course also addresses trends of businesses\u2019 services getting digitized and technology-enabled for growth, productivity, and scalability. Credit not allowed for MGT 128R and MGT 128. " }, - "POLI 137": { + "MGT 128R": { "prerequisites": [], - "name": "A Sports Analytics Approach to the Social Sciences", - "description": "This course serves as an introduction to the comparative study of political parties and interest groups as well as an analytical introduction to parties, interest groups, and their role in democratic representation. " + "name": "Business Innovation and Growth", + "description": "Introduces advanced topics of special interest in entrepreneurship. Examples of course topics include (but are not limited to) venture capital funding process, entrepreneurial business development and marketing, workplace climate and morale, and developing a capable workforce. Instructional methods include face-to-face lecture, case presentation, assigned reading and group discussion. May be taken for credit three times. " }, - "POLI 137A": { - "prerequisites": [], - "name": "Comparative Political Parties and Interest Groups", - "description": "An undergraduate course designed to cover various aspects of comparative politics. May be repeated for credit three times, provided each course is a separate topic, for a maximum of twelve units." + "MGT 129": { + "prerequisites": [ + "MGT 5", + "and", + "MGT 4", + "or", + "ECON 4" + ], + "name": "Topics in Entrepreneurship", + "description": "Preparation and interpretation\n of accounting information under both FASB and IASB guidelines\n pertaining to revenue and expense recognition, receivables,\n and inventories. ** Upper-division standing required ** " }, - "POLI 138D": { - "prerequisites": [], - "name": "Special Topics in Comparative Politics", - "description": "International law is central to the efforts to create a world order to limit armed conflict, regulate world economy, and set minimum standards for human rights. This course introduces international law and explains theories advanced by academic analysts and practitioners to explain its role. " + "MGT 131A": { + "prerequisites": [ + "MGT 131A" + ], + "name": "Intermediate Accounting A", + "description": "Preparation and interpretation\n of accounting information under both FASB and IASB guidelines\n pertaining to property plant and equipment, leases, intangible\n assets, investments, long-term debt, and stockholders\u2019 equity.\u00a0" }, - "POLI 140A": { - "prerequisites": [], - "name": "International Law", - "description": "Introduction to the analytical and comparative study of revolutionary movements and related forms of political violence. Topics include the classical paradigm, types of revolutionary episodes, psychological theories, ideology and belief systems, coups, insurgencies, civil wars, and terrorism and revolutionary outcomes. " + "MGT 131B": { + "prerequisites": [ + "MGT 131B" + ], + "name": "Intermediate Accounting B", + "description": "Theory and practice of the attest\n process; planning and implementing the audit of the financial\n statements and internal control over financial reporting to\n ensure compliance with applicable requirements. " }, - "POLI 140B": { - "prerequisites": [], - "name": "Concepts and Aspects of Revolution", - "description": "A survey of international peacekeeping and peace enforcement in civil conflicts with a simulation of international diplomacy. " + "MGT 132": { + "prerequisites": [ + "MGT 131B" + ], + "name": "Auditing", + "description": "Covers cost accumulation and analysis, for both manufacturing\n cost components and service activities, budgeting and cost\n projections, cost variance analysis, relevant costs, and capital\n investment analysis. " }, - "POLI 140C": { - "prerequisites": [], - "name": "International Crisis Diplomacy", - "description": "International migration creates a distinct set of human rights challenges. This course examines the conflict between international legal obligations and domestic politics of citizenship, human rights, asylum, and human trafficking. " + "MGT 133": { + "prerequisites": [ + "MGT 132" + ], + "name": "Advanced Cost Accounting", + "description": "Covers theory and practical application of federal income\n tax regulations for individuals pertaining to gross income,\n adjusted gross income, itemized deductions, business operations,\n passive activities, property transactions, deferred income\n recognition, and reporting standards. " }, - "POLI 140D": { + "MGT 134": { "prerequisites": [ - "POLI 12" + "MGT 132" ], - "name": "International Human Rights Law: Migrant Populations", - "description": "United States foreign policy from the colonial period to the present era. Systematic analysis of competing explanations for US policies\u2014strategic interests, economic requirements, or the vicissitudes of domestic politics. Interaction between the U.S., foreign states (particularly allies), and transnational actors are examined. ** Consent of instructor to enroll possible **" + "name": "Federal Taxation\u2014Individuals", + "description": "Covers the theory and practical\n application of federal income tax regulations for corporations\n and other enterprises pertaining to formulations, annual operations,\n distributions, liquidations, reorganizations, affiliations,\n and reporting standards. " }, - "POLI 142A": { - "prerequisites": [], - "name": "United States Foreign Policy", - "description": "This course provides an overview of the challenges posed by chemical, biological, radiological, and nuclear weapons. Students will learn about how these weapons work, why states seek them, and attempts to prevent proliferation. We will delve into technical and policy challenges related to these weapons, and address how CBRN weapons shape national and regional security dynamics. Efforts to restrict the proliferation of these weapons will be discussed. We will also analyze CBRN terrorism. " + "MGT 135": { + "prerequisites": [ + "MGT 135" + ], + "name": "Federal Taxation\u2014Companies", + "description": "Covers accounting topics related to consolidated financial\n statements, variable interest entities, foreign currency translation,\n segment reporting, and business combinations. " }, - "POLI 142D": { - "prerequisites": [], - "name": "Weapons of Mass Destruction", - "description": "A survey of theories of defense policies and international security. " + "MGT 136": { + "prerequisites": [ + "MGT 5", + "and", + "MGT 4", + "or", + "ECON 4" + ], + "name": "Advanced\n Accounting", + "description": "Examines tools and techniques to analyze a firm\u2019s financial position and performance. This course combines both accounting and finance in a practical framework for debt and equity valuation methods from both a conceptual and practical framework. ** Upper-division standing required ** " }, - "POLI 142I": { + "MGT 137": { "prerequisites": [], - "name": "National and International Security", - "description": "A survey of American strategies for national defense. Topics may include deterrence, coercive diplomacy, limited war, and unconventional warfare. " + "name": "Financial Statement Analysis", + "description": "This course provides an introduction to the role and use of models and modeling in managerial decision-making. Students will gain hands-on experience in evaluating accounting data using Microsoft Excel. Content includes creating data boxes in financial accounting, using multiple sheets with formulas, preparing professional quality financial reports, and creating graphs to interpret business results. Students will also explore the utility of QuickBooks and the functionality for small businesses. " }, - "POLI 142J": { - "prerequisites": [], - "name": "National Security Strategy", - "description": "This course offers an exploration of general theories of the origins of warfare; the impact of the state on war in the modern world; and the microfoundations of combat and compliance in the context of the costs of war and military mobilization. The course should be of special interest to students in international relations and comparative politics. " + "MGT 138": { + "prerequisites": [ + "MGT 131B", + "and" + ], + "name": "Information Technology and Accounting", + "description": "Develop an understanding of transaction cycles (e.g., sales order and purchase order processing) with a focus on processing steps, internal controls, and data used. Gain hands-on experience developing flowcharts, processing transactions in a manual accounting information system, and analyzing transaction data using Microsoft Excel and other tools. " }, - "POLI 142K": { - "prerequisites": [], - "name": "Politics and Warfare", - "description": "\u201cTerrorism\u201d uses \u201cillegitimate\u201d violence to achieve political goals. This course uses philosophical, historical, and contemporary material from distinct cultures to understand which actions are defined as \u201cterrorist,\u201d who uses them, why, and when, as well as the determinants of their effectiveness. " + "MGT 139": { + "prerequisites": [ + "MGT 131B", + "and" + ], + "name": "Accounting Information Systems", + "description": "Course covers key forensic accounting concepts including fraudulent financial reporting, money laundering, business valuation, and litigation support. Learning objectives are the application of analytical accounting and communication skills in identifying and presenting financial issues in both criminal and civil litigation. " }, - "POLI 142L": { - "prerequisites": [], - "name": "Insurgency and Terrorism", - "description": "Lectures and readings examine US foreign policy in Europe, Latin America, and East Asia with attention to current problems with specific nations (e.g., Bosnia) and issues (e.g., terrorism). This course integrates historical, comparative, and foreign perspectives on regional security dynamics. " + "MGT 143": { + "prerequisites": [ + "MGT 132" + ], + "name": "Forensic Accounting", + "description": "This course will focus on three major components: 1) what matters (the purpose of ethics in the accounting profession); 2) why ethics matter (the reasons, skills, and abilities that make a difference); and 3) how a professional \u201cwalks the walk.\u201d The course provides students with the opportunity to gain knowledge, awareness, and recognition of ethical terms, theories, codes, etc. Students will be given the opportunity to practice making choices and exercise professional judgment. " }, - "POLI 142M": { - "prerequisites": [], - "name": "US Foreign Policy/Regional Security", - "description": "An introduction to analytic techniques for assessing policy options in the field of national security. " + "MGT 146": { + "prerequisites": [ + "MGT 131B" + ], + "name": "Ethics in Accounting", + "description": "Addresses issues faced in government and not-for-profit accounting. Students will gain insight into how and why these issues may have been resolved either similarly or differently from the for-profit business sector. Focus will be placed on how revenue and expense recognition, asset and liability valuation, the scope of the reporting entity, reporting cash flows, etc., differ in comparison to for-profit business accounting. " }, - "POLI 142N": { - "prerequisites": [], - "name": "American Defense Policy", - "description": "This course examines the most critical areas in contemporary world politics. While the emphasis will be placed on American involvement in each crisis, an effort will be made to acquaint the student with its historical and political background. " + "MGT 147": { + "prerequisites": [ + "MGT 131B" + ], + "name": "Not-For-Profit and Government Accounting", + "description": "Introduces advanced topics of special interest in accounting. Examples of course topics include (but are not limited to) corporate valuation and forecasting, global taxation and business strategy, current issues in the practice and regulation of auditing. May be taken for credit two times for a maximum of eight credits if the topics are substantially different. " }, - "POLI 142P": { + "MGT 149": { "prerequisites": [], - "name": "Crisis Areas in World Politics", - "description": "This course explores the way in which the international rivalry between the Soviet Union and the United States affected relationships between the two powers, their allies, the Third World, and above all, their internal domestic affairs and development." + "name": "Topics in Accounting", + "description": "This course surveys the foundations, principles, and potential of the data science/business convergence. In a nontechnical manner, the course aligns business problems, challenges, and objectives with affiliated disciplines such as machine learning and large-data statistics, providing new structures and frameworks that will help the student understand the fundamental interconnections of these important fields. " }, - "POLI 142Q": { - "prerequisites": [], - "name": "Cold War", - "description": "How has warfighting evolved over the centuries? How has it varied across cultures? What has war been like for soldiers and civilians? How do societies mobilize for war, and how do they change in the short and long term from fighting? " + "MGT 151": { + "prerequisites": [ + "MATH 10A", + "or", + "MATH 18", + "or", + "MATH 20A", + "or", + "MATH 31AH", + "and", + "BENG 100", + "or", + "BIEB 100", + "or", + "COGS 14B", + "or", + "ECE 109", + "or", + "ECON 120A", + "or", + "MAE 108", + "or", + "MATH 11", + "or", + "MATH 180A", + "or", + "MATH 181A", + "or", + "MATH 183", + "or", + "MATH 186", + "or", + "MGT 3", + "or", + "PSYC 60", + "or", + "SIO 187" + ], + "name": "Foundations and Principles of Business Analytics", + "description": "This course is designed to help a business manager use data to make good decisions in complex decision-making situations. Students will learn core business analytics concepts and skills including Excel, relational databases and Structured Query Language (SQL), principles of effective data visualizations and interactive data visualization (e.g., Tableau), and data preprocessing and regression analysis using data analytics programming (e.g., Python). " }, - "POLI 143A": { - "prerequisites": [], - "name": "War and Society", - "description": "This course serves as an introduction to the study of international political economy. We will examine the evolution of international economic relations in trade, finance, and economic development and discuss different explanations for its likely causes and consequences.\u00a0 " + "MGT 153": { + "prerequisites": [ + "MGT 153" + ], + "name": "Business Analytics", + "description": "When considering complex business problems, research is often undertaken as a means of aiding decision-making. This course gives an in-depth look at the business research process, including methods of qualitative and quantitative research. Students learn about the design and execution of business analytics (including common descriptive and predictive models), and how models are selected, executed, and evaluated, with focus on extracting impactful information to aid in making informed decisions. ** Department approval required ** " }, - "POLI 144": { + "MGT 154": { "prerequisites": [ - "POLI 12" + "MGT 181", + "and" ], - "name": "International Political Economy", - "description": "This course will consider major theories purporting to explain and predict the workings of the international order from the point of view of political economy. An extended discussion of one aspect of the economic order (e.g., the multinational corporation) will serve as the test case. One quarter of economics recommended. " + "name": "Advanced Business Research", + "description": "Residential and commercial mortgage-backed securities markets and the market for structured real estate debt; the estimation of prices, yields, and various measures of investment performance; creating and structuring security issues; legal, regulatory, and institutional issues; derivative products (CDOs, CDSs, options, futures, etc.); and current political, economic, and policy issues. " }, - "POLI 144AB": { + "MGT 157": { "prerequisites": [], - "name": "Selected\n\t\t Topics in International Political Economy", - "description": "Examination of effects of national policies and international collaboration on public and private international financial institutions, in particular the management of international debt crises, economic policy coordination, and the role of international lender of last resort. " + "name": "Real Estate Securitization", + "description": "Introduction to the emerging real estate tech sector; newly available datasets and technologies are transforming the real estate sector; introduction of quantitative methods for analyzing real estate and urban trends; utilizing large datasets and software in making optimal decisions from the perspective of buyers, sellers, real estate agents and brokers, developers, and regulators. " }, - "POLI 144D": { + "MGT 158": { "prerequisites": [], - "name": "International Political Economy: Money and Finance", - "description": "Examines theories of trade and protectionism, focusing both on relations among advanced industrial nations and on relations between developed and developing countries. Topics include standard and strategic trade theory, nontariff barriers to trade, export-led growth strategies, regional trade agreements, and the future of the WTO. " + "name": "Real Estate and the Tech Sector", + "description": "The ability to negotiate effectively is a critical skill for business professionals. Students will develop a systematic and insightful approach to negotiation. The course provides an introduction to strategic thinking and the basic concepts, tactics, and cognitive aspects of negotiation. Interactive negotiation exercises are used to isolate and emphasize specific analytic points and essential skills. " }, - "POLI 144E": { + "MGT 162": { "prerequisites": [], - "name": "The Politics of International Trade", - "description": "Examines the welfare and distributional aspects of international trade and finance as they relate to the politics of economic policy making. Topics include: globalization in historical perspective; origins and consequences of trade policy; exchange-rate arrangements; international capital flows; currency crises; economic development. " + "name": "Negotiation", + "description": "Students will study alternative organizational structures\u2014their stakeholders and corporate cultures, and their use in meeting strategic enterprise priorities facing a company. This course provides students with insights into motivational factors, communications networks, organizational cultures, and alternative leadership styles. The concept of change management and its challenges is also studied along with power and influence. Students may not receive credit for MGT 164 and MGT 164GS. Course previously listed as: Organizational Leadership. " }, - "POLI 144F": { + "MGT 164": { "prerequisites": [], - "name": "The Politics\n\t\t of International Trade and Finance", - "description": "This course examines the domestic and international aspects of the drug trade. It will investigate the drug issues from the perspectives of consumers, producers, traffickers, money launderers, and law enforcement. Course material covers the experience of the United States, Latin America, Turkey, Southeast Asia, Western Europe, and Japan. " + "name": "Business and Organizational Leadership", + "description": "Students will study alternative organizational structures\u2014their stakeholders and corporate cultures and their use in meeting various strategic priorities facing a company. This course provides students with insights into motivational factors, communications networks, organizational cultures, and alternative leadership styles. The concept of change management and its challenges is also studied along with power and influence. Students must submit applications to the International Center Programs Abroad Office and be accepted into the Global Seminar Program. Students may not receive credit for MGT 164 and MGT 164GS. Course previously listed as: Organizational Leadership. " }, - "POLI 145A": { + "MGT 164GS": { "prerequisites": [], - "name": "International Politics and Drugs", - "description": "The nature of international politics appears to have changed dramatically since 1989. This course applies different theoretical approaches to enhance our understanding of the new international environment, future prospects for peace and war, and current problems of foreign policy. " + "name": "Business and Organizational Leadership", + "description": "Will cover ethical conduct issues for leaders from a wide array of organizations and industries including consideration of differences among global trading partners. The issues impacting corporate responsibility will be examined as will full-cycle cost analysis of products and services. " }, - "POLI 145C": { + "MGT 166": { "prerequisites": [], - "name": "International\n\t\t Relations After the Cold War: Theory and Prospect", - "description": "An analytical survey of US relations with\n\t\t\t\t Latin America from the 1820s to the present, with particular\n\t\t\t\t emphasis on the post\u2013Cold War environment. Topics include\n\t\t\t\t free trade and economic integration; drugs and drug trafficking;\n\t\t\t\t illegal migration and immigration control. Focus covers US policy, Latin\n\t\t\t\t American reactions, dynamics of cooperation, and options for the future. " + "name": "Business\n\t\t Ethics and Corporate Responsibility", + "description": "Social entrepreneurs create innovative solutions to solve challenging social and environmental issues affecting the world around them. In this course, students will learn how to apply entrepreneurial business and innovative skills to effectively tackle global issues impacting society such as environmental degradation, rural health care availability, educational improvements in economically disadvantaged regions of the world, famine in an era of obesity, and clean water development. " }, - "POLI 146A": { + "MGT 167": { "prerequisites": [], - "name": "The U.S.\n\t\t and Latin America: Political and Economic Relations", - "description": "A historical and topical survey of major issues in Russian-American relations, such as security arrangements in the post-Soviet space, the war on terrorism, arms control and nonproliferation, and international energy." + "name": "Social Entrepreneurship", + "description": "Operations management (OM) involves the systematic design, execution, and improvement of business processes, projects, and partner relationships. This course goes beyond cost minimization and addresses issues that firms large and small must confront in their journey toward sustained scalability, growth, and profitability. Also examines human factors such as psychological contract, team management, empowerment, employee-initiated process improvements, morale, motivation, rewards, and incentives. " }, - "POLI 147B": { + "MGT 171": { "prerequisites": [], - "name": "Russian-American Relations", - "description": "Comparative analysis of attempts by the United States and other industrialized countries to initiate, regulate and reduce immigration from Third World countries. Social and economic factors shaping outcomes of immigration policies, public opinion toward immigrants, anti-immigration movements, and immigration policy reform options in industrialized countries. ** Upper-division standing required ** " + "name": "Operations Management", + "description": "Addresses effective practices for management of business projects. Includes both project management processes\u2014scheduling, milestone setting, resource allocation, budgeting, risk mitigation\u2014and human capital management\u2014communication, teamwork, leadership. Also considers requirements for effectively working across functional and organizational boundaries. " }, - "POLI 150A": { - "prerequisites": [ - "POLI 12" - ], - "name": "Politics of Immigration", - "description": "Surveys the theory and function\n of IOs (UN, NATO, EU, World Bank, IMF) in promoting international\n cooperation in security, peacekeeping, trade, environment,\n and human rights. We\n discuss why IOs exist, how they work, and what challenges they\n face. " + "MGT 172": { + "prerequisites": [], + "name": "Business Project Management", + "description": "This course covers efficient techniques for managing health services projects, including both the technical aspects of project management as well as the human-capital management issues associated with blending administrative and technical staff with health-care professionals. Topics include scheduling methods, milestone setting, governmental regulations, resource allocation, interpersonal skills, and performing research and development projects\u2014all with a health services focus. " }, - "POLI 151": { + "MGT 173": { "prerequisites": [], - "name": "International Organizations", - "description": "This course introduces students to the role of the EU as a foreign policy actor. Topics include the development of the EU\u2019s trade policy, foreign aid policy, security policy, as well as case studies of EU foreign policy." + "name": "Project Management: Health Services", + "description": "Supply chain management involves the flows of materials and information that contribute value to a product, from the source of raw materials to end customers. This course explains how supply chains work and describes the major challenges in managing an efficient supply chain. Covers various strategic and tactical supply chain issues such as distribution strategy, information sharing strategy, outsourcing, procurement (including e-markets), product design, virtual integration, and risk management. Credit is not allowed for both MGT 174 and MGT 175. " }, - "POLI 153": { + "MGT 175": { "prerequisites": [], - "name": "The European Union in World Politics", - "description": "An undergraduate course designed to cover various aspects of international relations. May be repeated for credit two times, provided each course is a separate topic, for a maximum of twelve units." + "name": "Supply Chain Management", + "description": "Covers a process to conduct and create a professional supply market analysis report, starting from data sources and processes to develop cost models. Includes a structured process to create and implement supplier selection and qualification as well as cost management strategies. Students will sharpen analytical skills, think creatively outside the box, and be able to sell their strategy by studying real-life examples of how these concepts have been implemented at various Fortune 100 companies. " }, - "POLI 154": { + "MGT 176": { "prerequisites": [ - "POLI 10" + "MGT 153" ], - "name": "Special Topics in International Relations", - "description": "(Same as USP 101) This course will explore the process by which the preferences of individuals are converted into public policy. Also included will be an examination of the complexity of policy problems, methods for designing better policies, and a review of tools used by analysts and policy makers. " + "name": "Strategic Cost Management", + "description": "In today\u2019s global economy, competition is not firm against firm, but rather supply chain against supply chain. Companies utilize analytics (i.e., the use of data, together with statistical and quantitative models, to make better, data-driven business decisions) to gain advantage in their supply chain management. Course covers the use of data analytics and spreadsheet modeling in decision-making involved in supply chain management, including logistics, facility management, fulfillment, and pricing. " }, - "POLI 160AA": { + "MGT 177": { "prerequisites": [ - "POLI 160AA" + "MGT 175" ], - "name": "Introduction to Policy Analysis", - "description": "In this course, students will use their knowledge of the political and economic foundations of public policy making to conduct research in a wide variety of public policy problems. " - }, - "POLI 160AB": { - "prerequisites": [], - "name": "Introduction to Policy Analysis", - "description": "This course will explore contemporary environmental issues such as global warming, endangered species, and land use. Students will be asked to analyze various policy options and to write case analyses. Policies may be debated in class. " - }, - "POLI 162": { - "prerequisites": [], - "name": "Environmental Policy", - "description": "Politics are understood as the combination of individual preferences and decisions into collective choices. What are the issues involved in aggregating individual preferences, what is the choice of rules\u2014formal and informal\u2014for doing so. " - }, - "POLI 163": { - "prerequisites": [], - "name": "Analyzing Politics", - "description": "How do politics determine policy? In this course, students will be introduced to the skill of conducting a cost-benefit analysis, and then will discuss how political ideas, interests, and institutions often move policy outcomes away from those based on cost-benefit analysis." - }, - "POLI 164": { - "prerequisites": [], - "name": "The Politics of Public Policy", - "description": "An undergraduate course designed to cover various aspects of policy analysis. May be repeated for credit two times, provided each course is a separate topic, for a maximum of twelve units." - }, - "POLI 165": { - "prerequisites": [], - "name": "Special Topic: Policy Analysis", - "description": "The use of real data to assess policy alternatives. Introduction to benefit/cost analysis, decision theory, and the valuation of public goods. Applications to health, environmental, and regulatory economic policy making. " + "name": "Analytics and Spreadsheet Modeling in Supply Chain Management", + "description": "Introduces advanced topics of special interest in supply chain. Students will develop the ability to apply the supply chain management concepts that they have learned to real-life situations. May be taken for credit two times if topics are substantially different. " }, - "POLI 168": { + "MGT 179": { "prerequisites": [ - "POLI 30", + "MATH 20A", "or", - "POLI 30D" + "MGT 3", + "and", + "or", + "MGT 45", + "and", + "or", + "MGT 45", + "or", + "ECON 4" ], - "name": "Policy Assessment", - "description": "This course is an advanced introductory course for undergraduates. It will acquaint students with statistical methodology as it is used in the social sciences. It is assumed that the student has the mathematical background to progress through the materials a bit faster than in a true introductory course. ** Consent of instructor to enroll possible **" + "name": "Topics in Supply Chain Management", + "description": "Will cover debt and equity financing of the enterprise, the role of commercial banks, venture firms, and investment banks; along with enterprise valuation, cash flow management, capital expenditure decisions, return on investment, economic value add, and foreign currency translation. ** Upper-division standing required ** " }, - "POLI 170A": { + "MGT 181": { "prerequisites": [ - "POLI 5", - "ECON 5", - "and", - "POLI 30" + "MGT 181", + "MGT 187", + "or", + "ECON 173B" ], - "name": "Applied Data Analysis for Political Science ", - "description": "This class explores how we can make policy recommendations using data. We attempt to establish causal relationships between policy intervention and outcomes based on statistical evidence. Hands-on examples will be provided throughout the course. " + "name": "Enterprise Finance", + "description": "Examines financial theory and empirical evidence useful for making investment decisions. Portfolio theory, equilibrium models, and market efficiency are examined for stock securities and fixed income instruments. Risk adjusted ROIs for capital investments\u2019 impact on stock prices and free options will also be studied. " }, - "POLI 171": { + "MGT 183": { "prerequisites": [ - "POLI 5", - "ECON 5", - "and", - "POLI 30" + "MGT 181", + "MGT 187", + "or", + "ECON 173B" ], - "name": "Making Policy with Data", - "description": "An accelerated course in computer programming and data analytics for collecting, analyzing, and understanding data in the social world. Students engage in hands-on learning with applied social science problems, developing statistical and computational skills for sophisticated data manipulation, analysis, visualization. " - }, - "POLI 172": { - "prerequisites": [], - "name": "Advanced Social Data Analytics", - "description": "This class introduces tools for analyzing social networks including graph visualization, egocentric and sociocentric network measures, network simulation, and data management. " - }, - "POLI 173": { - "prerequisites": [], - "name": "Social Network Analysis", - "description": "Special topics course in quantitative methods for political science and broader social sciences. May be taken for credit up to three times. " - }, - "POLI 179": { - "prerequisites": [], - "name": "Special Topics in Political Science Methodology", - "description": "This course is open only to seniors interested in qualifying for departmental honors. Admission to the course will be determined by the department. Each student will write an honors essay under the supervision of a member of the faculty. " - }, - "POLI 191A\u2013B": { - "prerequisites": [], - "name": "\t\t Senior Honors Seminar: Frontiers of Political Science", - "description": "The Senior Seminar is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in political science at the upper-division level. Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" - }, - "POLI 192": { - "prerequisites": [], - "name": "Senior Seminar in Political Science", - "description": "(Same as COMM 194, USP 194, HITO 193, SOCI 194, COGS 194) Course attached to six-unit internship taken by students participating in the UCDC Program. Involves weekly seminar meetings with faculty and teaching assistant and a substantial research paper. " - }, - "POLI 194": { - "prerequisites": [], - "name": "Research Seminar in Washington, DC", - "description": "Preparation of a major paper from research conducted while participating in the Research Apprenticeship (POLI 198RA). Presentations to and participation in weekly seminar meetings also required. Students can enroll in POLI 194RA only if they have previously taken or are simultaneously enrolled in 198RA. ** Upper-division standing required ** " - }, - "POLI 194RA": { - "prerequisites": [], - "name": "Research Apprenticeship Seminar", - "description": "The Local Internship Research Seminar will be paired with a Local Internship in Political Science (POLI 197SD) in the same quarter. The linkage to this research seminar will provide advanced academic training in analytic skills appropriate to the internship experience and requires a substantial paper based on original research. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Financial Investments", + "description": "Focuses on role of financial institutions, implications for firm financing and valuation as well as the Federal Reserve, financial regulation, the money supply process, and monetary policy. Mechanisms through which monetary policy affects businesses and credit channels will be covered. " }, - "POLI 194SD": { - "prerequisites": [], - "name": "Local Internship Research Seminar", - "description": "Teaching and tutorial activities associated with courses and seminars. Limited to advanced political science majors with at least a 3.5 GPA in upper-division political science courses. P/NP grades only. May be taken for credit two times, but only four units may be used for major credit. " + "MGT 184": { + "prerequisites": [ + "MGT 181", + "MGT 187", + "or", + "ECON 173B", + "and" + ], + "name": "Money and Banking", + "description": "This course provides students with an overview of the investment banking industry, including IPOs, equity offerings, debt offerings, valuation, mergers and acquisition, private equity, asset securitization, prime brokerage, sales and trading, and market making. Emphasis of the class will be on traditional corporate finance, which includes equity and debt offerings as well as mergers and acquisitions. " }, - "POLI 195": { + "MGT 185": { "prerequisites": [], - "name": "Apprentice Teaching", - "description": "This internship is attached to the UCDC Program. Students participating in the UCDC Program are placed in an internship in the Washington, DC, area requiring approximately seventeen to twenty-three hours per week. " + "name": "Investment Banking", + "description": "Taking a global perspective, this course examines how innovation is funded and the financial tools necessary over the life cycle of a new venture\u2014development, growth, maturity, and exit. Students will learn to perform financial analysis to determine the feasibility of financing new, transformed, and growing ventures, whether foreign or domestic. The course will also cover term sheets, valuation methods, and the role of private equity investors\u2014angels, VCs, and vendors. " }, - "POLI 197I": { - "prerequisites": [], - "name": "Political Science Washington Internship", - "description": "Individual placements for field learning integrated with political science. A written contract involving all parties with learning objectives, a project outline, and a means of supervision and progress evaluation must be filed with the faculty adviser and department undergraduate coordinator prior to the beginning of the internship. P/NP grades only. May be taken for credit two times. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "MGT 187": { + "prerequisites": [ + "MGT 181", + "or", + "MGT 187" + ], + "name": "New Venture Finance", + "description": "Introduces advanced topics of special interest in finance. Topics may include behavioral finance, financial derivatives, portfolio management, fixed income securities, asset pricing theory, commercial banking, etc. May be taken for credit up to three times. " }, - "POLI 197SD": { + "MGT 189": { "prerequisites": [], - "name": "Local Internship in Political Science", - "description": "Directed group study in an area not presently covered by the departmental curriculum. P/NP grades only. " + "name": "Topics in Finance", + "description": "A small group undertaking, on a topic or in a field not included in the regular curriculum, by special arrangement with a faculty member. ** Consent of instructor to enroll possible **" }, - "POLI 198": { + "MGT 198": { "prerequisites": [], "name": "Directed Group Study", - "description": "Students conduct directed research as part of a principal investigator\u2019s project and under the supervision of a department mentor. Students may conduct research with a department mentor for up to two quarters. This course is part of the Research Apprenticeship program in political science. P/NP grades only. May be taken for credit two times. ** Upper-division standing required ** " - }, - "POLI 198RA": { - "prerequisites": [], - "name": "Research Apprenticeship", - "description": "Independent reading in advanced political science by individual students. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "description": "Directed individual study\n or research by special arrangement and under supervision\n of a faculty member. ** Consent of instructor to enroll possible **" }, - "POLI 199": { + "MGT 199": { "prerequisites": [], - "name": "Independent Study for Undergraduates", - "description": "An introduction to the theoretical concepts in the discipline of political science that are commonly used across various subfields. Each week will introduce the core concept(s) and discuss applications from several, if not all subfields in the department. " + "name": "Directed Independent Study", + "description": "The Professional Seminar presents up-to-date research, professional skills development, and experts and business leaders as speakers. Topics may vary by term. S/U grades only. May be taken for credit eight times. " }, "EDS 20S": { "prerequisites": [], @@ -17526,1317 +17057,1006 @@ "name": "Special Studies", "description": "Individual guided reading and study involving research and analysis of activities and services in multicultural education, bilingual education, the teaching-learning process, and other areas that are not covered by the present curriculum. ** Consent of instructor to enroll possible **" }, - "BILD 1": { - "prerequisites": [], - "name": "The Cell", - "description": "An introduction to cellular structure and function, to biological molecules, bioenergetics, to the genetics of both prokaryotic and eukaryotic organisms, and to the elements of molecular biology. Recommended preparation: prior completion of high school- or college-level chemistry course. " - }, - "BILD 2": { - "prerequisites": [ - "BILD 1" - ], - "name": "Multicellular Life", - "description": "An introduction to the development and the physiological processes of plants and animals. Included are treatments of reproduction, nutrition, respiration, transport systems, regulation of the internal environment, the nervous system, and behavior. " - }, - "BILD 3": { - "prerequisites": [], - "name": "Organismic and Evolutionary Biology", - "description": "The first principles of evolutionary theory, classification, ecology,\n\t\t\t\t and behavior; a phylogenetic synopsis of the major groups of organisms\n\t\t\t\t from viruses to primates." - }, - "BILD 4": { + "CAT 1": { "prerequisites": [], - "name": "Introductory Biology Lab", - "description": "Students gain hands-on experience and learn the theoretical basis of lab techniques common to a variety of biological disciplines such as biochemistry, molecular biology, cell biology, and bioinformatics. Students will work in groups, learning how to collect, analyze, and present data while using the scientific method to conduct inquiry-based laboratory experiments. Material lab fees will apply." + "name": "Culture, Art, and Technology 1", + "description": "A global historical overview of principles and patterns of human development, with emphasis on technology and the arts. Traces causes and consequences of cultural variation. Explores interactions of regional environments (geographic, climatic, biological) with social and cultural forces. " }, - "BILD 7": { + "CAT 2": { "prerequisites": [], - "name": "The Beginning of Life", - "description": "An introduction to the basic principles of plant and animal development, emphasizing the similar strategies by which diverse organisms develop. Practical applications of developmental principles as well as ethical considerations arising from these technologies will be discussed." + "name": "Culture, Art, and Technology 2", + "description": "Fundamental shifts in one area of endeavor can have a profound impact on whole cultures. Examines select events, technologies, and works of art that revolutionized ways of inhabiting the world. Intensive instructions in university-level writing: featured sections on information literacy. " }, - "BILD 10": { + "CAT 3": { "prerequisites": [], - "name": "Fundamental Concepts of Modern Biology", - "description": "An introduction to the biochemistry and genetics of cells and organisms; illustrations are drawn from microbiology and human biology. This course is designed for nonbiology students and does not satisfy a lower-division requirement for any biology major. Open to nonbiology majors only. Note: Students may not receive credit for BILD\n\t\t\t\t 10 after receiving credit for BILD 1. " + "name": "Culture, Art, and Technology 3", + "description": "Students engage with various interdisciplinary modes of apprehending the near future. Working in teams on community projects, they are challenged to listen and communicate across cultures and develop cogent technological and artistic responses to local problems. Writing and information literacy instruction. " }, - "BILD 12": { + "CAT 24": { "prerequisites": [], - "name": "Neurobiology and Behavior", - "description": "Course will focus on issues such as global warming, species extinction, and human impact on the oceans and forests. History and scientific projections will be examined in relation to these events. Possible solutions to these worldwide processes and a critical assessment of their causes and consequences will be covered." + "name": "Introduction\n\t\t\t\t to Special Projects/Topics", + "description": "Lower-division students are introduced to projects/topics exploring the interplay of culture, art, and technology. Topics and projects will vary. ** Consent of instructor to enroll possible **" }, - "BILD 18": { + "CAT 75": { "prerequisites": [], - "name": "Human Impact on the Environment", - "description": "Fundamentals of human genetics and introduction to modern genetic technology\n\t\t\t\t such as gene cloning and DNA finger printing. Applications of these techniques,\n\t\t\t\t such as forensic genetics, genetic screening, and genetic engineering.\n\t\t\t\t Social impacts and ethical implications of these applications. This course\n\t\t\t\t is designed for nonbiology students and does not satisfy a lower-division\n\t\t\t\t requirement for any biology major. Open to nonbiology majors only. Note: Students may\n\t\t\t\t not receive credit for BILD 20 after receiving credit for BICD 100. " + "name": "Experience Art!\u2014Sixth College Seminar Series", + "description": "Seminars are hands-on arts experiences (performances, exhibits, site visits, etc.). Students and faculty attend events together and have discussions before or after, often with guest speakers such as the artists, curators, and/or faculty/graduate students from UC San Diego arts departments. Successful completion of this seminar series satisfies one of the eight Sixth College general education requirements for Art Making. May be taken for credit two times. " }, - "BILD 20": { + "CAT 87": { "prerequisites": [], - "name": "Human Genetics in Modern Society", - "description": "A survey of our understanding of the basic\n\t\t\t\t chemistry and biology of human nutrition; discussions of all aspects of\n\t\t\t\t food: nutritional value, diet, nutritional diseases, public health, and\n\t\t\t\t public policy. This course is designed for nonbiology students and does\n\t\t\t\t not satisfy a lower-division requirement for any biology major. Open to nonbiology majors only. Note: Students\n may not receive credit for BILD 22 after receiving credit for BIBC 120. " + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students with preference given to entering freshmen. " }, - "BILD 22": { + "CAT 98": { "prerequisites": [], - "name": "Human Nutrition", - "description": "" + "name": "Culture, Art, and Technology Lower-Division Group Study", + "description": "Course designated for lower-division Sixth College students to have the opportunity to work together as a group or team on a project supervised by a faculty member in a specific department, not included in a regular curriculum, where group emphasis would be more beneficial and constructive then individual special studies. ** Upper-division standing required ** " }, - "BILD 26": { + "CAT 124": { "prerequisites": [], - "name": "Human Physiology", - "description": "An introduction to diseases caused by viruses, bacteria, and parasites, and the impact of these diseases on human society. Topics include the biology of infectious disease, epidemiology, and promising new methods to fight disease. Open to nonbiology majors only. Note: Students will not receive credit for BILD 30 if taken after BIMM 120." + "name": "Sixth College Practicum", + "description": "Students initiate, plan, and carry out community-based and/or research-based projects that connect classroom-based experiences and knowledge to the outlying community, and that explicitly explore the interplay of culture, art, and technology. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "BILD 30": { + "CAT 125": { "prerequisites": [], - "name": "Biology of Plagues: Past and Present", + "name": "Public Rhetoric and Practical Communication", "description": "" }, - "BILD 36": { - "prerequisites": [], - "name": "AIDS Science and Society", - "description": "An introduction to all aspects of the AIDS epidemic. Topics will include the epidemiology, biology, and clinical aspects of HIV infection; HIV testing; education and approaches to therapy; and the social, political, and legal impacts of AIDS on the individual and society. This course is designed for nonbiology students and does not satisfy a lower-division requirement for any biology major. Open to nonbiology majors only. Note: Students may not receive credit for BILD 36 after receiving credit for BICD 136. " - }, - "BILD 38": { - "prerequisites": [], - "name": "Dementia, Science, and Society", - "description": "Introduction to basic human neuroscience leading to a discussion of brain diseases classified under the rubric Dementia. Topics include basic brain structure and function, diseases of the aging brain and their economic, social, political and ethical impacts on society." - }, - "BILD 40": { - "prerequisites": [], - "name": "Introduction to Biomedical Research", - "description": "Course introduces students to some of the research approaches employed by physicians and scientists at the UC San Diego School of Medicine to investigate the etiology, biology, prevention and treatment of human diseases, including cancer, diabetes, and others. P/NP grades only." - }, - "BILD 51": { - "prerequisites": [], - "name": "Quantitative Biology Project Lab", - "description": "Course covers two important aspects: (1) interdisciplinary and research-based education and (2) teaching fundamental experimental and computational skills in quantitative studies of living systems. Participation by application only. Material lab fees will apply. ** Department approval required ** " - }, - "BILD 60": { - "prerequisites": [ - "BILD 1", - "and", - "BILD 2" - ], - "name": "Exploring Issues of Diversity, Equity, and Inclusion in Relation to Human Biology ", - "description": "This course will examine diversity, equity, and inclusion beginning with a biological framework. Focus will be on how underlying biological differences have been used to support bias and prejudice against particular groups such as women, African Americans, and Latinos. This course is approved to meet the campus Diversity, Equity, and Inclusion (DEI) requirement. " - }, - "BILD 70": { + "CAT 192": { "prerequisites": [], - "name": "Genomics Research Initiative Lab I", - "description": "Students will isolate bacterial viruses or other organisms from the environment and characterize them by methods including electron microscopy and nucleic acid analysis. The genomic DNA will be purified and sent for sequencing. Restricted to student participants in the Phage Genomics Research program. Renumbered from BIMM 171A. Students may not receive credit for BILD 70 and BIMM 171A. Material lab fees will apply. ** Department approval required ** " + "name": "Senior Seminar in Culture, Art, and Technology", + "description": "Upper-division composition course in public rhetoric and practical communication, including oral presentation, writing in print formats, and digital content creation. This course also focuses on how writing can support and extend experiential learning before, during or after students do their practicum project. " }, - "BILD 87": { + "CAT 195": { "prerequisites": [], - "name": "Freshman Seminar", + "name": "Apprentice Teaching", "description": "" }, - "BILD 91": { - "prerequisites": [], - "name": "Biology Freshmen: Strategies for Success", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen.\t\t" - }, - "BILD 92": { - "prerequisites": [], - "name": "Professional Development Topics in the Biological Sciences", - "description": "Course is designed to assist new freshmen in making a smooth and informed transition from high school. Lectures focus on study skills, academic planning and using divisional and campus resources to help achieve academic, personal and professional goals. Exercises and practicums will develop the problems solving skills needed to succeed in biology. Attention will be given to research possibilities. Intended for new freshmen." - }, - "BILD 95": { - "prerequisites": [], - "name": "Undergraduate Workshops", - "description": "The workshops will be restricted to lower-division undergraduates. The course will introduce students to the methods of scientific research and to a variety of research topics in the biological/biomedical sciences. Examples of topics are: Introduction to Scientific Research, AIDS, Medical and Social Aspects, Is the Mind the Same as the Brain, Wildlife Conservation. " - }, - "BILD 96": { - "prerequisites": [], - "name": "Biology: Honors Seminar", - "description": "Weekly seminar providing Biological Sciences Scholars Program students with the opportunity to learn more about research and scholarly activities available to them and acquaints them with UC San Diego faculty members. The course will promote student\u2019s participation in research and other scholarly activities on campus. ** Department approval required ** " - }, - "BILD 98": { + "CAT 197": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Investigation of a topic in biological sciences through directed reading and discussion by a small group of students under the supervision of a faculty member. Students must complete a special studies application. Paperwork for a BILD 98 must be submitted to SIS by Friday of the eighth week of the quarter preceding the quarter in which the 98 will be completed. P/NP grades only. May be taken for credit two times. ** Department approval required ** " + "name": "Culture, Art, and Technology Field Studies", + "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in Culture, Art, and Technology (at the upper-division level). Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times with a change in topic and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" }, - "BILD 99": { + "CAT 198": { "prerequisites": [], - "name": "Independent Research", - "description": "Independent research by special arrangement with a faculty member. (P/NP grades only.) Students must have an overall UC San Diego GPA of at least 3.0 and a minimum of thirty units complete. Students must complete a Special Studies form and a Division of Biological Sciences Research Plan. Credit may not be received for a course numbered 99 subsequent to receiving credit for a course numbered 199. ** Department approval required ** " - }, - "BIBC 100": { - "prerequisites": [ - "CHEM 40A", - "or", - "CHEM 140A", - "or", - "BENG 120", - "and", - "CHEM 40B", - "or", - "CHEM 140B", - "or", - "BENG 120" - ], - "name": "Structural Biochemistry", - "description": "The structure and function of biomolecules. Includes protein conformation, dynamics, and function; enzymatic catalysis, enzyme kinetics, and allosteric regulation; lipids and membranes; sugars and polysaccharides; and nucleic acids. " - }, - "BIBC 102": { - "prerequisites": [ - "CHEM 40A", - "or", - "CHEM 140A", - "or", - "BENG 120", - "and", - "CHEM 40B", - "or", - "CHEM 140B", - "or", - "BENG 120" - ], - "name": "Metabolic Biochemistry", - "description": "Energy-producing pathways\u2013glycolysis, the TCA cycle, oxidative phosphorylation, photosynthesis, and fatty acid oxidation; and biosynthetic pathways\u2013gluconeogenesis, glycogen synthesis, and fatty acid biosynthesis. Nitrogen metabolism, urea cycle, amino acid metabolism, nucleotide metabolism, and metabolism of macromolecules. " - }, - "BIBC 103": { - "prerequisites": [ - "BILD 1" - ], - "name": "Biochemical Techniques", - "description": "Introductory laboratory course in current principles and techniques applicable\n\t\t\t\t to research problems in biochemistry and molecular biology. Techniques\n\t\t\t\t include protein and nucleic acid purification; identification methods such\n\t\t\t\t as centrifugation, chromatography, and electrophoresis; immunological,\n\t\t\t\t spectrophotometric, and enzymatic methods. Material lab fees will apply. " - }, - "BIBC 120": { - "prerequisites": [ - "BIBC 102", - "or", - "CHEM 114B" - ], - "name": "Nutrition", - "description": "Elaborates the relationship between diet and human metabolism, physiology, health, and disease. Covers the functions of carbohydrates, lipids, proteins, vitamins, and minerals, and discusses dietary influences on cardiovascular disease, diabetes, obesity, and cancer. " - }, - "BIBC 140": { - "prerequisites": [ - "BILD 1" - ], - "name": "Our Energy Future\u2014Sustainable Energy Solutions ", - "description": "Course will provide an overview of energy production and utilization and the consequences of this on the economy and environment. The course will introduce renewable energy technologies including biofuels, and explores the social, economic, and political aspects of energy use. " - }, - "BIBC 151": { - "prerequisites": [ - "BIBC 100", - "or", - "BIBC 102", - "or", - "CHEM 114A", - "or", - "CHEM 114B" - ], - "name": "Chemistry of Biological Interactions", - "description": "Nearly all interactions between organisms, including host-pathogen interactions and mate attraction, have a chemical basis. Plants and microorganisms are the dominant life forms on earth and remain a major source of pharmaceutical leads. Students in this course will utilize biochemical methods to extract, fractionate, and analyze plant and microbial compounds of medicinal and ecological significance including antibiotics, growth regulators, toxins, and signaling molecules. Students use own laptops. Course requires field studies. Transportation not provided by the university. Students must comply with all risk management policies and procedures. Course materials fees will be applied. " + "name": "Culture, Art, and Technology Directed Group Studies", + "description": "Undergraduate instructional assistance. Responsibilities in areas of learning and instruction. May collect course material and assist with course projects, digital workshops, and collection, organization and analysis of formative assessment data. ** Consent of instructor to enroll possible **" }, - "BIBC 194": { + "CAT 199": { "prerequisites": [ - "BILD 1" + "CAT 1", + "and" ], - "name": "Advanced Topics in Modern Biology: Biochemistry", - "description": "An introduction to the principles of heredity emphasizing diploid organisms. Topics include Mendelian inheritance and deviations from classical Mendelian ratios, pedigree analysis, gene interactions, gene mutation, linkage and gene mapping, reverse genetics, population genetics, and quantitative genetics. " + "name": "Culture, Art, and Technology Independent Studies", + "description": "Supervised community-based or industry-based fieldwork. Designated for Sixth College students to have the opportunity to work on a community-based or industry-based project supervised by a faculty member and community or industry mentor in which the subject or content of the project cannot be represented by a specific academic department. Students will submit written evaluations each week of their ongoing field study. " }, - "BICD 100": { + "COMM 10": { + "prerequisites": [], + "name": "Introduction to Communication", + "description": "Introduction to the history, theory, and practice of communication, including language and literacy, representation and semiotics, mediated technologies and institutional formations, and social interaction. Integrates the study of communication with a range of media production (for example, writing, electronic media, film, performance). COMM 10 may be taken concurrently with the COMM A-B-C courses and intermediate electives. Course is offered fall, winter, and summer quarters." + }, + "COMM 87": { + "prerequisites": [], + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen." + }, + "COMM 100A": { "prerequisites": [ - "BILD 1" + "COMM 10" ], - "name": "Genetics", - "description": "Course implements key concepts in genetics and genomics such as performing and interpreting results of genetic crosses, analyzing mutations and their phenotypic consequences, analyzing the genetic basis of quantitative traits, and analyzing genome sequences in relation to phenotypic variation. Attendance at the first lecture/lab is required. Nonattendance may result in the student being dropped from the course roster. Recommended preparation: BICD 100. " + "name": "Communication, the Person, and Everyday Life ", + "description": "A critical introduction to processes of interaction and engagement in lived and built environments. Includes historical survey of theories/methods, including actor network theory, conversation analysis, ethnography, ethnomethodology, cultural linguistics, performance, and social cognition; and integrates scholarly study with production-oriented engagement. Students will not receive credit for COHI 100 and COMM 100A. " }, - "BICD 101": { + "COMM 100B": { "prerequisites": [ - "BICD 100", - "and", - "BIMM 100" + "COMM 10" ], - "name": "Eukaryotic Genetics Laboratory", - "description": "Students will interact with primary literature in genetics through reading, writing, and in-class discussions. The focus will be to learn to analyze research data and develop critical thinking skills, while applying concepts in genetics to understand scientific discoveries. Topics may vary from quarter to quarter; examples include but are not limited to genetic basis of complex human traits or genetics and evolution of form and function in organisms. " + "name": "Communication, Culture, and Representation ", + "description": "A critical introduction to the practice and the effects of representation within historically situated cultural contexts. Surveys a range of theories/methods in interpretations and identity to understand the effects of these practices upon the form and content of various representational genres and integrates scholarly study with production-oriented engagement. Students will not receive credit for COCU 100 and COMM 100B. " }, - "BICD 102": { + "COMM 100C": { "prerequisites": [ - "BIBC 100", - "or", - "BIBC 102", - "or", - "CHEM 114A", - "or", - "CHEM 114B" + "COMM 10" ], - "name": "Genetic Inquiry", - "description": "The structure and function of cells and cell organelles, cell growth and division, motility, cell differentiation and specialization. " + "name": "Communication, Institutions, and Power ", + "description": "A critical introduction to structures of communication formed across the intersections of the state, economy, and civil society. Includes historical survey of communication industries, legal and policy-based arenas, civic and political organizations, and other social institutions; and integrates scholarly study with production-oriented engagement. Students will not receive credit for COSF 100 and COMM 100C. " }, - "BICD 110": { + "COMM 190": { "prerequisites": [ - "BIMM 100" + "COMM 10" ], - "name": "Cell Biology", - "description": "Stem cells maintain homeostasis of nearly all organ systems and the regenerative capacity of certain organisms. Course explores the paradigm of the tissue-specific stem cell, the cellular mechanisms of tissue regeneration, the evolution of stem cells and regenerative capacity over time, the basis of induced pluripotency, and how these basic processes can inform new approaches to human health. " + "name": "Junior Seminar in Communication", + "description": "This upper-level undergraduate course is required as the gateway to all future media production courses. Students will learn about historical and theoretical contemporary media practices such as film, video, internet, and social media production and how these practices are informed by technical and social constraints. In lab, students will work hands-on with video and new media equipment to apply what they have learned through genre and practical technique. Students will not receive credit for COGN 21 or 22 and COMM 101. " }, - "BICD 112": { + "COMM 101": { "prerequisites": [ - "BILD 1" + "COMM 10", + "and", + "COMM 101" ], - "name": "Stem Cells and Regeneration", - "description": "Introduction to the biology of plants with a particular focus on the underlying genetic and molecular mechanisms controlling plant development. Topics include the role of plant hormones and stem cells in the formation of embryos, roots, flowers, and fruit. " - }, - "BICD 120": { - "prerequisites": [], - "name": "Molecular Basis of Plant Development ", - "description": "Techniques in plant cell and tissue culture, plant transformation, genetic selection and screening of mutants, host pathogen interactions, gene regulation, organelle isolation, membrane transport. Attendance at the first lecture/lab is required. Nonattendance may result in the student being dropped from the course roster. Recommended preparation: BICD 120. Material lab fees will apply. " - }, - "BICD 123": { - "prerequisites": [], - "name": "Plant Molecular Genetics and Biotechnology Laboratory", - "description": "Plant immunity protects against pathogens and enables symbioses. This course explores the agents of plant disease, the genetics of inherited immunity, mechanisms of pathogenesis and defense, the coordination of plant immunity by plant hormones, and the regulation of symbioses. " - }, - "BICD 124": { - "prerequisites": [], - "name": "Plant Innate Immunity", - "description": "Developmental biology of animals at the tissue,\n\t\t\t\t cellular, and molecular levels. Basic processes of embryogenesis\n\t\t\t\t in a variety of invertebrate and vertebrate organisms. Cellular and molecular\n\t\t\t\t mechanisms that underlie cell fate determination and cell differentiation.\n\t\t\t\t More advanced topics such as pattern formation and sex determination are\n\t\t\t\t discussed. Open to upper-division students only. Recommended preparation: BICD 110 and BIMM 100. " + "name": "Introduction to Audiovisual Media Practices", + "description": "Prepare students to edit on nonlinear editing facilities and introduce aesthetic theories of editing: time code editing, timeline editing on the Media 100, digital storage and digitization of audio and video, compression, resolution, and draft mode editing. By the end of the course students will be able to demonstrate mastery of the digital editing facilities. May be taken for credit three times. Students will not receive credit for COMT 100 and COMM 101D. " }, - "BICD 130": { + "COMM 101D": { "prerequisites": [ - "BILD 1", - "BILD 2" + "COMM 10", + "and", + "COMM 101" ], - "name": "Embryos, Genes, and Development", - "description": "An introduction to all aspects of the AIDS epidemic. Topics will include the epidemiology, biology, and clinical aspects of HIV infection, HIV testing, education and approaches to therapy, and the social, political, and legal impacts of AIDS on the individual and society. In order to count for their major, biology majors must take the upper-division course, BICD 136. " + "name": "MPL: Nonlinear/Digital Editing", + "description": "This is a practical course on ethnographic fieldwork\u2014obtaining informed consent interviewing, negotiating, formulating a research topic, finding relevant literature, writing a research paper, and assisting others with their research. May be taken for credit three times. Students will not receive credit for COMT 112 and COMM 101E. ** Consent of instructor to enroll possible **" }, - "BICD 136": { + "COMM 101E": { "prerequisites": [ - "BICD 100", - "BIMM 100" + "COMM 10", + "and", + "COMM 101" ], - "name": "AIDS Science and Society", - "description": "Formation and function of the mammalian immune system, molecular and cellular basis of the immune response, infectious diseases and autoimmunity. " + "name": "MPL: Ethnographic Methods for Media Production", + "description": "Digital video is the medium used in this class both as a production technology and as a device to explore the theory and practice of documentary production. Technical demonstrations, lectures, production exercises, and readings will emphasize the interrelation between production values and ethics, problems of representation, and documentary history. May be taken for credit three times. Students will not receive credit for COMT 120 and COMM 101K. " }, - "BICD 140": { + "COMM 101K": { "prerequisites": [ - "BIMM 100" + "COMM 10" ], - "name": "Immunology", - "description": "This course focuses upon a molecular and immunological approach to study problems in modern medical research. The emphasis will be on novel approaches in medicine, including lymphocyte biology, cancer biology, and gene transfer. Material lab fees will apply. " + "name": "MPL: Documentary Sketchbook", + "description": "This course introduces students to computers as media of communication. Each quarter students participate in a variety of networking activities designed to show the interactive potential of the medium. Fieldwork designed to teach basic methods is combined with readings designed to build a deeper theoretical understanding of computer-based communication. Students will not receive credit for COMT 111A and COMM 101M. " }, - "BICD 145": { + "COMM 101M": { "prerequisites": [ - "BICD 100", + "COMM 10", "and", - "MATH 10A", - "or", - "MATH 20A" + "COMM 101" ], - "name": "Laboratory in Molecular Medicine", - "description": "How do natural selection, mutation, migration, and genetic drift drive evolution? Students will learn how these forces operate and how to describe them quantitatively with simple mathematical models. We will discuss how to apply this knowledge to understand the spread of drug resistance in pathogens, the evolution of beneficial as well as disease traits in our own species, the evolution of engineered organisms, and more. Renumbered from BIEB 156. Students may not receive credit for BICD 156 and BIEB 156. " + "name": "MPL: Communication and Computers", + "description": "Advanced seminar in sound production, design, editing. Students create projects by recording original sounds, editing on a Pro-Tools system. We consider the potential of sound in film, radio, TV, and the web by reviewing work and reading sound theory. May be taken for credit three times. Students will not receive credit for COMT 121 and COMM 101N. " }, - "BICD 156": { + "COMM 101N": { "prerequisites": [ - "BICD 110" + "COMM 101", + "VIS 70N" ], - "name": "Population Genetics", - "description": "Course will vary in title and content. Students are expected to actively participate in course discussions, read, and analyze primary literature. Current descriptions and subtitles may be found on the Schedule of Classes and the Division of Biological Sciences website. Students may receive credit in 194 courses a total of four times as topics vary. Students may not receive credit for the same topic. " + "name": "MPL: Sound Production and Manipulation", + "description": "Specialized study in production with topics to be determined by the instructor for any given quarter. Students will use studio, editing rooms, cameras to construct a variety of in or outside studio productions that can include YouTube, Documentary shorts, Vimeo, with topics that show the effects on social issues. May be taken for credit three times. " }, - "BICD 194": { - "prerequisites": [ - "BILD 3", - "and", - "MATH 10A", - "and", - "MATH 10B" - ], - "name": "Advanced Topics in Modern Biology: Cellular Development", - "description": "An interactive introduction to estimation, hypothesis testing, and statistical reasoning. Emphasis on the conceptual and logical basis of statistical ideas. Focus on randomization rather than parametric techniques. Topics include describing data, sampling, bootstrapping, and significance. Mandatory one-hour weekly section. Students may not receive credit for both BIEB 100 and SIO 187. " + "COMM 101T": { + "prerequisites": [], + "name": "MPL: Topics in Production", + "description": "A combined lecture/lab in a specially designed after-school setting in southeastern San Diego working with children and adults. Students design new media and produce special projects, and explore issues related to human development, social justice, and community life. May be taken for credit three times. " }, - "BIEB 100": { + "COMM 102C": { + "prerequisites": [], + "name": "MMPP: Practicum in New Media and Community Life", + "description": "A combined lecture/lab course on after-school learning, social change, and community-based research. Students are expected to participate in a supervised after-school setting at one of four community labs in San Diego County. Students will learn ethnographic field methods, develop culturally relevant curriculum, and work in diverse settings. May be taken for credit three times. " + }, + "COMM 102D": { "prerequisites": [ - "BILD 3" + "COMM 10", + "and", + "COMM 101", + "VIS 70N" ], - "name": "Biostatistics", - "description": "This course emphasizes principles shaping organisms, habitats, and ecosystems. Topics covered include population regulation, physiological ecology, competition, predation, and human exploitation. This will be an empirical look at general principles in ecology and conservation with emphasis on the unique organisms and habitats of California. " + "name": "MMPP: Practicum in Child Development", + "description": "This course offers students the opportunity to produce and engage in critical discussions around various television production formats. We will study and produce a variety of projects, including public service announcements, panel programs, scripted drama, and performance productions. May be taken for credit three times. " }, - "BIEB 102": { + "COMM 102M": { "prerequisites": [ - "BIEB 100", - "or", - "MATH 11", - "or", - "SIO 187" + "COMM 10", + "and", + "COMM 101", + "VIS 70N" ], - "name": "Introductory Ecology-Organisms and Habitat", - "description": "A laboratory course to familiarize students with ecological problem solving and methods. Students will perform outdoor fieldwork and use a computer for data exploration and analysis. Fieldwork can be expected in this course. Associated travel may be required, and students are responsible for their own transportation. Students may need to provide and use their own laptop. Material lab fees will apply. " + "name": "MMPP: Studio Television", + "description": "An introduction to the techniques and conventions common in television production with equal emphasis on method and content. Studio sessions provide students with opportunities to experiment in framing subject matter through a variety of cinematographic methods. May be taken for credit three times. " }, - "BIEB 121": { + "COMM 102P": { "prerequisites": [ - "BILD 1", + "COMM 10", "and", - "BILD 3" + "COMM 101", + "VIS 70N" ], - "name": "Ecology Laboratory", - "description": "Theory and practice of molecular biology techniques used in evolutionary and ecological research. Includes isolation and genotyping of DNA, PCR, and its applications. Phylogenetics, biodiversity, bioinformatics, and evolutionary and ecological analysis of molecular data. Material lab fees will apply. Students may not enroll in and receive credit for both BIMM 101 and BIEB 123. Attendance at the first lecture/lab is required. Nonattendance may result in the student being dropped from the course roster. " + "name": "MMPP: Television Analysis and Production", + "description": "An advanced television course that examines the history, form, and function of the television documentary in American society. Experimentation with documentary techniques and styles requires prior knowledge of television or film production. Laboratory sessions apply theory and methods in the documentary genre via technological process. Integrates research, studio, and field experience of various media components. May be taken for credit three times. " }, - "BIEB 123": { + "COMM 102T": { "prerequisites": [ - "BILD 3" + "COMM 10" ], - "name": "Molecular Methods in Evolution and Ecology Lab", - "description": "This course begins with an introduction to plant population biology including whole-plant growth and physiology. We then focus on three classes of ecological interactions: plant-plant competition, plant-herbivore coevolution, and plant reproductive ecology including animal pollination and seed dispersal. " + "name": "MMPP: Television Documentary", + "description": "History of nonfiction film and video. Through film and written texts, we survey the nonfiction film genre, considering technological innovations, ethical issues, and formal movements related to these representations of the \u201creal.\u201d Students write a research paper in lieu of a final. " }, - "BIEB 126": { + "COMM 103D": { "prerequisites": [ - "BILD 3" + "COMM 10" ], - "name": "Plant Ecology", - "description": "Course begins with a survey of insect diversity and phylogenetic relationships. Course then addresses issues such as population dynamics (including outbreaks), movement and migration, competition, predation, herbivory, parasitism, insect defense, mimicry complexes, and sociality. Course also includes discussions of pest management, evolution of insecticide resistance, insect-borne diseases, and how insects are responding to global change. " + "name": "CM: Documentary History and Theory", + "description": "This course considers the social, cultural, economic, and technological contexts that have shaped electronic media, from the emergence of radio and television to their convergence through the internet, and how these pervasive forms of audiovisual culture have impacted American society. " }, - "BIEB 128": { + "COMM 103E": { "prerequisites": [ - "BILD 3" + "COMM 10" ], - "name": "Insect Diversity", - "description": "Course integrates principles of ecology and marine biology to examine marine biodiversity loss from overexploitation, habitat loss, invasion, climate change, and pollution. We examine consequences of biodiversity loss to marine ecosystems, discuss management regimes, and address global and local ocean conservation problems. Course includes basic overviews of climate, marine biology, and oceanography that may be similar to topics covered in introductory courses at Scripps Institution of Oceanography. " + "name": "CM: History of Electronic Media", + "description": "This course increases our awareness of the ways we interpret or make understanding from movies to enrich and increase the means by which one can enjoy and comprehend movies. We will talk about movies and explore a range of methods and approaches to film interpretation. Readings will emphasize major and diverse theorists, including Bazin, Eisenstein, Cavell, and Mulvey. " }, - "BIEB 130": { + "COMM 103F": { "prerequisites": [ - "BILD 3", - "and", - "BIEB 100\u00a0or", - "MATH 11" + "COMM 10" ], - "name": "Marine Conservation Biology", - "description": "A laboratory course introducing students to coastal marine ecology. Students will participate in outdoor fieldwork and work in the laboratory gathering and analyzing ecological data. We will focus on ecological communities from a variety of coastal habitats and use them to learn about basic ecological processes as well as issues related to sustainability and conservation of biodiversity. Fieldwork is expected in this course. Associated travel in the San Diego area is required and students are responsible for their own transportation. Material lab fees will apply. " + "name": "CM: How to Read a Film", + "description": "The development of media systems in Asia, focusing on India and China. Debates over nationalism, regionalism, globalization, new technologies, identity politics, censorship, privatization, and media piracy. Alignments and differences with North American and European media systems will also be considered. " }, - "BIEB 131": { + "COMM 104D": { "prerequisites": [ - "BILD 3" + "COMM 10" ], - "name": "Marine Invertebrate Ecology Lab", - "description": "(Cross-listed with SIO 134; however, biology majors must take the course as BIEB 134.) Basics for understanding the ecology of marine communities. The approach is process-oriented, focusing on major functional groups of organisms, their food-web interactions and community response to environmental forcing, and contemporary issues in human and climate influences. " + "name": "CMS: Asia", + "description": "The development of media systems and policies in Europe. Differences between European and American journalism. Debates over the commercialization of television. The role of media in postcommunist societies in Eastern Europe. " }, - "BIEB 134": { + "COMM 104E": { "prerequisites": [ - "BILD 3" + "COMM 10" ], - "name": "Introduction to Biological Oceanography", - "description": "Course provides overview of physical, chemical, and biological processes that characterize inland waters (lakes and rivers), estuaries, and near-shore environments. Dominant biota of lakes, rivers, and streams, and how they are related to physical and chemical processes of the systems in which they reside will be covered. Methods will be introduced for assessing the chemical composition of water and detecting organisms that affect drinking water quality and coastal water quality management. Course requires field studies. Students should expect to fully participate in field trips; transportation not provided by the university. Students must comply with all risk management policies/procedures. Material lab fees will apply. " + "name": "CMS: Europe", + "description": "This course will critically examine the role of the mass media in sub-Saharan Africa in the areas of colonial rule, nationalist struggles, authoritarianism, and popular movements. It will examine general trends regionally and internationally, as well as individual national cases, from the early twentieth century to the internet news services of the information age. " }, - "BIEB 135": { + "COMM 104F": { "prerequisites": [ - "BILD 3" + "COMM 10" ], - "name": "Aquatic Ecology Lab", - "description": "An introduction to the patterns of geographic distribution and natural history of plants and animals living in terrestrial and marine ecosystems. We will explore ecological and evolutionary processes responsible for generating and maintaining biological diversity; and the nature of extinction both in past and present ecosystem. " + "name": "CMS: Africa", + "description": "The development of media systems and policies in Latin America and the Caribbean. Debates over dependency and cultural imperialism. The news media and the process of democratization. Development of the regional television industry. " }, - "BIEB 140": { + "COMM 104G": { "prerequisites": [ - "BIEB 100", - "or", - "BIEB 150" + "COMM 10" ], - "name": "Biodiversity", - "description": "An introduction to computer modeling in evolution and ecology. Students will use the computer language \u201cR\u201d to write code to analyze ecological and evolutionary processes. Topics include natural selection, genetic drift, community ecology, game theory, and chaos. Students will use their own laptop computers. " + "name": "CMS: Latin America and the Caribbean", + "description": "Course considers computer games both as media and as sites of communication. Games are studied through hands-on play and texts from a variety of disciplinary perspectives. Course encompasses commercial, academic, and independent games. " }, - "BIEB 143": { + "COMM 105G": { "prerequisites": [ - "BILD 1", - "and", - "BILD 3" + "COMM 10" ], - "name": "Computer Modeling in Evolution and Ecology", - "description": "Modern sequencing technology has revolutionized our ability to detect how genomes vary in space among individuals, populations, and communities, and over time. This course will review methods and concepts in ecological and evolutionary genomics that help us understand these differences, including their relevance to health (human microbiome, cancer evolution), evolutionary history (ancestor reconstruction, human evolution), and the environment (effect of climate change). " + "name": "CT: Computer Games Studies", + "description": "Movement is central to our lives. This course draws on the latest research into how we travel, trade, and move. Diverse topics will be covered, including kids in cars, the New York subway, and theories of mobility. " }, - "BIEB 146": { + "COMM 105M": { "prerequisites": [ - "BILD 3", - "and", - "BILD 1", - "or", - "BIEB 143" + "COMM 10" ], - "name": "Genome Diversity and Dynamics", - "description": "Evolutionary processes are discussed in their genetic, historical, and\n\t\t\t\t ecological contexts. Population genetics, agents of evolution, microevolution,\n\t\t\t\t speciation, macroevolution. " + "name": "CT: Mobile Communication", + "description": "This course examines photographic technologies as a set of instruments and practices that modern societies have developed and used to tell stories about themselves and make particular claims about truth and reality, focusing on the domains of science, policing, journalism, advertising, and self-expression. " }, - "BIEB 150": { + "COMM 105P": { "prerequisites": [ - "BILD 3" + "COMM 10" ], - "name": "Evolution", - "description": "Treating infectious diseases is a uniquely difficult problem since pathogens often evolve, rendering today\u2019s therapies useless tomorrow. This course will provide a review of concepts and methods in evolutionary medicine, with an emphasis on microbial genomics and molecular evolution. " + "name": "CT: Photographic Technologies", + "description": "Course examines the organization of some of the many industries (e.g., film, music, gaming, and publishing) that make up the cultural landscape with an eye toward discerning the conditions that shape the production of cultural goods and services: how is production organized within cultural industries; how are products distributed; and what is the impact of both the organization and distribution of goods on the conditions of work and labor? " }, - "BIEB 152": { + "COMM 106A": { "prerequisites": [ - "BILD 1", - "and", - "BILD 3" + "COMM 10" ], - "name": "Evolution of Infectious Diseases", - "description": "Students will investigate selected in-depth topics in evolutionary biology through reading and writing. Students will read books and articles written for a general audience as well as primary literature. Example topics include the origins of novel features, the impact of human activity and environmental changes on evolutionary processes, the rate and intensity of natural selection, and how our own evolutionary history affects human health. " + "name": "CI: Introduction", + "description": "Pasts have been conveyed through various media for millennia. This course will use comics to explore how this medium impacts how we might learn and understand Japanese history. Topics discussed include memory, storytelling, perspective, and visuality. " }, - "BIEB 154": { + "COMM 106C": { "prerequisites": [ - "BILD 3", - "and" + "COMM 10" ], - "name": "Evolutionary Inquiry", - "description": "An integrated approach to animal behavior\n\t\t\t\t focusing on mechanisms of acoustic, visual, and olfactory communication.\n\t\t\t\t Course covers ethology and the genetics and neurobiology of behavior; orientation\n\t\t\t\t and navigation; and signal origins, properties, design, and evolution. " + "name": "CI: History Through Comics\u2014Japan", + "description": "A study of the social organization of the film industry throughout its history. Who makes films, by what criteria, and for what audience? The changing relationships between studios, producers, directors, writers, actors, editors, censors, distributors, audience, and subject matter of the films will be explored. " }, - "BIEB 166": { + "COMM 106F": { "prerequisites": [ - "BIEB 102", - "and", - "BIEB 166" + "COMM 10" ], - "name": "Animal Behavior and Communication", - "description": "Laboratory exercises will introduce students to quantitative methods of visual, auditory, and olfactory signal analysis and to lab and field studies of animal signaling. " + "name": "CI: Film Industry", + "description": "The largest industry in the world has far-reaching cultural ramifications. We will explore tourism\u2019s history and its contemporary cultural effects, taking the perspective of the \u201ctoured\u201d as well as that of the tourist. " }, - "BIEB 167": { + "COMM 106G": { "prerequisites": [ - "BILD 3" + "COMM 10" ], - "name": "Animal Communication Lab", - "description": "This course will teach the principles of ecosystem ecology in terrestrial and marine systems and will use examples from recent research to help students understand how global environmental changes are altering processes from leaf-level ecophysiology to global cycling of carbon, water, and nutrients. Fieldwork may be required. " + "name": "CI: Tourism: Global Industry and Cultural Form", + "description": "The political economy of the emergent internet industry, charted through analysis of its hardware, software, and services components. The course specifies leading trends and changing institutional outcomes by relating the internet industry to the adjoining media, telecommunications, and computer industries. " }, - "BIEB 174": { + "COMM 106I": { "prerequisites": [ - "BILD 3" + "COMM 10" ], - "name": "Ecosystems and Global Change", - "description": "Discussion of the human predicament, biodiversity crisis, and importance of biological conservation. Examines issues from biological perspectives emphasizing new approaches and new techniques for safeguarding the future of humans and other biosphere inhabitants.\u00a0" + "name": "CI: Internet Industry", + "description": "How and what does television communicate? Emphasis will be on contemporary US television programming, placed in comparative and historical context. Special topics may include TV genres, TV and politics, TV and other media. Frequent in-class screenings. " }, - "BIEB 176": { + "COMM 106T": { "prerequisites": [ - "BIEB 102" + "COMM 10" ], - "name": "Biology of Conservation\n\t\t\t\t and the Human Predicament", - "description": "This class will focus on ecological and evolutionary responses to three major anthropogenic stressors\u2014climate change, resource exploitation, and urbanization. Students will learn about the eco-evolutionary changes that are currently happening due to anthropogenic impacts and also predictions about future changes due to such impacts. They will also learn about the economic and societal impacts of such changes and some of the strategies for conservation and sustainability in a changing world. " + "name": "CI: Television Culture and the Public", + "description": "Course examines political economy of television throughout its history. How TV is made, who is involved, how is industry organized, how does it get regulated, distributed? Consider how these answers changed over time and look at recent influences of digital technologies. " }, - "BIEB 182": { + "COMM 106V": { "prerequisites": [ - "BIEB 102" + "COMM 10" ], - "name": "Biology of Global Change", - "description": "Course will vary in title and content. Students are expected to actively participate in course discussions, read, and analyze primary literature. Current descriptions and subtitles may be found on the Schedule of Classes and the Division of Biological Sciences website. Students may receive credit in 194 courses a total of four times as topics vary. Students may not receive credit for the same topic. " + "name": "CI: TV Industry", + "description": "How visual images contribute to our understanding of the world and ourselves. Theoretical approaches from media studies, art history, gender studies, and social theory will be used to analyze cultures of science, art, mass media, and everyday life. " }, - "BIEB 194": { + "COMM 107": { "prerequisites": [ - "BILD 1", - "and", - "BIBC 103", - "or", - "BILD 4", - "or", - "BIMM 101", - "and", - "CHEM 40A", - "or", - "CHEM 40AH", - "or", - "BENG 120", - "and", - "CHEM 40B", - "or", - "CHEM 40BH", - "or", - "BENG 120" + "COMM 10" ], - "name": "Advanced Topics in Modern Biology: Ecology, Behavior, Evolution", - "description": "Molecular basis of biological processes, emphasizing gene action in context of entire genome. Chromosomes and DNA metabolism: chromatin, DNA replication, repair, mutation, recombination, transposition. Transcription, protein synthesis, regulation of gene activity. Prokaryotes and eukaryotes. Note: Students will not receive credit for both BIMM 100 and CHEM 114C. " + "name": "Visual Culture", + "description": "How do political contests and debates come to be organized on and around bodies? In what sense is the natural body a sign system and how does its organization represent and reproduce cultural values, moral assumptions, social relations, and economic rationales? This course examines these and other questions through political, historical, and media analysis. " }, - "BIMM 100": { + "COMM 108A": { "prerequisites": [ - "BILD 1" + "COMM 10" ], - "name": "Molecular Biology", - "description": "Theory and practice of recombinant DNA and molecular biology techniques. Includes construction and screening of DNA libraries, DNA sequencing, PCR and its applications, bioinformatics, and RNA analysis. Nonattendance may result in the student\u2019s being dropped from the course roster. Note: Students may not enroll in or receive credit for both BIMM 101 and BIEB 123, or BIMM 101 and CHEM 109. Material lab fees will apply. " + "name": "POB: Introduction", + "description": "Cultural and historical ways of defining and understanding disability relative to communication and assistive technologies, including the impact of digital technologies and the Americans with Disabilities Act. Course use of audiovisual texts and writings from fields including science and technology studies, and cultural studies. " }, - "BIMM 101": { + "COMM 108D": { "prerequisites": [ - "BICD 100", - "and", - "BIMM 100", - "and", - "BIBC 100", - "or", - "BIBC 102", - "or", - "CHEM 114A", - "or", - "CHEM 114B" + "COMM 10" ], - "name": "Recombinant DNA Techniques", - "description": "An examination of the molecular basis of human diseases. Course emphasizes inherited human disorders, and some important diseases caused by viruses. Focus on the application of genetic, biochemical, and molecular biological principles to an understanding of the diseases. " + "name": "POB: Disability", + "description": "Historical and cultural aspects of media, information, imaging technology use in biomedical research, clinical care, health communication to constructions of gender and identity. We approach the subject through audiovisual texts and writings from fields including science and technology studies and cultural studies. " }, - "BIMM 110": { + "COMM 108G": { "prerequisites": [ - "BIMM 100" + "COMM 10" ], - "name": "Molecular Basis of Human Disease", - "description": "This course explores the mechanisms by which gene activity is regulated in eukaryotes, with an emphasis on transcriptional regulation and chromatin. Topics will include chromatin structure, histone modifications, chromatin dynamics, transcription factors, transcriptional elongation, enhancers, CpG methylation, heterochromatin, and epigenetics. " + "name": "POB: Gender and Biomedicine", + "description": "Advertising in historical and cross-cultural perspectives. Ideology and organization of the advertising industry; meaning of material goods; gifts in capitalist, socialist, and nonindustrial societies; natures of needs, desires, and whether advertising creates needs, desires; and approaches to decoding the advertising messages. " }, - "BIMM 112": { + "COMM 109D": { "prerequisites": [ - "BIMM 100" + "COMM 10" ], - "name": "Regulation of Eukaryotic Gene Expressions ", - "description": "An introduction to eukaryotic virology, with emphasis on animal virus systems. Topics discussed include the molecular structure of viruses; the multiplication strategies of the major virus families; and viral latency, persistence, and oncology. " + "name": "MC: Advertising and Society", + "description": "History, politics, social organization, and ideology of the American news media. Surveys of the development of the news media as an institution, from earliest new newspapers to modern mass news media. " }, - "BIMM 114": { + "COMM 109N": { "prerequisites": [ - "BILD 1", - "or", - "PSYC 2", - "or", - "PSYC 106" + "COMM 10" ], - "name": "Virology", - "description": "(Cross-listed with Psych 133; however, biology majors must take the course as BIMM 116.) This interdisciplinary course provides an overview of the fundamental properties of daily biological clocks of diverse species, from humans to microbes. Emphasis is placed on the relevance of internal time keeping in wide-ranging contexts including human performance, health, and industry. " + "name": "MC: American News Media", + "description": "Propaganda, in political-economic, national settings; Soviet Union; Nazi Germany; US World War I and II. Propaganda films, contribution of filmmakers to propaganda campaign. Explore issues in propaganda; persuasive communication; political propaganda; persuasive advertising; public relations; practical, ethical perspectives. " }, - "BIMM 116": { - "prerequisites": [], - "name": "Circadian Rhythms\u2014Biological Clocks", - "description": "The BioClock Studio is an innovative course in which a team of undergraduate students, drawn from diverse disciplines, will work collaboratively to develop their scientific and communicative skills to produce creative educational materials that will enhance understanding of circadian biology. Students are expected to attend the annual Circadian Biology Symposium held each winter, to the extent course schedules allow, to conduct interviews with prominent scientists. BIMM 116 is not a prerequisite to enroll in BIMM 116B. May be taken for credit three times. ** Department approval required ** " + "COMM 109P": { + "prerequisites": [ + "COMM 10" + ], + "name": "MC: Propaganda and Persuasion", + "description": "This course examines forms of communication that affect people\u2019s everyday lives. Focusing on ways that ethnic communities transmit and acquire information and interact with mainstream institutions, we examine a variety of alternative local media, including murals, graffiti, newsletters, and community radio. " }, - "BIMM 116B": { + "COMM 110M": { "prerequisites": [ - "BIPN 100", - "and", - "BIBC 100", - "or", - "BIBC 102", - "or", - "CHEM 114A", - "or", - "CHEM 114B" + "COMM 10" ], - "name": "BioClock Studio", - "description": "Basics of pharmacology such as drug absorption, distribution, metabolism, and elimination. Concepts in toxicology and pharmacognosy are used to survey the major drug categories. " + "name": "LLC: Communication and Community", + "description": "This course examines the interaction of language and culture in human communication. Beginning with language evolution, the course then discusses a broad range of human languages, including indigenous languages, sign languages, and hybrid languages spoken in urban centers. " }, - "BIMM 118": { + "COMM 110P": { "prerequisites": [ - "BILD 3", - "and", - "BIBC 100", - "or", - "BIBC 102", - "or", - "CHEM 114A", - "or", - "CHEM 114B", - "and", - "BIMM 100" + "COMM 10" ], - "name": "Pharmacology", - "description": "A discussion of the structure, growth, physiology, molecular genetics, genomics, and ecology of prokaryotic microorganisms, with emphasis on the genetic and metabolic diversity of bacteria and Archaea and their interactions with hosts and the environment. " + "name": "LLC: Language and Human Communication", + "description": "This course examines the ways in which various communicative channels mediate human action and thought. A basic premise of the course is that human thought is shaped in important ways by the communicative devices used to communicate. There is a particular emphasis on how thought develops, both historically and in the individual. " }, - "BIMM 120": { + "COMM 110T": { "prerequisites": [ - "BILD 1" + "COMM 10" ], - "name": "Microbiology", - "description": "Techniques in microbial physiology, microbial genomics, microbial evolution, and microbial ecology will be used to explore the role of microbes in industry, health, and the environment. Inquiry-based experiments will cover the fundamentals of both working with live microscopic organisms at the bench and bioinformatically analyzing their genomes at the computer. Attendance at the first lecture/lab is required. Nonattendance may result in the student being dropped from the course roster. Material lab fees will apply. " + "name": "LLC: Language, Thought, and Media", + "description": "This course examines the products of culture industries (e.g., music, television, fashion, food, landscape, architectural design) to analyze, specifically, how culture is consumed and by whom. How are spectators hailed and audiences fostered and shaped? And what is the role of audiences in fostering and shaping cultural forms and products? " }, - "BIMM 121": { + "COMM 111A": { "prerequisites": [ - "BIMM 100" + "COMM 10" ], - "name": "Microbiology Laboratory", - "description": "Course will consider the organization and function of prokaryotic genomes including content, DNA supercoiling, histone-like proteins, chromosomal dynamics (short-term and long-term), extrachromosomal elements, bacterial sex, transduction, transformation, mobile elements (transposon), epigenetic change, adaptive and directed mutation, transcription and its regulation, sensory transduction, bacterial differentiation, symbiosis, and pathogenesis. " + "name": "CCP: Communication and Cultural Production: Introduction", + "description": "This course offers an introduction to the production of urban space. Cities are produced by sociocultural shifts wrought by migration, technological changes, new forms of production, globalization, and climate change. How is the landscape or built environment of the city shaped by the combined and often contradictory forces of capital, expert knowledge, social movements, and urban dwellers? " }, - "BIMM 122": { + "COMM 111C": { "prerequisites": [ - "BIBC 100", - "or", - "BIBC 102", - "or", - "CHEM 114A", - "or", - "CHEM 114B" + "COMM 10" ], - "name": "Microbial Genetics", - "description": "Encompasses the increasingly important areas\n\t\t\t\t of viral, bacterial, and parasitic diseases and understanding the complex\n\t\t\t\t interaction between humans and infectious agents. Covers human-pathogen\n\t\t\t\t interactions, mechanisms and molecular principles of infectious diseases,\n\t\t\t\t immune responses, countermeasures by pathogens and hosts, epidemiology,\n\t\t\t\t and cutting-edge approaches to therapy. " + "name": "CCP: Cities and Politics of Space", + "description": "Folklore is characterized by particular styles, forms, and settings. Course introduces a range of folklore genres from different cultures, historical periods, oral narrative, material folk arts, dramas, rituals. Study of the relationship between expressive form and social context. " }, - "BIMM 124": { + "COMM 111F": { "prerequisites": [ - "BIBC 100", - "or", - "BIBC 102", - "or", - "CHEM 114A", - "or", - "CHEM 114B" + "COMM 10" + ], + "name": "CCP: Folklore and Communication", + "description": "An overview of the historical development of popular culture from the early modern period to the present. Also, a review of major theories explaining how popular culture reflects and/or affects patterns of social behavior. " + }, + "COMM 111G": { + "prerequisites": [ + "COMM 10" ], - "name": "Medical Microbiology", - "description": "Prokaryotic cell biology will be discussed primarily from physiological and biochemical standpoints with a focus on conceptual understanding, integration, and mechanism. Topics will vary from year to year but will include the following themes: bioenergetics, cell polarity, cell adhesion, the molecular basis of morphogenesis and differentiation, prokaryotic motility and behavior, rotary and linear molecular machines, bacterial organelles, pheromones and messengers, circadian rhythms, biological warfare, and bioremediation. " + "name": "CCP: Popular Culture", + "description": "Explores performance as a range of aesthetic conventions (theatre, film, performance art) and as a mode of experiencing and conveying cultural identity. Texts include critical writing from anthropology, psychology, linguistics, media studies, as well as film/video, play scripts, live performance. " }, - "BIMM 130": { + "COMM 111P": { "prerequisites": [ - "BILD 1" + "COMM 10" ], - "name": "Microbial Physiology", - "description": "Course considers problems in biology that were solved using quantitative biology approaches. Problems will range from the molecular to the population level. Students will learn about the scientific method and process, and how to apply it. " + "name": "CCP: Performance and Cultural Studies", + "description": "Examine sports as play, performance, competition, an arena where there are politics, culture, power, identity struggles. Establishing the social meanings of sport, we address ethics, race, class, nation, gender, body, science, technology, entertainment industries, commerce, spectatorship, consumption, amateurism, professionalism. " }, - "BIMM 134": { + "COMM 111T": { "prerequisites": [ - "BILD 1", - "and", - "BILD 4", - "or", - "BIEB 123", + "COMM 10", "or", - "BIMM 101" + "HDP 1" ], - "name": "Biology of Cancer", - "description": "Bioinformatics is the analysis of big data in the biosciences. This course provides a hands-on introduction to the computer-based analysis of biomolecular and genomic data. Major topic areas include advances in sequencing technologies, genome resequencing and variation analysis, transcriptomics, structural bioinformatics, and personal genomics. This course will utilize free, web-based bioinformatics tools and no programming skills are required. " + "name": "CCP: Cultural Politics of Sport", + "description": "Our understanding of childhood as a stage of innocence is a modern idea. The idea of childhood has not been constant; different cultures, communities, and classes have shaped the integration of children according to their own standards. We examine the different ways that attitudes toward children have changed, how these attitudes have been connected to an understanding of the human being, and how the desires of society and parents are manifested in what they think the child should be. " }, - "BIMM 140": { + "COMM 112C": { "prerequisites": [ - "BILD 1", - "and", - "BILD 2" + "COMM 10" ], - "name": "Quantitative Principles in Biology", - "description": "Course will provide students with the computational tools and problem-solving skills that are increasingly important to the biosciences. Students learn to program in a modern general-purpose programming language and write their own programs to explore a variety of applications in biology including simulations, sequence analysis, phylogenetics, among others. Students will use their own laptop computers. " + "name": "IM: The Idea of Childhood", + "description": "The interaction of language and culture in human communication. New and old languages, standard and dialect, dominant and endangered are the special focus. Selected languages as examples of how languages exist in contemporary contexts. " }, - "BIMM 143": { + "COMM 112G": { "prerequisites": [ - "CHEM 114A", - "or", - "BIBC 100" + "COMM 10" ], - "name": "Bioinformatics Laboratory", - "description": "The resolution revolution in cryo-electron microscopy has made this a key technology for the high-resolution determination of structures of macromolecular complexes, organelles, and cells.\u00a0The basic principles of transmission electron microscopy, modern cryo-electron microscopy, image acquisition, and 3-D reconstruction will be discussed. Examples from the research literature using this state-of-the-art technology will also be discussed. May be coscheduled with BGGN 262/CHEM 265. Note: Students may not receive credit for both BIMM 162 and CHEM 165. Recommended preparation: PHYS 1C or 2C. " + "name": "IM: Language and Globalization", + "description": "Specialized study of communication topics, to be determined by the instructor, for any given quarter. May be taken for credit three times. " }, - "BIMM 149": { + "COMM 113T": { "prerequisites": [ - "BIBC 100", - "or", - "CHEM 114A" + "COMM 10" ], - "name": "Computation for Biologists", - "description": "An introduction to virus structures, how they are determined,\n and how they facilitate the various stages of the viral life\n cycle from host recognition and entry to replication, assembly,\n release, and transmission to uninfected host cells. " + "name": "Intermediate Topics in Communication", + "description": "Consider \u201cconstitutions\u201d as meaning-making, world-building mechanisms and practices. Explore how constitutions work: as interpretive instruments designed to frame, organize, guide human thought, action, and systems (according to certain rules or principles often represented as divine in origin and universal in effect) and; as ongoing, dynamic interpretative processes that nevertheless congeal in objects, bodies, and social arrangements and are thus considered binding or unalterable. " }, - "BIMM 162": { + "COMM 114C": { "prerequisites": [ - "BILD 70" + "COMM 10" ], - "name": "3-D Cryo-Electron Microscopy of Macromolecules and Cells ", - "description": "Students will characterize the genomic sequence of the organisms isolated in BILD 70 and use molecular and computational tools to resolve ambiguities and close gaps. They will then annotate the DNA sequence to identify protein and RNA coding regions. Renumbered from BIMM 171B. Students may not receive credit for BIMM 170 and BIMM 171B. Material lab fees will apply. " + "name": "CSI: On Constitutions", + "description": "Does \u201cnew media\u201d deliver on its promise to expand access to public participation? We will analyze, produce, and counter narratives about media, youth, and democracy. The course should interest students who care about politics, human development, community engagement, or human computer interaction. " }, - "BIMM 164": { + "COMM 114D": { "prerequisites": [ - "BICD 100", - "and", - "BIMM 100" + "COMM 10" ], - "name": "Structural Biology of Viruses", - "description": "Genomes are the immortal agents of evolution, passing from one individual to another in an unbroken line since the origin of life. This course explores the structure of genomes, the functions of its parts on a genome scale, the mechanisms of genome change, and the applications of genomic methods and knowledge. " + "name": "CSI: New Media, Youth, and Democracy", + "description": "This course introduces students to different theories of globalization and of gender. Against this theoretical background, students critically examine the gendered (and racialized) nature of labor in the production of material, social, and cultural goods in the global economy. " }, - "BIMM 170": { + "COMM 114E": { "prerequisites": [ - "BILD 1", - "and", - "BILD 4", + "COMM 10", "or", - "BIMM 101" + "DOC 2", + "or", + "POLI 40" ], - "name": "\t\t\t\t Genomics Research Initiative Laboratory II", - "description": "Imagine a world in which you can input your lifestyle and genomic information into an app to obtain personalized health recommendations. This world is not thirty years in the future but beginning to unfold now. Course reviews how genomic advances are revolutionizing health care. Includes recent developments in personalized medicine, disease screening, targeted immunotherapy, pharmacogenomics, and our emerging understanding of how microbiome and epigenetic factors impact health. " + "name": "CSI: Gender, Labor, and Culture in the Global Economy", + "description": "Examination of the legal framework of freedom of expression in the United States. Covers fundamentals of First Amendment law studying key cases in historical content. Prior restraint, incitement, obscenity, libel, fighting words, public forum, campaign finance, commercial speech, and hate speech are covered. " }, - "BIMM 172": { + "COMM 114F": { "prerequisites": [ - "CSE 100", - "or", - "MATH 176", - "CSE 101", - "or", - "MATH 188", - "BIMM 100", - "or", - "CHEM 114C" + "COMM 10" ], - "name": "Genome Science", - "description": "This course covers the analysis of nucleic acid and protein sequences, with an emphasis on the application of algorithms to biological problems. Topics include sequence alignments, database searching, comparative genomics, and phylogenetic and clustering analyses. Pairwise alignment, multiple alignment, DNA sequencing, scoring functions, fast database search, comparative genomics, clustering, phylogenetic trees, gene finding/DNA statistics. This course open to bioinformatics majors only. " + "name": "CSI: Law, Communication, and Freedom of Expression", + "description": "This course will focus on arguments about cognitive differences between men and women in science. We will review current arguments about essential differences, historical beliefs about gender attributes and cognitive ability, and gender socialization into patterns of learning in school. " }, - "BIMM 174": { + "COMM 114G": { "prerequisites": [ - "CSE 100", - "or", - "MATH 176" + "COMM 10" ], - "name": "Genomics, Big Data, and Human Health", - "description": "This course provides an introduction to the features of biological data, how that data is organized efficiently in databases, and how existing data resources can be utilized to solve a variety of biological problems. Object-oriented databases, data modeling and description, survey of current biological database with respect to above, implementation of database focused on a biological topic. This course open to bioinformatics majors only. " + "name": "CSI: Gender and Science", + "description": "Course explores the roles of media technologies in activist campaigns, social movements. Blending theory, historical case studies, and project-based group work, students will investigate possibilities and limitations of attempts to enroll new and old media technologies in collective efforts to make social change. " }, - "BIMM 181": { + "COMM 114I": { "prerequisites": [ - "BIMM 181", - "or", - "BENG 181", - "or", - "CSE 181", - "BIMM 182", - "or", - "BENG 182", - "or", - "CSE 182", - "or", - "CHEM 182" + "COMM 10" ], - "name": "Molecular Sequence Analysis", - "description": "This advanced course covers the application\n\t\t\t\t of machine learning and modeling techniques to biological systems.\n\t\t\t\t Topics include gene structure, recognition of DNA and protein\n\t\t\t\t sequence patterns, classification, and protein structure prediction. Pattern\n\t\t\t\t discovery, hidden Markov models/support vector machines/neural network/profiles,\n\t\t\t\t protein structure prediction, functional characterization of\n\t\t\t\t proteins, functional genomics/proteomics, metabolic pathways/gene networks.\t\t\t\t " + "name": "CSI: Media Technologies and Social Movements", + "description": "Examine food justice from multiple analytical and theoretical perspectives: race, class, diversity, equity, legal-institutional, business, ethical, ecological, scientific, cultural, and socio-technical. Compare political strategies of food justice organizations/movements aimed at creating healthy and sustainable food systems locally and globally.\u00a0" }, - "BIMM 182": { + "COMM 114J": { + "prerequisites": [], + "name": "CSI: Food Justice", + "description": "Specialized study in community-based and/or participatory design research with topics to be determined by the instructor, for any given quarter. Students who choose the option to do fieldwork for any given course, need to register for COMM 114K. May be taken for credit three times. " + }, + "COMM 114K": { "prerequisites": [ - "BIMM 181", - "or", - "BENG 181", - "or", - "CSE 181", - "BIMM 182", - "or", - "BENG 182", - "or", - "CSE 182", - "BENG 183", - "BIMM 184", - "or", - "BENG 184", - "or", - "CSE 184" + "COMM 10" ], - "name": "Biological Databases", - "description": "This course emphasizes the hands-on application\n\t\t\t\t of bioinformatics methods to biological problems. Students\n\t\t\t\t will gain experience in the application of existing software, as well as\n\t\t\t\t in combining approaches to answer specific biological questions. Sequence\n\t\t\t\t alignment, fast database search, profiles and motifs, comparative\n\t\t\t\t genomics, gene finding, phylogenetic trees, protein structure, functional\n\t\t\t\t characterization of proteins, expression analysis, computational proteomics.\n\t\t\t\t This course open to bioinformatics majors only. " + "name": "CSI: Community Fieldwork", + "description": "Using classic and modern texts, the course explores fundamental questions of law and political theory: What are rights and where do they come from? What is the balance between freedom and equality, between individual and common goods? These theoretical explorations are then oriented to specifically communication concerns: What is the relationship between privacy and personhood? Between free speech and democracy? Between intellectual property and efficient markets? " }, - "BIMM 184": { + "COMM 114M": { "prerequisites": [ - "BIMM 100" + "COMM 10" ], - "name": "Computational Molecular Biology", - "description": "Course will vary in title and content. Students are expected to actively participate in course discussions, read, and analyze primary literature. Current descriptions and subtitles may be found on the Schedule of Classes and the Division of Biological Sciences website. Students may receive credit in 194 courses a total of four times as topics vary. Students may not receive credit for the same topic. " + "name": "CSI: Communication and the Law", + "description": "This course concentrates on one area of law specific to the concerns of communication: the relationship between privacy, personhood, and bodily autonomy. Using a combination of legal texts, court cases, and theoretical literature, we will consider the changing nature of each dimension of this relationship as the courts have been called upon to adjudicate conflicting claims and visions in matters of reproduction, sexual identity, genetic engineering, and the commodification of body parts. " }, - "BIMM 185": { + "COMM 114N": { "prerequisites": [ - "BILD 1", - "and", - "BILD 2" + "COMM 10" ], - "name": "Bioinformatics Laboratory", - "description": "Course introduces the concepts of physiological regulation, controlled and integrated by the nervous and endocrine systems. Course then examines the muscular, cardiovascular, and renal systems in detail and considers their control through the interaction of nervous activity and hormones. Note: Students may not receive credit for both BIPN 100 and BENG 140A. " + "name": "CSI: Communication and the Law: The Body in Law", + "description": "This course will explore the role that \u201cpublic history\u201d\u2014history as created for general audiences\u2014plays in communicating cultural and national identities by examining museum exhibitions, their controversies, and how material objects mediate interpretations of the past. " }, - "BIMM 194": { + "COMM 114P": { "prerequisites": [ - "BIPN 100" + "COMM 10" ], - "name": "Advanced Topics in Modern Biology: Molecular Biology", - "description": "Course completes a survey of organ systems begun in BIPN 100 by considering the respiratory and gastrointestinal systems. Consideration is given to interactions of these systems in weight and temperature regulation, exercise physiology, stress, and pregnancy and reproduction. Note: Students may not receive credit for both BIPN 102 and BENG 140B. " + "name": "CSI: Public History and Museum Studies", + "description": "Examine science communication as a profession and unique form of storytelling. Identify who does science communication, how, why, and with what impacts. Highlight science communication\u2019s role in democracy, power, public reason, technological trajectories, the sustainability transition, and shifting university-community relations. " }, - "BIPN 100": { + "COMM 114T": { "prerequisites": [ - "BILD 2", - "CHEM 6A-B-C" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Human Physiology I", - "description": "This course examines the physiological adaptation\n\t\t\t\t of animals, invertebrates and vertebrates, to their particular environmental\n\t\t\t\t and behavioral niches. Structural, functional, and molecular adaptations\n\t\t\t of the basic organ systems are discussed. " + "name": "CSI: Science Communication", + "description": "Analyze forms of social issue media production, photography, audio/radio, arts, crafts, web, print zines, political documentary. Students work with several forms of media making: video, audio, web design, and a project in their chosen format. " }, - "BIPN 102": { + "COMM 120I": { "prerequisites": [ - "BIPN 100", + "COMM 10", "and", - "BIBC 102", - "or", - "CHEM 114B" + "COMM 100A" ], - "name": "Human Physiology II", - "description": "Course addresses the human body\u2019s response to exercise, addressing energy metabolism and the effects of both acute and chronic exercise on function in several important organ systems. Designing training regimes and the role of exercise in health will be considered. " + "name": "AMP: Social Issues in Media Production", + "description": "An examination of how the media present society\u2019s members and activities in stereotypical formats. Reasons for and consequences of this presentation are examined. Student responsibilities will be (a) participation in measurement and analysis of stereotype presentations. (b) investigating techniques for assessing both cognitive and behavioral effects of such scripted presentations on the users of media. Students will not receive credit for COMT 105 and COMM 120M. " }, - "BIPN 105": { + "COMM 120M": { "prerequisites": [ - "BIPN 100" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Animal Physiology Lab", - "description": "Normal function and diseases of the major hormone systems of the body including the hypothalamus/pituitary axis, the thyroid gland, reproduction and sexual development, metabolism and the pancreas, bone and calcium metabolism, and the adrenal glands. Students may not receive credit for both BIPN 120 and BICD 150. " + "name": "AMP: Media Stereotypes", + "description": "Designed for students working in student news organizations or off-campus internships or jobs in news, public relations, or public information. A workshop in news writing and news analysis. " }, - "BIPN 106": { + "COMM 120N": { "prerequisites": [ - "BIPN 100" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Comparative Physiology", - "description": "Course focuses on physiological aspects of the human reproductive systems. Emphasis will be on cellular and systems physiology. Topics will include: reproductive endocrinology, gametogenesis, fertilization and implantation, pregnancy and parturition, development of reproductive systems, and reproductive pathologies. Students may not receive credit for both BIPN 134 and BICD 134. " + "name": "AMP: News Media Workshop", + "description": "This course develops critical understanding of educational uses of digital media through firsthand experience in public educational settings, and readings/discussions of challenges, benefits, and pitfalls of educational applications of media technology. Three hours/week of fieldwork required. " }, - "BIPN 108": { + "COMM 120P": { "prerequisites": [ - "BILD 1", + "COMM 10", "and", - "BILD 2" + "COMM 100A" + ], + "name": "AMP: Digital Media in Education", + "description": "Practice, history, and theory of writing for digital media. Text combines with images, sounds, movement, and interaction. New network technologies (email, blogs, wikis, and virtual worlds) create new audience relationships. Computational processes enable texts that are dynamically configured and more. " + }, + "COMM 120W": { + "prerequisites": [ + "COMM 10", + "or", + "COGS 1", + "or", + "ESYS 10", + "or", + "POLI 10", + "or", + "POLI 10D", + "or", + "USP 1" ], - "name": "Biology and Medicine of Exercise", - "description": "This course covers the biophysics of the resting and active membranes of nerve cells. It also covers the mechanisms of sensory transduction and neuromodulation, as well as the molecular basis of nerve cell function. " + "name": "AMP: Writing for Digital Media", + "description": "Hands-on course introduces design as political activity. How will differently designed objects, environments perpetuate, interrupt status quo. Examine design, architecture, media activism, workday life. Examine ambiguous problems, take and give feedback, create prototypes to engage communities, broader publics. Students see design as part of longer-term social transformations. " }, - "BIPN 120": { + "COMM 124A": { "prerequisites": [ - "BIPN 100", - "or", - "BIPN 140" + "COMM 124A" ], - "name": "Endocrinology", - "description": "Course will cover integrated networks of nerve cells, including simple circuits like those involved in spinal reflexes.\u00a0Course will study how information and motor output is integrated and processed in the brain. Course will also discuss higher-level neural processing. " - }, - "BIPN 134": { - "prerequisites": [], - "name": "Human Reproduction", - "description": "Molecular basis of neuronal cell fate determination, axon pathfinding, synaptogenesis experience-based refinement of connections, and learning in the brain will be examined. " + "name": "Critical Design Practice/Advanced Studio", + "description": "Course builds on understanding design as political activity. Group work to design quarter-long projects that explore political role of design, include design in built environments, organizations, media technologies. Deepened capacities to design in public, for publics, with publics. May be taken for credit three times. " }, - "BIPN 140": { + "COMM 124B": { "prerequisites": [ - "BILD 2", - "and", - "BILD 4", + "COMM 10", "and", - "MATH 11" + "COMM 100A" ], - "name": "Cellular Neurobiology", - "description": "Students will gain experience with an array of methods used in modern neurobiology, including electrophysiology, optogenetics, and big data analysis. This laboratory course begins with the electric and chemical underpinnings of the nervous system and then dives into innovative techniques that we can use to study and change it. Attendance at the first lecture/lab is required. Nonattendance may result in the student being dropped from the course roster. Material lab fee will apply. " + "name": "Critical Design Practice/Topic Studio", + "description": "A course that analyzes the influence of media on children\u2019s behavior and thought processes. The course takes a historical perspective, beginning with children\u2019s print literature, encompassing movies, music, television, and computers. Students will study specific examples of media products intended for children and apply various analytic techniques, including content analysis and experimentation to these materials. " }, - "BIPN 142": { + "COMM 126": { "prerequisites": [ - "BILD 2", - "and", - "MATH 10A", - "or", - "MATH 20A", - "and", - "MATH 10B", - "or", - "MATH 20B", + "COMM 10", "and", - "MATH 11" + "COMM 100A" ], - "name": "Systems Neurobiology", - "description": "Biophysical models of neurons and small neural circuits, including ion channels, synapses, dendrites, and neuromodulators. Analysis of neurons as nonlinear dynamical systems. This course and BIPN 147 are taught in alternate years. " + "name": "Children and Media", + "description": "This course will explore the problem of self-expression for members of various ethnic and cultural groups. Of special interest is how writers find ways of describing themselves in the face of others\u2019 sometimes overwhelming predilection to describe them. " }, - "BIPN 144": { + "COMM 127": { "prerequisites": [ - "BILD 2", - "and", - "MATH 10A", - "or", - "MATH 20A", - "and", - "MATH 10B", - "or", - "MATH 20B", + "COMM 10", "and", - "MATH 11" + "COMM 100A" ], - "name": "Developmental Neurobiology", - "description": "Models of neural coding and computation in the olfactory, visual, auditory, and somatosensory systems. Models of the motor system including central pattern generators, reinforcement learning, and motor cortex. Models of memory systems including working memory, long term memory, and memory consolidation. This course and BIPN 146 are taught in alternate years. " + "name": "Problem of Voice", + "description": "How does media representation of race, nation, and violence work? Taking multicultural California as our site, we will explore how social power is embedded in a variety of visual texts, and how media not only represents but also reproduces conflict. " }, - "BIPN 145": { + "COMM 129": { "prerequisites": [ - "BIPN 100" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Neurobiology Laboratory", - "description": "Course will explore cellular and molecular mechanisms that underlie learning and memory. Topics will include synapse formation and synaptic plasticity, neurotransmitter systems and their receptors, mechanisms of synaptic modification, and effect of experience on neuronal connectivity, and gene expression. " + "name": "Race, Nation, and Violence in Multicultural California", + "description": "Emergence of dissent in different societies, and relationship of dissent to movements of protest and social change. Movements studied include media concentration, antiwar, antiglobalization, death penalty, national liberation, and labor. Survey of dissenting voices seeking to explain the relationship of ideas to collective action and outcomes. " }, - "BIPN 146": { + "COMM 131": { "prerequisites": [ - "BICD 100", + "COMM 10", "and", - "BIBC 102", - "or", - "CHEM 114B" + "COMM 100A" ], - "name": "Computational Cellular Neurobiology", - "description": "Course will be taught from a research perspective, highlighting the biological pathways impacted by different neurological diseases. Each disease covered will be used to illustrate a key molecular/cellular pathway involved in proper neurological function. " + "name": "Communication, Dissent, and the Formation of Social Movements", + "description": "Specialized study of communication, politics, and society with topics to be determined by the instructor for any given quarter. May be taken for credit three times. " }, - "BIPN 147": { + "COMM 132": { "prerequisites": [ - "BIPN 100" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Computational Systems Neurobiology", - "description": "Covers the clinical symptoms, treatment, and molecular mechanisms of neurological, neurodevelopmental, and neuropsychiatric disorders. Emphasis on understanding methods and developing the ability to read and evaluate the scientific literature. " + "name": "Advanced Topics in Communication, Politics, and Society", + "description": "Television is a contested site for negotiating the rationales of inclusion and exclusion associated with citizenship and national belonging. Historical and contemporary case studies within international comparative contexts consider regulation, civil rights, cultural difference, social movements, new technologies, and globalization. " }, - "BIPN 148": { + "COMM 133": { "prerequisites": [ - "BILD 1", + "COMM 10", "and", - "BILD 2" + "COMM 100A" ], - "name": "Cellular Basis of Learning and Memory", - "description": "The course will cover a broad anatomical and functional description of the human nervous system and explore evidence implicating key brain areas in specific functions. This course will discuss modern techniques and the use of model organisms for dissecting the anatomical organization of the brain. " + "name": "Television and Citizenship", + "description": "Examines the complex relationship between mass media and the consumers and viewers they target. This course covers theories about audiences, reading practices of audiences, the economics of audiences, and the role of audiences in the digital era. " }, - "BIPN 150": { + "COMM 134": { "prerequisites": [ - "BILD 2", - "or", - "PSYC 102", - "or", - "PSYC 106" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Diseases of the Nervous System", - "description": "This course provides a survey of natural behaviors, including birdsong, prey capture, localization, electroreception and echolocation, and the neural systems that control them, emphasizing broad fundamental relationships between brain and behavior across species. Note: Students may not receive credit for PSYC 189 and BIPN 189. " + "name": "Media Audiences", + "description": "This advanced course examines, analyzes, and discusses media works by contemporary Asian American, Native American, African American, and Latina/o American filmmakers. The course does not offer a historical survey of films by minority makers but rather will operate on themes such as cultural identity, urbanization, personal relationships, gender relations, cultural retentions, and music. The course will require students to attend some off-campus screenings, especially those at area film festivals. " }, - "BIPN 152": { + "COMM 135": { "prerequisites": [ - "BIPN 100", - "or", - "BIPN 140" + "COMM 10", + "and", + "COMM 100A" ], - "name": "The Healthy and Diseased Brain", - "description": "Course will vary in title and content. Students are expected to actively participate in course discussions, read, and analyze primary literature. Current descriptions and subtitles may be found on the Schedule of Classes and the Division of Biological Sciences website. Students may receive credit in 194 courses a total of four times as topics vary. Students may not receive credit for the same topic. " + "name": "Contemporary Minority Media Makers and the Festival Experience", + "description": "Transmedia is a mode of production in which a text or story unfolds across multiple media platforms. Exploring all the facets of this widespread phenomenon\u2014historical, aesthetic, industrial, theoretical, and practical. This course explores and critically analyzes the art and economics of contemporary transmedia. " }, - "BIPN 160": { + "COMM 136": { "prerequisites": [ - "BILD 1", + "COMM 10", "and", - "BILD 2" + "COMM 100A" ], - "name": "Neuroanatomy", - "description": "Course will examine different aspects of a current topic in biology and will include several speakers. Each speaker will introduce the scientific foundation of the chosen theme (\u201cbench\u201d), describe practical applications of their subject (\u201cbedside\u201d), and consider social and ethical implications of the topic (\u201cbeyond\u201d). The theme of the course will vary from year to year, and speakers will come from a variety of disciplines relevant to the theme. May be taken for credit three times. " - }, - "BIPN 189": { - "prerequisites": [], - "name": "Brain, Behavior, and Evolution", - "description": "Course is designed to assist new transfers in making a smooth and informed transition from community college.\u00a0Lectures focus on study skills, academic planning and using divisional and campus resources to help achieve academic, personal and professional goals. Exercises and practicums will develop the problem-solving skills needed to succeed in biology. Attention will be given to research possibilities. Intended for new transfers. " - }, - "BIPN 194": { - "prerequisites": [], - "name": "Advanced Topics in Modern Biology: Physiology and Neuroscience", - "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in biology (at the upper-division level). Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" - }, - "BISP 170": { - "prerequisites": [], - "name": "Bioscholars Seminar: From Bench to Bedside and Beyond", - "description": "Individual research on a problem in biology education by special arrangement with and under the direction of a faculty member. Projects are expected to involve novel research that examines issues in biology education such as the science of learning, evidence of effective teaching, and equity and inclusion in the classroom. P/PN grades only. May be taken for credit five times. ** Department approval required ** " + "name": "Transmedia", + "description": "Students examine film and video media produced by black women filmmakers worldwide. This course will use readings from the writings of the filmmakers themselves as well as from film studies, women\u2019s studies, literature, sociology, and history. " }, - "BISP 191": { + "COMM 137": { "prerequisites": [ - "BICD 100" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Biology Transfers: Strategies for Success", - "description": "Course will vary in title and content. Students are expected to actively participate in course discussions, read, and analyze primary literature. Current descriptions and subtitles may be found on the Schedule of Classes and the Division of Biological Sciences website. Students may receive credit in 194 courses a total of four times as topics vary. Students may not receive credit for the same topic. " - }, - "BISP 192": { - "prerequisites": [], - "name": "Senior Seminar in Biology", - "description": "Course for student participants in the senior Honors thesis research program. Students complete individual research on a problem by special arrangement with, and under the direction of, a faculty member. Projects are expected to involve primary, experimental/analytical approaches that augment training in basic biology and that echo the curricular focus of the Division of Biological Sciences. P/NP grades only. May be taken for credit three times. Research to be approved by Honors thesis faculty adviser via application.\u00a0Note: Students must apply to the division via the online system. For complete details, applications, and deadlines, please consult the Division of Biological Sciences website. Application deadlines are strictly enforced. ** Department approval required ** " - }, - "BISP 193": { - "prerequisites": [], - "name": "Biology Education Research", - "description": "Individual research on a problem by special arrangement with, and under the direction of, a UC San Diego faculty member and a selected researcher in industry or at a research institution. Projects are expected to involve primary, experimental/analytical approaches that augment training in basic biology and that echo the curricular focus of the Division of Biological Sciences. Application deadlines are strictly enforced. Consult the Division of Biological Sciences website for deadlines. Students must comply with all risk management policies/procedures. P/NP grades only. May be taken for credit three times. ** Department approval required ** " - }, - "BISP 194": { - "prerequisites": [], - "name": "Advanced Topics in Modern Biology", - "description": "Investigation of a topic in biological sciences through directed reading and discussion by a small group of students under the supervision of a faculty member. P/NP grades only. May be taken for credit two times. ** Department approval required ** " - }, - "BISP 195": { - "prerequisites": [], - "name": "Undergraduate Instructional Apprenticeship in Biological Sciences ", - "description": "Individual research on a problem by special arrangement with, and under the direction of, a faculty member. Projects are expected to involve primary, experimental/analytical approaches that augment training in basic biology and that echo the curricular focus of the Division of Biological Sciences. P/NP grades only. May be taken for credit five times. Note: Students must apply to the division via the online system. For complete details, applications, and deadlines, please consult the Division of Biological Sciences website. Application deadlines are strictly enforced. ** Department approval required ** " - }, - "BISP 196": { - "prerequisites": [], - "name": "Honors Thesis in Biological Sciences", - "description": "Course will cover fundamental\n issues in academia, including campus resources, research design,\n ethical issues in research, scientific publishing and review,\n grant preparation, etc. Required of all first-year doctoral students\n in the Division of Biological Sciences. S/U grades only. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "BISP 197": { - "prerequisites": [], - "name": "Biology Internship Program", - "description": "Introduction to the computational methods most frequently used in neuroscience research. Aimed at first-year graduate students in neuroscience and related disciplines. Minimal quantitative background will be assumed. Topics include Poisson processes, Markov Chains, auto- and cross-correlation analysis, Fourier/Spectral analysis, principal components/linear algebra, signal detection theory, information theory, Bayes Theorem, hypothesis testing. Nongraduate students may enroll with consent of instructor. ** Consent of instructor to enroll possible **" - }, - "BISP 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "Discussions cover professional preparation for future scientists. Topics include how to read/write/publish papers, to write grant and fellowship proposals, to give oral presentations, and how to apply for research positions. Behind-the-scenes look at reviewing papers, grant and fellowship proposals. Discussions of career options in biological sciences will be included. Scientific content is in the area of eukaryotic gene expression, but knowledge is applicable to all areas of biology. Undergraduate students with senior standing may enroll with consent of instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "BISP 199": { - "prerequisites": [], - "name": "Individual Research for Undergraduates", - "description": "The course teaches different topics on theory and key concepts in ecology, behavior, and evolution. Students will read materials in depth, attend weekly discussions, and explore relevant topics, theories, and models with advanced analytical tools. S/U grades only. May be taken for credit three times when topics vary." - }, - "CHIN 10AN": { - "prerequisites": [], - "name": "First Year Chinese\u2014Nonnative speakers I", - "description": "Introductory course of basic Chinese\n for students with no background in Chinese. First quarter of a one-year\n curriculum for entry-level Chinese in communicative skills. Covers\n pronunciation, fundamentals of Chinese grammar, and vocabulary. Topics\n include greetings, family affairs, numbers, and daily exchanges.\n Students may not receive duplicate credit for CHIN 11 and CHIN 10AN.\n " - }, - "CHIN\n 10AM": { - "prerequisites": [], - "name": "First Year Chinese\u2014Mandarin speakers I", - "description": "Introductory course of basic Chinese\n for students with background in Mandarin Chinese. First quarter of\n one-year curriculum for entry-level Chinese in communicative skills.\n Covers pronunciation, fundamentals of Chinese grammar, and vocabulary.\n Topics include greetings, family affairs, numbers, and daily exchanges.\n Students may not receive duplicate credit for CHIN 11 and CHIN 10AM.\n " - }, - "CHIN 10AD": { - "prerequisites": [], - "name": "First Year Chinese\u2014Dialect speakers I", - "description": "Introductory course of basic Chinese\n for students with background in a dialect of Chinese. First quarter\n of one-year curriculum for entry-level Chinese in communicative skills.\n Covers pronunciation, fundamentals of Chinese grammar, and vocabulary.\n Topics include greetings, family affairs, numbers, and daily exchanges.\n Students may not receive duplicate credit for CHIN 11 and CHIN 10AD.\n " + "name": "Black Women Filmmakers", + "description": "This course examines the challenges that arise in using feminist theory to understand black women\u2019s experience in Africa and the United States. It also looks at the mass media and popular culture as arenas of black feminist struggle. " }, - "CHIN 10BN": { + "COMM 138": { "prerequisites": [ - "CHIN 11", - "CHIN 10AN" + "COMM 10", + "and", + "COMM 100A" ], - "name": "First Year Chinese\u2014Nonnative speakers II", - "description": "Continuation of basic Chinese for students\n with no background in Chinese. Second course of one-year curriculum\n for entry-level Chinese communicative skills. Covers pronunciation,\n more elaborate grammar, and vocabulary. Focus on goal-oriented tasks:\n school life, shopping, and transportation. Students may not receive\n duplicate credit for CHIN 12 and CHIN 10BN. " + "name": "Black Women, Feminism, and Media", + "description": "Analysis of the changing content and sociopolitical role in Latin America of contemporary media, including the \u201cnew cinema\u201d movement, recent developments in film, and popular television programming, including the telenovela. Examples drawn from Mexico, Brazil, Cuba, and other countries. " }, - "CHIN 10BM": { + "COMM 140": { "prerequisites": [ - "CHIN 11", - "CHIN 10AM" + "COMM 10", + "and", + "COMM 100A" ], - "name": "First Year Chinese\u2014Mandarin speakers II", - "description": "Continuation introduction of basic\n Chinese for students with background in Mandarin Chinese. Second\n course of one-year curriculum for entry-level Chinese communicative\n skills. Covers pronunciation, more elaborate Chinese grammar, and\n expanded vocabulary. Focus on goal-oriented tasks such as school\n life, shopping, and transportation. Students may not receive duplicate\n credit for CHIN 12 and CHIN 10BM. " + "name": "Cinema in Latin America", + "description": "Focuses on science fiction\u2019s critical investigation of history, identity, and society across a range of media forms, including film, television, and literature. " }, - "CHIN 10BD": { + "COMM 143": { "prerequisites": [ - "CHIN 11", - "CHIN 10AM" + "COMM 10", + "and", + "COMM 100A" ], - "name": "First Year Chinese\u2014Dialect speakers II", - "description": "Continuation introduction of basic\n Chinese for students with background in a dialect of Chinese. Second\n course of one-year curriculum for entry-level Chinese communicative\n skills. Covers pronunciation, more elaborate Chinese grammar, and\n expanded vocabulary. Focus on goal-oriented tasks such as school\n life, shopping, and transportation. Students may not receive duplicate\n credit for CHIN 12 and CHIN 10BD. " + "name": "Science Fiction", + "description": "Course will explore the politics and culture of the 1970s through the lens of network television programming and the decade\u2019s most provocative sitcoms, dramas, variety shows, and news features. Students will analyze television episodes and read relevant media studies scholarship. " }, - "CHIN 10CN": { + "COMM 144": { "prerequisites": [ - "CHIN 12", - "CHIN 10BN" + "COMM 10", + "and", + "COMM 100A" ], - "name": "First Year Chinese\u2014Nonnative speakers III", - "description": "Continuation course of basic Chinese\n for students with no background in Chinese. Third course of one-year\n curriculum for entry-level Chinese communicative skills. Expansion\n on pronunciation and more elaborate Chinese grammar and increasing\n vocabulary. Topics include dining, direction, and social life. Students\n may not receive duplicate credit for CHIN 13 and CHIN 10CN. " + "name": "American Television in the 1970s", + "description": "What role does popular culture play in shaping and creating our shared memory of the past? The course examines diverse sources such as school textbooks, monuments, holidays and commemorations, museums, films, music, and tourist attractions. " }, - "CHIN 10CM": { + "COMM 145": { "prerequisites": [ - "CHIN 12", - "CHIN 10BM" + "COMM 10", + "and", + "COMM 100A" ], - "name": "First Year Chinese\u2014Mandarin speakers III", - "description": "Further continuation course of basic\n Chinese for students with background in Mandarin Chinese. Third course\n of one-year curriculum for entry-level Chinese communicative skills.\n Expansion on pronunciation and more elaborate Chinese grammar and\n increasing vocabulary. Topics include dining, direction, and social\n life. Students may not receive duplicate credit for CHIN 13 and CHIN\n 10CM. " + "name": "History, Memory, and Popular Culture", + "description": "Specialized advanced study in cultural production with topics to be determined by the instructor for any given quarter. May be taken for credit three times. " }, - "CHIN 10CD": { + "COMM 146": { "prerequisites": [ - "CHIN 12", - "CHIN 10BD" + "COMM 10", + "and", + "COMM 100A" ], - "name": "First Year Chinese\u2014Dialect speakers III", - "description": "Further continuation course of basic\n Chinese for students with background in a dialect of Chinese. Third\n course of one-year curriculum for entry-level Chinese communicative\n skills. Expansion on pronunciation and more elaborate Chinese grammar\n and increasing vocabulary. Topics include dining, direction, and\n social life. Students may not receive duplicate credit for CHIN 13\n and CHIN 10CD. " + "name": "Advanced Topics in Cultural Production", + "description": "Analysis of the forces propelling the Information Age. An examination of the differential benefits and costs, and a discussion of the presentation in the general media of the Information Age. " }, - "CHIN 20AN": { + "COMM 151": { "prerequisites": [ - "CHIN 13", - "CHIN 10CN", - "and" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Second Year Chinese\u2014Nonnative speakers I", - "description": "Second year of basic Chinese for students with no background. First\n course of second year of a one-year curriculum for Chinese in intermediate\n communicative skills. Covers sentence structure, idiomatic expression,\n development of listening, speaking, reading, and written competence\n in Chinese. Topics include sports, travel, and special events. Students\n may not receive duplicate credit for both CHIN 21 and CHIN 20AN. ** Exam placement options to enroll possible ** " + "name": "The Information Age: Fact and Fiction", + "description": "This course examines how buildings, cities, towns, gardens, neighborhoods, roads, bridges, and other bits of infrastructure communicate. We consider both the materiality and language like properties of physical things in order to understand how built environments are represented, experienced, and remembered. " }, - "CHIN 20AM": { + "COMM 153": { "prerequisites": [ - "CHIN 13", - "CHIN 10CM", - "and" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Second Year Chinese\u2014Mandarin speakers I", - "description": "Second year of basic Chinese for students with background in Mandarin.\n First course of second year of one-year curriculum for Chinese in intermediate\n communicative skills. Covers sentence structure and idiomatic expression,\n development of listening, speaking, reading, and written competence.\n Topics include sports, travel, and special events. Students may not\n receive duplicate credit for both CHIN 21 and CHIN 20AM. ** Exam placement options to enroll possible ** " + "name": "Architecture as Communication", + "description": "Develop a critical understanding of the history, politics, and poetics of the Latino barrio as a distinct urban form. Course covers key concepts such as the production of space, landscapes of power, spatial apartheid, everyday urbanism, urban renewal, and gentrification. " }, - "CHIN 20AD": { + "COMM 155": { "prerequisites": [ - "CHIN 13", - "CHIN 10CD", - "and" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Second Year Chinese\u2014Dialect speakers I", - "description": "Second year of basic Chinese for students with background in a\n dialect of Chinese. First course of second year of one-year curriculum\n for Chinese in intermediate communicative skills. Covers sentence\n structure and idiomatic expression, development of listening, speaking,\n reading, and written competence in Chinese. Topics include sports,\n travel, and special events. Students may not receive duplicate credit\n for both CHIN 21 and CHIN 20AD. ** Exam placement options to enroll possible ** " + "name": "Latinx Space, Place, and Culture", + "description": "The conflict between the state of Israel and the group of people known as Palestinians is arguably the most intractable conflict in the world today. This course is a critical engagement with debates about this conflict, and the different representations of these debates. " }, - "CHIN 20BN": { + "COMM 158": { "prerequisites": [ - "CHIN 21", - "CHIN 20AN", - "and" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Second Year Chinese\u2014Nonnative speakers II", - "description": "Continuation of second year of basic Chinese for students with\n no background. Second course of one-year curriculum for Chinese intermediate\n communicative skills. Covers sentence structure and idiomatic expressions,\n development of listening, speaking, reading and written competence\n in Chinese. Topics focus on China, population and other nationalities.\n Students may not receive duplicate credit for both CHIN 22 and CHIN\n 20BN. ** Exam placement options to enroll possible ** " + "name": "Representations of the Israeli/Palestinian Conflict", + "description": "Explores tourism encounters around the world to question the discourses, imaginaries, and social practices involved in the construction, consumption, and reproduction of stereotypical representations of otherness (place, nature, culture, bodies). " }, - "CHIN 20BM": { + "COMM 159": { "prerequisites": [ - "CHIN 21", - "CHIN 20AD", - "and" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Second Year Chinese\u2014Mandarin speakers II", - "description": "Continuation of second year of basic Chinese for students with\n background in a dialect of Chinese. Second course of one-year curriculum\n for Chinese intermediate communicative skills. Covers sentence structure\n and idiomatic expressions, development of listening, speaking, reading,\n and written competence in Chinese. Topics focus on China, population,\n and other nationalities. Students may not receive duplicate credit\n for both CHIN 22 and CHIN 20BD. ** Exam placement options to enroll possible ** " + "name": "Tourism, Power, and Place ", + "description": "The character and forms of international communications. Emerging structures of international communications. The United States as the foremost international communicator. Differential impacts of the free flow of information and the unequal roles and needs of developed and developing economies in international communications. " }, - "CHIN 20BD": { + "COMM 160": { "prerequisites": [ - "CHIN 22", - "CHIN 20BN", - "and" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Second Year Chinese\u2014Dialect speakers II", - "description": "Final course of second year Chinese for students with no background.\n Third course of a one-year curriculum for Chinese intermediate communicative\n skills. Expansion on pronunciation and more elaborate Chinese grammar\n and increasing vocabulary. Topics include food, physical actions, and\n culture. Students may not receive duplicate credit for both CHIN 23\n and CHIN 20CN. ** Exam placement options to enroll possible ** " + "name": "Political Economy and International Communication", + "description": "We examine how people interact with products of popular culture, production of cultural goods by looking at conditions in cultural industries. We examine film, music, publishing, focusing on how production is organized, what kind of working conditions arise, how products are distributed. " }, - "CHIN 20CN": { + "COMM 162": { "prerequisites": [ - "CHIN 22", - "CHIN 20BM", - "and" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Second Year Chinese\u2014Nonnative speakers III", - "description": "Final course of second year Chinese for students with background\n in Mandarin. Third course of one-year curriculum for Chinese intermediate\n communicative skills. Expansion on pronunciation and Chinese grammar\n and increasing vocabulary. Topics include food, physical actions, and\n culture. Students may not receive duplicate credit for both CHIN 23\n and CHIN 20CM. ** Exam placement options to enroll possible ** " + "name": "Advanced Studies in Cultural Industries", + "description": "This course examines some of the changing cultural, social, technological, and political meanings; practices; and aspirations that together constitute what is and has been called freedom. " }, - "CHIN 20CM": { + "COMM 163": { "prerequisites": [ - "CHIN 22", - "CHIN 20BD", - "and" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Second Year Chinese\u2014Mandarin speakers III", - "description": "Final course of second year Chinese for students with background\n in a dialect of Chinese. Third course of one-year curriculum for\n Chinese intermediate communicative skills. Expansion on pronunciation\n and more elaborate Chinese grammar and increasing vocabulary. Topics\n include food, physical actions, and culture. Students may not receive\n duplicate credit for both CHIN 23 and CHIN 20CD. ** Exam placement options to enroll possible ** " + "name": "Concepts of Freedom", + "description": "This course aims to unveil the vast and largely hidden infrastructures silently shaping how digital communication take place in contemporary societies as well as the visible and invisible geographic of power and inequality these infrastructures are helping to create. " }, - "CHIN 20CD": { + "COMM 164": { "prerequisites": [ - "CHIN 23", - "CHIN 20CN" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Second Year Chinese\u2014Dialect speakers III", - "description": "Intermediate\n course of Chinese for students with no background. First course of\n third year of one-year curriculum that focuses on listening, reading,\n and speaking. Emphasizing the development of advanced oral, written\n competence, and aural skills in Mandarin. Topics include education,\n literature, history of Chinese language and society. Students may not\n receive duplicate credit for both CHIN 111 and CHIN 100AN. " + "name": "Behind the Internet: Invisible Geographies of Power and Inequality", + "description": "Contributions of the field of communication to the study of surveillance and risk. Critical and legal perspectives on consumer research, copyright enforcement, the surveillance capacity of Information and Communication Technologies (ICTs), closed-circuit television, interactive media, and the \u201crhetorics of surveillance\u201d in television and film. " }, - "CHIN 100AN": { + "COMM 166": { "prerequisites": [ - "CHIN 23", - "CHIN 20CM", - "or", - "CHIN 20CD" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Third Year Chinese\u2014Nonnative speakers I", - "description": "Intermediate course of Chinese for students with background in\n Mandarin and other dialects. First course of third year of one-year\n curriculum that focuses on listening, reading, and speaking. Topics\n include education, literature, history of Chinese language and society.\n Students may not receive duplicate credit for both CHIN 111 and CHIN\n 100AM. " + "name": "Surveillance, Media, and the Risk Society", + "description": "This course is designed to introduce students to multiple settings where bilingualism is the mode of communication. Examination of how such settings are socially constructed and culturally based. Language policy, bilingual education, and linguistic minorities, as well as field activities included. " }, - "CHIN 100AM": { + "COMM 168": { "prerequisites": [ - "CHIN 111", - "CHIN 100AN" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Third Year Chinese\u2014Mandarin speakers I", - "description": "Intermediate course of Chinese for students with no background.\n Second course of third year of Chinese that emphasizes the development\n of advanced oral, written competence and aural skills in Mandarin.\n Topics include various cultural aspects of the Chinese language,\n additional family issues and society. Students may not receive duplicate\n credit for both CHIN 112 and CHIN 100BN. " + "name": "Bilingual Communication", + "description": "Course examines several different ways of telling stories as a form of communication: our own life and about the lives of others. There are also the occasions that the life stories of ordinary people are told at and celebrated, for example, funerals, Festschrifts, retirement dinners, fiftieth-anniversary parties, and retrospective art shows. " }, - "CHIN 100BN": { + "COMM 170": { "prerequisites": [ - "CHIN 111", - "CHIN 100AM" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Third Year Chinese\u2014Nonnative speakers II", - "description": "Intermediate course of Chinese for students with background in\n Mandarin and other dialects. Second course of third year of Chinese\n that emphasizes the development of advanced oral, written competence,\n and aural skills in Mandarin. Topics include cultural aspects of\n the Chinese language, additional family issues and society. Students\n may not receive duplicate credit for both CHIN 112 and CHIN 100BM.\n " + "name": "Biography and Life Stories", + "description": "Survey of the communication practices found in environment controversies. The sociological aspects of environmental issues will provide background for the investigation of environmental disputes in particular contested areas, such as scientific institutions, communities, workplaces, governments, popular culture, and the media. " }, - "CHIN 100BM": { + "COMM 171": { "prerequisites": [ - "CHIN 112", - "CHIN 100BN" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Third Year Chinese\u2014Mandarin speakers II", - "description": "Intermediate course of Chinese for students with no background.\n Third course of third year of one-year curriculum in Chinese language\n acquisition. Continue to develop proficiency at intermediate level.\n Improves students\u2019 Chinese language skills and knowledge of the culture\n with an emphasis of reading and writing. Students may not receive\n duplicate credit for both CHIN 113 and CHIN 100CN. " + "name": "Environmental Communication", + "description": "Specialized advanced study in mediation and interaction with topics to be determined by the instructor for any given quarter. May be taken three times for credit. " }, - "CHIN 100CN": { + "COMM 172": { "prerequisites": [ - "CHIN 112", - "CHIN 100BM" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Third Year Chinese\u2014Nonnative speakers III", - "description": "Intermediate course of Chinese for students with background in\n Mandarin and other dialects. Third course of third year of one-year\n curriculum in Chinese language acquisition. Continue to develop proficiency\n at intermediate level. Improves students\u2019 Chinese language skills\n and knowledge of the culture with an emphasis of reading and writing.\n Topics include economic development in China. Students may not receive\n duplicate credit for both CHIN 113 and CHIN 100CM. " - }, - "CHIN 100CM": { - "prerequisites": [], - "name": "Third Year Chinese\u2014Mandarin speakers III", - "description": "This course introduces the primary sources used by historians of late Imperial and twentieth-century Chinese history. Reading material includes diaries, newspaper articles, Qing documents, gazetteers, essays, speeches, popular fiction, journal articles, scholarly prose, and field surveys. May be repeated for credit. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Advanced Topics in Mediation and Interaction", + "description": "In this class we will look closely at the everyday ways in which we interact with technology to discuss sociocultural character of objects, built environments; situated, distributed, and embodied character of knowledges; use of multimodal semiotic resources, talk, gesture, body orientation, and gaze in interaction with technology. " }, - "CHIN\n 160/260": { + "COMM 173": { "prerequisites": [ - "CHIN 113", - "CHIN 100CM", - "CHIN 100CN" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Late Imperial and Twentieth-Century Chinese Historical Texts\n ", - "description": "Basic training in oral and written communication\n\t\t\t\t skills for business, including introduction to modern business terminology\n\t\t\t\t and social conventions. " + "name": "Interaction with Technology", + "description": "An examination of the questions that developments in robotics pose to the scholars of communication: How do we communicate when our interlocutors are nonhumans? How do we study objects that are claimed to be endowed with social and affective character? " }, - "CHIN 165A": { + "COMM 174": { "prerequisites": [ - "CHIN 165A" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Business Chinese", - "description": "Continuation of CHIN 165A. Basic training in oral and written communication skills for business, including introduction to modern business terminology and social conventions. " + "name": "Communication and Social Machines", + "description": "This course examines the cultural politics of consumption across time and cultures through several concepts: commodity fetishism; conspicuous consumption; taste; class; and identity formation; consumption\u2019s psychological, phenomenological, and poetic dimensions; and contemporary manifestations of globalization and consumer activism. " }, - "CHIN 165B": { + "COMM 175": { "prerequisites": [ - "CHIN 165B" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Business Chinese", - "description": "Continuation of CHIN 165B. Basic training in oral and written communication skills for business, including introduction to modern business terminology and social conventions. " - }, - "CHIN 165C": { - "prerequisites": [], - "name": "Business Chinese", - "description": "Course focuses on conversational Chinese for students interested in medicine and health care. Designed to prepare students to speak, listen, and read effectively in a Chinese medical environment. Course aims to instruct students in basic to intermediate medical Chinese terminology for comprehensive patient review. ** Department approval required ** " + "name": "Cultures of Consumption", + "description": "The secularization thesis\u2014that as society becomes more modern and standards of living rise, the importance of religion will diminish and be confined to the private sphere\u2014may be wrong. We address religion, communication, culture, and politics in the United States. " }, - "CHIN 169A": { + "COMM 176": { "prerequisites": [ - "CHIN 169A", + "COMM 10", "and", - "and" + "COMM 100A" ], - "name": "Medical Chinese I", - "description": "Course designed to improve conversational Chinese for students interested in medicine and health care. Course aims for stronger Chinese proficiency within a medical environment. ** Department approval required ** " + "name": "Communication and Religion", + "description": "Explores theories and narratives of cultural power, contemporary practices of resistance. Texts from a wide range of disciplines consider how domination is enacted, enforced, and what modes of resistance are employed to contend with uses and abuses of political power. " }, - "CHIN 169B": { + "COMM 177": { "prerequisites": [ - "CHIN 113", - "CHIN 100C" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Medical Chinese II", - "description": "An introduction to classical Chinese for students with advanced Chinese background. Basic structures and function words are taught through fables of the pre-Qing period. " + "name": "Culture, Domination, and Resistance", + "description": "How are messages created, transmitted, and received? What is the relationship between thinking and communicating?\u00a0How are linguistic processes embedded in sociocultural practices?\u00a0Course discusses classic texts in the field of communication theory stemming from linguistics, semiotics, philosophy of language, literary theory.\u00a0" }, - "CHIN 182A": { + "COMM 180": { "prerequisites": [ - "CHIN 182A" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Introduction\n\t to Classical Chinese\u2014Advanced I", - "description": "Continuation of CHIN 182A. Selections from Kongzi, Mengzi, and other philosophers\u2019 work will be taught. Focus is on structures, function words, and overall comprehension of a text. " + "name": "Advanced Studies in Communication Theory", + "description": "This course considers the idea of the citizen-consumer that organizes much of contemporary urban planning and processes of identity, class, race, and gender formation in cities globally. Focusing on contemporary service oriented economies, we will critically explore how consumption spaces, such as shopping malls, theme parks, plazas, markets, parks, beaches, and tourist resorts, are critical nodes to understand neoliberal patterns of land transformation, labor exploitation, and social change. " }, - "CHIN 182B": { + "COMM 181": { "prerequisites": [ - "CHIN 182B" + "COMM 10", + "COMM 100A", + "and" ], - "name": "Introduction\n\t\t to Classical Chinese\u2014Advanced II", - "description": "Continuation of CHIN 182B. Selections from later periods like Shiji and poetry will be introduced. Upon completion of this yearlong curriculum, students should be able to read classical Chinese texts on their own with the help of a dictionary. " + "name": "Citizen Consumers ", + "description": "Concepts, possibilities, and dilemmas inherent in the notion of global citizenship. Formulate goals and instructional strategies for global education, expected competence of individuals within society. Examine roles that communication and curriculum play in the formation of identity, language use, and civic responsibility of global citizens. " }, - "CHIN 182C": { + "COMM 182": { "prerequisites": [ - "CHIN 113", - "CHIN 100CM", - "CHIN 100CN" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Introduction\n\t\t to Classical Chinese\u2014Advanced III", - "description": "Designed for students who want advanced language\n\t\t\t\t skills, this course will enlarge students\u2019 vocabulary and improve students\u2019\n\t\t\t\t reading skills through studies of original writings and other media on\n\t\t\t\t Chinese culture and society, past and present. " + "name": "Education and Global Citizenship", + "description": "This course critically examines social and economic forces that shape the making of this new global consumer culture by following the flows of consumption and production between the developed and developing worlds in the 1990s. We will consider how consumers, workers, and citizens participate in a new globalized consumer culture that challenges older distinctions between the First and the Third World. In this course, we will focus on the flows between the United States, Asia, and Latin America. " }, - "CHIN 185A-B-C": { + "COMM 183": { "prerequisites": [ - "CHIN 113", - "CHIN 100CN", - "CHIN 100CM" + "COMM 10", + "and", + "COMM 100A" ], - "name": "Readings in Chinese Culture and Society\n\t\t\t\t ", - "description": "Introduction to the specialized vocabulary\n\t\t\t\t and verbal forms relating to Chinese politics, trade, development\n\t\t\t\t and society. Designed for students in the social sciences or with career\n\t\t\t\t interests in international trade, the course will stress rapid vocabulary\n\t\t\t\t development, reading and translating. " + "name": "Global Economy and Consumer Culture", + "description": "Considers globalization\u2019s impact on concepts of nature in and through media texts, information systems, circulation of consumer goods and services, the emergence of global brands, science, health initiatives, environmental media activism, technology transfer in the twentieth and early twenty-first centuries. " }, - "CHIN 186A-B-C": { + "COMM 184": { "prerequisites": [], - "name": "Readings in Chinese Economics, Politics,\n\t\t\t\t and Trade", - "description": "Study of specific aspects in Chinese civilization\n not covered in regular course work, under the direction of faculty members\n in Chinese studies. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Global Nature/Global Culture", + "description": "(Same as POLI 194, USP 194, HITO 193, SOCI 194, and COGS 194) Course attached to six-unit internship taken by students participating in the UCDC program. Involves weekly seminar meetings with faculty and teaching assistants and a substantial research paper. " }, - "CHIN 196": { + "COMM 194": { "prerequisites": [], - "name": "Directed Thesis Research", - "description": "The student will undertake a program of research\n\t\t\t\t or advanced reading in selected areas in Chinese studies under\n\t\t\t\t the supervision of a faculty member of the Program in Chinese\n\t\t\t\t Studies. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Research Seminar in Washington, D.C.", + "description": "Preparation of an honors thesis, which can be either a research paper or a media production project. Open to students who have been admitted to the honors program. Grades will be awarded upon completion of the two-quarter sequence. " }, - "\t\t\tCHIN 198": { + "COMM 196A": { "prerequisites": [], - "name": "Directed\n\t\t\t Group Study in Chinese Studies", - "description": "This course introduces the primary sources\n\t\t\t\t used by historians of the late Imperial and twentieth-century\n\t\t\t\t Chinese history. Reading material includes diaries, newspaper articles,\n\t\t\t\t Qing documents, gazetteers, essays, speeches, popular fiction, journal\n\t\t\t\t articles, scholarly prose, and field surveys. May be repeated for credit.\n\t\t\t\t (P/NP grades only) ** Consent of instructor to enroll possible **" + "name": "Honors Seminar in Communication", + "description": "Preparation of an honors thesis, which can be either a research paper or a media production project. Open to students who have been admitted to the honors program. Grades will be awarded upon completion of the two-quarter sequence. " }, - "CHIN 199": { + "COMM 196B": { "prerequisites": [], - "name": "Independent Study in Chinese Studies", - "description": "(Cross-listed with MED 269.) This introductory\n\t\t\t\t course is designed to develop a working knowledge of medical\n\t\t\t\t Mandarin that will enable the student to communicate with Mandarin-speaking\n\t\t\t\t patients. There will be instruction in basic medical vocabulary and grammar,\n\t\t\t\t with a focus on taking a medical history. This is only a conversational\n\t\t\t\t course and no previous knowledge of Mandarin is required. (S/U only.) " + "name": "Honors Seminar in Communication", + "description": "Directed group study on a topic or in a field not included in the regular curriculum by special arrangement with a faculty member. May be taken three times for credit. ** Consent of instructor to enroll possible **" + }, + "COMM 198": { + "prerequisites": [], + "name": "Directed Group Study in Communication", + "description": "Independent study and research under the direction of a member of the faculty. May be taken three times for credit. ** Consent of instructor to enroll possible **" + }, + "COMM 199": { + "prerequisites": [], + "name": "Independent Study in Communication", + "description": "This course focuses on the political economy of communication and the social organization of key media institutions. There will be both descriptive and analytical concerns. The descriptive concern will emphasize the complex structure of communication industries and organizations, both historically and cross-nationally. The analytic focus will examine causal relationships between the economic and political structure of societies, the character of their media institutions, public opinion, and public attitudes and behaviors expressed in patterns of voting, consuming, and public participation. The nature of evidence and theoretical basis for such relationships will be critically explored. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, "ETHN 1": { "prerequisites": [], @@ -19121,577 +18341,957 @@ "name": "The Science and Critical Analysis of Environmental Justice", "description": "(Cross-listed with CGS 137.) This course will focus on the intersection of labor, class, race, ethnicity, gender, sexuality, and immigration in Latina cultural production. Examined from a socioeconomic, feminist, and cultural perspective, class readings will allow for historically grounded analyses of these issues. Course may be repeated as topics vary. " }, - "ETHN 137": { + "ETHN 137": { + "prerequisites": [], + "name": "Latina Issues and Cultural Production", + "description": "(Cross-listed with LTEN 180.) Introduction to the literature in English by the Chicano population, the men and women of Mexican descent who live and write in the United States. Primary focus on the contemporary period. " + }, + "ETHN 139": { + "prerequisites": [], + "name": "Chicano Literature in English", + "description": "This course critically examines the impact of the Vietnam War on refugees from Vietnam, Laos, and Cambodia. Focusing on everyday refugee life, it pays particular attention to how the refugees have created alternative memories, epistemologies, and lifeworlds." + }, + "ETHN 140": { + "prerequisites": [], + "name": "Comparative Refugee Communities from Vietnam, Laos, and Cambodia", + "description": "Martin Luther King was inspired by Gandhi, but in his own time, Gandhi was as controversial as he was revered. Nonviolence was not widely accepted as a form of political protest. This course explores Gandhi\u2019s complex legacy of nonviolence for places and peoples embroiled in conflict." + }, + "ETHN 141": { + "prerequisites": [], + "name": "Gandhi in the Modern World: From Civil Rights to the Arab Spring", + "description": "Globalization fosters both the transmission of AIDS, cholera, tuberculosis, and other infectious diseases and gross inequalities in the resources available to prevent and cure them. This course focuses on how race, ethnicity, gender, sexuality, class, and nation both shape and are shaped by the social construction of health and disease worldwide. " + }, + "ETHN 142": { + "prerequisites": [], + "name": "Medicine,\n\t\t Race, and the Global Politics of Inequality", + "description": "This course is a historical survey of Chicana and Chicano media from roughly 1950 to the present. The goals of the course include learning about Chicana/o history, politics, and culture through different media and gaining the critical tools to analyze Chicana/o media and media more broadly." + }, + "ETHN 143": { + "prerequisites": [], + "name": "Chicana/o Film and Media Studies", + "description": "(Cross-listed with TDAC 120.) An intensive theatre practicum designed to generate theatre created by an ensemble, with particular emphasis upon the analysis of text. Students will explore and analyze scripts and authors. Ensemble segments include black theatre, Chicano theatre, feminist theatre, and commedia dell\u2019arte. May be taken for credit two times." + }, + "ETHN 146A": { + "prerequisites": [], + "name": "Ensemble", + "description": "(Cross-listed with CGS 147.) An advanced introduction to historical and contemporary black feminisms in the United States and transnationally. Students will explore the theory and practice of black feminists/womanists and analyze the significance of black feminism to contemporary understandings of race, class, gender, and sexuality. " + }, + "ETHN 147": { + "prerequisites": [], + "name": "Black Feminisms, Past and Present", + "description": "(Cross-listed with HIUS 139.) This course examines the transformation of African America across the expanse of the long twentieth century: imperialism, migration, urbanization, desegregation, and deindustrialization. Special emphasis will be placed on issues of culture, international relations, and urban politics. " + }, + "ETHN 149": { + "prerequisites": [], + "name": "African\n\t\t American History in the Twentieth Century", + "description": "(Cross-listed with CGS 150.) Examines the role of the visual in power relations; the production of what we \u201csee\u201d regarding race and sexuality; the interconnected history of the casta system, plantation slavery, visuality, and contemporary society; decolonial and queer counternarratives to visuality. " + }, + "ETHN 150": { + "prerequisites": [], + "name": "Visuality, Sexuality, and Race", + "description": "This course will survey the political effects of immigration, ethnic mobilization, and community building in America, and the contemporary role of ethnicity in politics and intergroup relations. " + }, + "ETHN 151": { + "prerequisites": [], + "name": "Ethnic Politics in America", + "description": "In this course, students explore the relationship between race, class, and law as it applies to civil rights both in a historical and a contemporary context. Topics include racism and the law, history of the Fourteenth Amendment, equal protection, school desegregation, and affirmative action. " + }, + "ETHN 152": { + "prerequisites": [], + "name": "Law and Civil Rights", + "description": " (Cross-listed with HIUS 136.) This course traces the history of the institution of United States citizenship in the last century, tracing changing notions of racial, cultural, and gender differences, the evolution of the civil rights struggle, and changes in laws governing citizenship and access to rights. " + }, + "ETHN 153": { + "prerequisites": [], + "name": "Citizenship and Civil Rights in the Twentieth Century", + "description": "(Cross-listed with HIUS 113.) This course explores the history of the largest minority population in the United States, focusing on the legacies of the Mexican War, the history\u00a0of Mexican immigration and US-Mexican relations, and the struggle for citizenship and civil rights. " + }, + "ETHN 154": { + "prerequisites": [], + "name": "History of Mexican America", + "description": "This course considers rationales for and responses to American military expansion as well as its social, environmental, and cultural consequences.\u00a0We will examine racialized, gendered, and sexualized aspects of militarized institutions and practices, including militarized colonialism, tourism, and sex work. ** Upper-division standing required ** " + }, + "ETHN 155": { + "prerequisites": [], + "name": "US Militarism", + "description": "This course examines the impact of the Vietnam War on three populations: Americans, Vietnamese in Vietnam, and Viet Kieu (overseas Vietnamese). We will supplement scholarly texts on the war with films, literature, and visits to war museums and monuments. Program or materials fees may apply. " + }, + "ETHN 155GS": { + "prerequisites": [], + "name": "Critical Perspectives on the Vietnam War", + "description": "(Cross-listed with USP 149.) This course will provide a historical and theoretical orientation for contemporary studies of the experience of mental illness and mental health-care policy in the American city, with critical attention to racial and ethnic disparities in diagnosis, treatment, and outcomes.\u00a0" + }, + "ETHN 157": { + "prerequisites": [], + "name": "Madness and Urbanization", + "description": "This course examines Native American intellectuals\u2019 work. It provides a broad historical perspective on the development of twentieth-century Native American political thinking and discusses the recurring issues, problems, and themes inherent to Indian-white relations, as seen from Indian perspectives." + }, + "ETHN 158": { + "prerequisites": [], + "name": "Native American Intellectuals in the Twentieth Century", + "description": "(Cross-listed with HIUS 183.) A colloquium dealing with special topics in the history of people of African descent in the United States. Themes will vary from quarter to quarter. Requirements will vary for undergraduate, MA, and PhD students. Graduate students will be required to submit a more substantial piece of work. " + }, + "ETHN 159": { + "prerequisites": [], + "name": "Topics in African American History", + "description": "Focusing on transregional relationships to land and decolonization in the Pacific, Caribbean, and the Americas, this course is a comparative study of cultural and political phenomena that shape indigenous communities globally. We will examine enduring legacies of colonialism, nationalism, and Western normativities, and explore indigenous activism within the decolonial movement." + }, + "ETHN 160": { + "prerequisites": [], + "name": "Global Indigenous Studies ", + "description": "Work with California native tribal groups, leaders, and members to identify common, pressing questions surrounding Indian law. In partnership with legal experts, develop and disseminate new media programs and useful documents accessible to native communities throughout California. " + }, + "ETHN 162": { + "prerequisites": [], + "name": "Practicum in California Tribal Law and Journalism", + "description": "Decolonial Theory will focus on historical and contemporary intellectual work produced by activists from colonized regions of the world. This course will be international in scope, but attentive to local struggles." + }, + "ETHN 163E": { + "prerequisites": [], + "name": "Decolonial Theory", + "description": "\ufeff(Cross-listed with TDGE 131.) This course examines recent movies by Native American/First Nations artists that labor to deconstruct and critique reductive stereotypes about America\u2019s First Peoples in Hollywood cinema. Carving spaces of \u201cvisual sovereignty\u201d (Raheja), these films propose complex narratives and characterizations of indigeneity. Students may not receive credit for TDGE 131 and ETHN 163F." + }, + "ETHN 163F": { + "prerequisites": [], + "name": "Playing Indian: Native American and First Nations Cinema", + "description": "\ufeff(Cross-listed with TDHT 120.) This theoretical and embodied course examines a selection of indigenous plays and performances (dance, hip hop) and helps students develop the critical vocabulary and contextual knowledge necessary to productively engage with the political and artistic interventions performed by these works. No prior knowledge in theatre history is needed. Students may not receive credit for TDHT 120 and ETHN 163G." + }, + "ETHN 163G": { + "prerequisites": [], + "name": "Indigenous Theatre and Performance", + "description": "(Cross-listed with HIUS 177.) This course introduces students to the field of Asian American history, with an emphasis on historiographical shifts and debates. It includes a wide range of topics and methodologies that cross disciplinary boundaries. Fulfills the race, ethnicity, and migration and global/transnational field requirements for the history major. Students may not receive credit for both ETHN 163I and HIUS 177. May be coscheduled with HIUS 277 and ETHN 273." + }, + "ETHN 163I": { + "prerequisites": [], + "name": "Asian American Histography", + "description": "(Cross-listed with HIUS 125.) This course introduces students to the history of Asian American social movements from the late-nineteenth century to the present, with an emphasis on inter-ethnic, cross-racial, and transnational practices. Topics include immigration reform, antiwar and anticolonial movements, redress, hate crimes, and police brutality. Students may not receive credit for HIUS 125 and ETHN 163J." + }, + "ETHN 163J": { + "prerequisites": [], + "name": "Asian American Social Movements", + "description": " (Cross-listed with MUS 153.) This course will examine the media representations of African Americans from slavery through the twentieth century. Attention will be paid to the emergence and transmission of enduring stereotypes, and their relationship to changing social, political, and economic frameworks in the United States. The course will also consider African Americans\u2019 responses to and interpretations of these mediated images." + }, + "ETHN 164": { + "prerequisites": [], + "name": "African Americans and the Mass Media", + "description": "(Cross-listed with CGS 165.) This course will investigate the changing constructions of sex, gender, and sexuality in African American communities defined by historical period, region, and class. Topics will include the sexual division of labor, myths of black sexuality, the rise of black feminism, black masculinity, and queer politics. \u00a0" + }, + "ETHN 165": { + "prerequisites": [], + "name": "Gender and Sexuality in African American Communities", + "description": "(Cross-listed with LTEN 179.) This class explores (self) representations of Muslim and Arab Americans in US popular culture with a focus on the twentieth and twenty-first centuries. Topics include the racing of religion, \u201cthe war on terror\u201d in the media, feminism and Islam, immigration, race, and citizenship. May be repeated for credit three times when content varies. " + }, + "ETHN 166": { + "prerequisites": [], + "name": "Arab/Muslim American Identity and Culture", + "description": "This course is an introduction to the study of Muslims in the U.S. It examines the ways in which questions of race, gender, and white settler colonial plantation state practices have shaped Muslim lives, both historically and in present times. Topics include the arrival of African Muslims in slave ships, growing Latinx Muslim presence, South Asian and Arab-American Muslims, immigrant-indigenous-black Muslim debates, media representation, resistance movements, and questions of national belonging. May be taken for credit up to two times when content varies. " + }, + "ETHN 167": { + "prerequisites": [], + "name": "Muslim Identity in America", + "description": "(Cross-listed with LTEN 178.) A lecture-discussion course that juxtaposes the experience of two or more US ethnic groups and examines their relationship with the dominant culture. Students will analyze a variety of texts representing the history of ethnicity in this country. Topics will vary. " + }, + "ETHN 168": { + "prerequisites": [], + "name": "Comparative Ethnic Literature", + "description": "An examination of interactions among the peoples of western Europe, Africa, and the Americas that transformed the Atlantic basin into an interconnected \u201cAtlantic World.\u201d Topics will include maritime technology and the European Age of Discovery, colonization in the Americas, the beginnings of the transatlantic slave trade, and early development of plantation slavery in the New World. Students may not receive credit for both ETHN 170A and 169. " + }, + "ETHN 169": { + "prerequisites": [], + "name": "Origins of the Atlantic World, c. 1450\u20131650", + "description": "The development of the Atlantic slave trade and the spread of racial slavery in the Americas before 1800. Explores the diversity of slave labor in the Americas and the different slave cultures African Americans produced under the constraints of slavery. Students may not receive credit for both ETHN 170 and 170B. " + }, + "ETHN 170": { + "prerequisites": [], + "name": "Slavery and the Atlantic World", + "description": "(Cross-listed with LTEN 183.) Students will analyze and discuss the novel, the personal narrative, and other prose genres, with particular emphasis on the developing characters of Afro-American narrative and the cultural and social circumstances that influence their development. " + }, + "ETHN 172": { + "prerequisites": [], + "name": "Afro-American Prose", + "description": "This course examines the effects of war and militarism on women\u2019s lives, focusing in particular on the experiences of Vietnamese women during and in the aftermath of the Vietnam War. Program or materials fees may apply. " + }, + "ETHN 173GS": { "prerequisites": [], - "name": "Latina Issues and Cultural Production", - "description": "(Cross-listed with LTEN 180.) Introduction to the literature in English by the Chicano population, the men and women of Mexican descent who live and write in the United States. Primary focus on the contemporary period. " + "name": "Gender, Sexuality, and War", + "description": " (Cross-listed with LTEN 185.) This course focuses on the influence of slavery upon African American writers. Our concern is not upon what slavery was but upon what it is within the works and what these texts reveal about themselves, their authors, and their audiences." }, - "ETHN 139": { + "ETHN 174": { "prerequisites": [], - "name": "Chicano Literature in English", - "description": "This course critically examines the impact of the Vietnam War on refugees from Vietnam, Laos, and Cambodia. Focusing on everyday refugee life, it pays particular attention to how the refugees have created alternative memories, epistemologies, and lifeworlds." + "name": "Themes in Afro-American Literature", + "description": "(Cross-listed with LTEN 186.) The Harlem Renaissance (1917\u201339) focuses on the emergence of the \u201cNew Negro\u201d and the impact of this concept on black literature, art, and music. Writers studied include Claude McKay, Zora N. Hurston, and Langston Hughes. Special emphasis on new themes and forms. " }, - "ETHN 140": { + "ETHN 175": { "prerequisites": [], - "name": "Comparative Refugee Communities from Vietnam, Laos, and Cambodia", - "description": "Martin Luther King was inspired by Gandhi, but in his own time, Gandhi was as controversial as he was revered. Nonviolence was not widely accepted as a form of political protest. This course explores Gandhi\u2019s complex legacy of nonviolence for places and peoples embroiled in conflict." + "name": "Literature of the Harlem Renaissance", + "description": "This course considers the history of listening to the music of the world in Western culture. We will critically examine how the history of perception directs us to listen for familiar and different sounds in music. No musical training required." }, - "ETHN 141": { + "ETHN 177": { "prerequisites": [], - "name": "Gandhi in the Modern World: From Civil Rights to the Arab Spring", - "description": "Globalization fosters both the transmission of AIDS, cholera, tuberculosis, and other infectious diseases and gross inequalities in the resources available to prevent and cure them. This course focuses on how race, ethnicity, gender, sexuality, class, and nation both shape and are shaped by the social construction of health and disease worldwide. " + "name": "Race, Sound, and Music", + "description": "(Cross-listed with MUS 126.) This course will examine the development of the blues from its roots in work-songs and the minstrel show to its flowering in the Mississippi Delta to the development of urban blues and the close relationship of the blues with jazz, rhythm and blues, and rock and roll. " }, - "ETHN 142": { + "ETHN 178": { "prerequisites": [], - "name": "Medicine,\n\t\t Race, and the Global Politics of Inequality", - "description": "This course is a historical survey of Chicana and Chicano media from roughly 1950 to the present. The goals of the course include learning about Chicana/o history, politics, and culture through different media and gaining the critical tools to analyze Chicana/o media and media more broadly." + "name": "Blues: An Oral Tradition", + "description": "(Cross-listed with MUS 127.) Offers an introduction to jazz, including important performers and their associated styles and techniques. Explores the often-provocative role jazz has played in American and global society, the diverse perceptions and arguments that have surrounded its production and reception, and how these have been inflected by issues of race, class, gender, and sexuality. Specific topics vary from year to year.\u00a0May be taken for credit two times. Students may receive a combined total of eight units for MUS 127 and ETHN 179." }, - "ETHN 143": { + "ETHN 179": { "prerequisites": [], - "name": "Chicana/o Film and Media Studies", - "description": "(Cross-listed with TDAC 120.) An intensive theatre practicum designed to generate theatre created by an ensemble, with particular emphasis upon the analysis of text. Students will explore and analyze scripts and authors. Ensemble segments include black theatre, Chicano theatre, feminist theatre, and commedia dell\u2019arte. May be taken for credit two times." + "name": "Discover Jazz", + "description": "This course focuses on race, gender, and sexuality in twentieth- and twenty-first-century fantasy and science fiction. We will study literature, film, music, television, video games, and the internet in order to situate such speculative visions in historical and transmedia contexts. " }, - "ETHN 146A": { + "ETHN 182": { "prerequisites": [], - "name": "Ensemble", - "description": "(Cross-listed with CGS 147.) An advanced introduction to historical and contemporary black feminisms in the United States and transnationally. Students will explore the theory and practice of black feminists/womanists and analyze the significance of black feminism to contemporary understandings of race, class, gender, and sexuality. " + "name": "Race, Gender, and Sexuality in Fantasy and Science Fiction", + "description": "(Cross-listed with CGS 114.) Gender is often neglected in studies of ethnic/racial politics. This seminar explores the relationship of race, ethnicity, class, and gender by examining the participation of working-class women of color in community politics and how they challenge mainstream political theory. " }, - "ETHN 147": { + "ETHN 183": { "prerequisites": [], - "name": "Black Feminisms, Past and Present", - "description": "(Cross-listed with HIUS 139.) This course examines the transformation of African America across the expanse of the long twentieth century: imperialism, migration, urbanization, desegregation, and deindustrialization. Special emphasis will be placed on issues of culture, international relations, and urban politics. " + "name": "Gender, Race, Ethnicity, and Class", + "description": "(Cross-listed with CGS 187.) The construction and articulation of Latinx sexualities will be explored in this course through interdisciplinary and comparative perspectives. We will discuss how immigration, class, and norms of ethnicity, race, and gender determine the construction, expression, and reframing of Latinx sexualities. " }, - "ETHN 149": { + "ETHN 187": { "prerequisites": [], - "name": "African\n\t\t American History in the Twentieth Century", - "description": "(Cross-listed with CGS 150.) Examines the role of the visual in power relations; the production of what we \u201csee\u201d regarding race and sexuality; the interconnected history of the casta system, plantation slavery, visuality, and contemporary society; decolonial and queer counternarratives to visuality. " + "name": "Latinx Sexualities", + "description": "(Cross-listed with USP 132.) This course details the history of African American migration to urban areas after World War I and World War II and explores the role of religion in their lives as well as the impact that their religious experiences had upon the cities in which they lived. " }, - "ETHN 150": { + "ETHN 188": { "prerequisites": [], - "name": "Visuality, Sexuality, and Race", - "description": "This course will survey the political effects of immigration, ethnic mobilization, and community building in America, and the contemporary role of ethnicity in politics and intergroup relations. " + "name": "African Americans, Religion, and the City", + "description": "(Cross-listed with HIUS 167.) This colloquium studies the racial representation of Mexican Americans in the United States from the nineteenth century to the present, examining critically the theories and methods of the humanities and social sciences. " }, - "ETHN 151": { + "ETHN 180": { "prerequisites": [], - "name": "Ethnic Politics in America", - "description": "In this course, students explore the relationship between race, class, and law as it applies to civil rights both in a historical and a contemporary context. Topics include racism and the law, history of the Fourteenth Amendment, equal protection, school desegregation, and affirmative action. " + "name": "Topics in Mexican American History", + "description": "An analysis of black cultural and intellectual\n\t\t\t\t production since 1895. Course will explore how race and race-consciousness\n\t\t\t\t have influenced the dialogue between ideas and social experience; and how\n\t other factors\u2014i.e., age, gender, and class\u2014affected scholars\u2019 insights. " }, - "ETHN 152": { + "ETHN 184": { "prerequisites": [], - "name": "Law and Civil Rights", - "description": " (Cross-listed with HIUS 136.) This course traces the history of the institution of United States citizenship in the last century, tracing changing notions of racial, cultural, and gender differences, the evolution of the civil rights struggle, and changes in laws governing citizenship and access to rights. " + "name": "Black Intellectuals in the Twentieth Century", + "description": "While discourse analysis has transformed numerous disciplines, a gap separates perspectives that envision discourse as practices that construct inequality from approaches that treat discourse as everyday language. This course engages both perspectives critically in analyzing law, medicine, and popular culture. " }, - "ETHN 153": { + "ETHN 185": { "prerequisites": [], - "name": "Citizenship and Civil Rights in the Twentieth Century", - "description": "(Cross-listed with HIUS 113.) This course explores the history of the largest minority population in the United States, focusing on the legacies of the Mexican War, the history\u00a0of Mexican immigration and US-Mexican relations, and the struggle for citizenship and civil rights. " + "name": "Discourse, Power, and Inequality", + "description": "A reading and discussion course that explores special topics in ethnic studies. Themes will vary from quarter to quarter; therefore, course may be repeated three times as long as topics vary. " }, - "ETHN 154": { + "ETHN 189": { "prerequisites": [], - "name": "History of Mexican America", - "description": "This course considers rationales for and responses to American military expansion as well as its social, environmental, and cultural consequences.\u00a0We will examine racialized, gendered, and sexualized aspects of militarized institutions and practices, including militarized colonialism, tourism, and sex work. ** Upper-division standing required ** " + "name": "Special Topics in Ethnic Studies", + "description": " (Cross-listed with USP 129.) The course offers students the basic research methods with which to study ethnic and racial communities. The various topics to be explored include human and physical geography, transportation, employment, economic structure, cultural values, housing, health, education, and intergroup relations." }, - "ETHN 155": { + "ETHN 190": { + "prerequisites": [ + "ETHN 100A", + "and", + "ETHN 100B", + "and", + "ETHN 100H" + ], + "name": "Research\n\t\t Methods: Studying Racial and Ethnic Communities", + "description": "Independent study to complete an honors thesis under the supervision of a faculty member who serves as thesis adviser. ** Department approval required ** " + }, + "ETHN 196H": { "prerequisites": [], - "name": "US Militarism", - "description": "This course examines the impact of the Vietnam War on three populations: Americans, Vietnamese in Vietnam, and Viet Kieu (overseas Vietnamese). We will supplement scholarly texts on the war with films, literature, and visits to war museums and monuments. Program or materials fees may apply. " + "name": "Honors Thesis", + "description": "This course comprises supervised community fieldwork on topics of importance to racial and ethnic communities in the greater San Diego area. Regular individual meetings with faculty sponsor and written reports are required. (May be repeated for credit.) " }, - "ETHN 155GS": { + "ETHN 197": { "prerequisites": [], - "name": "Critical Perspectives on the Vietnam War", - "description": "(Cross-listed with USP 149.) This course will provide a historical and theoretical orientation for contemporary studies of the experience of mental illness and mental health-care policy in the American city, with critical attention to racial and ethnic disparities in diagnosis, treatment, and outcomes.\u00a0" + "name": "Fieldwork in Racial and Ethnic Communities", + "description": "Directed group study on a topic or in a field not included in the regular department curriculum by special arrangement with a faculty member. (May be repeated for credit.) " }, - "ETHN 157": { + "ETHN 198": { "prerequisites": [], - "name": "Madness and Urbanization", - "description": "This course examines Native American intellectuals\u2019 work. It provides a broad historical perspective on the development of twentieth-century Native American political thinking and discusses the recurring issues, problems, and themes inherent to Indian-white relations, as seen from Indian perspectives." + "name": "Directed Group Studies", + "description": "Individual research on a topic that leads to the writing of a major paper. (May be repeated for credit.) " }, - "ETHN 158": { + "ETHN 199": { "prerequisites": [], - "name": "Native American Intellectuals in the Twentieth Century", - "description": "(Cross-listed with HIUS 183.) A colloquium dealing with special topics in the history of people of African descent in the United States. Themes will vary from quarter to quarter. Requirements will vary for undergraduate, MA, and PhD students. Graduate students will be required to submit a more substantial piece of work. " + "name": "Supervised Independent Study and Research", + "description": "Introduction to critical racial and ethnic studies and how this perspective departs from traditional constructions of race and culture; examination of relevant studies to identify themes, concepts, and formulations that indicate the critical departures that characterize the field. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "ETHN 159": { + "BENG 1": { "prerequisites": [], - "name": "Topics in African American History", - "description": "Focusing on transregional relationships to land and decolonization in the Pacific, Caribbean, and the Americas, this course is a comparative study of cultural and political phenomena that shape indigenous communities globally. We will examine enduring legacies of colonialism, nationalism, and Western normativities, and explore indigenous activism within the decolonial movement." + "name": "Introduction to Bioengineering", + "description": "An introduction to bioengineering that includes lectures and hands-on laboratory for design projects. The principles of problem definition, engineering inventiveness, team design, prototyping, and testing, as well as information access, engineering standards, communication, ethics, and social responsibility will be emphasized. P/NP grades only. " }, - "ETHN 160": { + "BENG 2": { "prerequisites": [], - "name": "Global Indigenous Studies ", - "description": "Work with California native tribal groups, leaders, and members to identify common, pressing questions surrounding Indian law. In partnership with legal experts, develop and disseminate new media programs and useful documents accessible to native communities throughout California. " + "name": "Introductory Computer Programming and Matlab", + "description": "Introduction to Matlab is designed to give students fluency in Matlab, including popular toolboxes. Consists of interactive lectures with a computer running Matlab for each student. Topics: variables, operations, and plotting; visualization and programming; and solving equations and curve fitting. ** Consent of instructor to enroll possible **" }, - "ETHN 162": { + "BENG 87": { "prerequisites": [], - "name": "Practicum in California Tribal Law and Journalism", - "description": "Decolonial Theory will focus on historical and contemporary intellectual work produced by activists from colonized regions of the world. This course will be international in scope, but attentive to local struggles." + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. (F,W,S) " }, - "ETHN 163E": { + "BENG 97": { "prerequisites": [], - "name": "Decolonial Theory", - "description": "\ufeff(Cross-listed with TDGE 131.) This course examines recent movies by Native American/First Nations artists that labor to deconstruct and critique reductive stereotypes about America\u2019s First Peoples in Hollywood cinema. Carving spaces of \u201cvisual sovereignty\u201d (Raheja), these films propose complex narratives and characterizations of indigeneity. Students may not receive credit for TDGE 131 and ETHN 163F." + "name": "Internship/Field Studies", + "description": "An enrichment program available to a limited number of lower-division undergraduate students, which provides work experience with industry, government offices, and hospitals. The internship is coordinated through UC San Diego\u2019s Academic Internship Program under the supervision of a faculty member and an industrial, government, or hospital employee. " }, - "ETHN 163F": { + "BENG 98": { "prerequisites": [], - "name": "Playing Indian: Native American and First Nations Cinema", - "description": "\ufeff(Cross-listed with TDHT 120.) This theoretical and embodied course examines a selection of indigenous plays and performances (dance, hip hop) and helps students develop the critical vocabulary and contextual knowledge necessary to productively engage with the political and artistic interventions performed by these works. No prior knowledge in theatre history is needed. Students may not receive credit for TDHT 120 and ETHN 163G." + "name": "Directed Group Study", + "description": "Directed group study on a topic or in a field not included in the regular department curriculum. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "ETHN 163G": { + "BENG 99": { "prerequisites": [], - "name": "Indigenous Theatre and Performance", - "description": "(Cross-listed with HIUS 177.) This course introduces students to the field of Asian American history, with an emphasis on historiographical shifts and debates. It includes a wide range of topics and methodologies that cross disciplinary boundaries. Fulfills the race, ethnicity, and migration and global/transnational field requirements for the history major. Students may not receive credit for both ETHN 163I and HIUS 177. May be coscheduled with HIUS 277 and ETHN 273." + "name": "Independent Study for Undergraduates", + "description": "Independent reading or research by arrangement with a bioengineering faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "ETHN 163I": { + "BENG 99H": { "prerequisites": [], - "name": "Asian American Histography", - "description": "(Cross-listed with HIUS 125.) This course introduces students to the history of Asian American social movements from the late-nineteenth century to the present, with an emphasis on inter-ethnic, cross-racial, and transnational practices. Topics include immigration reform, antiwar and anticolonial movements, redress, hate crimes, and police brutality. Students may not receive credit for HIUS 125 and ETHN 163J." + "name": "Independent Study", + "description": "Independent study or research under direction of a member of the faculty. ** Upper-division standing required ** " + }, + "BENG 100": { + "prerequisites": [ + "BENG 1", + "MATH 18", + "or", + "MATH 31AH", + "or", + "MATH 20F", + "MATH 20C", + "or", + "MATH 31BH", + "and", + "MATH 20D", + "and", + "PHYS 2A-B-C" + ], + "name": "Statistical Reasoning for Bioengineering Applications ", + "description": "General introduction to probability and statistical analysis, applied to bioengineering design. Topics include preliminary data analysis, probabilistic models, experiment design, model fitting, goodness-of-fit analysis, and statistical inference/estimation. Written and software problems are provided for modeling and visualization. ** Consent of instructor to enroll possible **" + }, + "BENG 102": { + "prerequisites": [ + "BENG 120" + ], + "name": "Molecular Components of Living Systems", + "description": "Introduction to molecular structures. Macromolecules and assemblies-proteins, nucleic acids, and metabolites. Principles of design of simple and complex components of organelles, cells, and tissues. ** Consent of instructor to enroll possible **" + }, + "BENG 103B": { + "prerequisites": [ + "MAE 101A", + "or", + "BENG 112A" + ], + "name": "Bioengineering Mass Transfer", + "description": "Mass transfer in solids, liquids, and gases with application to biological systems. Free and facilitated diffusion. Convective mass transfer. Diffusion-reaction phenomena. Active transport. Biological mass transfer coefficients. Steady and unsteady state. Flux-force relationships. (Credit not allowed for both CENG 101C and BENG 103B.) ** Consent of instructor to enroll possible **" + }, + "BENG 110": { + "prerequisites": [ + "MATH 20D", + "MATH 20E", + "or", + "MATH 31CH", + "MATH 18", + "or", + "MATH 31AH" + ], + "name": "Musculoskeletal Biomechanics ", + "description": "Statics, dynamics, and solid mechanics of hard and soft musculoskeletal tissues. Forces, moments, static equilibrium, kinematics, kinetics applied to human mechanics, and movement. Stress, strain, and material properties of musculoskeletal tissues. Problem solving and design in biomechanics. ** Consent of instructor to enroll possible **" + }, + "BENG 112A": { + "prerequisites": [ + "BENG 110" + ], + "name": "Soft Tissue Biomechanics", + "description": "Tensor analysis. Stress, strain, equilibrium, and constitutive law for soft biological tissues. Applications of solid mechanics to mammalian tissue physiology. Viscoelasticity. Finite elasticity. Problem solving and design in soft tissue biomechanics. ** Consent of instructor to enroll possible **" + }, + "BENG 112B": { + "prerequisites": [ + "BENG 112A" + ], + "name": "Fluid and Cell Biomechanics", + "description": "Fluid hydrostatics and flow dynamics. Flow kinematics and conservation laws applied to the circulation. Viscous biofluids. Biopolymers, cell mechanics, and mechanobiology. Problem solving and design in biofluid and cell mechanics. ** Consent of instructor to enroll possible **" + }, + "BENG 119A": { + "prerequisites": [ + "BENG 187B" + ], + "name": "Design Development in Biomechanics", + "description": "Development of design project in biomechanics. ** Consent of instructor to enroll possible **" + }, + "BENG 119B": { + "prerequisites": [ + "BENG 187C" + ], + "name": "\t\t\t\t Design Implementation in Biomechanics", + "description": "Implementation of design project in biomechanics. ** Consent of instructor to enroll possible **" + }, + "BENG 120": { + "prerequisites": [ + "CHEM 6A", + "and" + ], + "name": "Organic Chemistry Structural and Design Principles", + "description": "Structural and design principles of carbon compounds. Structure and stereochemistry. Functional groups and chemical transformations. Structure and design principles of biomolecules. Molecules of life and their organization. ** Consent of instructor to enroll possible **" + }, + "BENG 122A": { + "prerequisites": [ + "MAE 140", + "or", + "BENG 134" + ], + "name": "Biosystems and Control", + "description": "Systems and control theory applied to bioengineering. Modeling, linearization, transfer functions, Laplace transforms, closed-loop systems, design and simulation of controllers. Dynamic behavior and controls of first and second order processes. PID controllers. Stability. Bode design. Features of biological controls systems. A simulation project using Matlab and an oral presentation are required. Credit not allowed for both ECE 101 and BENG 122A. ** Consent of instructor to enroll possible **" + }, + "BENG 123": { + "prerequisites": [ + "MATH 18", + "or", + "MATH 31AH", + "MATH 20D", + "BENG 120", + "or", + "CHEM 40B" + ], + "name": "Dynamic Simulation in Bioengineering ", + "description": "Dynamic simulation of biochemical reaction networks, including reconstruction of networks, mathematical description of kinetics of biochemical reactions, dynamic simulation of systems of biochemical reactions, and use of simulators for data interpretation and prediction in biology. Emphasis on a design project. ** Consent of instructor to enroll possible **" }, - "ETHN 163J": { - "prerequisites": [], - "name": "Asian American Social Movements", - "description": " (Cross-listed with MUS 153.) This course will examine the media representations of African Americans from slavery through the twentieth century. Attention will be paid to the emergence and transmission of enduring stereotypes, and their relationship to changing social, political, and economic frameworks in the United States. The course will also consider African Americans\u2019 responses to and interpretations of these mediated images." + "BENG 125": { + "prerequisites": [ + "BENG 122A", + "or", + "BENG 123" + ], + "name": "Modeling and Computation in Bioengineering", + "description": "Computational modeling of molecular bioengineering phenomena: excitable cells, regulatory networks, and transport. Application of ordinary, stochastic, and partial differential equations. Introduction to data analysis techniques: power spectra, wavelets, and nonlinear time series analysis. ** Consent of instructor to enroll possible **" }, - "ETHN 164": { - "prerequisites": [], - "name": "African Americans and the Mass Media", - "description": "(Cross-listed with CGS 165.) This course will investigate the changing constructions of sex, gender, and sexuality in African American communities defined by historical period, region, and class. Topics will include the sexual division of labor, myths of black sexuality, the rise of black feminism, black masculinity, and queer politics. \u00a0" + "BENG 126A": { + "prerequisites": [ + "BENG 187B" + ], + "name": "Design Development in Bioinformatics Bioengineering", + "description": "Development of design project in bioinformatics bioengineering. ** Consent of instructor to enroll possible **" }, - "ETHN 165": { - "prerequisites": [], - "name": "Gender and Sexuality in African American Communities", - "description": "(Cross-listed with LTEN 179.) This class explores (self) representations of Muslim and Arab Americans in US popular culture with a focus on the twentieth and twenty-first centuries. Topics include the racing of religion, \u201cthe war on terror\u201d in the media, feminism and Islam, immigration, race, and citizenship. May be repeated for credit three times when content varies. " + "BENG 126B": { + "prerequisites": [ + "BENG 126A" + ], + "name": "Design Implementation in Bioinformatics Bioengineering", + "description": "Implementation of design project in bioinformatics bioengineering. ** Consent of instructor to enroll possible **" }, - "ETHN 166": { - "prerequisites": [], - "name": "Arab/Muslim American Identity and Culture", - "description": "This course is an introduction to the study of Muslims in the U.S. It examines the ways in which questions of race, gender, and white settler colonial plantation state practices have shaped Muslim lives, both historically and in present times. Topics include the arrival of African Muslims in slave ships, growing Latinx Muslim presence, South Asian and Arab-American Muslims, immigrant-indigenous-black Muslim debates, media representation, resistance movements, and questions of national belonging. May be taken for credit up to two times when content varies. " + "BENG 127A": { + "prerequisites": [ + "BENG 187B" + ], + "name": "Design Development in Molecular Systems Bioengineering", + "description": "Development of design project in molecular systems bioengineering. ** Consent of instructor to enroll possible **" }, - "ETHN 167": { - "prerequisites": [], - "name": "Muslim Identity in America", - "description": "(Cross-listed with LTEN 178.) A lecture-discussion course that juxtaposes the experience of two or more US ethnic groups and examines their relationship with the dominant culture. Students will analyze a variety of texts representing the history of ethnicity in this country. Topics will vary. " + "BENG 127B": { + "prerequisites": [ + "BENG 127A" + ], + "name": "Design Implementation in Molecular Systems Bioengineering", + "description": "Implementation of design project in molecular systems bioengineering. ** Consent of instructor to enroll possible **" }, - "ETHN 168": { - "prerequisites": [], - "name": "Comparative Ethnic Literature", - "description": "An examination of interactions among the peoples of western Europe, Africa, and the Americas that transformed the Atlantic basin into an interconnected \u201cAtlantic World.\u201d Topics will include maritime technology and the European Age of Discovery, colonization in the Americas, the beginnings of the transatlantic slave trade, and early development of plantation slavery in the New World. Students may not receive credit for both ETHN 170A and 169. " + "BENG 128A": { + "prerequisites": [ + "BENG 187B" + ], + "name": "Design Development in Genetic Circuits Bioengineering", + "description": "Development of design project in genetic circuits bioengineering. ** Consent of instructor to enroll possible **" }, - "ETHN 169": { - "prerequisites": [], - "name": "Origins of the Atlantic World, c. 1450\u20131650", - "description": "The development of the Atlantic slave trade and the spread of racial slavery in the Americas before 1800. Explores the diversity of slave labor in the Americas and the different slave cultures African Americans produced under the constraints of slavery. Students may not receive credit for both ETHN 170 and 170B. " + "BENG 128B": { + "prerequisites": [ + "BENG 128A" + ], + "name": "Design Implementation in Genetic Circuits Bioengineering", + "description": "Implementation of design project in genetic circuits bioengineering. ** Consent of instructor to enroll possible **" }, - "ETHN 170": { - "prerequisites": [], - "name": "Slavery and the Atlantic World", - "description": "(Cross-listed with LTEN 183.) Students will analyze and discuss the novel, the personal narrative, and other prose genres, with particular emphasis on the developing characters of Afro-American narrative and the cultural and social circumstances that influence their development. " + "BENG 129A": { + "prerequisites": [ + "BENG 187B" + ], + "name": "Design Development in Cell Systems Bioengineering", + "description": "Development of design project in cell systems bioengineering. ** Consent of instructor to enroll possible **" }, - "ETHN 172": { - "prerequisites": [], - "name": "Afro-American Prose", - "description": "This course examines the effects of war and militarism on women\u2019s lives, focusing in particular on the experiences of Vietnamese women during and in the aftermath of the Vietnam War. Program or materials fees may apply. " + "BENG 129B": { + "prerequisites": [ + "BENG 129A" + ], + "name": "Design Implementation in Cell Systems Bioengineering", + "description": "Implementation of design project in cell systems bioengineering. ** Consent of instructor to enroll possible **" }, - "ETHN 173GS": { - "prerequisites": [], - "name": "Gender, Sexuality, and War", - "description": " (Cross-listed with LTEN 185.) This course focuses on the influence of slavery upon African American writers. Our concern is not upon what slavery was but upon what it is within the works and what these texts reveal about themselves, their authors, and their audiences." + "BENG 130": { + "prerequisites": [ + "CHEM 6B", + "MATH 20A", + "PHYS 2A" + ], + "name": "Biotechnology Thermodynamics and Kinetics ", + "description": "An\u00a0introduction to physical principles that govern biological matter and processes, with engineering examples. Thermodynamic principles, structural basis of life, molecular reactions and kinetics, and models to illustrate biological phenomena. ** Consent of instructor to enroll possible **" }, - "ETHN 174": { - "prerequisites": [], - "name": "Themes in Afro-American Literature", - "description": "(Cross-listed with LTEN 186.) The Harlem Renaissance (1917\u201339) focuses on the emergence of the \u201cNew Negro\u201d and the impact of this concept on black literature, art, and music. Writers studied include Claude McKay, Zora N. Hurston, and Langston Hughes. Special emphasis on new themes and forms. " + "BENG 133": { + "prerequisites": [ + "MATH 20D", + "and" + ], + "name": "Numerical Analysis and Computational Engineering", + "description": "Principles of digital computing, including number representation and arithmetic operations. Accuracy, stability, and convergence. Algorithms for solving linear systems of equations, interpolation, numerical differentiation, and integration and ordinary differential equations. ** Consent of instructor to enroll possible **" }, - "ETHN 175": { - "prerequisites": [], - "name": "Literature of the Harlem Renaissance", - "description": "This course considers the history of listening to the music of the world in Western culture. We will critically examine how the history of perception directs us to listen for familiar and different sounds in music. No musical training required." + "BENG 134": { + "prerequisites": [ + "MATH 20D", + "and", + "MATH 18", + "or", + "MATH 31AH" + ], + "name": "Measurements, Statistics, and Probability", + "description": "A combined lecture and laboratory course that provides an introductory treatment of probability theory, including distribution functions, moments, and random variables. Practical applications include estimation of means and variances, hypothesis testing, sampling theory, and linear regression. ** Consent of instructor to enroll possible **" }, - "ETHN 177": { - "prerequisites": [], - "name": "Race, Sound, and Music", - "description": "(Cross-listed with MUS 126.) This course will examine the development of the blues from its roots in work-songs and the minstrel show to its flowering in the Mississippi Delta to the development of urban blues and the close relationship of the blues with jazz, rhythm and blues, and rock and roll. " + "BENG 135": { + "prerequisites": [ + "ECE 45", + "and", + "BENG 133" + ], + "name": "Biomedical Signals and Systems", + "description": "Discrete systems: linearity, convolution, impulse, and step responses. Linear systems properties. Difference equations. Fourier Series. Continuous FS. Discrete FS. Periodic signals, filtering, and FT. Discrete FT examples. Frequency response of linear systems. Sampling. Relationship between FT, DFT. Laplace Transform. LT and inverse LT. ** Consent of instructor to enroll possible **" }, - "ETHN 178": { - "prerequisites": [], - "name": "Blues: An Oral Tradition", - "description": "(Cross-listed with MUS 127.) Offers an introduction to jazz, including important performers and their associated styles and techniques. Explores the often-provocative role jazz has played in American and global society, the diverse perceptions and arguments that have surrounded its production and reception, and how these have been inflected by issues of race, class, gender, and sexuality. Specific topics vary from year to year.\u00a0May be taken for credit two times. Students may receive a combined total of eight units for MUS 127 and ETHN 179." + "BENG 139A": { + "prerequisites": [ + "BENG 187B" + ], + "name": "Design Development in Molecular Bioengineering", + "description": "Development of design project in molecular bioengineering. ** Consent of instructor to enroll possible **" }, - "ETHN 179": { - "prerequisites": [], - "name": "Discover Jazz", - "description": "This course focuses on race, gender, and sexuality in twentieth- and twenty-first-century fantasy and science fiction. We will study literature, film, music, television, video games, and the internet in order to situate such speculative visions in historical and transmedia contexts. " + "BENG 139B": { + "prerequisites": [ + "BENG 139A" + ], + "name": "Design Implementation in Molecular Bioengineering", + "description": "Implementation of design project in molecular bioengineering. ** Consent of instructor to enroll possible **" }, - "ETHN 182": { - "prerequisites": [], - "name": "Race, Gender, and Sexuality in Fantasy and Science Fiction", - "description": "(Cross-listed with CGS 114.) Gender is often neglected in studies of ethnic/racial politics. This seminar explores the relationship of race, ethnicity, class, and gender by examining the participation of working-class women of color in community politics and how they challenge mainstream political theory. " + "BENG 140A": { + "prerequisites": [ + "CHEM 6A-B", + "PHYS 2A-B-C", + "BILD 1", + "or", + "BENG 102" + ], + "name": "Bioengineering Physiology", + "description": "Introductory mammalian physiology for bioengineering students, with emphasis on control mechanisms and engineering principles. Basic cell functions; biological control systems; muscle; neural; endocrine, and circulatory systems. Not intended for premedical bioengineering students. Credit not allowed for both BIPN 100 and BENG 140A. ** Consent of instructor to enroll possible **" }, - "ETHN 183": { - "prerequisites": [], - "name": "Gender, Race, Ethnicity, and Class", - "description": "(Cross-listed with CGS 187.) The construction and articulation of Latinx sexualities will be explored in this course through interdisciplinary and comparative perspectives. We will discuss how immigration, class, and norms of ethnicity, race, and gender determine the construction, expression, and reframing of Latinx sexualities. " + "BENG 140B": { + "prerequisites": [ + "BENG 140A" + ], + "name": "Bioengineering Physiology", + "description": "Introductory mammalian physiology for bioengineering students, with emphasis on control mechanisms and engineering principles. Digestive, respiratory, renal, and reproductive systems; regulation of metabolism, and defense mechanisms. (Credit not allowed for both BIPN 102 and BENG 140B.) ** Consent of instructor to enroll possible **" }, - "ETHN 187": { - "prerequisites": [], - "name": "Latinx Sexualities", - "description": "(Cross-listed with USP 132.) This course details the history of African American migration to urban areas after World War I and World War II and explores the role of religion in their lives as well as the impact that their religious experiences had upon the cities in which they lived. " + "BENG 141": { + "prerequisites": [ + "BENG 100" + ], + "name": "Biomedical Optics and Imaging", + "description": "Introduction to optics. Light propagation in tissue. Propagation modeling. Optical components. Laser concepts. Optical coherence tomography. Microscopic scattering. Tissue optics. Microscopy. Confocal microscopy. Polarization in tissue. Absorption, diffuse reflection, light scattering spectroscopy. Raman, fluorescence lifetime imaging. Photo-acoustic imaging. ** Consent of instructor to enroll possible **" }, - "ETHN 188": { - "prerequisites": [], - "name": "African Americans, Religion, and the City", - "description": "(Cross-listed with HIUS 167.) This colloquium studies the racial representation of Mexican Americans in the United States from the nineteenth century to the present, examining critically the theories and methods of the humanities and social sciences. " + "BENG 147A": { + "prerequisites": [ + "BENG 187B" + ], + "name": "Design Development in Neural Engineering", + "description": "Development of design project in neural engineering. ** Consent of instructor to enroll possible **" }, - "ETHN 180": { - "prerequisites": [], - "name": "Topics in Mexican American History", - "description": "An analysis of black cultural and intellectual\n\t\t\t\t production since 1895. Course will explore how race and race-consciousness\n\t\t\t\t have influenced the dialogue between ideas and social experience; and how\n\t other factors\u2014i.e., age, gender, and class\u2014affected scholars\u2019 insights. " + "BENG 147B": { + "prerequisites": [ + "BENG 147A" + ], + "name": "Design Implementation in Neural Engineering", + "description": "Implementation of design project in neural engineering. ** Consent of instructor to enroll possible **" }, - "ETHN 184": { - "prerequisites": [], - "name": "Black Intellectuals in the Twentieth Century", - "description": "While discourse analysis has transformed numerous disciplines, a gap separates perspectives that envision discourse as practices that construct inequality from approaches that treat discourse as everyday language. This course engages both perspectives critically in analyzing law, medicine, and popular culture. " + "BENG 148A": { + "prerequisites": [ + "BENG 187B" + ], + "name": "Design Development in Cardiac Bioengineering", + "description": "Development of design project in cardiac bioengineering. ** Consent of instructor to enroll possible **" }, - "ETHN 185": { - "prerequisites": [], - "name": "Discourse, Power, and Inequality", - "description": "A reading and discussion course that explores special topics in ethnic studies. Themes will vary from quarter to quarter; therefore, course may be repeated three times as long as topics vary. " + "BENG 148B": { + "prerequisites": [ + "BENG 148A" + ], + "name": "Design Implementation in Cardiac Bioengineering", + "description": "Implementation of design project in cardiac bioengineering. ** Consent of instructor to enroll possible **" }, - "ETHN 189": { - "prerequisites": [], - "name": "Special Topics in Ethnic Studies", - "description": " (Cross-listed with USP 129.) The course offers students the basic research methods with which to study ethnic and racial communities. The various topics to be explored include human and physical geography, transportation, employment, economic structure, cultural values, housing, health, education, and intergroup relations." + "BENG 149A": { + "prerequisites": [ + "BENG 187B" + ], + "name": "Design Development in Vascular Bioengineering", + "description": "Development of design project in vascular bioengineering. ** Consent of instructor to enroll possible **" }, - "ETHN 190": { + "BENG 149B": { "prerequisites": [ - "ETHN 100A", - "and", - "ETHN 100B", - "and", - "ETHN 100H" + "BENG 149A" ], - "name": "Research\n\t\t Methods: Studying Racial and Ethnic Communities", - "description": "Independent study to complete an honors thesis under the supervision of a faculty member who serves as thesis adviser. ** Department approval required ** " + "name": "Design Implementation in Vascular Bioengineering", + "description": "Implementation of design project in vascular bioengineering. ** Consent of instructor to enroll possible **" }, - "ETHN 196H": { - "prerequisites": [], - "name": "Honors Thesis", - "description": "This course comprises supervised community fieldwork on topics of importance to racial and ethnic communities in the greater San Diego area. Regular individual meetings with faculty sponsor and written reports are required. (May be repeated for credit.) " + "BENG 152": { + "prerequisites": [ + "BENG 102" + ], + "name": "Biosystems Engineering Laboratory", + "description": "Experimental study of real and simulated systems and their controls (examples will include electrical, biological, and biomechanical systems). Projects consist of identification, input-output analysis, design, and implementation of analog controls. Laboratory examples will include electrical circuit design and analysis, analysis of living tissues such as bone, analysis and manipulation of cells (bacteria in chemostat). Program or materials fees may apply.\u00a0 ** Consent of instructor to enroll possible **" }, - "ETHN 197": { - "prerequisites": [], - "name": "Fieldwork in Racial and Ethnic Communities", - "description": "Directed group study on a topic or in a field not included in the regular department curriculum by special arrangement with a faculty member. (May be repeated for credit.) " + "BENG 160": { + "prerequisites": [ + "BICD 100", + "BENG 100", + "MAE 170" + ], + "name": "Chemical and Molecular Bioengineering Techniques", + "description": "Introductory laboratory course in current principles and techniques of chemistry and molecular biology applicable to bioengineering. Quantitation of proteins and nucleic acids by spectrophotometric, immunological, and enzymatic methods. Separations and purification by centrifugation, chromatographic, and electrophoretic methods. Course materials fees may apply. ** Consent of instructor to enroll possible **" }, - "ETHN 198": { - "prerequisites": [], - "name": "Directed Group Studies", - "description": "Individual research on a topic that leads to the writing of a major paper. (May be repeated for credit.) " + "BENG 161A": { + "prerequisites": [ + "BENG 123", + "and", + "BENG 160" + ], + "name": "Bioreactor Engineering", + "description": "Engineering, biochemical, and physiological considerations in the design of bioreactor processes: enzyme kinetics, mass transfer limitations, microbial growth, and product formation kinetics. Fermentation reactor selection, design, scale-up, control. Quantitative bioengineering analysis and design of biochemical processes and experiments on biomolecules. ** Consent of instructor to enroll possible **" }, - "ETHN 199": { - "prerequisites": [], - "name": "Supervised Independent Study and Research", - "description": "Introduction to critical racial and ethnic studies and how this perspective departs from traditional constructions of race and culture; examination of relevant studies to identify themes, concepts, and formulations that indicate the critical departures that characterize the field. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG 161B": { + "prerequisites": [ + "BENG 161A" + ], + "name": "Biochemical Engineering", + "description": "Commercial production of biochemical commodity products. Application of genetic control systems and mutant populations. Recombinant DNA and eukaryotic proteins in E. coli and other host organisms. Product recovery operations, including the design of bioseparation processes of filtration, adsorption, chromatography, and crystallization. Bioprocess economics. Human recombinant erythropoietin as an example, from genomic cloning to CHO cell expression, to bioreactor manufacturing and purification of medical products for clinical application. ** Consent of instructor to enroll possible **" }, - "RELI 1": { - "prerequisites": [], - "name": "Introduction to Religion", - "description": "An introduction to the comparative study of religion, focusing on religious traditions of global significance. Although historical aspects of these traditions will be studied, emphasis will be placed on religious beliefs and practices as manifested in the contemporary world." + "BENG 162": { + "prerequisites": [ + "MAE 170", + "and", + "BENG 160" + ], + "name": "Biotechnology Laboratory", + "description": "Laboratory practices and design principles for biotechnology. Culture of microorganisms and mammalian cells, recombinant DNA bioreactor design and operation. Design and implementation of biosensors. A team design-based term project and oral presentation required. Course materials fees may apply. ** Consent of instructor to enroll possible **" }, - "RELI 2": { - "prerequisites": [], - "name": "Comparative World Religions", - "description": "The aim of this course is to introduce students to the complex relationship between \u201ctechnoscience,\u201d as a broad field of inquiry into the global human practices of technology combined with scientific methods, ranging from biology to computer sciences and robotics, with religion in its complex social manifestations." + "BENG 166A": { + "prerequisites": [ + "BENG 103B", + "or", + "BENG 112B" + ], + "name": "Cell and Tissue Engineering", + "description": "Engineering analysis of physico-chemical rate processes that affect, limit, and govern the function of cells and tissues. Cell migration, mitosis, apoptosis, and differentiation. Dynamic and structural interactions between mesenchyme and parenchyme. The role of the tissue microenvironment including cell-cell interactions, extracellular matrix, and growth factor communication. The design of functional tissue substitutes including cell and material sourcing, scale-up and manufacturability, efficacy and safety, regulatory, and ethical topics. Clinical applications. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "RELI 3": { - "prerequisites": [], - "name": "Technoscience and Religion", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic related to the study of religion with a faculty member in a small seminar setting. Freshman seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen." + "BENG 168": { + "prerequisites": [ + "BILD 1", + "and", + "BENG 100" + ], + "name": "Biomolecular Engineering", + "description": "Basic molecular biology and recombinant DNA technologies. Structure and function of biomolecules that decode genomes and perform energy conversion, enzymatic catalysis, and active transport. Metabolism of macromolecules. Molecular diagnostics. Design, engineering, and manufacture of proteins, genomes, cells, and biomolecular therapies. ** Consent of instructor to enroll possible **" }, - "RELI 87": { - "prerequisites": [], - "name": "Freshman Seminar in Religion", - "description": "This course provides an advanced introduction to assumptions and norms that shape the study of religion as an academic field; to significant debates within the field; and to tools and methods used for professional research within the field." + "BENG 169A": { + "prerequisites": [ + "BENG 187B" + ], + "name": "Design Development in Tissue Engineering", + "description": "Development of design project in tissue engineering. ** Consent of instructor to enroll possible **" }, - "RELI 101": { - "prerequisites": [], - "name": "Tools and Methods in the Study of Religion", - "description": "How does religiosity as a significant cultural component help mold gender and sexuality identities? The class offers topical investigations into this question. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG 169B": { + "prerequisites": [ + "BENG 169A" + ], + "name": "Design Implementation in Tissue Engineering", + "description": "Implementation of design project in tissue engineering. ** Consent of instructor to enroll possible **" }, - "RELI 131": { - "prerequisites": [], - "name": "Topics in Religion and Sexuality", - "description": "Religious dogmas often develop in dialogue with alternative viewpoints that ultimately are rejected by heterodox by the dominant group. This class presents case studies in the interpretation of such ideological and sociological pairings using scriptural, literary, and analytic sources. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG 172": { + "prerequisites": [ + "MAE 170" + ], + "name": "Bioengineering Laboratory", + "description": "A laboratory course demonstrating basic concepts of biomechanics, bioengineering design, and experimental procedures involving animal tissue. Sources of error and experimental limitations. Computer data acquisition, modeling, statistical analysis. Experiments on artery, muscle and heart mechanics, action potentials, viscoelasticity, electrocardiography, hemorheology. Course materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "RELI 132": { - "prerequisites": [], - "name": "Topics in Orthodoxy and Heterodoxy", - "description": "Topical studies in the history of religion in American society, ranging from the Puritans to the New Age. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG 179A": { + "prerequisites": [ + "BENG 187B" + ], + "name": "Design Development in Bioinstrumentation", + "description": "Development of design project in bioinstrumentation. ** Consent of instructor to enroll possible **" }, - "RELI 134": { - "prerequisites": [], - "name": "Topics in American Religion", - "description": "This interdisciplinary course will explore the historical and theoretical relationship between public sphere and religion, particularly focusing on the manifestation of religious power, public ritual, and sacred theatricality in everyday spaces of life. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG 179B": { + "prerequisites": [ + "BENG 179A" + ], + "name": "Design Implementation in Bioinstrumentation", + "description": "Implementation of design project in bioinstrumentation. ** Consent of instructor to enroll possible **" }, - "RELI 141": { - "prerequisites": [], - "name": "Public Sphere and Religion", - "description": "Surveys the relationship between religion and modernity, in particular the problematic of the secularization theory; covers cases such as Catholic liberation theology and Islamic fundamentalism, with particular focus on the \u201cdeprivatization of modern religion.\u201d ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG/BIMM/CSE 181": { + "prerequisites": [ + "CSE 100" + ], + "name": "Molecular Sequence Analysis", + "description": "(Cross-listed as BIMM 181 and CSE 181.) This course covers the analysis of nucleic acid and protein sequences, with an emphasis on the application of algorithms to biological problems. Topics include sequence alignments, database searching, comparative genomics, and phylogenetic and clustering analyses. Pairwise alignment, multiple alignment, DNA sequencing, scoring functions, fast database search, comparative genomics, clustering, phylogenetic trees, gene finding/DNA statistics. " }, - "RELI 142": { - "prerequisites": [], - "name": "Secularization and Religion", - "description": "This course explores religion as a system of bodily practices, rather than one of tenets or beliefs. How do day-to-day activities as well as significant rituals express and inform people\u2019s religious lives? Why is doctrine an insufficient basis for understanding religion? May be taken up to three times as topics vary. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG/BIMM/CSE/CHEM 182": { + "prerequisites": [ + "CSE 100" + ], + "name": "Biological Databases", + "description": "(Cross-listed as BIMM 182, CSE 182, and CHEM 182.) This course provides an introduction to the features of biological data, how those data are organized efficiently in databases, and how existing data resources can be utilized to solve a variety of biological problems. Object-oriented databases, data modeling, and data description. Survey of current biological database with respect to above; implementation of database focused on a biological topic. " }, - "RELI 143": { - "prerequisites": [], - "name": "Topics in Performing Religion", - "description": "Christianity frequently finds definition in contradistinction to an \u201cOther\u201d characterized as immoral, irrational, and malevolent. This class investigates how devils and demons as constructions of the \u201cOther\u201d have contributed to Christianity\u2019s growth and identity formation throughout history. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG 183": { + "prerequisites": [ + "BIMM 100", + "or", + "CHEM 114C" + ], + "name": "Applied Genomic Technologies", + "description": "Principles and technologies for using genomic information for biomedical applications. Technologies will be introduced progressively, from DNA to RNA to protein to whole cell systems. The integration of biology, chemistry, engineering, and computation will be stressed. Topics include technology for the genome, DNA chips, RNA technologies, proteomic technologies, aphysiomic and phenomic technologies, and analysis of cell function. ** Consent of instructor to enroll possible **" }, - "RELI 144": { - "prerequisites": [], - "name": "Devils and Demons in Christianity", - "description": "This course will look at the relationship between information communication technologies (ICTs) and religion and how they have intersected or diverged in the course of history. We will look at both older and newer media, such as telegraph, radio, television, cassette tapes, internet, and satellite, and how they have been used by groups like Evangelical, Catholic, or Islamist movements in proliferation and transformation of ideas, rituals, ideologies, values, and diverse forms of sociability. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG/BIMM/CSE/CHEM 184": { + "prerequisites": [ + "BENG 181", + "or", + "BIMM 181", + "or", + "CSE 181" + ], + "name": "Computational Molecular Biology", + "description": "(Cross-listed as BIMM 184, CSE 184, and CHEM 184.) This advanced course covers the application of machine learning and modeling techniques to biological systems. Topics include gene structure, recognition of DNA and protein sequence patterns, classification, and protein structure prediction. Pattern discovery, hidden Markov models/support vector machines/neural network/profiles, protein structure prediction, functional characterization of proteins, functional genomics/proteomics, metabolic pathways/gene networks. " }, - "RELI 145": { - "prerequisites": [], - "name": "Communication, Technology, and Religion", - "description": "Topical studies in the religious beliefs, practices, and institutions of pre-Christian Europe and near East. May be repeated for credit up to three times when topics vary. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG 186A": { + "prerequisites": [ + "BENG 112B", + "or", + "BENG 123" + ], + "name": "Principles of Biomaterials Design", + "description": "Fundamentals of materials science as applied to bioengineering design. Natural and synthetic polymeric materials. Materials characterization and design. Wound repair, blood clotting, foreign body response, transplantation biology, biocompatibility of materials, tissue engineering. Artificial organs and medical devices. Government regulations. Patenting. Economic impact. Ethical issues. A term project and oral presentation are required. ** Consent of instructor to enroll possible **" }, - "RELI 146": { - "prerequisites": [], - "name": "Topics in the Religions of Antiquity", - "description": "This course explores the history of how western Europe was converted from its indigenous pagan religions to the imported religion we know as Christianity. We will discuss conversion by choice and by force, partial or blended conversions, and the relationships between belief and culture. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG 186B": { + "prerequisites": [ + "ECE 35", + "or", + "MAE 140" + ], + "name": "Principles of Bioinstrumentation Design", + "description": "Biophysical phenomena, transducers, and electronics as related to the design of biomedical instrumentation. Potentiometric and amperometric signals and amplifiers. Biopotentials, membrane potentials, chemical sensors. Electrical safety. Mechanical transducers for displacement, force, and pressure. Temperature sensors. Flow sensors. Light-based instrumentation. ** Consent of instructor to enroll possible **" }, - "RELI 147": { - "prerequisites": [], - "name": "Pagan Europe and Its Christian Aftermath", - "description": "The course surveys women\u2019s formal and informal roles and activities in a number of faiths, examining how women\u2019s agency and activism may be constrained or fostered by religious ideologies and norms in various historical and political contexts. Examples are drawn from a range of male-centered religions (Islam, Judaism, Christianity, Buddhism), woman-centered religions (Sande, Afro-Brazilian, Z-ar Cult), and newly formed theologies (Womanist, Native American, and Mujerista; New Age feminist spiritualities). ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG 187A": { + "prerequisites": [ + "BENG 112A", + "or", + "BENG 152", + "or", + "BENG 168" + ], + "name": "Bioengineering Design Project: Planning", + "description": "General engineering design topics including project planning and design objectives, background research, engineering needs assessment, technical design specifications, engineering standards, and design requirements and constraints. Introduction to biomedical and biotechnology design projects. Career and professional advising. Majors must enroll in the course for a letter grade in order to count the sequence toward the major. No exceptions will be approved. ** Consent of instructor to enroll possible **" }, - "RELI 148": { - "prerequisites": [], - "name": "Religion and Women\u2019s Activisms", - "description": "This course introduces the students to historical and social developments of Islam in the United States. Tracing Islam back to the African slaves, the course examines various Muslim communities in the United States, with a focus on African American Muslims, especially Malcolm X. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG 187B": { + "prerequisites": [ + "BENG 187A" + ], + "name": "Bioengineering Design Project: Development", + "description": "Development of an original bioengineering design for solution of a problem in biology or medicine. Analysis of economic issues, manufacturing and quality assurance, ethics, safety, design constraints, government regulations, and patent requirements. Oral presentation and formal engineering reports. Career and professional advising. Majors\n\t\t\t\t must enroll in the course for a letter grade in order to count\n\t\t\t\t the sequence toward the\n\t\t\t\t major. No exceptions will be approved. ** Consent of instructor to enroll possible **" }, - "RELI 149": { - "prerequisites": [], - "name": "Islam in America", - "description": "The course is an introductory study of cinema and religion. It explores how cinema depicts religion and spiritual experience. A number of films will be studied to understand how cinematic and religious narratives and practices overlap and, at times, diverge in complex ways. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG 187C": { + "prerequisites": [ + "BENG 187B" + ], + "name": "Bioengineering Design Project: Implementation", + "description": "Approaches to implementation of senior design project, including final report. Teams will report on construction of prototypes, conduct of testing, collection of data, and assessment of reliability and failure. Majors must enroll in the course for a letter grade in order to count the sequence toward the major. No exceptions will be approved. ** Consent of instructor to enroll possible **" }, - "RELI 150": { - "prerequisites": [], - "name": "Religion and Cinema", - "description": "This course explores intersections between religious discourse and ecological discourse by considering texts from both that treat the human world as irreducibly interconnected with more-than-human worlds of nature and \u201cspirit.\u201d Themes include the ambivalence of wildness; the critique of anthropocentrism (human-centeredness); and the question of how religious emphasis on \u201cknowing (one\u2019s) place\u201d can create a sense of either human exceptionality, above nature, or embeddedness, within nature. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG 187D": { + "prerequisites": [ + "BENG 187C" + ], + "name": "Bioengineering Design Project: Presentation", + "description": "Oral presentations of design projects, including design, development, and implementation strategies and results of prototype testing. Majors must enroll in the course for a letter grade in order to count the sequence toward the major. No exceptions will be approved. ** Consent of instructor to enroll possible **" }, - "RELI 151": { - "prerequisites": [], - "name": "Deep Ecology: Knowing Place", - "description": "This course introduces students to historical and social developments of religion among Hispanic Americans. The course examines changing religious traditions and ritual practices among Hispanic Americans with a focus on Catholicism and (evangelical) Protestantism. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG 189": { + "prerequisites": [ + "BENG 133", + "and" + ], + "name": "Physiological Systems Engineering", + "description": "Quantitative description of physiological systems, e.g., electrical and mechanical properties of muscle (skeletal and cardiac). Modeling and simulation of properties. Kidney, transport, and models. Neural circuits and models. ** Consent of instructor to enroll possible **" }, - "RELI 153": { + "BENG 191/291": { "prerequisites": [], - "name": "Hispanic American Religions", - "description": "This course introduces students to historical and social developments of religion among Asian Americans. Tracing back to the mid-nineteenth century, the course examines changing religious traditions and ritual practices among Asian American communities. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "\t\t\t Senior Seminar I: Professional Issues in Bioengineering", + "description": "(Conjoined with BENG 291.) Instills skills for personal and organizational development during lifelong learning. Student prepares portfolio of personal attributes and experiences, prepares for career interviews plus oral report of interviewing organizational CEO. Graduate students will prepare a NIH small business research grant. ** Consent of instructor to enroll possible **" }, - "RELI 154": { - "prerequisites": [], - "name": "Asian American Religions", - "description": "This course introduces students to historical and social developments of religion among African Americans. The course examines changing religious traditions and ritual practices among African Americans since slavery to the present era. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "BENG 193": { + "prerequisites": [ + "BENG 140A", + "or", + "BIPN 100" + ], + "name": "Clinical Bioengineering", + "description": "Introduction on the integration of bioengineering and clinical medicine through lectures and rotations with clinical faculty. Students will work with clinical mentors and course faculty to identify areas where engineering can improve diagnostics, clinical practice, and/or treatment. ** Consent of instructor to enroll possible **" }, - "RELI 155": { + "BENG 195": { "prerequisites": [], - "name": "African American Religions", - "description": "This course will survey questions surrounding the \u201ccoevolution\u201d of human and technics and ways such processes are making new worlds of which we often feel a sense of perpetual disruption. We investigate posthuman not only in terms of new technological practices but spiritual experiences that bring about new understandings of being human in the world. " + "name": "Teaching", + "description": "Teaching and tutorial assistance in a bioengineering course under supervision of instructor. Not more than four units may be used to satisfy graduation requirements. (P/NP grades only.) " }, - "RELI 156": { + "BENG 196": { "prerequisites": [], - "name": "Posthuman Spirituality", - "description": "This course examines Japanese religions by studying various traditions including Buddhism, Christianity, and Shintoism and their influence on Japanese culture such as anime and cinema. Students must apply and be accepted into the Global Seminar Program." + "name": "Bioengineering Industrial Internship", + "description": "Under the joint supervision of a faculty adviser and industry mentor, the student will work at or be mentored at a bioengineering industrial company to gain practical bioengineering experience, summarized in a technical report. May be taken for credit up to three times. With departmental approval, four units of credit may substitute for a technical elective. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "RELI 157GS": { + "BENG 197": { "prerequisites": [], - "name": "Religion in Japan", - "description": "This course looks at the relationship between literature and spirituality in Japan. The course explores this relationship in the works of Shusaku Endo, Hiromi Ito, Yasunari Kawabata, Haruki Murakami, and others. Students must apply and be accepted into the Global Seminar Program." + "name": "Engineering Internship", + "description": "An enrichment program, available to a limited number of undergraduate students, which provides work experience with industry, government offices, hospitals, and their practices. Subject to the availability of positions, students will work in a local industry or hospital (on a salaried or unsalaried basis) under the supervision of a faculty member and industrial, government, or hospital employee. Coordination of the Engineering Internship is conducted through UC San Diego\u2019s Academic Internship Program. Time and effort to be arranged. Units may not be applied toward major graduation requirements unless prior approval of a faculty adviser is obtained and internship is an unsalaried position. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "RELI 158GS": { + "BENG 198": { "prerequisites": [], - "name": "Japanese Literature and Spirituality", - "description": "This course explores Native American ways of life and religions; it also examines the impact of European invasion and colonization. " + "name": "Directed Group Study", + "description": "Directed group study, on a topic or in a field\n\t\t\t\t not included in the regular department curriculum, by arrangement with\n\t\t\t\t a bioengineering faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "RELI 159GS": { + "BENG 199": { "prerequisites": [], - "name": "Native Religions", - "description": "Explores the complex relationship between religion and politics in a variety of historical and social contexts. The course examines a range of texts and case studies with a focus on the intersection of religion with politics. " + "name": "Independent Study for Undergraduates", + "description": "Independent reading or research by arrangement with a bioengineering faculty member. May be taken for credit three times. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "RELI 160GS": { + "GLBH 20": { "prerequisites": [], - "name": "Religion and Politics", - "description": "Students in this lecture will investigate important problems in the study of religion or the history of particular religions. May be repeated for credit up to three times when topics vary. " + "name": "Introduction to Global Health", + "description": "Provides a foundational interdisciplinary understanding of complex global health issues and introduces major concepts and principles in global health. The course surveys the range of problems contributing to the global burden of disease and disability including infectious disease, mental illness, refugee and immigrant health, natural disasters, climate change, and food insecurity." }, - "RELI 188": { + "GLBH 100": { "prerequisites": [], - "name": "Special Topics in Religion", - "description": "This seminar requires the intensive analysis of critical problems in the study of religion or the history of particular religions. May be repeated for credit up to three times when topics vary. ** Consent of instructor to enroll possible **" + "name": "Special Topics in Global Health", + "description": "Selected topics in global health. Content will vary from quarter to quarter. May be taken for credit up to four times." }, - "RELI 189": { + "GLBH 101": { "prerequisites": [], - "name": "Seminar in Religion", - "description": "The senior seminar is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in religion at the upper-division level. Topics will vary from quarter to quarter. Senior seminars may be taken for credit up to four times, with a change in topic and permission of the department. Enrollment is limited to twenty students, with preference given to seniors." - }, - "RELI 192": { - "prerequisites": [ - "RELI 101" - ], - "name": "Senior Seminar in Religion", - "description": "First quarter of a two-quarter sequence of individualized, directed-research courses for majors in which students learn firsthand the processes and practices of scholarly research in the study of religion, culminating in the completion of a thesis and an oral presentation. Students may not receive credit for both RELI 196H and RELI 196AH. ** Department approval required ** " + "name": "Aging: Culture and Health in Late Life Human Development", + "description": "(Cross-listed with ANSC 101.) Examines aging as a process of human development from local and global perspectives. Focuses on the interrelationships of social, cultural, psychological, and health factors that shape the experience and well-being of aging populations. Students explore the challenges and wisdom of aging. Students may not receive credit for GLBH 101 and ANSC 101. " }, - "RELI 196AH": { + "GLBH 102": { "prerequisites": [ - "RELI 196A" + "COGS 14B", + "or", + "MATH 11", + "or", + "PSYC 60", + "and", + "GLBH 20", + "or", + "FMPH 40" ], - "name": "Honors Thesis in Religion", - "description": "Second quarter of a two-quarter sequence of individualized, directed-research courses for majors in which students learn firsthand the processes and practices of scholarly research in the study of religion, culminating in the completion of a thesis and an oral presentation. Students may not receive credit for both RELI 196H and RELI 196BH. ** Department approval required ** " + "name": "Global Health Epidemiology", + "description": "This course will address basic epidemiology principles, concepts, and procedures that are used in investigation of health-related states or events from a global perspective. Explores study designs and methods appropriate for studies of incidence and prevalence, causality and prevention, with emphasis on research in resource-poor settings. " }, - "RELI 196BH": { + "GLBH 105": { "prerequisites": [], - "name": "Honors Thesis in Religion", - "description": "A faculty member will direct a student in advanced readings on a topic not generally included in the Program for the Study of Religion\u2019s curriculum. Students must make arrangements with the program and individual faculty. May be repeated for credit up to three times for credit. " + "name": "Global Health and Inequality", + "description": "(Cross-listed with ANSC 105.) Why is there variation of health outcomes across the world? We will discuss health and illness in context of culture and address concerns in cross-national health variations by comparing health care systems in developed, underdeveloped, and developing countries. In addition, we\u2019ll study the role of socioeconomic and political change in determining health outcomes, and examine social health determinants in contemporary global health problems\u2014multi-drug resistance to antibiotics, gender violence, human trafficking, etc. Students may receive credit for one of the following: GLBH 105, ANSC 105, ANSC 105S, or ANSC 105GS." }, - "RELI 197": { + "GLBH 110": { "prerequisites": [], - "name": "Directed Advanced Readings", - "description": "Independent research in religion under the supervision of a faculty member affiliated with the Program for the Study of Religion. This course may be repeated three times with program approval. (P/NP grades only.) " + "name": "Demography and Social Networks in Global Health", + "description": "This course will provide an overview of demographic principles, and their associations with maternal and child health outcomes. We will focus on demographic trends in developing countries, using research from the DHS to discuss inequalities in fertility, mortality, and morbidity. The remainder of the class will question why we see such spatial variation in many maternal and child health outcomes, with a focus on theories of social norms, and social network methods for uncovering those trends." }, - "JWSP 1": { + "GLBH 111": { "prerequisites": [], - "name": "Beginning Hebrew", - "description": "Acquisition of basic vocabulary, fundamentals of Hebrew grammar, conversation, and reading. " + "name": "Clinic on the Border: Health Frontiers in Tijuana", + "description": "Introduces students to the physical and mental health needs of vulnerable migrants and socially marginalized communities, including substance users, LGBTQ, deportees, and the homeless and medically indigent. Students will become integrated into a free clinic in Tijuana where they will obtain community-based field experiences in interacting with these populations; learn about delivering evidence-based health care in underserved settings and be introduced to issues regarding cultural appropriation. Program or materials fees may apply. May be taken for credit up to three times. Students are required to cross the US-Mexico border to attend clinic in Tijuana as part of the requirements for the course. Recommended preparation: upper-division global health course work prior to participation is recommended." }, - "JWSP 2": { + "GLBH 113": { "prerequisites": [], - "name": "Intermediate Hebrew", - "description": "Continued study of vocabulary and grammar, emphasis on fluency in conversation, and reading. " + "name": "Women\u2019s Health in Global Perspective", + "description": "The course examines women\u2019s and girls\u2019 health throughout the world, focusing on the main health problems experienced primarily in low resource settings. This course presents issues in the context of a woman\u2019s life from childhood, through adolescence, reproductive years, and aging. The course will have a strong emphasis on social, economic, environmental, behavioral, and political factors that affect health behaviors, reproductive health, maternal morbidity/mortality, and STIs/HIV." }, - "JWSP 3": { + "GLBH 129": { "prerequisites": [], - "name": "Intermediate Hebrew, Continued", - "description": "Vocabulary, grammar, conversation, introduction to literary and nonliterary texts. " + "name": "Meaning and Healing", + "description": "(Cross-listed with ANSC 129.) This course examines the nature of healing across cultures, with special emphasis on religious and ritual healing. Students may not receive credit for GLBH 129 and ANSC 129." }, - "JWSP 87": { + "GLBH 141": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. P/NP grades only. May be taken for credit four times. Seminars are open to sophomores, juniors, and seniors on a space available basis. " + "name": "Clinical Perspectives in Global Health", + "description": "This course aims to understand the salient aspects of global health from the point of view of the clinician who translates epidemiological knowledge into treatment approaches for their patients. The perspective of the clinician illuminates that of the patient and allows us to understand public health on the front line. The course will examine many aspects of global health from the point of view of the clinicians involved, whose perspectives will help illuminate those of their patients. May be coscheduled with GLBH 241." }, - "JWSP 101": { + "GLBH 142": { "prerequisites": [], - "name": "Introduction to Hebrew Texts", - "description": "Reading and analysis of texts from Biblical through modern authors, study of advanced vocabulary and grammar. Course taught in Hebrew and in English. " + "name": "\u201cWhen the field is a ward\u201d: Ethnographies of the Clinic", + "description": "The purpose of this course is to introduce ethnography as a strategy to conduct research on clinical contexts. During the first part of the course, students will learn about the ethnographic method, and how both qualitative research and ethnography may be utilized in healthcare and medical education. The course will also examine some key limitations to these methods." }, - "JWSP 102": { + "GLBH 146": { "prerequisites": [], - "name": "Intermediate Hebrew Texts", - "description": "Further reading and analysis of Hebrew literature from a range of periods. Advanced grammar and vocabulary. Course taught in Hebrew and in English. " + "name": "A Global Health Perspective on HIV", + "description": "(Cross-listed with ANSC 146.) An introductory course to HIV taught through a medical student format, with emphasis on research and experiential learning, including observation of physicians providing care for patients from diverse socioeconomic and cultural backgrounds, and who may be underinsured or uninsured, homeless, and/or immigrants. Students may not receive credit for ANSC 146 and GLBH 146." }, - "JWSP 103": { + "GLBH 147": { "prerequisites": [], - "name": "Advanced Hebrew Texts", - "description": "Synthesis of fluency, reading, and grammatical skills. Reading of texts from a range of periods. " + "name": "Global Health and the Environment", + "description": "(Cross-listed with ANSC 147.) Examines interactions of culture, health, and environment. Rural and urban human ecologies, their energy foundations, sociocultural systems, and characteristic health and environmental problems are explored. The role of culture and human values in designing solutions will be investigated. Students may not receive credit for GLBH 147 and ANSC 147." }, - "JWSP 110": { + "GLBH 148": { "prerequisites": [], - "name": "Introduction to Judaism", - "description": "An introductory survey of Jewish history, literature, and culture from antiquity to contemporary times. Topics include sacred texts; the variety of groups and views of Judaism; the historical and geographical movements of the Jewish people; and the intersection of religion, ethnicity, and culture. " + "name": "Global Health and Cultural Diversity", + "description": "(Cross-listed with ANSC 148.) Introduction to global health from the perspective of medical anthropology on disease and illness, cultural conceptions of health, doctor-patient interaction, illness experience, medical science and technology, mental health, infectious disease, and health-care inequalities by ethnicity, gender, and socioeconomic status. Students may not receive credit for GLBH 148 and ANSC 148." }, - "JWSP 111": { + "GLBH 150": { "prerequisites": [], - "name": "Topics in Judaic Studies", - "description": "Study of a particular period, theme, or literature in Jewish civilization. May be taken for credit three times. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Culture and Mental Health", + "description": "(Cross-listed with ANSC 150.) This course reviews mental health cross-culturally and transnationally. Issues examined are cultural shaping of the interpretation, experience, symptoms, treatment, course, and recovery of mental illness. World Health Organization findings of better outcomes in non-European and North American countries are explored. Students may not receive credit for GLBH 150 and ANSC 150." }, - "JWSP 130": { + "GLBH 150A": { "prerequisites": [], - "name": "Introduction to the Old Testament: The Historical Books", - "description": "This course will study the historical books of the Hebrew Bible (in English), Genesis through 2 Kings, through a literary-historical approach: how, when, and why the Hebrew Bible came to be written down, its relationship with known historical facts, and the archaeological record. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Global Health Capstone Seminar I", + "description": "Course will consist of intensive reading and discussion in fields related to each student\u2019s primary interest and building on their Global Health Field Experience. The course is oriented toward producing a senior thesis that serves as credential for students applying for postgraduate or professional training. ** Department approval required ** " }, - "JWSP 131": { + "GLBH 150B": { "prerequisites": [ - "JWSP 100A" + "GLBH 150A" ], - "name": "Introduction to the Old Testament: The Poetic Books", - "description": "This course will study the prophetic and poetic books of the Hebrew Bible (in English), through a literary-historical approach. Topics include prophecy, social justice, monotheism, suffering, humor, and love. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "JWSP\n\t\t 196A": { - "prerequisites": [], - "name": "Jewish Studies Honors Course", - "description": "First quarter of honors thesis research for students accepted into honors program. Research is conducted under the supervision of a faculty member selected with the approval of the director of the Jewish Studies Program. ** Department approval required ** " - }, - "JWSP\n\t\t 196B": { - "prerequisites": [], - "name": "Jewish Studies Honors Course", - "description": "Second quarter of honors thesis research for students accepted into honors program. Research is conducted under the supervision of a faculty member selected with the approval of the director of the Jewish Studies Program. ** Department approval required ** " - }, - "JWSP 198": { - "prerequisites": [], - "name": "Directed Group Study in Jewish Studies", - "description": "Directed group study on a topic not generally included in the regular curriculum. Student must make arrangements with individual faculty members. (P/NP only) " - }, - "JWSP\n\t\t 199": { - "prerequisites": [], - "name": "Independent Study in Jewish Studies", - "description": "Independent study on a topic not generally included in the regular curriculum. Student must make arrangements with individual faculty members. (P/NP only)\t\t" + "name": "Global Health Capstone Seminar II", + "description": "Course will be a workshop with critical input from all participants focused on preparing a senior thesis. The course is oriented toward producing a senior thesis that serves as credential for students applying for postgraduate or professional training. ** Department approval required ** " }, - "ESYS 10": { + "GLBH 160": { "prerequisites": [], - "name": "Introduction to Environmental Systems", - "description": "This course explores the interdisciplinary\n\t\t\t\t character of environmental issues through an examination of\n\t\t\t\t a particular topic (climate change, for example) from numerous disciplinary\n\t\t\t\t perspectives (e.g., biology, chemistry, physics, political science, and\n\t\t\t\t economics). " + "name": "Global Health Policy", + "description": "Students will learn fundamental principles and concepts of global health policy, law, and governance. The course will focus on identifying critical global health policy challenges and solving them using a multidisciplinary approach that takes into account the perspectives of various stakeholders. " }, - "ESYS 87": { + "GLBH 171R": { "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate college, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students with preference given to entering freshmen. " + "name": "Global Mental Health", + "description": "Global Mental Health (GMH) is a field of research, practice, and advocacy prioritizing mental health for all persons and communities worldwide. GMH recognizes mental, neurological, or substance use disorders as the leading causes of disability worldwide and works to counteract social stigma and discrimination commonly associated with such conditions. The course introduces this interdisciplinary field based on analysis of and writing about critical sources from the relevant scholarly literature. " }, - "ESYS 90": { + "GLBH 181": { "prerequisites": [], - "name": "Perspectives on Environmental Issues", - "description": "Provides an introduction to environmental systems. Faculty members from departments in the natural sciences, geosciences, and social sciences will offer perspectives in these areas. (F) " - }, - "ESYS 101": { - "prerequisites": [ - "BILD 1" - ], - "name": "Environmental Biology", - "description": "This course surveys biochemical and physiological processes governing the relationship between organisms and their environments, such as those involved in element cycling and cellular homeostasis. The course introduces biological perspectives on human activities ranging from antibiotic use to genetic engineering. ** Consent of instructor to enroll possible **" + "name": "Essentials of Global Health", + "description": "Illustrates and explores ecologic settings and frameworks for study and understanding of global health and international health policy. Students acquire understanding of diverse determinants and trends of disease in various settings and interrelationships between socio-cultural-economic development and health. " }, - "ESYS 102": { + "GLBH 195": { "prerequisites": [], - "name": "The Solid and Fluid Earth", - "description": "Earth\u2019s dynamic physical systems interact in complex ways with profound impact on our environment. Processes such as volcanism and weathering enable geochemical exchange between solid and fluid (ocean and atmosphere) systems. Sea level and climate changes interface with tectonic processes. ** Consent of instructor to enroll possible **" + "name": "Instructional Apprenticeship in Global Health", + "description": "Course gives students experience in teaching global health courses. Students, under direction of instructor, lead discussion sections, attend lectures, review course readings, and meet regularly to prepare course materials and to evaluate examinations and papers. Students will need to apply for the undergraduate instructional apprentice position through ASES, fulfill the Academic Senate regulations, and receive the approval of the department, instructor, department chair, and Academic Senate. May be taken for credit up to two times. Course cannot be used to fulfill requirements for the global health major or minor. ** Department approval required ** " }, - "ESYS 103/MAE 124": { + "GLBH 197": { "prerequisites": [], - "name": "Environmental Challenges: Science and Solutions", - "description": "This course explores the impacts of human, social, economic, and industrial activity on the environment. It highlights the central roles in ensuring sustainable development played by market forces, technological innovation, and government regulation on local, national, and global scales. ** Consent of instructor to enroll possible **" - }, - "ESYS 190A": { - "prerequisites": [ - "ESYS 103", - "and" - ], - "name": "Senior Project", - "description": "All majors are required to complete an integrative Senior Project in their senior year. The Senior Project is designed by the student to focus on an interdisciplinary environmental problem or research topic and is developed either individually or as part of a team over two quarters. Appropriate topics could include biodiversity conservation, environmental health, and/or global change. An important component of the Senior Project is an off-campus or laboratory internship. " - }, - "ESYS 190B": { - "prerequisites": [ - "ESYS 190A", - "or", - "ESYS 190A(W", - "and" - ], - "name": "Environmental Systems Senior Seminar", - "description": "The seminar provides a venue for the development, presentation, and evaluation of the Environmental Systems Integrative Project. The seminar will include work on research methods as well as paper presentation skills. ** Upper-division standing required ** " + "name": "Global Health Academic Internship Program", + "description": "Offers global health students the opportunity to intern and gain credit for their global health field experience requirement. Students will intern and work with a faculty adviser to elaborate on the intellectual analysis and critique of the field experience. Students must complete the AIP application process and have the consent of a faculty adviser. May be taken for credit up to two times. Must be taken for a letter grade to fulfill requirements for the global health major or minor. ** Consent of instructor to enroll possible **" }, - "ESYS 199": { + " GLBH 198": { "prerequisites": [], - "name": "Independent Study", - "description": "Individually guided readings or projects in the area of environmental systems. " + "name": "Directed Group Study", + "description": "Directed group study for students to delve deeper into global health topics or elaborate the intellectual analysis and critique of their field experience. For students enrolled in the global health major or minor. May be taken for credit two times. ** Department approval required ** " + }, + "GLBH 199": { + "prerequisites": [], + "name": "Independent Study in Global Health Field Experience", + "description": "Independent study opportunity for students to work with global health affiliated faculty on relevant research or to elaborate the intellectual analysis and critique of their global health field experience. For students enrolled in the global health major or minor. May be taken for credit two times. ** Department approval required ** " }, "COGS 1": { "prerequisites": [], @@ -20457,3569 +20057,3965 @@ "name": "Special Project", "description": "This independent study course is for individual, advanced students who wish to complete a one-quarter reading or research project under the mentorship of a faculty member. Students should contact faculty whose research interests them to discuss possible projects. P/NP grades only. May be taken for credit three times. ** Consent of instructor to enroll possible **" }, - "BNFO 283": [], - "BNFO 284": [], - "BNFO 285": [ - "MATH 283" - ], - "BNFO 286": [ - "MATH 283", - "MATH 281A", - "MATH 281C", - "FMPH 221", - "or", - "FMPH 222" - ], - "BNFO 294": [], - "BNFO 298": [], - "BNFO 299": [], - "BNFO 500": [], - "ENVR 30": { - "prerequisites": [], - "name": "Environmental Issues: Natural Sciences", - "description": "Examines global and regional environmental issues. The approach is to consider the scientific basis for policy options. Simple principles of chemistry and biology are introduced. The scope of problems includes: air and water pollution, climate modification, solid waste disposal, hazardous waste treatment, and environmental impact assessment. " - }, - "ENVR 87": { - "prerequisites": [], - "name": "Environmental Studies Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " - }, - "ENVR 102": { - "prerequisites": [], - "name": "Selected Topics in Environmental Studies", - "description": "An interdisciplinary course focusing on one of a variety of topics related to environmental studies such as environmental policy and politics, foreign study in environmental problems, environmental history, nature writers, ethics and the environment. May be repeated three times for credit as topics vary. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "ENVR 110": { - "prerequisites": [], - "name": "Environmental Law", - "description": "Explores environmental policy in the United States and the ways in which it is reflected in law. The social and political issues addressed include environmental justice and environmental racism, as well as the role of government in implementing environmental law. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "ENVR 120": { - "prerequisites": [], - "name": "Coastal Ecology", - "description": "Explores the diverse ecosystems of coastal San Diego County (salt marsh, rocky intertidal, sandy beach, etc.) in the classroom and in the field with attention to basic principles of field ecology, natural history, and techniques for collecting ecological data. Course and/or materials fee may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "ENVR 130": { - "prerequisites": [], - "name": "Environmental Issues: Social Sciences\n ", - "description": "Explores contemporary environmental\n issues from the perspective of the social sciences. It includes\n the cultural framing of environmental issues and appropriate\n social action, the analysis of economic incentives and constraints,\n and a comparison of policy approaches. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "ENVR 140": { - "prerequisites": [], - "name": "Wilderness and Human Values", - "description": "\u201cWilderness\u201d plays a central role in the consciousness of\n American environmentalists and serves as focal point for public\n policies, recreation, and political activism. This course explores\n its evolving historical, philosophical, ecological, and aesthetic\n meanings and includes guest speakers and a field component. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "ENVR 141": { - "prerequisites": [], - "name": "Wilderness and Human Values Workshop", - "description": "Instructor will define assistant\u2019s responsibilities in preparing class presentations, leading students\u2019 discussions, and evaluating students\u2019 work. May be taken two times for credit." - }, - "ENVR 195": { - "prerequisites": [], - "name": "Apprentice Teaching", - "description": "Directed group research and study, normally with a focus on areas not otherwise covered in the curriculum. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "ENVR 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "Independent study in a topic not generally covered in the regular curriculum. ** Consent of instructor to enroll possible **" - }, - "ENVR 199": { - "prerequisites": [], - "name": "Independent Study", - "description": "A course in which teaching assistants are aided in learning proper teaching methods by means of supervision of their work by the faculty: handling of discussions, preparation and grading of examinations and other written exercises, and student relations. " - }, - "LIGN 3": { - "prerequisites": [], - "name": "Language as a Social and Cultural Phenomenon", - "description": "The role of language in thought, myth, ritual, advertising, politics, and the law. Language variation, change, and loss; multilingualism, pidginization and creolization; language planning, standardization, and prescriptivism; writing systems. " - }, - "LIGN 4": { - "prerequisites": [], - "name": "Language as a Cognitive System", - "description": "Fundamental issues in language and cognition. Differences between animal communication, sign systems, and human language; origins and evolution of language; neural basis of language; language acquisition in children and adults. " - }, - "LIGN 5": { - "prerequisites": [], - "name": "The Linguistics of Invented Languages", - "description": "Introduction to the study of language through the investigation of invented languages, whether conscious (Elvish, Klingon, Esperanto) or unconscious (creoles, twin/sibling languages). Students will participate in the invention of a language fragment. Topics discussed include language structure, history, culture, and writing systems. " - }, - "LIGN 6": { - "prerequisites": [], - "name": "Computers and Language", - "description": "Computers and \u201cvirtual assistants\u201d are increasingly expected to understand, process, and interact with us using natural human language. This course will focus on the difficult computational and linguistic problems that working with natural language presents; and learn to implement some of the basic computational techniques used to model, process, and produce human language in Python." - }, - "LIGN 7": { - "prerequisites": [], - "name": "Sign Language and Their Cultures", - "description": "Deaf history since the eighteenth century. The structure of American Sign Language and comparison with oral languages. ASL poetry and narrative and Deaf people\u2019s system of cultural knowledge. Basic questions concerning the nature of language and its relation to culture. " - }, - "LIGN 8": { - "prerequisites": [], - "name": "Languages and Cultures in America", - "description": "Language in American culture and society.\n\t\t\t\t Standard and nonstandard English in school, media, pop culture,\n\t\t\t\t politics; bilingualism and education; cultural perception of\n\t\t\t\t language issues over time; languages and cultures in the \u201cmelting\n\t\t\t\t pot,\u201d including Native American, Hispanic, African American,\n\t\t\t\t Deaf. " - }, - "LIGN 9GS": { - "prerequisites": [], - "name": "Sign Languages and Deaf Culture in the U.S. and France", - "description": "This course explores and compares the use of sign language and its role in the cultures of deaf people in the U.S. and France. Through signed discussion and viewing language samples, students become acquainted with how introductions, descriptions, numbers, fingerspelling, and more are commonly communicated in the two countries and gain practical experience in signing both ASL and Langues des Signes Francaise (LSF). Program or material fee may apply. " + "PHYS 1A": { + "prerequisites": [ + "PHYS 1A", + "and", + "MATH 10B" + ], + "name": "Mechanics", + "description": "Second quarter of a three-quarter introductory physics course geared toward life-science majors. Electric fields, magnetic fields, DC and AC circuitry. PHYS 1B and 1BL are designed to be taken concurrently but may be taken in separate terms; taking the lecture before the lab is the best alternative to enrolling in both. " }, - "LIGN 17": { - "prerequisites": [], - "name": "Making and Breaking Codes", - "description": "A rigorous analysis of symbolic systems and their interpretations. Students will learn to encode and decode information using progressively more sophisticated methods; topics covered include ancient and modern phonetic writing systems, hieroglyphics, computer languages, and ciphers (secret codes). " + "PHYS 1AL": { + "prerequisites": [ + "MATH 10A-B" + ], + "name": "Mechanics Laboratory", + "description": "A calculus-based science-engineering general physics course covering vectors, motion in one and two dimensions, Newton\u2019s first and second laws, work and energy, conservation of energy, linear momentum, collisions, rotational kinematics, rotational dynamics, equilibrium of rigid bodies, oscillations, gravitation.\u00a0Students continuing to PHYS 2B/4B will also need MATH 20B. " }, - "LIGN 87": { - "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen.\t\t" + "PHYS 1B": { + "prerequisites": [ + "PHYS 2A" + ], + "name": "Electricity and Magnetism", + "description": "Experiments include gravitational force, linear and rotational motion, conservation of energy and momentum, collisions, oscillations and springs, gyroscopes. Data reduction and error analysis are required for written laboratory reports. One hour lecture and three hours laboratory. " }, - "LIGN 101": { - "prerequisites": [], - "name": "Introduction to the Study of Language", - "description": "Language is what makes us human, but how does it work? This course focuses on speech sounds and sound patterns, how words are formed, organized into sentences, and understood, how language changes, and how it is learned. " + "PHYS 1BL": { + "prerequisites": [ + "PHYS 2A", + "and" + ], + "name": "Electricity and Magnetism Laboratory", + "description": "Experiments on L-R-C circuits; oscillations, resonance and damping, measurement of magnetic fields. One hour lecture and three hours laboratory. Program or materials fee may apply. " }, - "LIGN 105": { - "prerequisites": [], - "name": "Law and Language", - "description": "The interpretation of language in understanding the law: 1) the language of courtroom interaction (hearsay, jury instructions); 2) written legal language (contracts, ambiguity, legal fictions); 3) language-based issues in the law (First Amendment, libel and slander). " + "PHYS 1C": { + "prerequisites": [ + "PHYS 2A", + "and", + "MATH 20D" + ], + "name": "Waves, Optics, and Modern Physics", + "description": "A modern physics course covering atomic view of matter, electricity and radiation, atomic models of Rutherford and Bohr, relativity, X-rays, wave and particle duality, matter waves, Schr\u00f6dinger\u2019s equation, atomic view of solids, natural radioactivity. " }, - "LIGN 108": { - "prerequisites": [], - "name": "Languages of Africa", - "description": "Africa is home to an astonishing variety of languages. This course investigates the characteristics of the major language families as well as population movements and language contact, and how governments attempt to regulate language use. " + "PHYS 1CL": { + "prerequisites": [ + "PHYS 2BL" + ], + "name": "Waves, Optics,\n\t\t and Modern Physics Laboratory", + "description": "Experiments to be chosen from refraction, diffraction and interference of microwaves, Hall effect, thermal band gap, optical spectra, coherence of light, photoelectric effect, e/m ratio of particles, radioactive decays, and plasma physics. One hour lecture and three hours laboratory. Program or material fee may apply. " }, - "LIGN 110": { - "prerequisites": [], - "name": "Phonetics", - "description": "The study of sounds that are used in human languages. How speech sounds are physically produced; acoustics of speech; speech perception; practical training in phonetic transcription and in interpreting visual representations of the acoustic signal. The class covers both English and its dialects and languages other than English. ** Consent of instructor to enroll possible **" + "PHYS 2A": { + "prerequisites": [ + "MATH 20A" + ], + "name": "Physics\u2014Mechanics", + "description": "The first quarter of a five-quarter calculus-based physics sequence for physics majors and students with a serious interest in physics. The topics covered are vectors, particle kinematics and dynamics, work and energy, conservation of energy, conservation of momentum, collisions, rotational kinematics and dynamics, equilibrium of rigid bodies. " }, - "LIGN 111": { - "prerequisites": [], - "name": "Phonology I", - "description": "Why does one language sound different from another? This course analyzes how languages organize sounds into different patterns, how those sounds interact, and how they fit into larger units, such as syllables. Focus on a wide variety of languages and problem solving. " + "PHYS 2B": { + "prerequisites": [ + "PHYS 2A", + "and", + "MATH 20B" + ], + "name": "Physics\u2014Electricity and Magnetism", + "description": "Continuation of PHYS 4A covering forced and damped oscillations, fluid statics and dynamics, waves in elastic media, sound waves, heat and the first law of thermodynamics, kinetic theory of gases, Brownian motion, Maxwell-Boltzmann distribution, second law of thermodynamics. Students continuing to PHYS 4C will also need MATH 18 or 20F or 31AH. " }, - "LIGN 112": { - "prerequisites": [], - "name": "Speech Sounds and Speech Disorders", - "description": "How do we measure differences in the way sounds are produced and perceived? This course focuses on measuring and analyzing the acoustic and auditory properties of sounds as they occur in nonpathological and pathological speech. ** Consent of instructor to enroll possible **" + "PHYS 2BL": { + "prerequisites": [ + "PHYS 2A", + "MATH 20C", + "and" + ], + "name": "Physics\n\t\t Laboratory\u2014Mechanics", + "description": "Continuation of PHYS 4B covering charge and Coulomb\u2019s law, electric field, Gauss\u2019s law, electric potential, capacitors and dielectrics, current and resistance, magnetic field, Ampere\u2019s law, Faraday\u2019s law, inductance, AC circuits. " }, - "LIGN 113": { - "prerequisites": [], - "name": "Hearing Science and Hearing Disorders", - "description": "An introductory course focused on the hearing component of speech, speech perception, and language disorders, this course gives students an introduction to the anatomy and function of human hearing, the principles and practice of audiology, and the modern methods of addressing hearing loss in patients like hearing aids and cochlear implants. " + "PHYS 2C": { + "prerequisites": [ + "PHYS 2A-B-C", + "MATH 20A", + "and" + ], + "name": "Physics\u2014Fluids,\n\t\t Waves, Thermodynamics, and Optics", + "description": "Continuation of PHYS 4C covering electric and magnetic fields in matter, Maxwell\u2019s equations and electromagnetic waves, special relativity and its applications to electromagnetism, optics, interference, diffraction. " }, - "LIGN 119": { + "PHYS 2CL": { "prerequisites": [], - "name": "First and Second Language Learning: From Childhood through Adolescence", - "description": "(Same as EDS 119) An examination of how human language learning ability develops and changes over the first two decades of life, including discussion of factors that may affect this ability. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Physics Laboratory\u2014Electricity and Magnetism", + "description": "An introduction to the evolution of stars, including their birth and death. Topics include constellations, the atom and light, telescopes, stellar birth, stellar evolution, white dwarfs, neutron stars, black holes, and general relativity. This course uses basic algebra, proportion, radians, logs, and powers. PHYS 5, 7, 9, and 13 form a four-quarter sequence and can be taken individually in any order. " }, - "LIGN 120": { + "PHYS 2D": { "prerequisites": [], - "name": "Morphology", - "description": "How do some languages express with one word complex meanings that English needs several words to express? Discovery of underlying principles of word formation through problem solving and analysis of data from a wide variety of languages. ** Consent of instructor to enroll possible **" + "name": "Physics\u2014Relativity and Quantum Physics", + "description": "An introduction to galaxies and cosmology. Topics include the Milky Way, galaxy types and distances, dark matter, large scale structure, the expansion of the Universe, dark energy, and the early Universe. This course uses basic algebra, proportion, radians, logs and powers. PHYS 5, 7, 9, and 13 form a four-quarter sequence and can be taken individually in any order. " }, - "LIGN 121": { + "PHYS 2DL": { "prerequisites": [], - "name": "Syntax I", - "description": "What universal principles determine how words combine into phrases and sentences? Introduction to research methods and results. Emphasis on how argumentation in problem-solving can be used in the development of theories of language. ** Consent of instructor to enroll possible **" + "name": "Physics Laboratory\u2014Modern Physics", + "description": "Examines phenomena and technology encountered in daily life from a physics perspective. Topics include waves, musical instruments, telecommunication, sports, appliances, transportation, computers, and energy sources. Physics concepts will be introduced and discussed as needed employing some algebra. No prior physics knowledge is required. " }, - "LIGN 130": { + "PHYS 4A": { "prerequisites": [], - "name": "Semantics", - "description": "Introduction to the formal study of meaning. What is the meaning of a word? What is the meaning of a sentence? Which role does the context play in determining linguistic meaning? ** Consent of instructor to enroll possible **" + "name": "Physics for Physics Majors\u2014Mechanics", + "description": "This is a one-quarter general physics course for nonscience majors. Topics covered are motion, energy, heat, waves, electric current, radiation, light, atoms and molecules, nuclear fission and fusion. This course emphasizes concepts with minimal mathematical formulation. Recommended preparation: college algebra. " }, - "LIGN 139": { - "prerequisites": [], - "name": "Field Methods", - "description": "Methods and practice of gathering, processing, and analyzing data based on working with a native speaker of a language. Students gain experience in learning to discriminate and transcribe sounds and analyze grammatical features from their own collected data. Ethical and practical issues of working with native speakers and language communities are addressed. May be taken for credit up to two times. Recommended preparation: LIGN 111, LIGN 120, LIGN 121. " + "PHYS 4B": { + "prerequisites": [ + "MATH 10A" + ], + "name": "Physics for Physics Majors\u2014Fluids, Waves, Statistical and Thermal Physics ", + "description": "Survey of physics for nonscience majors with strong mathematical background, including calculus. PHYS 11 describes the laws of motion, gravity, energy, momentum, and relativity. A laboratory component consists of two experiments with gravity and conservation principles. " }, - "LIGN 141": { + "PHYS 4C": { "prerequisites": [], - "name": "Language Structures", - "description": "Detailed investigation of the structure of one or more languages. May be repeated for credit as topics vary. ** Consent of instructor to enroll possible **" + "name": "Physics for\n\t\t Physics Majors\u2014Electricity and Magnetism", + "description": "A course covering energy fundamentals, energy use in an industrial society and the impact of large-scale energy consumption. It addresses topics on fossil fuel, heat engines, solar energy, nuclear energy, energy conservation, transportation, air pollution and global effects. Concepts and quantitative analysis. " }, - "LIGN 143": { + "PHYS 4D": { "prerequisites": [], - "name": "The Structure of Spanish", - "description": "Surveys aspects of Spanish phonetics, phonology, morphology, and syntax. Topics include dialect differences between Latin American and Peninsular Spanish (both from a historical and contemporary viewpoint), gender classes, verbal morphology, and clause structure. ** Consent of instructor to enroll possible **" + "name": "Physics for Physics Majors\u2014Electromagnetic Waves, Special Relativity and Optics ", + "description": "An exploration of life in the Universe. Topics include defining life; the origin, development, and fundamental characteristics of life on Earth; searches for life elsewhere in the solar system and other planetary systems; space exploration; and identifying extraterrestrial intelligence. This course uses basic algebra, proportion, radians, logs, and powers. PHYS 5, 7, 9, and 13 form a four-quarter sequence and can be taken individually in any order. " }, - "LIGN 144": { - "prerequisites": [], - "name": "Discourse Analysis: American Sign Language and Performing Arts", - "description": "A discourse-centered examination of ASL verbal arts: rhyme, meter, rhythm, handedness, nonmanual signals, and spatial mapping; creation of scene and mood; properties of character, dialogue, narration, and voice; cultural tropes; poetic constructions in everyday genres; transcription, body memory and performance. ** Consent of instructor to enroll possible **" + "PHYS 4E": { + "prerequisites": [ + "CAT 2", + "or", + "DOC 2", + "or", + "HUM 1", + "and", + "CAT 3", + "or", + "DOC 3", + "or", + "HUM 2" + ], + "name": "Physics for Physics Majors\u2014Quantum Physics", + "description": "Physicists have spoken of the beauty of equations. The poet John Keats wrote, \u201cBeauty is truth, truth beauty...\u201d What did they mean? Students will consider such questions while reading relevant essays and poems. Requirements include one creative exercise or presentation. Cross-listed with LTEN 30. Students cannot earn credit for both PHYS 30 and LTEN 30. " }, - "LIGN 146": { + "PHYS 5": { "prerequisites": [], - "name": "Sociolinguistics in Deaf Communities", - "description": "An examination of sociolinguistic research on Deaf communities throughout the world, including: sociohistorical contexts for phonological, lexical and syntactic variation, contact between languages, multilingualism, language policies and planning, second language learning, language attitudes, and discourse analysis of specific social contexts. Course will be conducted in ASL. ** Consent of instructor to enroll possible **" + "name": "Stars and Black Holes ", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "LIGN 148": { + "PHYS 7": { "prerequisites": [], - "name": "Psycholinguistics of Sign Language", - "description": "The study of how sign languages are structured, and how they are understood and produced by adults. Topics include the contrast between gesture and language, sign language acquisition, brain processing, sociolinguistics, and the role of sign language in reading. ** Consent of instructor to enroll possible **" + "name": "Galaxies and Cosmology ", + "description": "Directed group study on a topic, or in a field not included in the regular departmental curriculum. P/NP grades only." }, - "LIGN 149GS": { + "PHYS 8": { "prerequisites": [], - "name": "The Historical Roots of American Sign Language", - "description": "Emphasizing linguistic evidence and historical documents, this course examines the roots of ASL with particular focus on contributions from Langue des Signes Francaise, Native American Sign Language, Black ASL, and Hawaiian Sign Language. Topics include illustrated and descriptive records documenting the linguistics of each language, and similarities and differences among the varieties. Program or material fee may apply. " + "name": "Physics of Everyday Life", + "description": "Independent reading or research on a topic by special arrangement with a faculty member. P/NP grading only. " }, - "LIGN 150": { - "prerequisites": [], - "name": "Historical Linguistics", - "description": "Language is constantly changing. This course\n\t\t\t\t investigates the nature of language change, how to determine\n\t\t\t\t a language\u2019s\n\t\t\t\t history, its relationship to other languages, and the search\n\t\t\t\t for common ancestors or \u201cprotolanguage.\u201d ** Consent of instructor to enroll possible **" + "PHYS 9": { + "prerequisites": [ + "PHYS 2A-B-C" + ], + "name": "The Solar System", + "description": "Coulomb\u2019s law, electric fields, electrostatics; conductors and dielectrics; steady currents, elements of circuit theory. " }, - "LIGN 152": { - "prerequisites": [], - "name": "Indigenous Languages of the Americas", - "description": "This course is an introduction to the study of the indigenous languages of the Americas. Its goals are to offer orientation in a broad field and to prepare students for possible future research. Topics covered include grammatical structures, genetic classification, characteristics of major language families, and factors affecting language use and mother tongue transmission of these languages in contemporary societies. Recommended preparation: LIGN 101. " + "PHYS 10": { + "prerequisites": [ + "PHYS 100A", + "MATH 20A", + "and" + ], + "name": "Concepts in Physics", + "description": "Magnetic fields and magnetostatics, magnetic materials, induction, AC circuits, displacement currents; development of Maxwell\u2019s equations. " }, - "LIGN 154": { - "prerequisites": [], - "name": "Language and Consciousness", - "description": "Origins of linguistic analysis (phonetics, phonology, morphology, thematic and grammatical relations, lexical semantics) in ancient India, history of naturalism vs. conventionalism, sound symbolism, relationship of language with myth and ritual, linguistic relativism, physical effects of language, metaphysical approaches to language. " + "PHYS 11": { + "prerequisites": [ + "PHYS 100B" + ], + "name": "Survey of Physics", + "description": "Electromagnetic waves, radiation theory; application to optics; motion of charged particles in electromagnetic fields; relation of electromagnetism to relativistic concepts. " }, - "LIGN 155": { - "prerequisites": [], - "name": "Evolution of Language", - "description": "History of thought on language\n origins, genetic, neural, anatomical, and gestural theories\n of language evolution in relation to prior hominid and other\n species, the role of generational differences in language\n acquisition, and computational models. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "PHYS 12": { + "prerequisites": [ + "PHYS 2B-C-D", + "MATH 20A", + "and" + ], + "name": "Energy and the Environment", + "description": "A combined analytic and mathematically based numerical approach to the solution of common applied mathematics problems in physics and engineering. Topics: Fourier series and integrals, special functions, initial and boundary value problems, Green\u2019s functions; heat, Laplace and wave equations. " }, - "LIGN 160": { - "prerequisites": [], - "name": "Pragmatics", - "description": "An introduction to the context-dependent aspects of language meaning. Topics include given versus new information, Gricean maxims and rules of conversation, presupposition, implicature, reference and cognitive status, discourse coherence and structure, and speech acts. ** Consent of instructor to enroll possible **" + "PHYS 13": { + "prerequisites": [ + "PHYS 2A-B-C", + "MATH 20A", + "and" + ], + "name": "Life in the Universe", + "description": "Phase flows, bifurcations, linear oscillations, calculus of variations, Lagrangian dynamics, conservation laws, central forces, systems of particles, collisions, coupled oscillations. " }, - "LIGN 165": { - "prerequisites": [], - "name": "Computational Linguistics", - "description": "An introduction to the fundamental concepts of computational linguistics, in which we study natural language syntax and semantics from an interpretation perspective, describe methods for programming computer systems to perform such interpretation, and survey applications of computational linguistics technology. " + "PHYS 30": { + "prerequisites": [ + "PHYS 110A", + "MATH 20A", + "and" + ], + "name": "Poetry for Physicists", + "description": "Noninertial reference systems, dynamics of rigid bodies, Hamilton\u2019s equations, Liouville\u2019s theorem, chaos, continuum mechanics, special relativity. " }, - "LIGN 167": { - "prerequisites": [], - "name": "Deep Learning for Natural Language Understanding", - "description": "An introduction to neural network methods for analyzing linguistic data. Basic neural network architectures and optimization through backpropagation and stochastic gradient descent. Word vectors and recurrent neural networks, and their uses and limitations in modeling the structure of natural language. " + "PHYS 87": { + "prerequisites": [ + "PHYS 2A-B-C", + "MATH 20A", + "and" + ], + "name": "Freshman Seminar in Physics and Astrophysics", + "description": "The linear theory of ocean surface waves, including group velocity, wave dispersion, ray theory, wave measurement and prediction, shoaling waves, giant waves, ship wakes, tsunamis, and the physics of the surf zone. Cross-listed with SIO 111. Students may not receive credit for SIO 111 and PHYS 111. " }, - "LIGN 170": { - "prerequisites": [], - "name": "Psycholinguistics", - "description": "The study of how humans learn, represent, comprehend, and produce language. Topics include visual and auditory recognition of words, sentence comprehension, reading, sentence production, language acquisition, neural representation of language, bilingualism, and language disorders. ** Consent of instructor to enroll possible **" + "PHYS 98": { + "prerequisites": [ + "PHYS 100B", + "and" + ], + "name": "Directed Group Study", + "description": "This is a basic course in fluid dynamics for advanced students. The course consists of core fundamentals and modules on advanced applications to physical and biological phenomena. Core fundamentals include Euler and Navier-Stokes equations, potential and Stokesian flow, instabilities, boundary layers, turbulence, and shocks. Module topics include MHD, waves, and the physics of locomotion and olfaction. May be coscheduled with PHYS 216. Students with equivalent prerequisite knowledge may use the Enrollment Authorization System (EASy) to request approval to enroll. ** Department approval required ** " }, - "LIGN 171": { - "prerequisites": [], - "name": "Child Language Acquisition", - "description": "A central cognitive, developmental mystery is how children learn their first language. Overview of research in the learning of sound systems, word forms and word meanings, and word combinations. Exploration of the relation between cognitive and language development. ** Consent of instructor to enroll possible **" + "PHYS 99": { + "prerequisites": [ + "PHYS 2A-B-C", + "and" + ], + "name": "Independent Study", + "description": "Laboratory and lecture course that covers principles of analog circuit theory and design, linear systems theory,\u00a0and practical aspects of\u00a0circuit realization, debugging, and characterization. Laboratory exercises include passive circuits, active filters and amplifiers with\u00a0discrete and monolithic devices, nonlinear circuits, interfaces to sensors and actuators, and the digitization of analog signals. PHYS 120 was formerly numbered PHYS 120A. Program or materials fees may apply.\u00a0" }, - "LIGN 174": { - "prerequisites": [], - "name": "Gender and Language in Society", - "description": "(Same as SOCI 116.) This course examines how language contributes to the social construction of gender identities, and how gender impacts language use and ideologies. Topics include the ways language and gender interact across the life span, within ethnolinguistic minority communities in the United States, across sexual orientations and cultures. Recommended preparation: LIGN\n\t\t\t\t 101, or upper-division standing, or consent of instructor. ** Consent of instructor to enroll possible **" + "PHYS 100A": { + "prerequisites": [ + "PHYS 120" + ], + "name": "Electromagnetism I", + "description": "Laboratory-lecture course covering practical techniques used in research laboratories. Possible topics include computer interfacing of\u00a0instruments, sensors, and actuators; programming for data acquisition/analysis; electronics; measurement techniques; mechanical\u00a0design/machining; mechanics of materials; thermal design/control; vacuum/cryogenic techniques; optics; particle detection. PHYS 122 was formerly numbered PHYS 121. Program or materials fees may apply.\u00a0" }, - "LIGN 175": { - "prerequisites": [], - "name": "Sociolinguistics", - "description": "The study of language in its social context, with emphasis on the different types of linguistic variation and the principles underlying them. Dialects, registers, gender-based linguistic differences, multilingualism, pidginization and creolization, factors influencing linguistic choice, formal models of variation; emphasis is given both to socially determined differences within the United States and US ethnic groups and to cross-cultural differences in language use and variation. ** Consent of instructor to enroll possible **" + "PHYS 100B": { + "prerequisites": [ + "PHYS 120" + ], + "name": "Electromagnetism II", + "description": "A laboratory-lecture-project course featuring creation of an experimental apparatus in teams of about two. Emphasis is on electronic\u00a0sensing of the physical environment and actuating physical responses. The course will use a computer interface such as the Arduino. PHYS 124 was formerly numbered PHYS 120B. Program or materials fees may apply.\u00a0" }, - "LIGN 176": { - "prerequisites": [], - "name": "Language of Politics and Advertising", - "description": "How can we explain the difference between what is literally said versus what is actually conveyed in the language of law, politics, and advertising? How people\u2019s ordinary command of language and their reasoning skills are used to manipulate them. " + "PHYS 100C": { + "prerequisites": [ + "PHYS 2D" + ], + "name": "Electromagnetism III", + "description": "Development of quantum mechanics. Wave mechanics; measurement postulate and measurement problem. Piece-wise constant potentials, simple harmonic oscillator, central field and the hydrogen atom. Three hours lecture, one-hour discussion session. " }, - "LIGN 177": { - "prerequisites": [], - "name": "Multilingualism", - "description": "Official and minority languages, pidgins and Creoles, language planning, bilingual education and literacy, code switching, and language attrition. ** Consent of instructor to enroll possible **" + "PHYS 105A": { + "prerequisites": [ + "PHYS 100B", + "and" + ], + "name": "Mathematical and Computational Physics I", + "description": "Matrix mechanics, angular momentum, spin, and the two-state system. Approximation methods and the hydrogen spectrum. Identical particles, atomic and nuclear structures. Scattering theory. Three hours lecture, one-hour discussion session. " }, - "LIGN 178": { - "prerequisites": [], - "name": "Spanish Sociolinguistics", - "description": "This course examines how social variables, such as age, education, gender, and social status may be linguistically expressed in different varieties of Spanish. Attitudes toward different linguistic variants and how these impact language policy will be studied. Special emphasis will be given to the varieties of Spanish spoken in the United States. ** Consent of instructor to enroll possible **" + "PHYS 105B": { + "prerequisites": [ + "PHYS 130B" + ], + "name": "Mathematical and Computational Physics II", + "description": "Quantized electromagnetic fields and introductory quantum optics. Symmetry and conservation laws. Introductory many-body physics. Density matrix, quantum coherence and dissipation. The relativistic electron. Three-hour lecture, one-hour discussion session. " }, - "LIGN 179": { - "prerequisites": [], - "name": "Second Language Acquisition Research", - "description": "This course will investigate topics in second language acquisition including the critical period, the processing and neural representation of language in bilinguals, theories of second language acquisition and creolization, exceptional language learners, and parallels with first language acquisition. ** Consent of instructor to enroll possible **" + "PHYS 110A": { + "prerequisites": [ + "PHYS 2CL", + "and" + ], + "name": "Mechanics I", + "description": "A project-oriented laboratory course utilizing state-of-the-art experimental techniques in materials science. The course prepares students for research in a modern condensed matter-materials science laboratory. Under supervision, the students develop their own experimental ideas after investigating current research literature. With the use of sophisticated state-of-the-art instrumentation students conduct research, write a research paper, and make verbal presentations. Program or materials fees may apply. " }, - "LIGN 180": { - "prerequisites": [], - "name": "Language Representation in the Brain", - "description": "The mind/body problem, modularity,\n basic neuroanatomy, cerebral lateralization, re-evaluation\n of classical language areas, aphasia, dyslexia, the KE family\n and FOXP2 gene, mirror neurons, sign language, brain development,\n cortical plasticity, and localization studies of language\n processing (electrical stimulation, MEG, fMRI, and PET). Students\n may not receive credit for both LIGN 172 and LIGN 180. ** Consent of instructor to enroll possible **" + "PHYS 110B": { + "prerequisites": [ + "PHYS 100A", + "and" + ], + "name": "Mechanics II", + "description": "Quantum mechanics and gravity. Electromagnetism from gravity and extra dimensions. Unification of forces. Quantum black holes. Properties of strings and branes. " }, - "LIGN 181": { - "prerequisites": [], - "name": "Language Processing in the Brain", - "description": "Modularity and models of language processing, basic neurophysiology,\n EEG/MEG, linguistic event-related brain potentials (ERPs),\n crosslinguistic functional significance of ERP components\n and their MEG correlates: N400, N400-700, lexical processing\n negativity, slow anterior negative potentials, (early) left\n anterior negativity, and late positivity. ** Consent of instructor to enroll possible **" + "PHYS 111": { + "prerequisites": [ + "PHYS 2A-B-C-D", + "MATH 20A", + "and" + ], + "name": "Introduction to Ocean Waves", + "description": "From time to time a member of the regular faculty or a resident visitor will give a self-contained short course on a topic in his or her special area of research. This course is not offered on a regular basis, but it is estimated that it will be given once each academic year. Course may be taken for credit up to two times as topics vary (the course subtitle will be different for each distinct topic). Students who repeat the same topic in PHYS 139 will have the duplicate credit removed from their academic record. " }, - "LIGN 192": { - "prerequisites": [], - "name": "Senior Seminar in Linguistics", - "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in linguistics (at the upper-division level). Senior Seminars may be offered in all campus departments. Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" + "PHYS 116": { + "prerequisites": [ + "PHYS 130A" + ], + "name": "Fluid Dynamics for Physicists", + "description": "Integrated treatment of thermodynamics and statistical mechanics; statistical treatment of entropy, review of elementary probability theory, canonical distribution, partition function, free energy, phase equilibrium, introduction to ideal quantum gases. " + }, + "PHYS 120": { + "prerequisites": [ + "PHYS 130B", + "and" + ], + "name": "Circuits and Electronics", + "description": "Applications of the theory of ideal quantum gases in condensed matter physics, nuclear physics and astrophysics; advanced thermodynamics, the third law, chemical equilibrium, low temperature physics; kinetic theory and transport in nonequilibrium systems; introduction to critical phenomena including mean field theory. " }, - "LIGN 195": { + "PHYS 122": { "prerequisites": [], - "name": "Apprentice Teaching", - "description": "Students lead a class section of a lower-division linguistics course. They also attend a weekly meeting on teaching methods. (This course does not count toward minor or major.) May be repeated for credit, up to a maximum of four units. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Experimental Techniques", + "description": "Project-based computational physics laboratory\n\t\t\t\t course with student\u2019s choice of Fortran 90/95, or C/C++. Applications\n\t\t\t\t from materials science to the structure of the early universe are chosen\n\t\t\t\t from molecular dynamics, classical and quantum Monte Carlo methods, physical\n\t\t\t\t Langevin/Fokker-Planck processes. " }, - "LIGN 197": { + "PHYS 124": { "prerequisites": [], - "name": "Linguistics Internship", - "description": "The student will undertake a program of practical research in a supervised work environment. Topics to be researched may vary, but in each case the course will provide skills for carrying out these studies. ** Consent of instructor to enroll possible **" + "name": "Laboratory Projects", + "description": "Project-based computational physics laboratory course for modern physics and engineering problems with student\u2019s choice of Fortran90/95, or C/C++. Applications of finite element PDE models are chosen from quantum mechanics and nanodevices, fluid dynamics, electromagnetism, materials physics, and other modern topics. " }, - "LIGN 199": { - "prerequisites": [], - "name": "Independent Study in Linguistics", - "description": "The student undertakes a program of research or advanced reading in linguistics under the supervision of a faculty member of the Department of Linguistics. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "PHYS 130A": { + "prerequisites": [ + "MATH 20D" + ], + "name": "Quantum Physics I", + "description": "Particle motions, plasmas as fluids, waves, diffusion, equilibrium and stability, nonlinear effects, controlled fusion. Cross-listed with MAE 117A.\u00a0Students will not receive credit for both MAE 117A and PHYS 151. " }, - "LIGN 199H": { - "prerequisites": [], - "name": "Honors Independent Study in Linguistics", - "description": "The student undertakes a program of research and advanced reading in linguistics under the supervision of a faculty member in the Department of Linguistics. (P/NP grades only.) " + "PHYS 130B": { + "prerequisites": [ + "PHYS 130A", + "or", + "CHEM 130" + ], + "name": "Quantum Physics II", + "description": "Physics of the solid-state. Binding mechanisms, crystal structures and symmetries, diffraction, reciprocal space, phonons, free and nearly free electron models, energy bands, solid-state thermodynamics, kinetic theory and transport, semiconductors. " }, - "Linguistics/American\n\t\t Sign Language (LISL) 1A": { - "prerequisites": [], - "name": "", - "description": "Study of American Sign Language (ASL) and analysis of its syntactic, morphological, and phonological features. Readings and discussions of cultural information. The course is taught entirely in ASL. Must be taken with LISL 1A. " + "PHYS 130C": { + "prerequisites": [ + "PHYS 152A" + ], + "name": "Quantum Physics III", + "description": "Physics of electronic materials. Semiconductors: bands, donors and acceptors, devices. Metals: Fermi surface, screening, optical properties. Insulators: dia-/ferro-electrics, displacive transitions. Magnets: dia-/para-/ferro-/antiferro-magnetism, phase transitions, low temperature properties. Superconductors: pairing, Meissner effect, flux quantization, BCS theory. " }, - "Linguistics/American\n\t\t Sign Language (LISL) 1AX": { - "prerequisites": [], - "name": "", - "description": "Small tutorial meetings with a signer of American Sign Language (ASL). Conversational practice organized around common everyday communicative situations. Must be taken with LISL 1BX. " + "PHYS 133": { + "prerequisites": [ + "PHYS 130B" + ], + "name": "Condensed Matter/Materials Science Laboratory", + "description": "The constituents of matter (quarks and leptons) and their interactions (strong, electromagnetic, and weak). Symmetries and conservation laws. Fundamental processes involving quarks and leptons. Unification of weak and electromagnetic interactions. Particle-astrophysics and the Big Bang. " }, - "Linguistics/American\n\t\t Sign Language (LISL) 1B": { - "prerequisites": [], - "name": "", - "description": "Study of American Sign Language (ASL) and analysis of its syntactic, morphological, and phonological features. Readings and discussions of cultural information. The course is taught entirely in ASL. Must be taken with LISL 1B. " + "PHYS 137": { + "prerequisites": [ + "PHYS 2A-B-C-D" + ], + "name": "String Theory", + "description": "Introduction to stellar astrophysics: observational properties of stars, solar physics, radiation and energy transport in stars, stellar spectroscopy, nuclear processes in stars, stellar structure and evolution, degenerate matter and compact stellar objects, supernovae and nucleosynthesis. PHYS 160, 161, 162, and 163 may be taken as a four-quarter sequence for students interested in pursuing graduate study in astrophysics or individually as topics of interest. " }, - "Linguistics/American\n\t\t Sign Language (LISL) 1BX": { - "prerequisites": [], - "name": "", - "description": "Small tutorial meetings with a signer of American Sign Language (ASL). Conversational practice organized around common everyday communicative situations. Must be taken with LISL 1CX. " + "PHYS 139": { + "prerequisites": [ + "PHYS 2A-B-C-D" + ], + "name": "Physics Special Topics", + "description": "An introduction to Einstein\u2019s theory of general relativity with emphasis on the physics of black holes. Topics will include metrics and curved space-time, the Schwarzchild metric, motion around and inside black holes, rotating black holes, gravitational lensing, gravity waves, Hawking radiation, and observations of black holes. PHYS 160, 161, 162, and 163 may be taken as a four-quarter sequence for students interested in pursuing graduate study in astrophysics or individually as topics of interest. " }, - "Linguistics/American\n\t\t Sign Language (LISL) 1C": { + "PHYS 140A": { "prerequisites": [], - "name": "", - "description": "Study of American Sign Language (ASL) and analysis of its syntactic, morphological, and phonological features. Readings and discussions of cultural information. The course is taught entirely in ASL. Must be taken with LISL 1C. " + "name": "Statistical and Thermal Physics I", + "description": "The expanding Universe, the Friedman-Robertson-Walker equations, dark matter, dark energy, and the formation of galaxies and large-scale structure. Topics in observational cosmology, including how to measure distances and times, and the age, density, and size of the Universe. Topics in the early Universe, including the cosmic microwave background, creation of the elements, cosmic inflation, the big bang. PHYS 160, 161, 162, and 163 may be taken as a four-quarter sequence for students interested in pursuing graduate study in astrophysics or individually as topics of interest. " }, - "Linguistics/American\n\t\t Sign Language (LISL) 1CX": { - "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in American Sign Language. Emphasis on developing signing fluency and greater cultural awareness. Practice of the principal language functions needed for successful communication. Must be taken in conjunction with LISL 1DX. Successful completion of LISL 1D and LISL 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " + "PHYS 140B": { + "prerequisites": [ + "PHYS 2A-B-C-D" + ], + "name": "Statistical and Thermal Physics II", + "description": "An introduction to the structure and properties of galaxies in the universe. Topics covered include the Milky Way, the interstellar medium, properties of spiral and elliptical galaxies, rotation curves, starburst galaxies, galaxy formation and evolution, large-scale structure, and active galaxies and quasars. PHYS 160, 161, 162, and 163 may be taken as a four-quarter sequence in any order for students interested in pursuing graduate study in astrophysics or individually as topics of interest.\u00a0" }, - "Linguistics/American\n\t\t Sign Language (LISL) 1D": { - "prerequisites": [], - "name": "", - "description": "Practice of the grammatical functions indispensable for comprehensible communication in the language. The course is taught entirely in American Sign Language. Must be taken in conjunction with LISL 1D. Successful completion of LISL 1D and LISL 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " + "PHYS 141": { + "prerequisites": [ + "PHYS 2A-B-C-D" + ], + "name": "Computational\n\t\t\t\t Physics I: Probabilistic Models and Simulations", + "description": "Project-based course developing tools and techniques of observational astrophysical research: photon counting, imaging, spectroscopy, astrometry; collecting data at the telescope; data reduction and analysis; probability functions; error analysis techniques; and scientific writing. " }, - "Linguistics/American\n\t\t Sign Language (LISL) 1DX": { - "prerequisites": [], - "name": "", - "description": "Course aims to improve language skills through discussion of topics relevant to the Deaf community. Central topics will include education and American Sign Language (ASL) literature. Conducted entirely in American Sign Language. " + "PHYS 142": { + "prerequisites": [ + "PHYS 1B", + "and" + ], + "name": "Computational\n\t\t\t\t Physics II: PDE and Matrix Models", + "description": "The principles and clinical applications of medical diagnostic instruments, including electromagnetic measurements, spectroscopy, microscopy; ultrasounds, X-rays, MRI, tomography, lasers in surgery, fiber optics in diagnostics. " }, - "Linguistics/American Sign Language (LISL) 1E": { - "prerequisites": [], - "name": "", - "description": "This course concentrates on those language\n\t\t\t\t skills essential for communication: signing, comprehension,\n\t\t\t\t grammar analysis, and deaf culture. UC San Diego students: LISL 5A\n\t\t\t\t is equivalent to LISL 1A/1AX, LISL 5B to LISL 1B/BX, and LISL\n\t\t\t\t 5C to LISL 1C/1CX. Enrollment is limited. " + "PHYS 151": { + "prerequisites": [ + "PHYS 120", + "and", + "BILD 1", + "and", + "CHEM 7L" + ], + "name": "Elementary Plasma Physics", + "description": "A selection of experiments in contemporary\n\t\t\t\t physics and biophysics. Students select among pulsed NMR, Mossbauer,\n\t\t\t\t Zeeman effect, light scattering, holography, optical trapping, voltage\n\t\t\t\t clamp and genetic transcription of ion channels in oocytes, fluorescent\n\t\t\t\t imaging, and flight control in flies. " }, - "Linguistics/American Sign Language (LISL) 5A, 5B, 5C": { - "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIAB 1AX. " + "PHYS 152A": { + "prerequisites": [ + "CHEM 132", + "PHYS 100A", + "and" + ], + "name": "Condensed Matter Physics", + "description": "This course teaches how quantitative models derived from statistical physics can be used to build quantitative, intuitive understanding of biological phenomena. Case studies include ion channels, cooperative binding, gene regulation, protein folding, molecular motor dynamics, cytoskeletal assembly, and biological electricity. " }, - "Linguistics/Arabic (LIAB) 1A": { - "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. This course is taught entirely in Arabic. Must be taken in conjunction with LIAB 1A. " + "PHYS 152B": { + "prerequisites": [ + "PHYS 140A" + ], + "name": "Electronic Materials", + "description": "A quantitative approach to gene regulation including transcriptional and posttranscriptional control of gene expression, as well as feedback and stochastic effects in genetic circuits. These topics will be integrated into the control of bacterial growth and metabolism. " }, - "Linguistics/Arabic (LIAB) 1AX": { + "PHYS 154": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIAB 1BX. " + "name": "Elementary Particle Physics", + "description": "The use of dynamic systems and nonequilibrium statistical mechanics to understand the biological cell. Topics chosen from chemotaxis as a model system; signal transduction networks and cellular information processing; mechanics of the membrane; cytoskeletal dynamics; nonlinear Calcium waves. May be scheduled with PHYS 277. " }, - "Linguistics/Arabic (LIAB) 1B": { + "PHYS 160": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. This course is taught entirely in Arabic. Must be taken in conjunction with LIAB 1B. " + "name": "Stellar Astrophysics", + "description": "Information processing by nervous system through physical reasoning and mathematical analysis. A review of the biophysics of neurons and synapses and fundamental limits to signaling by nervous systems is followed by essential aspects of the dynamics of phase coupled neuronal oscillators, the dynamics and computational capabilities of recurrent neuronal networks, and the computational capability of layered networks. " }, - "Linguistics/Arabic (LIAB) 1BX": { - "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIAB 1CX. " + "PHYS 161": { + "prerequisites": [ + "PHYS 2A" + ], + "name": "Black Holes", + "description": "Undergraduate seminars organized around the research interests of various faculty members. P/NP grades only. " }, - "Linguistics/Arabic (LIAB) 1C": { + "PHYS 162": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. This course is taught entirely in Arabic. Must be taken in conjunction with LIAB 1C. " + "name": "Cosmology", + "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in Physics (at the upper-division level). Senior Seminars may be offered in all campus departments. Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors." }, - "Linguistics/Arabic (LIAB) 1CX": { + "PHYS 163": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIAB 1DX. Successful completion of LIAB 1D and 1DX satisfies the requirement for language proficiency in Revelle and Eleanor Roosevelt Colleges. " + "name": "Galaxies and Quasars", + "description": "Directed group study on a topic or in a field not included in the regular departmental curriculum. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "Linguistics/Arabic (LIAB) 1D": { + "PHYS 164": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. This course is taught entirely in Arabic. Must be taken in conjunction with LIAB 1D. Successful completion of LIAB 1D and 1DX satisfies the requirement for language proficiency in Revelle and Eleanor Roosevelt Colleges. " + "name": "Observational Astrophysics Research Lab", + "description": "Independent reading or research on a problem by special arrangement with a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "Linguistics/Arabic (LIAB) 1DX": { + "PHYS 170": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIAB 1EX. " + "name": "Medical Instruments: Principles and Practice", + "description": "Honors thesis research for seniors participating in the Honors Program. Research is conducted under the supervision of a physics faculty member. " }, - "Linguistics/Arabic (LIAB) 1E": { - "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in Arabic. Must be taken in conjunction with LIAB 1E. " + "PHYS 173": { + "prerequisites": [ + "PHYS 200A" + ], + "name": "Modern Physics Laboratory: Biological and Quantum Physics", + "description": "Hamilton\u2019s equations, canonical transformations; Hamilton-Jacobi theory; action-angle variables and adiabatic invariants; introduction to canonical perturbation theory, nonintegrable systems and chaos; Liouville equation; ergodicity and mixing; entropy; statistical ensembles. " }, - "Linguistics/Arabic (LIAB) 1EX": { + "PHYS 175": { "prerequisites": [], - "name": "", - "description": "A course to increase the proficiency level of students who have completed LIAB 1E/1EX or who are at an equivalent level. Attention to listening comprehension, conversation, vocabulary building, reading, grammar analysis, and culture. " + "name": "Biological Physics", + "description": "An introduction to mathematical methods used in theoretical physics. Topics include a review of complex variable theory, applications of the Cauchy residue theorem, asymptotic series, method of steepest descent, Fourier and Laplace transforms, series solutions for ODE\u2019s and related special functions, Sturm Liouville theory, variational principles, boundary value problems, and Green\u2019s function techniques. " }, - "Linguistics/Arabic (LIAB) 1F": { + "PHYS 176": { "prerequisites": [], - "name": "", - "description": "A course to increase the proficiency level of students who have completed LIAB 1F or who are at an equivalent level. Attention to listening comprehension, conversation, vocabulary building, reading, grammar analysis, and culture. " + "name": "Quantitative Molecular Biology", + "description": "This course stresses approximate techniques in physics, both in terms of quantitative estimation and scaling relationships. A broad range of topics may include drag, aerodynamics, fluids, waves, heat transfer, mechanics of materials, sound, optical phenomena, nuclear physics, societal-scale energy, weather and climate change, human metabolic energy. Undergraduates wishing to enroll will be expected to have prior completion of PHYS 100B, PHYS 110A, PHYS 130B, and PHYS 140A." }, - "Linguistics/Arabic (LIAB) 1G": { + "PHYS 177": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIFR 1AX. " + "name": "Physics of the Cell", + "description": "Electrostatics, symmetries of Laplace\u2019s equation and methods for solution, boundary value problems, electrostatics in macroscopic media, magnetostatics, Maxwell\u2019s equations, Green functions for Maxwell\u2019s equations, plane wave solutions, plane waves in macroscopic media. " }, - "Linguistics/French (LIFR) 1A": { + "PHYS 178": { + "prerequisites": [ + "PHYS 203A" + ], + "name": "Biophysics of Neurons and Networks", + "description": "Special theory of relativity, covariant formulation of electrodynamics, radiation from current distributions and accelerated charges, multipole radiation fields, waveguides and resonant cavities. " + }, + "PHYS 191": { + "prerequisites": [ + "PHYS 200A-B" + ], + "name": "Undergraduate Seminar on Physics", + "description": "Approach to equilibrium: BBGKY hierarchy;\n\t\t\t\t Boltzmann equation; H-theorem. Ensemble theory; thermodynamic\n\t\t\t\t potentials. Quantum statistics; Bose condensation. Interacting systems:\n\t\t\t\t Cluster expansion; phase transition via mean-field theory; the Ginzburg\n\t\t\t\t criterion. " + }, + "PHYS 192": { + "prerequisites": [ + "PHYS 210A" + ], + "name": "Senior Seminar in Physics", + "description": "Transport phenomena; kinetic theory and the Chapman-Enskog method; hydrodynamic theory; nonlinear effects and the mode coupling method. Stochastic processes; Langevin and Fokker-Planck equation; fluctuation-dissipation relation; multiplicative processes; dynamic field theory; Martin-Siggia-Rose formalism; dynamical scaling theory. " + }, + "PHYS 198": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in French. Must be taken in conjunction with LIFR 1A. " + "name": "Directed Group Study", + "description": "The first of a two-quarter course in solid-state physics. Covers a range of solid-state phenomena that can be understood within an independent particle description. Topics include chemical versus band-theoretical description of solids, electronic band structure calculation, lattice dynamics, transport phenomena and electrodynamics in metals, optical properties, semiconductor physics. " + }, + "PHYS 199": { + "prerequisites": [ + "PHYS 210A", + "and", + "PHYS 211A" + ], + "name": "Research for Undergraduates", + "description": "Deals with collective effects in solids arising from interactions between constituents. Topics include electron-electron and electron-phonon interactions, screening, band structure effects, Landau Fermi liquid theory. Magnetism in metals and insulators, superconductivity; occurrence, phenomenology, and microscopic theory. " }, - "Linguistics/French (LIFR) 1AX": { + "PHYS 199H": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIFR 1BX. " + "name": "Honors\n\t\t\t\t Thesis Research for Undergraduates", + "description": "Quantum principles of state (pure, composite, entangled, mixed), observables, time evolution, and measurement postulate. Simple soluble systems: two-state, harmonic oscillator, and spherical potentials. Angular momentum and spin. Time-independent approximations. " }, - "Linguistics/French (LIFR) 1B": { + "VIS 1": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in French. Must be taken in conjunction with LIFR 1B. " + "name": "Introduction to\n\t\t Art Making: Two-Dimensional Practices", + "description": "An introduction to the concepts and techniques of art making with specific reference to the artists and issues of the twentieth century. Lectures and studio classes will examine the nature of images in relation to various themes. Drawing, painting, found objects, and texts will be employed. This course is offered only one time each year. " }, - "Linguistics/French (LIFR) 1BX": { + "VIS 2": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIFR 1CX. " + "name": "Introduction to\n\t\t Art Making: Motion and Time-Based Art", + "description": "An introduction to art making utilizing the transaction between people, objects, situations, and media. Includes both critical reflection on relevant aspects of modern and contemporary art practices (Marina Abramovic, Allen Kaprow, Adrian Piper, James Luna, Stelarc, Ron Athey, conceptual art, performance art, new media art, etc.) and practical experience in a variety of artistic exercises. This course is offered only one time each year. " }, - "Linguistics/French (LIFR) 1C": { + "VIS 3": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in French. Must be taken in conjunction with LIFR 1C. " + "name": "Introduction to\n\t\t Art Making: Three-Dimensional Practices", + "description": "An introduction to art making that uses as its base the idea of the \u201cconceptual.\u201d The lecture exists as a bank of knowledge about various art world and nonart world conceptual plays. The studio section attempts to incorporate these ideas into individual and group projects using any \u201cmaterial.\u201d This course is offered only one time each year. " }, - "Linguistics/French (LIFR) 1CX": { + "VIS 10": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in French. Emphasis on speaking, reading, writing, and culture. Practice of the language functions needed for successful communication. Must be taken in conjunction with LIFR 1DX. Successful completion of LIFR 1D and LIFR 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " + "name": "Computing in the Arts Lecture Series", + "description": "Designed around presentations by visiting artists, critics, and scientists involved with contemporary issues related to computer arts and design. Lectures by the instructor and contextual readings provide background material for the visitor presentations. Program or materials fees may apply. Students may not receive credit for both VIS 10 and ICAM 110. This course is offered only one time each year. " }, - "Linguistics/French (LIFR) 1D": { + "VIS 11": { "prerequisites": [], - "name": "", - "description": "Practice of the grammatical functions indispensable for comprehensible communication in the language. The course is taught entirely in French. Must be taken in conjunction with LIFR 1D. Successful completion of LIFR 1D and LIFR 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " + "name": "Introduction to Visual Culture", + "description": "This course examines the significant topics in art practice, theory, and history that are shaping contemporary art thinking. A wide range of media extending across studio art practice, digital media, performative practices, and public culture will be considered as interrelated components. This course is required for visual arts transfer students. Students may not receive credit for both VIS 11 and VIS 111. This course is offered only one time each year during winter quarter. " }, - "Linguistics/French (LIFR) 1DX": { + "VIS 20": { "prerequisites": [], - "name": "", - "description": "This course concentrates on those language skills essential for communication: listening comprehension, conversation, reading, writing, and grammar analysis. UC San Diego students: LIFR 5A is equivalent to LIFR 1A/1AX, LIFR 5B to LIFR 1B/1BX, LIFR 5C to LIFR 1C/1CX, and LIFR 5D to LIFR 1D/1DX. Enrollment is limited. " + "name": "Introduction to Art History", + "description": "This course examines history of Western art and architecture through such defining issues as the respective roles of tradition and innovation in the production and appreciation of art; the relation of art to its broader intellectual and historical contexts; and the changing concepts of the monument, the artist, meaning, style, and \u201cart\u201d itself. Representative examples will be selected from different periods, ranging from Antiquity to Modern. Content will vary with the instructor. " }, - "Linguistics/French (LIFR) 5B, 5C, 5D": { + "VIS 21A": { "prerequisites": [], - "name": "", - "description": "A self-instructional program designed to prepare graduate students to meet reading requirements in French. After a one-week introduction to French orthography/ sound correspondence, students work with a self-instructional textbook. Midterm and final examinations. (F,W,S) " + "name": "Introduction\n\t\t to the Art of the Americas or Africa and Oceania", + "description": "Course offers a comparative and thematic approach to the artistic achievements of societies with widely divergent structures and political organizations from the ancient Americas to Africa and the Pacific Islands. Topics vary with the interests and expertise of instructor. Students may not receive credit for VIS 21 and VIS 21A. " }, - "Linguistics/French (LIFR) 11": { + "VIS 21B": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIGM 1AX. " + "name": "Introduction to Asian Art", + "description": "Survey of the major artistic trends of India, China, and Japan, taking a topical approach to important developments in artistic style and subject matter to highlight the art of specific cultures and religions. Students may not receive credit for VIS 21 and VIS 21B. " }, - "Linguistics/German (LIGM) 1A": { + "VIS 22": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in German. Must be taken with LIGM 1A. " + "name": "Formations of Modern Art", + "description": "Wide-ranging survey introducing the key aspects of modern art and criticism in the nineteenth and twentieth centuries, including neoclassicism, romanticism, realism, impressionism, postimpressionism, symbolism, fauvism, cubism, Dadaism and surrealism, abstract expressionism, minimalism, earth art, and conceptual art. " }, - "Linguistics/German (LIGM) 1AX": { + "VIS 23": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIGM 1BX. " + "name": "Information Technologies in Art History", + "description": "This seminar introduces fundamentals of art historical practice such as descriptive and analytical writing, compiling annotated bibliographies with traditional and online resources, defining research topics, and writing project proposals. " }, - "Linguistics/German (LIGM) 1B": { + "VIS 30": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in German. Must be taken with LIGM 1B. " + "name": "Introduction to Speculative Design", + "description": "Note: Prerequisite for VIS 112 and highly recommended for all other seminars. Must be taken within a year of declaring major or transferring into the art history program. " }, - "Linguistics/German (LIGM) 1BX": { + "VIS 41": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIGM 1CX. " + "name": "Design Communication", + "description": "Speculative design uses design methods to question and investigate material culture with critical creative purpose. This course provides a historical, theoretical, and methodological introduction to speculative design as a distinct program. Emphasis is tracing the integration of interdisciplinary intellectual and technical problems toward creative, unexpected propositions and prototypes. " }, - "Linguistics/German (LIGM) 1C": { + "VIS 60": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in German. Must be taken with LIGM 1C. " + "name": "Introduction to Digital Photography", + "description": "This course provides a strong foundation in contemporary techniques of design communication, including: digital image editing, typography, vector-based illustration and diagramming, document layout, as well as basic digital video editing tools, and web-production formats. Emphasis is on mastery of craft through iteration and presentation of multiple projects. Students may not receive credit for VIS 140 or ICAM 101 and VIS 41. " }, - "Linguistics/German (LIGM) 1CX": { + "VIS 70N": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in German. Emphasis on speaking, reading, writing, and culture. Practice of the language functions needed for successful communication. Must be taken in conjunction with LIGM 1DX. Successful completion of LIGM 1D and LIGM 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " + "name": "Introduction to Media", + "description": "An in-depth exploration of the camera and image utilizing photographic digital technology. Emphasis is placed on developing fundamental control of the processes and materials through lectures, field, and lab experience. Basic discussion of image making included. Program or materials fees may apply. " }, - "Linguistics/German (LIGM) 1D": { + "VIS 80": { "prerequisites": [], - "name": "", - "description": "Practice of the grammatical functions indispensable for comprehensible communication in the language. The course is taught entirely in German. Must be taken in conjunction with LIGM 1D. Successful completion of LIGM 1D and LIGM 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " + "name": "Introduction to the Studio Major", + "description": "Operating as both a lecture and production course, this introductory class provides a technical foundation and theoretical context for all subsequent production-oriented film and video studies. In the laboratory, the student will learn the basic skills necessary to initiate video production. Completion of Visual Arts 70N is necessary to obtain a media card. Program or materials fees may apply. " }, - "Linguistics/German (LIGM) 1DX": { + "VIS 84": { "prerequisites": [], - "name": "", - "description": "A self-instructional program designed to prepare graduate students to meet reading requirements in German. After a one-week introduction to German orthography/sound correspondences, students work with a self-instructional textbook. Midterm and final examinations. (F,W,S) " + "name": "History of Film", + "description": "A practical introduction to the studio art major and a conceptual introduction to how diverse strategies of art making are produced, analyzed, and critiqued. Introduces historical and contemporary topics in painting, drawing, sculpture, installation, and performance art and field-based practices. Required for all studio majors and minors including transfer students. Must be taken in residence at UC San Diego. " }, - "Linguistics/German (LIGM) 11": { + "VIS 84B": { "prerequisites": [], - "name": "", - "description": "This course concentrates on those language skills essential for communication: listening comprehension, reading, writing, and grammar analysis. UC San Diego students: LIGM 5A is equivalent to LIGM 1A/1AX, LIGM 5B to LIGM 1B/1BX, and LIGM 5C to LIGM 1C/1CX. Enrollment is limited. " + "name": "Film Aesthetics", + "description": "A survey of the history and the art of the cinema. The course will stress the origins of cinema and the contributions of the earliest filmmakers, including those of Europe, Russia, and the United States. This course is offered only one time each year. Program or materials fees may apply. " }, - "Linguistics/German\n\t\t (LIGM) 5A, 5B, 5C, 5D": { + "VIS 85A": { "prerequisites": [], - "name": "", - "description": "For students who already comprehend informal spoken Arabic but who have little or no reading and writing skills. Topics include the Arabic alphabet, basic reading and writing, and differences between colloquial and written Arabic. ** Consent of instructor to enroll possible **" + "name": "Media History", + "description": "Analysis and interpretation of a film movement, style, genre, or set of conventions in light of aesthetic, philosophical, and/or theoretical frameworks. Specific films and emphases may vary by year and instructor. Examples include early twentiety-century century avant-garde, Third Cinema, Neorealism, direct cinema and cin\u00e9ma v\u00e9rit\u00e9, observational cinema, the French New Wave, the Hong Kong New Wave, essay films, pre-Code Hollywood cinema, structuralist film. Program or materials fees may apply. " }, - "Linguistics/Heritage Languages (LIHL) 16": { + "VIS 85B": { "prerequisites": [], - "name": "", - "description": "For students who already comprehend informal spoken Persian but who have little or no reading and writing skills. Topics include the Persian alphabet, basic reading and writing, and differences between colloquial and written Persian. ** Consent of instructor to enroll possible **" + "name": "Media Aesthetics", + "description": "A survey of media history, theory, and art in a range of national and international contexts. Offers historically situated analysis of print, audio, text-based, image-based, and time-based media in narrative, avant-garde, and documentary forms across different movements, genres, and styles with attention to associated theories and conventions (such as mechanical, electronic, graphical, lens-based, video, digital, and mixed media). Specific works and emphases may vary by year and instructor. Program or materials fees may apply. " }, - "Linguistics/Heritage Languages (LIHL) 17": { + "VIS 87": { "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Filipino but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and family life/festivals; dialect and language style differences; structure and history of Filipino. May not receive credit for both LIHL112 and LIHL112F. Courses may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Freshman Seminar", + "description": "Analysis and interpretation of a specific media art movement, style, genre, or set of conventions in light of aesthetic, philosophical, and/or theoretical frameworks. Specific works and emphases may vary by year and instructor. Examples include video art of the 1970s-80s, media art and industry, media archaeology, and computational aesthetics. Program or materials fees may apply. " }, - "Linguistics/Heritage Languages (LIHL) 112F": { + "VIS 100": { "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Filipino but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and media/arts; dialect and language style differences; structure and history of Filipino. May not receive credit for both LIHL112 and LIHL112W. Courses may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Introduction to Public Culture", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students with preference given to entering freshmen. " }, - "Linguistics/Heritage Languages (LIHL) 112W": { + "VIS 100A": { "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Filipino but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and entertainment/culture; dialect and language style differences; structure and history of Filipino. May not receive credit for both LIHL112 and LIHL112P. Courses may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Design of Public Culture", + "description": "This course examines the expansion of visual arts into contemporary fields of public culture and social practice, including new forms of research and practice intervening across urban socio-economic and political domains, environmental, spatial and community-based dynamics, architecture, information-design, and visualization. " }, - "Linguistics/Heritage Languages (LIHL) 112P": { - "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on domestic culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Filipino. LIHL 132F, LIHL 132W, and LIHL 132P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "VIS 101": { + "prerequisites": [ + "VIS 100" + ], + "name": "Introduction to Urban Ecologies", + "description": "This course will explore design strategies that engage today\u2019s shifting public domain structures, situating the problematic of \u201cthe public\u201d and the politics of public sphere as sites of investigation, and speculating new interfaces between individuals, collectives, and institutions in coproducing more critical and inclusive forms of public space and culture. " }, - "Linguistics/Heritage Languages (LIHL) 132F": { + "VIS 101A": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on media/arts. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Filipino. LIHL 132F, LIHL 132W, and LIHL 132P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Designing Urban Ecologies", + "description": "This course examines expanded meanings of the urban and the ecological into new conceptual zones for artistic practice and research, introducing urbanization as complex and transformative processes of interrelated cultural, socio-economic, political and environmental conditions, whose material and informational flows are generative of new interpretations of ecology. " }, - "Linguistics/Heritage Languages (LIHL) 132W": { + "VIS 102": { + "prerequisites": [ + "VIS 101" + ], + "name": "Democratizing the City ", + "description": "This course will explore design strategies that engage peoples\u2019 shifting geopolitical boundaries, bioregional and ecosystems, urban structures and landscapes, and recontextualize the city as a site of investigation by developing new ways of intervening into expanded notions of urban space, including virtual communities and new speculations of urbanity. " + }, + "VIS 103": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on entertainment/culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Filipino. LIHL 132F, LIHL 132W, and LIHL 132P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Architectural Practices", + "description": "Introduction to urban inequality across the Tijuana\u2013San Diego region, and the border flows that make the marginalized neighborhoods within this geography of conflict into sites of socioeconomic and cultural productivity, laboratories to rethink the gap between wealth and poverty. " }, - "Linguistics/Heritage Languages (LIHL) 132P": { + "VIS 103A": { "prerequisites": [], - "name": "", - "description": "For students who already comprehend informal\n spoken Armenian but wish to improve their communicative and\n sociocultural competence and their analytic understanding.\n Language functions for oral communication, reading, writing,\n and culture; dialect and language style differences; structure\n and history of Armenian. Some speaking ability in Armenian\n recommended. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Contemporary Arts in South Korea", + "description": "We can learn a lot from the spatial, aesthetic, and formal strategies of architects, as well as their critical stance on the shifting cultural, socio-political, and economic dynamics in the contemporary city. This is an introductory course to explore some of the most important, innovative contemporary architectural practices in the world, and their role in shaping new paradigms in design, material, urban, and environmental culture. " }, - "Linguistics/Heritage Languages (LIHL) 113": { + "VIS 103B": { "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Vietnamese but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and family life/festivals; dialect and language style differences; structure and history of Vietnamese. LIHL 114F, LIHL 114W, and LIHL 114P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Architecture and Urbanism of Korea", + "description": "The course will examine the theories and practices of contemporary art in South Korea, and its systems of cultural productions and disseminations. Highlighting the work of representative artists, institutions, and events, the course focuses on the predominance of governmental and corporate sponsorships, and how its cultural system is positioned for national and global presence, as well as the emergence alternative art spaces that promote the decentralization of cultural programs. Renumbered from VIS 127A. Students may not receive credit for VIS 103A and VIS 127A. This course is part of the Korean studies minor program. " }, - "Linguistics/Heritage Languages (LIHL) 114F": { + "VIS 105A": { "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Vietnamese but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and entertainment/culture; dialect and language style differences; structure and history of Vietnamese. LIHL 114F, LIHL 114W, and LIHL 114P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Drawing: Representing the Subject", + "description": "Covering the evolution of architecture and urban developments in South and North Korea since 1953. The course will examine how both states have shaped their political, economic, and cultural conditions. In particular, we will compare the apartment block communities, national identity architecture, and thematic architecture for entertainment and political propaganda. We will look at how traditional Korean architecture and urban structures were modified for modern life and political economy. Renumbered from VIS 127I. Students may not receive credit for VIS 103B and VIS 127I. " + }, + "VIS 105B": { + "prerequisites": [ + "VIS 80" + ], + "name": "Drawing: Practices and Genre", + "description": "A studio course in beginning drawing covering basic drawing and composition. These concepts will be introduced by the use of models, still life, landscapes, and conceptual projects. " + }, + "VIS 105C": { + "prerequisites": [ + "VIS 105A" + ], + "name": "Drawing: Portfolio Projects", + "description": "A continuation of VIS 105A. A studio course in which the student will investigate a wider variety of technical and conceptual issues involved in contemporary art practice related to drawing. " + }, + "VIS 105D": { + "prerequisites": [ + "VIS 105B" + ], + "name": "Art Forms and Chinese Calligraphy ", + "description": "A studio course in drawing, emphasizing individual creative problems. Class projects, discussions, and critiques will focus on issues related to intention, subject matter, and context. " + }, + "VIS 105E": { + "prerequisites": [ + "VIS 80" + ], + "name": "Chinese Calligraphy as Installation", + "description": "This course treats Chinese calligraphy as a multidimensional point of departure for aesthetic, cultural, and political concerns. This conceptually based course combines fundamental studio exercises with unconventional explorations. Students are exposed to both traditional and experimental forms of this unique art and encouraged to learn basic aesthetic grammars. There are no Chinese language requirements for this course. " + }, + "VIS 106A": { + "prerequisites": [ + "VIS 105D" + ], + "name": "Painting: Image Making", + "description": "This course concerns East\u2013West aesthetic interactions. What are the conceptual possibilities when calligraphy, an ancient form of Chinese art, is combined with installation, a contemporary artistic Western practice? Emphasis is placed on such issues as cultural hybridity, globalization, multiculturalism, and commercialization. " + }, + "VIS 106B": { + "prerequisites": [ + "VIS 80" + ], + "name": "Painting: Practices and Genre", + "description": "A studio course focusing on problems inherent in painting\u2014transferring information and ideas onto a two-dimensional surface, color, composition, as well as manual and technical procedures. These concepts will be explored through the use of models, still life, and landscapes. " + }, + "VIS 106C": { + "prerequisites": [ + "VIS 106A" + ], + "name": "Painting: Portfolio Projects", + "description": "A continuation of VIS 106A. A studio course in which the student will investigate a wider variety of technical and conceptual issues involved in contemporary art practice related to painting. " + }, + "VIS 107A": { + "prerequisites": [ + "VIS 106B" + ], + "name": "Sculpture: Making the Object", + "description": "A studio course in painting emphasizing individual creative problems. Class projects, discussions, and critiques will focus on issues related to intention, subject matter, and context. " + }, + "VIS 107B": { + "prerequisites": [ + "VIS 80" + ], + "name": "Sculpture: Practices and Genre", + "description": "A studio course focusing on the problems involved in transferring ideas and information into three-dimensions. Course will explore materials and construction as dictated by the intended object. Specific problems to be investigated will be determined by the individual professor. " + }, + "VIS 107C": { + "prerequisites": [ + "VIS 107A" + ], + "name": "Sculpture: Portfolio Projects", + "description": "A studio course in which the student will investigate a wider variety of technical and conceptual issues as well as materials involved in contemporary art practice related to sculpture. " }, - "Linguistics/Heritage Languages (LIHL) 114P": { - "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Vietnamese but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and media/arts; dialect and language style differences; structure and history of Vietnamese. LIHL 114F, LIHL 114W, and LIHL 114P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "VIS 108": { + "prerequisites": [ + "VIS 107B" + ], + "name": "Advanced Projects in Art", + "description": "A studio course in sculpture emphasizing individual creative problems. Class projects, discussions, and critiques will focus on issues related to intention, subject matter, and context. Students may not receive credit for both VIS 107C and VIS 107CN. " }, - "Linguistics/Heritage Languages (LIHL) 114W": { + "VIS 109": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on domestic culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Vietnamese. LIHL 134F, LIHL 134W, and LIHL 134P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Advanced Projects in Media", + "description": "A studio course for serious art students at the advanced level. Stress will be placed on individual creative problems. Specific orientation of this course will vary with the instructor. Topics may include film, video, photography, painting, performance, etc. May be taken for credit three times. " }, - "Linguistics/Heritage Languages (LIHL) 134F": { + "VIS 110A": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on media/arts. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Vietnamese. LIHL 134F, LIHL 134W, and LIHL 134P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Contemporary Issues and Practices", + "description": "Individual or group projects over one or two quarters. Specific project organized by the student(s) will be realized during this course with instructor acting as a close adviser/critic. Concept papers/scripts must be completed by the instructor prior to enrollment. Two production-course limitation. May be taken for credit three times. " }, - "Linguistics/Heritage Languages (LIHL) 134W": { + "VIS 110B": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on entertainment/culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Vietnamese. LIHL 134F, LIHL 134W, and LIHL 134P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Professional Practice in the Visual Arts", + "description": "This course for the advanced visual arts major examines topics in contemporary studio art practice. The course is divided among research, discussion, projects, field trips to galleries, and visiting artists, and will encourage student work to engage in a dialogue with the issues raised. " }, - "Linguistics/Heritage Languages (LIHL) 134P": { + "VIS 110C": { "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Korean but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and family life/festivals; dialect and language style differences; structure and history of Korean. LIHL 115F, LIHL 115W, and LIHL 115P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Proposals, Plans, Presentations", + "description": "This class is for the advanced visual arts major who is interested in taking the next steps toward becoming a professional visual artist. Students will become familiar with artist\u2019s residencies and graduate programs and what they offer. Of most importance will be developing the portfolio and the artist statement, as well as becoming more familiar with the contemporary art world. Two production-based limitation. " }, - "Linguistics/Heritage Languages (LIHL) 115F": { + "VIS 110D": { "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Korean but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and media/arts; dialect and language style differences; structure and history of Korean. LIHL 115F, LIHL 115W, and LIHL 115P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Visual Narrative", + "description": "This is a course for the advanced visual arts major that explores the use of the maquette, or sketch, in the process of developing, proposing, and planning visual works in various media for public projects, site specific works, grants, exhibition proposals, etc. The student will work on synthesizing ideas and representing them in alternate forms that deal with conception, fabrication, and presentation. " }, - "Linguistics/Heritage Languages (LIHL) 115W": { + "VIS 110E": { "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Korean but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and entertainment/culture; dialect and language style differences; structure and history of Korean. LIHL 115F, LIHL 115W, and LIHL 115P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Art in Public Spaces/Site-Specific Art ", + "description": "This course for the advanced visual arts major explores narrative in art practice. The course will explore the construction of real and fictive narratives across a variety of disciplines with an emphasis on illustration, the graphic novel, comics, and other forms of drawing practice. Studio work is complemented by in-depth study of the gaze, subjectivity, memory, and imagination. After guided assignments, emphasis is on self-directed projects. " }, - "Linguistics/Heritage Languages (LIHL) 115P": { + "VIS 110F": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on domestic culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Korean LIHL 135F, LIHL 135W, and LIHL 135P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Installation: Cross-Disciplinary Projects", + "description": "This course for the advanced visual arts major takes painting, sculpture, and related media out of the studio/gallery and into the public sphere by examining the contemporary history of public artworks with traditional and nontraditional site-specific work, focusing on production, critical discussion, and writing. Two production-course limitation. " }, - "Linguistics/Heritage Languages (LIHL) 135F": { + "VIS 110G": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on media/arts. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Korean. LIHL 135F, LIHL 135W, and LIHL 135P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "The Natural and Altered Environment", + "description": "This course for the advanced visual arts major expands the idea contained in a singular work, or object, into the use of multiple objects, images, and media that redefines the idea as well as the space for which it is intended. Examination of historic, modern, and contemporary works will influence discussion of student project development and execution. Two production-course limitation. " }, - "Linguistics/Heritage Languages (LIHL) 135W": { + "VIS 110H": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on entertainment/culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Korean. LIHL 135F, LIHL 135W, and LIHL 135P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Art and Text", + "description": "This course for the advanced visual arts major explores the natural and altered environment as a basis for subject as well as placement of work pertaining to the environment. Two production-course limitation. ** Exam placement options to enroll possible ** " }, - "Linguistics/Heritage Languages (LIHL) 135P": { + "VIS 110I": { "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Arabic but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and family life/festivals; dialect and language style differences; structure and history of Arabic. LIHL 116F, LIHL 116W, and LIHL 116P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Performing for the Camera", + "description": "This class is for the advanced visual arts major devoted to the study and practice of the multiple ways in which writing and other forms of visible language have been incorporated into contemporary and traditional artworks, including artists\u2019 books, collaging and poster art, literature and poetry, typographical experiments, and calligraphies. Two production-course limitation. " }, - "Linguistics/Heritage Languages (LIHL) 116F": { + "VIS 110K": { "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Arabic but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and media/arts; dialect and language style differences; structure and history of Arabic. LIHL 116F, LIHL 116W, and LIHL 116P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Digital Studio", + "description": "The dematerialization of the performer into media-based image\u2014video, film, slides, still photographs, and using the camera as a spy, a coconspirator, a friend, or a foe\u2014employing time lags, spatial derangement, image destruction, along with narrative, text, and history, to invent time-based pieces that break new ground while being firmly rooted in an understanding of the rich body of work done in this area over the last three decades. " }, - "Linguistics/Heritage Languages (LIHL) 116W": { + "VIS 110M": { "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Arabic but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and entertainment/culture; dialect and language style differences; structure and history of Arabic. LIHL 116F, LIHL 116W, and LIHL 116P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Studio Honors I", + "description": "This is a studio art course for the advanced visual arts major with a focus on the intersection of digital rendering and drawing, painting, sculpture, and performance. Structured as core lectures and labs, studio production, reading, and critical theory focused on contemporary art engaged with technology, as well as artists\u2019 responses to its demands. Two production-course limitation. " }, - "Linguistics/Heritage Languages (LIHL) 116P": { + "VIS 110N": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language functions required for advanced oral communication, reading, writing, and cultural understanding in professional contexts. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Arabic. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Studio Honors II", + "description": "This is a course for the advanced studio major who is selected based on a proven record of engagement, productivity, and self-discipline as well as a clear trajectory of their work. The intent is to help refine and expand the student\u2019s studio practice toward a unified portfolio and artist\u2019s statement as well as develop experience in participation and organization of group and solo exhibitions. ** Consent of instructor to enroll possible **" }, - "Linguistics/Heritage Languages (LIHL) 136": { - "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Persian but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and family life/festivals; dialect and language style differences; structure and history of Persian. LIHL 117F, LIHL 117W, and LIHL 117P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "VIS 112": { + "prerequisites": [ + "VIS 110M" + ], + "name": "Art Historical Methods", + "description": "The second advanced studio course in the Honors Program in Studio, the successful completion of which will lead toward an honors degree in the studio major. The course builds on the critical and technical issues raised in Studio Honors I. " }, - "Linguistics/Heritage Languages (LIHL) 117F": { - "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Persian but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and media/arts; dialect and language style differences; structure and history of Persian. LIHL 117F, LIHL 117W, and LIHL 117P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "VIS 113AN": { + "prerequisites": [ + "VIS 23", + "and" + ], + "name": "History of Criticism I: Early Modern", + "description": "A critical review of the principal strategies of investigation in past and present art-historical practice, a scrutiny of their contexts and underlying assumptions, and a look at alternative possibilities. The various traditions for formal and iconographic analysis as well as the categories of historical description will be studied. Required for all art history and criticism majors. " }, - "Linguistics/Heritage Languages (LIHL) 117W": { - "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Persian but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and entertainment/culture; dialect and language style differences; structure and history of Persian. LIHL 117F, LIHL 117W, and LIHL 117P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "VIS 113BN": { + "prerequisites": [ + "VIS 112" + ], + "name": "History\n\t\t of Criticism II: Early Twentieth Century", + "description": "Using a wide range of nineteenth-century texts, this course will offer close discussions of romantic criticism and aesthetic philosophy (ideas of originality, genius, and nature); the conditions of \u201cmodern life\u201d; realism and naturalism; science and photography; and questions of form, expression, symbolism, and history. This is a seminar course. Recommended preparation: two upper-division art history courses. " }, - "Linguistics/Heritage Languages (LIHL) 117P": { + "VIS 113CN": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on domestic culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Persian. LIHL 137F, LIHL 137W, and LIHL 137P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "History\n\t\t of Criticism III: Contemporary", + "description": "The principal theories of art and criticism from symbolism until 1945: formalism and modernism, abstraction, surrealism, Marxism, and social art histories, phenomenology, existentialism. Recommended preparation: VIS 112 or two upper-division courses in art history strongly recommended. " }, - "Linguistics/Heritage Languages (LIHL) 137F": { + "VIS 114A": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on media/arts. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Persian. LIHL 137F, LIHL 137W, and LIHL 137P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Landscape and Memory", + "description": "Recent approaches to the image in art history and visual culture: structuralism, semiotics, psychoanalysis, poststructuralism, postmodernism, feminism, postcolonialism, cultural studies. Recommended preparation: VIS 112 or two upper-division courses in art history strongly recommended. " }, - "Linguistics/Heritage Languages (LIHL) 137W": { + "VIS 114B": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on entertainment/culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Persian. LIHL 137F, LIHL 137W, and LIHL 137P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "The Fragment: Uses and Theories", + "description": "This seminar treats landscape as site, image, symbol, and ideal through a historical examination of the major themes and issues in the forms and functions of landscape and its representation in the European and, to a certain extent, the American tradition from antiquity to the present day. These historical discussions will also form a framework for observations on and analyses of contemporary landscape, both as experienced and as an idea. This course presumes no prior knowledge of the field. This course fulfills the theory requirement and seminar requirement in the art history program. Recommended preparation: VIS 20. " }, - "Linguistics/Heritage Languages (LIHL) 137P": { + "VIS 114GS": { "prerequisites": [], - "name": "", - "description": "For students who already comprehend informal\n\t\t\t\t spoken Cantonese but wish to improve their communicative and sociocultural\n\t\t\t\t competence and their analytic understanding. Language functions for oral\n\t\t\t\t communication, reading, writing, and culture; dialect and language style\n\t\t\t\t differences; structure and history of Cantonese. Some speaking ability\n\t\t\t\t in Cantonese recommended. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Arts and Visual Culture in China", + "description": "This seminar focuses on the dynamic and at times contentious relationship between antiquity and the Middle Ages as it played out in various environments\u2014physical, social, cultural, and intellectual\u2014from Rome to Constantinople to Venice, Pisa, and Florence. After considering classic and contemporary formulations of the problem, it turns to in-depth examination of the architecture, images, objects, and techniques at sites in the history of art, where fragments were deployed and displayed. This course fulfills the theory requirement and seminar requirement in the art history program. Recommended preparation: VIS 20 or VIS 112. " }, - "Linguistics/Heritage Languages (LIHL) 118": { + "VIS 117E": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language functions required\n\t\t\t\t for advanced oral communication, reading, writing, and cultural\n\t\t\t\t understanding in professional contexts. High-level vocabulary\n\t\t\t\t and texts; dialect differences and formal language styles (registers).\n\t\t\t\t Advanced structural analysis and history of Cantonese. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Problems in Ethnoaesthetics", + "description": "This course studies important developments in the arts of China in the context of contemporary cultural phenomena. The factors behind the making of art will be brought to bear on selected objects or monuments from China\u2019s great artistic eras. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "Linguistics/Heritage Languages (LIHL) 138": { + "VIS 117F": { "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Hindi but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and family life/festivals; dialect and language style differences; structure and history of Hindi. LIHL 119F, LIHL 119W, and LIHL 119P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Theorizing the Americas", + "description": "This seminar will address and critique various approaches to studying the art of non-Western societies with respect to their own aesthetic and cultural systems. Students are encouraged to explore comparative philosophies of art and test paradigms of Western aesthetic scholarship. Recommended preparation: VIS 21A or 21B or 112 or two upper-division courses in art history strongly recommended. " }, - "Linguistics/Heritage Languages (LIHL) 119F": { + "VIS 117G": { "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Hindi but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and family media/arts; dialect and language style differences; structure and history of Hindi. LIHL 119F, LIHL 119W, and LIHL 119P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Critical Theory and Visual Practice", + "description": "Examines the philosophical debates that locate the Americas in relation to the modern world. " }, - "Linguistics/Heritage Languages (LIHL) 119W": { + "VIS 117I": { "prerequisites": [], - "name": "", - "description": "For students who comprehend informal spoken Hindi but wish to improve their communicative and sociocultural competence and their analytic understanding. Language functions for oral communication, reading, writing, and entertainment/culture; dialect and language style differences; structure and history of Hindi. LIHL 119F, LIHL 119W, and LIHL 119P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Western\n\t\t and Non-Western Rituals and Ceremonies", + "description": "This seminar will examine key moments in the interaction between the world of art and the world of ideas; the goal is to start students thinking about the entire theory-practice relation as it connects with their own projects and research. " }, - "Linguistics/Heritage Languages (LIHL) 119P": { + "VIS 120A": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on domestic culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Hindi. LIHL 139F, LIHL 139W, and LIHL 139P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Greek Art", + "description": "This course will examine the process of image making within specific ceremonies and/or rituals. Selected ceremonies from West Africa, Melanesia, Nepal, and the United States, including both Christian and non-Christian imagery, will be considered. Performance art and masquerade will be analyzed within a non-Western framework. Recommended preparation: VIS 21A. Students may not receive credit for both VIS 126F and VIS 117I.\u00a0" }, - "Linguistics/Heritage Languages (LIHL) 139F": { + "VIS 120B": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on media/arts. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Hindi. LIHL 139F, LIHL 139W, and LIHL 139P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Roman Art", + "description": "Greek classical civilization was a turning point in the history of humanity. Within a new kind of society, the idea of the individual as free and responsible was forged, and with it the invention of history, philosophy, tragedy, and science. The arts that expressed this cultural explosion were no less revolutionary. The achievements of Greek art in architecture, sculpture, and painting will be examined from their beginnings in the archaic period, to their epoch-making fulfillment in the classical decades of the fifth century BC, to their diffusion over the entire ancient world in the age of Alexander and his successors. Recommended preparation: VIS 20. " }, - "Linguistics/Heritage Languages (LIHL) 139W": { + "VIS 120C": { "prerequisites": [], - "name": "", - "description": "Instruction stresses language function required for advanced oral communication, reading, writing, and cultural understanding in professional contexts, with emphasis on entertainment/culture. High-level vocabulary and texts; dialect differences and formal language styles (registers). Advanced structural analysis and history of Hindi. LIHL 139F, LIHL 139W, and LIHL 139P may be taken in any order. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Late Antique Art", + "description": "Roman art was the \u201cmodern art\u201d of antiquity. Out of their Italic tradition and the great inheritance of Greek classic and Hellenistic art, the Romans forged a new language of form to meet the needs of a vast empire, a complex and tumultuous society, and a sophisticated, intellectually diverse culture. An unprecedented architecture of shaped space used new materials and revolutionary engineering techniques in boldly functional ways for purposes of psychological control and symbolic assertion. Sculpture in the round and in relief was pictorialized to gain spatial effects and immediacy of presence, and an extraordinary art of portraiture investigated the psychology while asserting the status claims of the individual. Extreme shifts of style, from the classicism of the age of Augustus to the expressionism of the third century AD, are characteristic of this period. The new modes of architecture, sculpture, and painting, whether in the service of the rhetoric of state power or of the individual quest for meaning, were passed on to the medieval and ultimately to the modern West. Recommended preparation: VIS 20. " }, - "Linguistics/Heritage Languages (LIHL) 139P": { + "VIS 121AN": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely\n\t\t\t\t in the target language. Emphasis on listening comprehension,\n\t\t\t\t speaking, vocabulary building, reading, and culture. Must be taken in conjunction\n\t\t\t\t with LIHI 1AX. " + "name": "Art and Experience in the Middle Ages ", + "description": "During the later centuries of the Roman Empire, the ancient world underwent a profound crisis. Beset by barbarian invasions, torn by internal conflict and drastic social change, inflamed with religious passion that was to lead to a transformed vision of the individual, the world, and the divine, this momentous age saw the conversion of the Roman world to Christianity, the transfer of power from Rome to Constantinople, and the creation of a new society and culture. Out of this ferment, during the centuries from Constantine to Justinian, there emerged new art forms fit to represent the new vision of an otherworldly reality: a vaulted architecture of diaphanous space, a new art of mosaic, which dissolved surfaces in light, a figural language both abstractly symbolic and urgently expressive. The great creative epoch transformed the heritage of classical Greco-Roman art and laid the foundations of the art of the Christian West and Muslim East for the next thousand years. Recommended preparation: VIS 20 or 120B. " }, - "Linguistics/Hindi (LIHI) 1A": { + "VIS 121B": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical\n\t\t\t\t structures needed for oral and written communication and for\n\t\t\t\t reading. This course is taught entirely in Hindi. Must be taken in conjunction\n\t\t\t\t with LIHI 1A. " + "name": "Church and Mosque: Medieval Art and Architecture between Christianity and Islam ", + "description": "This survey course follows the parallel tracks of the sacred and secular in art and architecture from Constantine to the Crusades. Highlights include the emergence of Christian art, visual culture of the courts, development of monasteries, fall and rise of towns and cities, and arts of ritual. The thematic juxtaposition of different media and medieval people speaking in their own voices yields a multidimensional image of society in which the medieval experience is made as concrete as possible. Recommended preparation: VIS 20. " }, - "Linguistics/Hindi (LIHI) 1AX": { + "VIS 121C": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely\n\t\t\t\t in the target language. Emphasis on listening comprehension,\n\t\t\t\t speaking, vocabulary building, reading, and culture. Must be taken in conjunction\n\t\t\t\t with LIHI 1BX. " + "name": "Art and the Bible in the Middle Ages: Sign and Design", + "description": "This course surveys the changes in art and architecture caused by the rise of new religions after the ancient world demise, a period of upheaval and contention often known as the \u201cClash of Gods.\u201d How did Christianity come to dominate Europe with its churches and monasteries and then Islam with its mosques in the Middle East and North Africa? Studying the role of religion in the formation of artistic styles will show a dynamic interaction between the visual cultures of Christianity and Islam. Recommended preparation: VIS 20. " }, - "Linguistics/Hindi (LIHI) 1B": { + "VIS 121H": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical\n\t\t\t\t structures needed for oral and written communication and for\n\t\t\t\t reading. This course is taught entirely in Hindi. Must be taken\n\t\t\t\t in conjunction with LIHI 1B. " + "name": "Medieval Multiculturalism", + "description": "This seminar explores movement and exchange between Mediterranean cities with diverse political, social, ethnic, and religious roots and the new modes of art, architecture, and intellectual discourse that this diversity fostered. In addition to medieval sources, readings include art historical and theoretical texts from a variety of periods and fields that frame the implications of multiculturalism for historical and contemporary categories of perception and for the analysis of visual culture. Recommended preparation: VIS 20 or VIS 112 recommended. " }, - "Linguistics/Hindi (LIHI) 1BX": { + "VIS 122AN": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIHI 1CX. " + "name": "Renaissance Art", + "description": "Italian artists and critics of the fourteenth through sixteenth centuries were convinced that they were participating in a revival of the arts unparalleled since antiquity. Focusing primarily on Italy, this course traces the emergence in painting, sculpture and architecture, of an art based on natural philosophy, optical principles, and humanist values, which embodied the highest intellectual achievement and deepest spiritual beliefs of the age. Artists treated include Giotto, Donatello, Masaccio, Brunelleschi, Jan van Eyck, Mantegna, Botticelli, Leonardo da Vinci, Michelangelo, Raphael, Bramante, Durer, and Titian. Recommended preparation: VIS 20. " }, - "Linguistics/Hindi\n\t\t (LIHI) 1C": { + "VIS 122B": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical\n\t\t\t\t structures needed for oral and written communication and for\n\t\t\t\t reading. This course is taught entirely in Hindi. Must be taken in conjunction\n\t\t\t\t with LIHI 1C. " + "name": "Baroque: Painters, Sculptors, Architects", + "description": "This course will explore the baroque, through the lens of the lives of artists and architects who made it great: Rembrandt, Vermeer, Velasquez, Bernini, and Caravaggio, as well as the artists of the sixteenth century who served as a source of inspiration and point of departure for the great work of the baroque. The lives of these people interlocked on a number of different levels in order to create a visual culture that many regard as fundamental to the modern world. " }, - "Linguistics/Hindi (LIHI) 1CX": { + "VIS 122CN": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely\n\t\t\t\t in the target language. Emphasis on listening comprehension,\n\t\t\t\t speaking, vocabulary building, reading, and culture. Must be taken in conjunction\n\t\t\t\t with LIHI 1DX. " + "name": "Leonardo da Vinci in Context", + "description": "This course offers new approaches to understanding Michelangelo\u2019s greatest creations. By considering how each work relates to the setting for which it was intended, by regarding critical literature and artistic borrowings as evidence about the works, and by studying the thought of the spiritual reformers who counseled Michelangelo, new interpretations emerge which show the artist to be a deeply religious man who invested his works with both public and private meanings. " }, - "Linguistics/Hindi (LIHI) 1D": { - "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical\n\t\t\t\t structures needed for oral and written communication and for\n\t\t\t\t reading. This course is taught entirely in Hindi. Must be taken in conjunction\n\t\t\t\t with LIHI 1D. " + "VIS 122D": { + "prerequisites": [ + "VIS 23" + ], + "name": "Michelangelo", + "description": "A critical, art historical look at the world\u2019s\n\t\t\t\t most famous painting and its interpretations. Recommended preparation: One upper-division course in art history (VIS 113AN\u2013129F). " }, - "Linguistics/Hindi (LIHI) 1DX": { + "VIS 122F": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIIT 1AX. " + "name": "Leonardo\u2019s La Gioconda", + "description": "(Cross-listed with HIEU 124GS.) Language and culture study in Italy. Course considers the social, political, economic, and religious aspects of civic life that gave rise to the unique civic art, the architecture of public buildings, and the design of the urban environment of such cities as Florence, Venice, or Rome. Course materials fees may be required. Students may not receive credit for both VIS 122E and VIS 122GS or both HIEU 124 and HIEU 124GS.\u00a0 ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "Linguistics/Italian\n\t\t (LIIT) 1A": { + "VIS 122GS": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in Italian. Must be taken with LIIT 1A. " + "name": "The City in Italy", + "description": "The art of the Early Renaissance in Northern Europe is marked by what appears to be striking conflict: on the one hand, a new love of nature and the pleasures of court society, and on the other, an intensified spirituality and focus on personal devotion. This course explores these provocative crosscurrents in works by master painters like Jan van Eyck and Hieronymus Bosch as well as in lesser known mass-produced objects of everyday use. " }, - "Linguistics/Italian (LIIT) 1AX": { + "VIS 123AN": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIIT 1BX. " + "name": "Between Spirit and Flesh", + "description": "Eighteenth-century artists and critics were convinced that art could be a force to improve society. This course places Rococo and neoclassical artists such as Watteau, Fragonard, Tiepolo, Hogarth, Reynolds, Vig\u00e9e Le Brun, Blake, and David, within the context of art academies, colonialism, the Grand Tour, Enlightenment conceptualizations of history and nature, and the American and French Revolutions. Recommended preparation: VIS 20 or 22 recommended. " }, - "Linguistics/Italian (LIIT) 1B": { + "VIS 124BN": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in Italian. Must be taken with LIIT 1B. " + "name": "Art and the Enlightenment", + "description": "A critical survey discussing the crisis of the Enlightenment, romanticism, realism and naturalism, academic art and history painting, representations of the New World, the Pre-Raphaelites, impressionism, international symbolism, postimpressionism, and the beginnings of modernism. Recommended preparation: VIS 20 or 22 recommended. " }, - "Linguistics/Italian (LIIT) 1BX": { + "VIS 124CN": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIIT 1CX. " + "name": "Nineteenth-Century Art", + "description": "A cultural history of nineteenth-century Paris. Addresses how and why the cultural formations and developments of the period, and their inseparability from the city, have led so many to consider Paris the capital of modernity. " }, - "Linguistics/Italian (LIIT) 1C": { + "VIS 124D": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in Italian. Must be taken with LIIT 1C. " + "name": "Paris, Capital of the Nineteenth Century", + "description": "Considers nineteenth-century European painting and printmaking in relation to the construction of nature and the historically specific ways of seeing that emerge from it. Key artists, groups of artists, include John Constable, J.M.W. Turner, Caspar David Friedrich, Camille Corot, the Barbizon School, J.-J. Grandville, the Pre-Raphaelites, and the Impressionists. " }, - "Linguistics/Italian (LIIT) 1CX": { + "VIS 124E": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught\n entirely in the target language. Emphasis on listening comprehension,\n speaking, vocabulary building, reading, and culture. Must be\n taken in conjunction with LIIT 1DX. Successful completion\n of LIIT 1D and LIIT 1DX satisfies the requirement for language\n proficiency in Revelle and Eleanor Roosevelt Colleges. " + "name": "The Production of Nature", + "description": "A critical study of European painting, sculpture, and printmaking between 1789 and 1851. Of primary interest will be the highly charged encounter between art and politics during the period. In addition, the course addresses this art\u2019s diverse, often contradictory dealings with class, gender, sexuality, race, and empire. " }, - "Linguistics/Italian (LIIT) 1D": { + "VIS 124F": { "prerequisites": [], - "name": "", - "description": "Practice of the grammatical functions\n indispensable for comprehensible communication in the language. The\n course is taught entirely in Italian. Must be taken in conjunction\n with LIIT 1D. Successful completion of LIIT 1D and LIIT 1DX satisfies\n the requirement for language proficiency in Revelle and Eleanor Roosevelt\n Colleges. " + "name": "Art in the Age of Revolutions", + "description": "A critical survey outlining the major avant-gardes after 1900: fauvism, cubism, metaphysical painting, futurism, Dadaism, surrealism, neoplasticism, purism, the Soviet avant-garde, socialist realism, and American art before abstract expressionism. Recommended preparation: VIS 20 or 22 recommended. " }, - "Linguistics/Italian (LIIT) 1DX": { + "VIS 125A": { "prerequisites": [], - "name": "", - "description": "A communicative introduction to Italian for students with no prior exposure, with attention to listening comprehension, conversation, reading, writing, grammar analysis, and culture. Equivalent to LIIT 1A/1AX. " + "name": "Twentieth-Century Art", + "description": "Art after abstract expressionism: happenings, postpainterly abstraction, minimalism, performance, earth art, conceptual art, neo-expressionism, postconceptualism and development in the 1990s, including non-Western contexts. We also explore the relation of these tendencies to postmodernism, feminism, and ideas of postcoloniality. Recommended preparation: VIS 20 or 22 recommended. " }, - "Linguistics/Italian (LIIT) 5AS": { + "VIS 125BN": { "prerequisites": [], - "name": "", - "description": "A course to increase the proficiency level of students who have completed LIIT 1A/1AX, 5AS or who are at an equivalent level. Attention to listening comprehension, conversation, reading, writing, grammar analysis, and culture. Equivalent to LIIT 1B/1BX. ** Consent of instructor to enroll possible **" + "name": "Contemporary Art", + "description": "What is the place of visual art in modern Western culture? This course will address: visual art and radical politics in Courbet and the generation of 1848; Impressionism, Paris, and the cult of la vie moderne; Gauguin, Van Gogh, and the quest for \u201cvisionary\u201d painting; Cezanne and the reformulation of painting in terms of pure sensation; the divergent paths of Matisse and Picasso in 1906. The twentieth century follows the emergence of different interpretations of modernity in the USSR, Germany, and France. " }, - "Linguistics/Italian (LIIT) 5BS": { + "VIS 125C": { "prerequisites": [], - "name": "", - "description": "A course to increase the proficiency level of students who have completed LIIT 1B/1BX, 5BS or who are at an equivalent level. Attention to listening comprehension, conversation, reading, writing, grammar analysis, and culture. Equivalent to LIIT 1C/1CX. ** Consent of instructor to enroll possible **" + "name": "Modern Art in the West, 1850\u20131950", + "description": "A critical examination of the work of one of the most radical twentieth-century artists. In Duchamp\u2019s four-dimensional perspective, the ideas of art-object, artist, and art itself are deconstructed. The Large Glass and Etant Donn\u00e9es are the twin foci of an oeuvre without boundaries in which many twentieth-century avant-garde devices such as chance techniques, conceptual art, and the fashioning of fictive identities, are invented. " }, - "Linguistics/Italian (LIIT) 5CS": { + "VIS 125DN": { "prerequisites": [], - "name": "", - "description": "A course to increase the proficiency level of students who have completed LIIT 1C/1CX, 5CS or who are at an equivalent level. Attention to listening comprehension, conversation, reading, writing, grammar analysis, and culture. Equivalent to LIIT1D/1DX. ** Consent of instructor to enroll possible **" + "name": "Marcel Duchamp", + "description": "This course will present an overview of socially engaged art in the modern era. We will explore the historical roots of these practices in the nineteenth and early twentieth centuries and the new forms of activist art that emerged during the 1960s. We will also explore the growth of engaged art produced in conjunction with new movements for social and economic justice since the 1990s. " }, - "Linguistics/Italian (LIIT) 5DS": { + "VIS 125G": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely\n\t\t\t\t in the target language. Emphasis on listening comprehension,\n\t\t\t\t speaking, vocabulary building, reading, and culture. Emphasis\n\t\t\t\t on the language and culture of Brazil. Must be taken in conjunction with\n\t\t\t\t LIPO 1AX. " + "name": "History of Socially Engaged Art", + "description": "An introduction to the cities and monuments of the ancient civilizations that flourished in Mexico and Central America before the Spanish Conquest. This course will cover the major cultures of Mesoamerica, including the Olmec, Aztec, and neighboring groups. Recommended preparation: VIS 21. " }, - "Linguistics/Portuguese (LIPO) 1A": { + "VIS 126AN": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical\n\t\t\t\t structures needed for oral and written communication and reading. The course\n\t\t\t\t is taught entirely in Portuguese. Must be taken in conjunction with LIPO\n\t\t\t\t 1A. " + "name": "Pre-Columbian\n\t\t Art of Ancient Mexico and Central America", + "description": "This course offers a history of Maya society from its formative stages to the eve of the Spanish Conquest through an investigation of its art and archeology. Special attention is given to its unique calendar and writing systems. Recommended preparation: VIS 21. " }, - "Linguistics/Portuguese (LIPO) 1AX": { + "VIS 126BN": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely\n\t\t\t\t in the target language. Emphasis on listening comprehension, speaking,\n\t\t\t\t vocabulary building, reading, and culture. Emphasis on the language and\n\t\t\t\t culture of Brazil. Must be taken in conjunction with LIPO 1BX. " + "name": "The\n\t\t Art and Civilization of the Ancient Maya", + "description": "Topics of this seminar will address special problems or areas of research related to the major civilizations of ancient Mexico and Central America. Course offerings will vary to focus upon particular themes, subjects, or interpretive problems. Recommended preparation: VIS 21A. Students may not receive credit for both VIS 126B-C. " }, - "Linguistics/Portuguese (LIPO) 1B": { + "VIS 126C": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and reading. The course is taught entirely in Portuguese. Must be taken in conjunction with LIPO 1B. " + "name": "Problems in Mesoamerican Art History", + "description": "This seminar focuses upon the art, architecture, and inscriptions of the ancient Maya. Topics will vary within a range of problems that concern hieroglyphic writing, architecture, and visual symbols the Maya elite used to mediate their social, political, and spiritual words. Recommended preparation: VIS 21A. " }, - "Linguistics/Portuguese (LIPO) 1BX": { + "VIS 126D": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely\n\t\t\t\t in the target language. Emphasis on listening comprehension, speaking,\n\t\t\t\t vocabulary building, reading, and culture. Emphasis on the language and\n\t\t\t\t culture of Brazil. Must be taken in conjunction with LIPO 1CX. " + "name": "Problems\n\t\t in Ancient Maya Iconography and Inscriptions", + "description": "This course provides a critical revision to art history of the modern era in the Americas by bringing to the center, as an organizing principle, an expanded understanding and critique of the notion of indigenism. Presenting evidence that the constant iteration of the problem of representation of indigeneity and the indigenous is persistent across the region following a network of exchanges and contacts across art movements and political contexts. " }, - "Linguistics/Portuguese (LIPO) 1C": { + "VIS 126E": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical\n\t\t\t\t structures needed for oral and written communication and reading. The course\n\t\t\t\t is taught entirely in Portuguese. Must be taken in conjunction with LIPO\n\t\t\t\t 1C. " + "name": "Indigenisms I: The Making of the Modern, Nineteenth Century to Mid-Twentieth Century", + "description": "Lectures, readings, and discussions will expand the definitions of indigenism and Indianism toward many neo-avantgarde and contemporary strategies of art making that posit the Amerindian as inscription and imaginary\u2014as key localizations from which new languages and art systems emerge. Examples of (neo) indigenisms from Peru, Mexico, the United States, Uruguay, Argentina, Chile, Ecuador, Venezuela, Guatemala, Colombia, and Brazil will be presented and reviewed. " }, - "Linguistics/Portuguese (LIPO) 1CX": { + "VIS 126F": { "prerequisites": [], - "name": "", - "description": "Small conversion sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LIPO 1DX. Successful completion of LIPO 1D and LIPO 1DX satisfies the requirement for language proficiency in Revelle and Eleanor Roosevelt Colleges. " + "name": "Indigenisms II: Contemporary Disseminations, Neo-Avantgarde to the Present", + "description": "Explores the art and expressive culture of American Indians of far western United States, including California and Pacific Northwest. Social and cultural contexts of artistic traditions and their relations to the lifeways, ceremonialism, beliefs, and creative visions of their makers. Recommended preparation: VIS 21A. Students may not receive credit for both VIS 126CN and VIS 126HN. " }, - "Linguistics/Portuguese (LIPO) 1D": { + "VIS 126HN": { "prerequisites": [], - "name": "", - "description": "Practice of the grammatical functions indispensable for comprehensible communication in the language. The course is taught entirely in Portuguese. Must be taken in conjunction with LIPO 1D. Successful completion of LIPO 1D and LIPO 1DX satisfies the requirement for language proficiency in Revelle and Eleanor Roosevelt Colleges. " + "name": "Pacific Coast American Indian Art", + "description": "Examines the history, art, and architecture of Navajo, Hopi, Zuni, and other Native American communities of New Mexico and Arizona; the origins of their civilization; and how their arts survived, adapted, and changed in response to Euro-American influences. Recommended preparation: VIS 21A. Students may not receive credit for both VIS 126D and VIS 126I. " }, - "Linguistics/Portuguese (LIPO) 1DX": { + "VIS 126I": { "prerequisites": [], - "name": "", - "description": "Conducted entirely in Portuguese. Course aims to improve oral\n language skills through discussions of social science topics,\n with emphasis on social and political movements in contemporary\n Brazil. Course materials may encompass televised news broadcasts,\n newspapers, and periodicals. ** Consent of instructor to enroll possible **" + "name": "Southwest American Indian Art", + "description": "The dynamic, expressive arts of selected West African societies and their subsequent survival and transformation in the New World will be studied. Emphasis will be placed on Afro-American modes of art and ceremony in the United States, Haiti, Brazil, and Suriname. " }, - "Linguistics/Portuguese (LIPO) 15": { + "VIS 126J": { "prerequisites": [], - "name": "", - "description": "Conducted entirely in Portuguese. Course aims to improve oral\n language skills through discussions of social science topics,\n with emphasis on culture and the arts in contemporary Brazil.\n Course materials may encompass televised news broadcasts, newspapers,\n and periodicals. ** Consent of instructor to enroll possible **" + "name": "African and Afro-American Art", + "description": "An examination of the relation of art to ritual life, mythology, and social organization in the native Polynesian and Melanesian cultures of Hawaii, New Guinea, the Solomon Islands, and Australia. Recommended preparation: VIS 21A. Students may not receive credit for both VIS 126E and VIS 126K. " }, - "Linguistics/Portuguese\n (LIPO) 16": { + "VIS 126K": { "prerequisites": [], - "name": "", - "description": "Conducted entirely in Portuguese. Course aims to improve oral\n language skills through discussions of social science topics,\n with emphasis on the role of ethnicity in contemporary Brazil.\n Course materials may encompass televised news broadcasts, newspapers\n and periodicals. ** Consent of instructor to enroll possible **" + "name": "Oceanic Art", + "description": "A survey of major figures and movements in Latin American art from the late-nineteenth century to the mid-twentieth century. " }, - "Linguistics/Portuguese (LIPO) 17": { + "VIS 126P": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LISP 1AX. " + "name": "Latin American\n\t\t Art: Modern to Postmodern, 1890\u20131950", + "description": "A survey of major figures and movements in Latin American art from the mid-twentieth century to the present. " }, - "Linguistics/Spanish (LISP) 1A": { + "VIS 126Q": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in Spanish. Must be taken with LISP 1A. " + "name": "Latin American\n\t\t Art: Modern to Postmodern, 1950\u2013Present", + "description": "Course will survey major trends in the arts of China from a thematic point of view, explore factors behind the making of works of art, including political and religious meanings, and examine contexts for art in contemporary cultural phenomena. Recommended preparation: VIS 21B. " }, - "Linguistics/Spanish (LISP) 1AX": { + "VIS 127B": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LISP 1BX. " + "name": "Arts of China", + "description": "Course will explore Chinese art of the twentieth century. By examining artworks in different media, we will investigate the most compelling of the multiple realities that Chinese artists have constructed for themselves. Recommended preparation: VIS 21B. " }, - "Linguistics/Spanish (LISP) 1B": { + "VIS 127C": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in Spanish. Must be taken with LISP 1B. " + "name": "Arts of Modern China", + "description": "Explore representations of figures and landscapes from the dawn of Chinese painting through the Yuan dynasty, with stress on developments in style and subject matter and relationships to contemporary issues in philosophy, religion, government, society, and culture. " }, - "Linguistics/Spanish (LISP) 1BX": { + "VIS 127D": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in the target language. Emphasis on listening comprehension, speaking, vocabulary building, reading, and culture. Must be taken in conjunction with LISP 1CX. " + "name": "Early Chinese Painting", + "description": "Explores major schools and artists of the Ming and Qing periods, including issues surrounding court patronage of professional painters, revitalization of art through reviving ancient styles, commercialization\u2019s challenges to scholar-amateur art, and the influences of the West. " }, - "Linguistics/Spanish (LISP) 1C": { + "VIS 127E": { "prerequisites": [], - "name": "", - "description": "Presentation and practice of the basic grammatical structures needed for oral and written communication and for reading. The course is taught entirely in Spanish. Must be taken with LISP 1C. " + "name": "Later Chinese Painting", + "description": "Explore the development of Buddhist art and architecture in Japan. Focus on the role of art in Buddhist practice and philosophy and the function of syncretic elements in Japanese Buddhist art. " }, - "Linguistics/Spanish (LISP) 1CX": { + "VIS 127F": { "prerequisites": [], - "name": "", - "description": "Small conversation sections taught entirely in Spanish. Emphasis on speaking, reading, writing, and culture. Practice of the language functions needed for successful communication. Must be taken in conjunction with LISP 1DX. Successful completion of LISP 1D and LISP 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " + "name": "Japanese Buddhist Art", + "description": "This course investigates the multiple realities of art and visual culture in twentieth-century China and explores the ways in which Chinese artists have defined modernity and their tradition against the complex background of China\u2019s history. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "Linguistics/Spanish (LISP) 1D": { + "VIS 127GS": { "prerequisites": [], - "name": "", - "description": "Practice of the grammatical functions indispensable for comprehensible communication in the language. The course is taught entirely in Spanish. Must be taken in conjunction with LISP 1D. Successful completion of LISP 1D and LISP 1DX satisfies the requirement for language proficiency in Eleanor Roosevelt and Revelle Colleges. " + "name": "Issues in Modern and Contemporary Chinese Art", + "description": "Surveys the key works and developments in the modern art and visual culture of Japan from Edo and Meiji to the present and of China from the early-twentieth century to contemporary video, performance, and installation art. Recommended preparation: VIS 21B. " }, - "Linguistics/Spanish (LISP) 1DX": { + "VIS 127N": { "prerequisites": [], - "name": "", - "description": "This course concentrates on those language\n\t\t\t\t skills essential for communication: listening comprehension, conversation,\n\t\t\t\t reading, writing, and grammar analysis. UC San Diego students: LISP 5A is equivalent\n\t\t\t\t to LISP 1A/1AX, LISP 5B to LISP 5B/5BX, LISP 5C to LISP 1C/1CX and LISP\n\t\t\t\t 5D to LISP 1D/1DX. Enrollment is limited. " + "name": "Twentieth-Century Art in China and Japan", + "description": "Course is a survey of the visual arts of Japan, considering how the arts developed in the context of Japan\u2019s history and discussing how art and architecture were used for philosophical, religious, and material ends. Recommended preparation: VIS 21B. " }, - "Linguistics/Spanish (LISP) 5A, 5B, 5C, 5D": { + "VIS 127P": { "prerequisites": [], - "name": "", - "description": "Conducted entirely in Spanish. Course aims to improve oral language skills through discussions of social science topics, with emphasis on political events and current affairs. Course materials encompass televised news broadcasts, newspapers and periodicals. LISP 15 is offered fall quarter only, LISP 16 is offered winter quarter only, and LISP 17 is offered spring quarter only. Each course may be taken one time and need not be taken in sequence. " + "name": "Arts of Japan", + "description": "Explore major trends in Japanese pictorial art from the seventh century to the nineteenth century, with focus on function, style, and subject matter, and with particular emphasis on the relationship between Japanese art and that of continental Asia. " }, - "Linguistics/Spanish (LISP) 15, 16, 17": { + "VIS 127Q": { "prerequisites": [], - "name": "", - "description": "An intermediate-level course on Spanish as used in the health sciences, especially in clinical and field settings. Attention to listening, speaking, relevant vocabulary, cultural knowledge, reading, and writing. May be taken for credit up to two times. " + "name": "Japanese Painting and Prints", + "description": "These lecture courses are on topics of special interest to visiting and permanent faculty. Topics vary from term to term and with instructor and many will not be repeated. These courses fulfill upper-division distribution requirements. As the courses under this heading will be offered less frequently than those of the regular curriculum, students are urged to check with the visual arts department academic advising office for availability and descriptions of these supplementary courses. Like the courses listed under VIS 129, below, the letters following the course number designate the general area in which the courses fall. Students may take courses with the same number but of different content, for a total of three times for credit. Recommended preparation: courses in art history (VIS 113AN\u2013129F). \n " }, - "Linguistics/Spanish (LISP) 18": { + "VIS 128A\u2013E": { "prerequisites": [], - "name": "", - "description": "Introductory-level study of a language in the language laboratory on a self-instructional basis. Depending on the availability of appropriate study materials, the course may be taken in blocks of two or four units of credit and may be repeated up to the total number of units available for that language. " + "name": "Topics in Art History and Theory", + "description": "A lecture course on a topic of special interest\n\t\t\t\t in ancient or medieval art. Recommended preparation: courses in art history (VIS 113AN\u2013129F). " }, - "MUS 1A": { + "VIS 128A": { "prerequisites": [], - "name": "Fundamentals of Music A", - "description": "This course, first in a three-quarter sequence, is primarily intended for students without previous musical experience. It introduces music notation and basic music theory topics such as intervals, scales, keys, and chords, as well as basic rhythm skills. " - }, - "MUS 1B": { - "prerequisites": [ - "MUS 1A" - ], - "name": "Fundamentals of Music B", - "description": "This course, second in a three-quarter sequence, focuses on understanding music theory and in developing musical ability through rhythm, ear training, and sight singing exercises. Topics include major and minor scales, seventh-chords, transposition, compound meter and rudiments of musical form. " + "name": "Topics in Premodern Art History", + "description": "A lecture course on a topic of special interest\n\t\t\t\t on modern or contemporary art. May be taken three times for\n\t\t\t\t credit. Recommended preparation: courses in art history (VIS 113AN\u2013129F). " }, - "MUS 1C": { - "prerequisites": [ - "MUS 1B" - ], - "name": "Fundamentals of Music C", - "description": "This course, third in a three-quarter sequence, offers solid foundation in musical literacy through exercises such as harmonic and melodic dictation, sight singing exercises and rhythm in various meters. Topics include complex rhythm, harmony, and basic keyboard skills. " + "VIS 128C": { + "prerequisites": [], + "name": "Topics in Modern Art History", + "description": "A lecture course on the topic of special interest in the art of Latin America, the Ancient Americas, or Africa and the Pacific Islands. Students may not receive credit for VIS 128D and VIS 128DN. Recommended preparation: courses in art history (VIS 113AN\u2013129F). May be taken for credit three times. " }, - "MUS 2A-B-C": { + "VIS 128D": { "prerequisites": [], - "name": "Basic Musicianship", - "description": "Primarily intended for music majors. Development of basic skills: perception and notation of pitch and temporal relationships. Introduction to functional harmony. Studies in melodic writing. Drills in sight singing, rhythmic reading, and dictation. " + "name": "Topics in Art History of the Americas", + "description": "A lecture course on the topic of special interest\n\t\t\t\t in India, China, and Japan. Recommended preparation: courses in art history (VIS 113AN\u2013129F). " }, - "MUS 2AK-BK-CK": { + "VIS 128E": { "prerequisites": [ - "MUS 2A" + "VIS 112" ], - "name": "Basic Keyboard", - "description": "Scales, chords, harmonic progressions, transposition, and simple pieces. " + "name": "Topics in Art History of Asia", + "description": "These seminar courses provide the opportunity for in-depth study of a particular work, artist, subject, period, or issue. Courses offered under this heading may reflect the current research interests of the instructor or treat a controversial theme in the field of art history and criticism. Active student research and classroom participation are expected. Enrollment is limited and preference will be given to majors. The letters following 129 in the course number designate the particular area of art history or theory concerned. Students may take courses with the same number but of different content more than once for credit, with consent of the instructor and/or the program adviser. May be taken three times for credit. ** Consent of instructor to enroll possible **" }, - "MUS 2JK": { + "VIS 129A\u2013F": { "prerequisites": [ - "MUS 2AK", - "and" + "VIS 112" ], - "name": "Jazz Keyboard", - "description": "This course will introduce basic voicings and voice leading, stylistically appropriate accompaniment, and basic chord substitution. For majors with a Jazz and the Music of the African diaspora emphasis to be taken concurrently with MUS 2C. ** Consent of instructor to enroll possible **" - }, - "MUS 4": { - "prerequisites": [], - "name": "Introduction to Western Music", - "description": "A brief survey of the history of Western music from the Middle Ages to the present. Much attention will be paid to the direct experience of listening to music and attendance of concerts. Class consists of lectures, listening labs, and live performances. " - }, - "MUS 5": { - "prerequisites": [], - "name": "Sound in Time", - "description": "An examination and exploration of the art and science of music making. Topics include acoustics, improvisation, composition, and electronic and popular forms. There will be required listening, reading, and creative assignments. No previous musical background required. " - }, - "MUS 6": { - "prerequisites": [], - "name": "Electronic Music", - "description": "Lectures and listening sessions devoted to the most significant works of music realized through the use of computers and other electronic devices from the middle of this century through the present. " - }, - "MUS 7": { - "prerequisites": [], - "name": "Music, Science, and Computers", - "description": "Exploration of the interactions among music, science, and technology, including the history and current development of science and technology from the perspective of music. " + "name": "Seminar in Art Criticism and Theory", + "description": "A seminar on an advanced topic of special\n\t\t\t\t interest in ancient or medieval art. " }, - "MUS 8": { - "prerequisites": [], - "name": "American Music: Jazz Cultures", - "description": "Jazz is one of the primary foundations for American music in the twentieth and twenty-first centuries. This course highlights the multicultural and international scope of jazz by taking a thematic rather than a chronological approach to the subject, and by highlighting the music and lives of a diverse array of jazz practitioners from around the country and around the world. Students may not receive credit for both MUS 8 and MUS 8GS. " + "VIS 129A": { + "prerequisites": [ + "VIS 112" + ], + "name": "Seminar in Premodern Art History", + "description": "A seminar on an advanced topic of special\n\t\t\t\t interest in modern or contemporary art. " }, - "MUS 9": { + "VIS 129C": { "prerequisites": [], - "name": "Symphony", - "description": "The symphonic masterworks course will consist of lectures and listening sessions devoted to a detailed discussion of a small number of recognized masterworks (e.g., Mozart, Beethoven, Berlioz, Stravinsky, Ligeti, etc.). " + "name": "Seminar in Modern Art History", + "description": "A seminar on an advanced topic of special\n\t\t\t\t interest in the Ancient Americas to Africa and the Pacific\n\t\t\t\t Islands. May be taken three times for credit. Student may not receive credit for VIS 129D and VIS 129DN. Recommended preparation: courses in art history (VIS 113AN\u2013129F) are recommended. VIS 112 is strongly recommended for art history majors. " }, - "MUS 11": { - "prerequisites": [], - "name": "Folk Music", - "description": "A course on folk music of the world, covered through lectures, films, and listening sessions devoted to detailed discussion of music indigenous to varying countries/areas of the world. Topics vary from year to year. May be repeated once for credit. " + "VIS 129D": { + "prerequisites": [ + "VIS 112" + ], + "name": "Seminar in Art History of the Americas", + "description": "A seminar on an advanced topic of special\n\t\t\t\t interest in India, China, and Japan. " }, - "MUS 12": { - "prerequisites": [], - "name": "Opera", - "description": "A study of opera masterworks that often coincide with operas presented in the San Diego Opera season. Class consists of lectures, listening labs, live performances, and opera on video. " + "VIS 129E": { + "prerequisites": [ + "VIS 112" + ], + "name": "Seminar in Art History of Asia", + "description": "A seminar on an advanced topic of special\n\t\t\t\t interest in art theory, art criticism, or the history of literature\n\t\t\t\t on art. " }, - "MUS 13": { + "VIS 129F": { "prerequisites": [], - "name": "Worlds of Music", - "description": "Through surveying selected musical traditions and practices from around the world, this course explores the ways in which music both reflects and affects social, cultural, and ecological relationships. Specific case studies will be covered through lectures, films, and listening sessions. " + "name": "Seminar in Art Theory and Criticism", + "description": "This research seminar, centered on a series of critical, thematic, theoretical, and/or historical issues that cut across subdisciplinary specializations, provides outstanding advanced students with the opportunity to undertake graduate-level research. The first part of a two-part sequence completed by Art History Honors Directed Group Study (VIS 129H). ** Consent of instructor to enroll possible **" }, - "MUS 14": { + "VIS 129G": { "prerequisites": [], - "name": "Contemporary Music", - "description": "This course offers opportunities to prepare oneself for experiences with new music (through preview lectures), hear performances (by visiting or faculty artists), to discuss each event informally with a faculty panel: an effort to foster informed listening to the new in music. " + "name": "Art History Honors Seminar", + "description": "The second part of the honors program sequence, this course provides a forum for students engaged in research and writing to develop their ideas with the help of a faculty adviser and in conjunction with similarly engaged students. ** Consent of instructor to enroll possible **" }, - "MUS 15": { + "VIS 129H": { "prerequisites": [], - "name": "Popular Music", - "description": "A course on popular music from different time periods, covered through lectures, films, and listening sessions. Topics vary from year to year. May be repeated once for credit. " + "name": "Art History Honors Directed Group Study", + "description": "Specific content will vary each quarter. Areas will cover expertise of visiting faculty. May be taken for credit two times. Two production-course limitation. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "MUS 16": { + "VIS 130": { "prerequisites": [], - "name": "The Beatles", - "description": "This course will explore The Beatles from musical, cultural, historical, technological, and critical angles. It will place them in context, examining their assorted confluences and wide influences. The group will be critically examined as artists, innovators, and public personalities. Listening, watching, and discussion will provide a broader, deeper, and more personal understanding of the group\u2019s enduring appeal. " + "name": "Special Projects in Visual Arts", + "description": "Specific content will vary each quarter. Areas will cover expertise of visiting faculty. May be taken for credit two times. Two production-course limitation. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "MUS 17": { + "VIS 131": { "prerequisites": [], - "name": "Hip-Hop", - "description": "This class presents a broad chronological overview of the development of hip-hop as a musical form from the late 1970s through today. It examines the development of the style in relation to direct context and to earlier African American musical and cultural forms and considers the technological and legal issues that have impacted its development. The class is listening intensive and students will be expected to know and recognize essential structures and production techniques. " + "name": "Special Projects in Media", + "description": "Through discussions and readings, the class will examine the issues and aesthetics of installation art making. Using media familiar to them, students will produce several projects. May be taken for credit two times. Two production-course limitation. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "MUS 18": { - "prerequisites": [], - "name": "Klezmer Music", - "description": "A survey of Eastern European Jewish folk music, Yiddish theatre and popular song, and their transition to America. Credit not allowed for MUS 18 and JUDA 18. (Cross-listed with JUDA 18.) " + "VIS 132": { + "prerequisites": [ + "VIS 30" + ], + "name": "Installation Production and Studio", + "description": "This course introduces students to studio-based project methodologies, including qualitative and quantitative design research, data visualization, production and exhibition methodologies, and complex collaborative project management. " }, - "MUS 20": { - "prerequisites": [], - "name": "Exploring the Musical Mind", - "description": "How do we transform complex sounds into comprehensible and meaningful music? What physiological, neurological, cognitive, and cultural systems are involved? Why do we make music in such diverse ways around the globe? Does music have evolutionary or ecological significance? What is the relationship between music, motion, and emotions? This course explores contemporary understandings of how we hear and how we become musical and invites students to listen to new music in new ways. Students may not receive credit for both MUS 20 and COGS 20. (Cross-listed with COGS 20.) " + "VIS 135": { + "prerequisites": [ + "VIS 142", + "and", + "CSE 11", + "or", + "CSE 8B" + ], + "name": "Design Research Methods", + "description": "Introduces external APIs currently of interest in the arts, extending a common programming language such as C, C++, Python, or Java, and the basics of TCP/IP networking. Students gain API fluency through planning and coding software or software mediated art projects. Program or materials fees may apply. Two production-course limitation. " }, - "MUS 32": { - "prerequisites": [], - "name": "Instrumental/Vocal Instruction", - "description": "Individual instruction on intermediate level in instrumental technique and repertory. For declared music majors and minors. Students must be simultaneously enrolled in a performance ensemble or nonperformance music course. May be taken six times for credit. " + "VIS 141A": { + "prerequisites": [ + "VIS 141A" + ], + "name": "Computer Programming for the Arts I", + "description": "Students extend their programming capabilities to include the creation of reusable software libraries, packages, database APIs, tools, utilities, and applications intended to be publishable and useful to other practicing artists, or as preparatory work for the student\u2019s senior thesis sequence. Two production-course limitation. Program or materials fees may apply. " }, - "MUS 32G": { + "VIS 141B": { "prerequisites": [], - "name": "Group Instrumental Instruction", - "description": "Group instruction in instrumental or vocal technique and repertory. Intermediate level. Intended for students who make an important contribution to Department of Music ensembles. " + "name": "Computer Programming for the Arts II", + "description": "A survey of the conceptual uses and historical precedents for the use of computers in art and design. Preparation for further study in the computing in the arts area by providing an introduction to ideation strategies and critique-based evaluation, and an overview of theoretical issues related to the use of computers by artists and designers. Introduces the students to the program\u2019s computing and production facilities, and basic computer programming skills. Two production-course limitation. Program or materials fees may apply. " }, - "MUS 32V": { - "prerequisites": [], - "name": "Vocal Instruction", - "description": "Individual instruction on intermediate level in vocal technique and repertory. For declared music majors and minors. Students must be simultaneously enrolled in a performance ensemble or nonperformance music course and in MUS 32VM. May be taken six times for credit. " + "VIS 142": { + "prerequisites": [ + "VIS 142" + ], + "name": "Practices in Computing Arts", + "description": "Students develop artworks and performances in current virtual environments. Projects may be done individually or in groups in multiplayer games, immersive life platforms, or mixed reality projects and performances. Exploration of theoretical issues involved will underlie acquisition of techniques utilized in the construction of virtual environments. Materials fees required. " }, - "MUS 32VM": { + "VIS 143": { "prerequisites": [ - "MUS 32V" + "VIS 142" ], - "name": "Vocal Master Class", - "description": "All students enrolled in voice lessons (32V,\n\t\t\t\t 132V, or 132C) perform for one another and their instructors.\n\t\t\t\t Students critique in-class performances, with emphasis on presentation,\n\t\t\t\t diction, dramatic effect, vocal quality, and musicality. " + "name": "Virtual Environments", + "description": "Introduces time- and process-based digital media art making. Contemporary and historical works across time- and process-based media will be studied, and projects produced. Topics may include software art, software and hardware interfacing, interaction, and installation in an art context. Recommended preparation: CSE 5A or equivalent programming experience. Materials fees required. May not receive credit for both VIS 145A and ICAM 102. Two production-course limitation. " }, - "MUS 33A": { + "VIS 145A": { "prerequisites": [ - "MUS 2C" + "VIS 145A" ], - "name": "Introduction to Composition I", - "description": "First course in a sequence for music majors and nonmajors pursuing an emphasis in composition. The course examines \u201csound\u201d itself and various ways of building sounds into musical structures and develops skills in music notation. Students compose solo pieces in shorter forms. Students may not receive credit for both MUS 33 and 33A. ** Consent of instructor to enroll possible **" + "name": "Time- and Process-Based Digital Media I", + "description": "Students will implement time- and process-based projects under direction of faculty. Projects such as software and hardware interfacing, computer mediated performance, software art, installation, interactive environments, data visualization and sonification will be produced as advanced study and portfolio project. Program or materials fees may apply. Two production-course limitation. " }, - "MUS 33B": { + "VIS 145B": { "prerequisites": [ - "MUS 33A" + "VIS 41", + "or", + "VIS 70N", + "or", + "VIS 80" ], - "name": "Introduction to Composition II", - "description": "Second part of course sequence for students pursuing a composition emphasis. Course continues the building of skills with the organization of basic compositional elements: pitch, rhythm, and timbre. It explores issues of musical texture, expression, and structure in traditional and contemporary repertoire. Writing for two instruments in more extended forms. " + "name": "ime- and Process-Based Digital Media II", + "description": "Develop artworks and installations that utilize digital electronics. Techniques in digital electronic construction and computer interfacing for interactive control of sound, lighting, and electromechanics. Construction of devices that responsively adapt artworks to conditions involving viewer participation, space activation, machine intelligence. Recommended preparation: CSE 8A strongly recommended. Program or materials fees may apply. Purchase of components kit required. Two production-course limitation. " }, - "MUS 33C": { + "VIS 147A": { "prerequisites": [ - "MUS 33B" + "VIS 147A" ], - "name": "Introduction to Composition III", - "description": "Third part of course sequence for students pursuing a composition emphasis. Course continues the development of skills in instrumentation and analysis. It includes a survey of advanced techniques in contemporary composition, with additional focus on notation, part-preparation, and the art of writing for small groups of instruments. " + "name": "Electronic Technologies for Art I", + "description": "Continuation of the electronics curriculum. Design of programmable microcontroller systems for creating artworks that are able to respond to complex sets of input conditions, perform algorithmic and procedural processing, and generate real time output. Program or materials fees may apply. Purchase of components kit required. Two production-course limitation. " }, - "MUS 43": { + "VIS 147B": { "prerequisites": [], - "name": "Department Seminar", - "description": "The department seminar serves both as a general department meeting and as a forum for the presentation of research and performances by visitors, faculty, and students. Required of all undergraduate music and music humanities majors every quarter a student is a declared music major. Four units or four quarters of enrollment are required of all undergraduate ICAM music majors who choose the MUS 43. Department Seminar option for their Visitor Series requirement. P/NP grades only. May be taken for credit up to twelve times." + "name": "Electronic Technologies for Art II", + "description": "Artistic practice is a site of critical intervention. Through individual \u201cPractice Diagrams,\u201d students will visualize the issues, motivations, positions, and procedures that inspire and problematize their work, seeking to discover and mobilize new tools, spaces of research, and media experimentation. " }, - "MUS 80": { + "VIS 148": { "prerequisites": [], - "name": "Special Topics in Music", - "description": "This course presents selected topics in music and consists of lecture and listening sessions. No prior technical knowledge is necessary. The course will be offered during summer session. " + "name": "Visualizing Art Practice", + "description": "Topics relevant to computer-based art and music making, such as computer methods for making art/music, design of interactive systems, spatialization of visual/musical elements, critical studies. Topics will vary. May be taken for credit three times. Recommended preparation: VIS 145A or MUS 171. Program or materials fees may apply. Two production-course limitation. " }, - "MUS 87": { - "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " + "VIS 149": { + "prerequisites": [ + "VIS 22", + "or", + "VIS 84", + "or", + "VIS 159" + ], + "name": "Seminar in Contemporary Computer Topics", + "description": "Research seminar in film history, theory, and/or criticism. Potential topics: film aesthetics, film criticism, film sound, and film in the digital era, with a focus on a specific period, theme, or context. Class will be devoted to discussion of readings in connection with a film or related art, fiction, or other media. Students will gain advanced knowledge of a specialized aspect of film history, theory, or criticism in a setting that promotes research, reports, and writing. " }, - "MUS 95": { - "prerequisites": [], - "name": "Ensemble Performance", - "description": "Performance in an ensemble appropriate to student abilities and interests. Normally each section requires student participation for the whole academic year, with credit for participation each quarter. Sections of MUS 95W have included: African drumming, Korean percussion, Indian sitar and tabla, koto, and Indonesian flute. Not all sections will be offered every year. May be repeated for credit. Grading on participation level, individual testing, comparative papers on repertoire covered, etc. ** Consent of instructor to enroll possible **" + "VIS 150A": { + "prerequisites": [ + "VIS 84" + ], + "name": "Seminar in Film History and Theory", + "description": "An inquiry into a specialized alternative history of film, consisting of experimental works made outside the conventions of the movie industry that are closer in their style and nature to experimental work in painting, poetry, the sciences, etc., than to the mainstream theatrical cinema. Materials fees required. " }, - "MUS 101A": { - "prerequisites": [], - "name": "Music Theory and Practice I", - "description": "Note: Students in the MUS 95 series courses may enroll with a letter grade option a total of twelve units for registered music majors and a total of six units for all other students; after which students may continue to enroll in MUS 95 courses, but only with a P/NP grade option. There is one exception to the above grading policy. MUS 95G, Gospel Choir, can only be taken for a P/NP grading option." + "VIS 151": { + "prerequisites": [ + "VIS 22", + "or", + "VIS 70N", + "or", + "VIS 159" + ], + "name": "History of the Experimental Film", + "description": "Research seminar in media history, theory, and/or criticism. Potential topics: digital media aesthetics, television or radio, new media, theory of photography and/or other image forms in digital era. Focus on a specific period, theme, or context. Class devoted to discussion of readings in connection with viewing of media and related forms. Students will gain advanced knowledge of a specialized aspect of media history, theory, or criticism in a setting that promotes research, reports, and writing. " }, - "MUS 101B": { - "prerequisites": [], - "name": "Music Theory and Practice II", - "description": "Section B. Instrument Choir" + "VIS 151A": { + "prerequisites": [ + "VIS 84" + ], + "name": "Seminar in Media History and Theory", + "description": "This collection of courses gathers, under one cover, films that are strongly marked by one or more of these categories: historical period, politics, language, national context, geography, culture, identity, or movement. Specific topics to be covered will vary by quarter and instructor. May be taken up to two times for credit. Program or material fee may apply. " }, - "MUS 101C": { + "VIS 152": { "prerequisites": [], - "name": "Music Theory and Practice III", - "description": "Section C. Concert Choir" + "name": "Film in Social Context", + "description": "Transnational Cinemas examine how US identities and film cultures have been forged through stories of exile, diaspora, and racial and sexual discrimination as well as cultural conflicts that have resonated here and abroad in the global film and media culture of the last century. Program or materials fees may apply. " }, - "MUS 102": { - "prerequisites": [], - "name": "Topics in Music Theory", - "description": "Section D. Symphonic Chorus" + "VIS 152D": { + "prerequisites": [ + "VIS 84" + ], + "name": "Identity through Transnational Cinemas", + "description": "Close examination of a group of films on the level of form, technique, style, and/or poetics. Emphasis will be placed on collective film viewing, in-class discussion, and formal and/or narrative analysis. Specific topics to be covered will vary by quarter and instructor. May be taken up to two times for credit. \nMaterials fees required. " }, - "MUS 103A": { - "prerequisites": [], - "name": "Seminar in Composition I", - "description": "Section E. Chamber Orchestra" + "VIS 154": { + "prerequisites": [ + "VIS 84" + ], + "name": "Hard Look at the Movies", + "description": "Examines the work of a single director or group of directors, considering the aesthetic, social, political, and/or historical aspects of the body of films and, if relevant, the directors\u2019 broader sphere of creative production, which may include photography, art practice, writing, and/or other contributions besides film directing. May be taken up to two times for credit. Materials fees required. " }, - "MUS 103B": { - "prerequisites": [], - "name": "Seminar in Composition II", - "description": "Section G. Gospel Choir" + "VIS 155": { + "prerequisites": [ + "VIS 84" + ], + "name": "The Director Series", + "description": "This course introduces students to the developing history of cinema in the Latin American region. It explores the multiple authors and film movements that engage cinema as an art form in relation to issues of modernization, development, and political and social crisis. It will regard the history of cinema in the subcontinent as a force generating important cultural transformations within the complex, conflictual processes of modernization. Students may not receive credit for both VIS 156 and VIS 125F. " }, - "MUS 103C": { + "VIS 156": { "prerequisites": [], - "name": "Seminar in Composition III", - "description": "Section JC. Jazz Chamber Ensembles" + "name": "Latino American Cinema", + "description": "With attention to the ecology of Southern California and selected sites beyond, this course addresses historical and contemporary debates on environmental politics from the critical perspective of aesthetic practitioners, activists, and scholars from the 1960s to today. Art and media historical approaches will be offset by hands-on assignments, excursions, and the development of site-specific and creative works in all media. Program or materials fee may apply. " }, - "MUS 103D-E-F": { + "VIS 157": { "prerequisites": [], - "name": "Honors Seminar in Composition", - "description": "Section K. Chamber Singers " + "name": "Environmentalism in Arts and Media", + "description": "Photography is so ubiquitous a part of our culture that it seems to defy any simple historical definition. Accordingly, this course presents a doubled account of the medium; it explores both the historical and cultural specificity of a singular photography as well as some of the multitude of photographies that inhabit our world. Will examine a number of the most important photographic themes from the past two hundred years. " }, - "MUS 105": { + "VIS 158": { "prerequisites": [], - "name": "Jazz Composition", - "description": "Section L. Wind Ensemble " + "name": "Histories of Photography", + "description": "Aims to provide historical context for computer arts by examining the interaction between the arts, media technologies, and sciences in different historical periods. Topics vary (e.g., Renaissance perspective, futurism and technology, and computer art of the 1950s and 1960s). Materials fees required. " }, - "MUS 106": { - "prerequisites": [], - "name": "Topics in Musical Analysis", - "description": "Section W. World Music Ensembles " + "VIS 159": { + "prerequisites": [ + "VIS 141B", + "or", + "VIS 145B", + "or", + "VIS 147B", + "or", + "MUS 172" + ], + "name": "History of Art and Technology", + "description": "Students pursue projects of their own design over two quarters with support from faculty in a seminar environment. Project proposals are developed, informed by project development guidelines from real-world examples. Two production-course limitation. Renumbered from ICAM 160A. Students may receive credit for only one of the following: VIS 160A, MUS 160A, or ICAM 160A. " }, - "MUS 107": { + "VIS 160A": { "prerequisites": [ - "MUS 2C", - "and" + "VIS 160A", + "or", + "MUS 160A" ], - "name": "Critical Studies Seminar", - "description": "Study of modal counterpart in the style of the sixteenth century. Two-voice species counterpoint studies. Analysis of music of the period. Musicianship studies: sight-singing, dictation, and keyboard skills. " + "name": "Senior Project in Computing Arts I", + "description": "Continuation of VIS 160A or MUS 160A. Completion and presentation of independent projects along with documentation. Two production-course limitation. Renumbered from ICAM 160B. Students may receive credit for only one of the following: VIS 160B, MUS 160B, or ICAM 160B. " }, - "MUS 110": { + "VIS 160B": { "prerequisites": [ - "MUS 2C" + "VIS 135" ], - "name": "Introduction to Ethnomusicology Seminar", - "description": "Study of tonal harmony and counterpoint. Analysis of Bach chorales and other music from the Baroque period. Musicianship studies: sight-singing, dictation, and keyboard skills. " + "name": "Senior Project in Computing Arts II", + "description": "This course introduces students to the study and design of complex systems and networks at diverse scales, from the nanometric to the planetary (and perhaps beyond). Systems and networks are understood as both physical and conceptual organizations of tangible and intangible actors. These include architectural and urban systems, information and interactive systems, diagrammatic and performative systems, and political and geopolitical systems. " }, - "MUS 111": { + "VIS 161": { "prerequisites": [ - "MUS 101B" + "VIS 161" ], - "name": "Topics/World Music Traditions", - "description": "Tonal harmony and counterpoint. Analysis of larger classical forms: Sonata, Variation, Minuet and Trio, Rondo. Musicianship studies: sight-singing, dictation, and keyboard skills. " + "name": "Systems and Networks at Scale", + "description": "The course seeks to bring the scientific laboratory into the artist and designers\u2019 studio, and vice versa. It explores intersections of advanced research in art/ design and science/technology. The course will focus on a specific laboratory innovation or a longer-term enduring challenge, and will conceive and prototype possible applications, scenarios, structures, and interventions. Course will be conducted in direct collaborations with other campus laboratories and research units. " }, - "MUS 112": { + "VIS 162": { "prerequisites": [ - "MUS 101B" + "VIS 161" ], - "name": "Topics in European Music Before 1750", - "description": "Selected topics in music theory. Covers Western classical repertoire from 1850 to the present. Includes chromatic and post-tonal harmony, formal analysis. May be taken for credit up to two times. " + "name": "Speculative Science and Design Invention", + "description": "What is design as a way of knowing? The course examines critical contemporary topics in design theory, epistemology, research, and criticism. Students develop original critical and theoretical discourse. Topics draw from combinations of experimental and conceptual art, philosophy of technology, architectural theory and design, speculative fiction, bioethics and nanoethics, political philosophy of artificial intelligence and robotics, and critical engineering studies. " }, - "MUS 113": { + "VIS 163": { "prerequisites": [ - "MUS 33C" + "VIS 60" ], - "name": "Topics in Classic, Romantic, and Modern Music", - "description": "First part in composition course sequence. Individual projects will be reviewed in seminar. Techniques of instrumentation will be developed through examination of scores and creative application. Assignments will include short exercises and analysis, and final project for standard ensemble. " + "name": "Design Research and Criticism", + "description": "An intermediate course that expands the possibility of photography as an art practice. The students will learn to use and think of photography as a means of expression. Using the languages of contemporary art and photography the student will develop a body of work to be presented and critiqued. The construction of sequences, series, and the art of editing will be an important part of this critique-based course. Program or materials fees may apply. Two production-course limitation. " }, - "MUS 114": { + "VIS 164": { "prerequisites": [ - "MUS 103A" + "VIS 60" ], - "name": "Music of the Twentieth Century", - "description": "Second part in composition course sequence. Intensive work in free composition by drafting a composition for presentation at the end of MUS 103C. Written analysis of contemporary repertoire is introduced. Instruction about calligraphic conventions including computer engraving programs. " + "name": "Photographic Strategies: Art or Evidence", + "description": "Course explores both material and conceptual analog photography practices. Course will introduce the students to the history of chemical and ocular processes since the nineteenth century and their impact on image making. Students will learn basic black-and-white darkroom techniques, processing film, proofing, and printing. Course will conclude with a primer in the new photographic hybridity, bringing analog into the digital terrain. Students will be required to create a small portfolio of work. Program or materials fees may apply. Two production-course limitation. " }, - "MUS 115": { + "VIS 165": { "prerequisites": [ - "MUS 103B" + "VIS 164", + "or", + "VIS 165" ], - "name": "Women in Music", - "description": "Third part in composition course sequence. A mixture of individual lessons as well as group meetings, with discussion of topics germane to the development of composers, including musical aesthetics and contemporary orchestration techniques. Final performance of students\u2019 work will take place at the end of the quarter. " + "name": "Camera Techniques: Analog Futures", + "description": "The photograph is an empirical object. This course will explore the use of photography as a tool to both understand and represent the world. Students will learn the history of the use of photography as evidence and as a tool of empirical knowledge. In a world where subjectivity is performed the students will be required to make a medium-sized work that engages the social in a creative way. Program or materials fees may apply. Two production-course limitation. " }, - "MUS 116": { + "VIS 167": { "prerequisites": [ - "MUS 103A-B-C", - "and" + "VIS 164", + "or", + "VIS 165" ], - "name": "Popular Music Studies Seminar", - "description": "Advanced individual projects for senior music majors pursuing honors in composition. Projects will be critically reviewed in seminar with fellow students and faculty composers. " + "name": "Social Engagement and Photography", + "description": "This course will explore photography as art and its long and complicated relationship with painting. Students will learn and be encouraged to experiment with the medium formally and conceptually. From studio and lighting techniques to collage, montage, constructed realities, installations, and projections. Program or materials fees may apply. Two production-course limitation. " }, - "MUS 120A": { + "VIS 168": { "prerequisites": [ - "MUS 101A", - "and" + "VIS 174" ], - "name": "History of Music in Western Culture I", - "description": "This course will explore a range of compositional possibilities from song forms to modal and more extended forms. May be taken for credit two times. ** Consent of instructor to enroll possible **" + "name": "Pictorialism and Constructed Reality", + "description": "A digital image is not a film image, and this reality and its technological and conceptual implications are what this course will attempt to map out, exploring its possibilities and the massive overhaul of media aesthetics it implies. Two production-course limitation. " }, - "MUS 120B": { + "VIS 171": { "prerequisites": [ - "MUS 2C" + "VIS 70N" ], - "name": "History of Music in Western Culture II", - "description": "Topics in musical analysis. Covers full range of musical repertoire 1900 to present, including music that does not depend on notation. May be taken for credit up to two times. " + "name": "Digital Cinema\u2014Theory and Production", + "description": "Video medium used both as production technology and as device to explore the fundamental character of filmmaking and time-based computer art practices. Students perform all aspects of production with attention to developing ideas and building analytical/critical skills. Two production-course limitation. " }, - "MUS 120C": { + "VIS 174": { "prerequisites": [ - "MUS 120C" + "VIS 174" ], - "name": "History of Music in Western Culture III", - "description": "This seminar explores the history of music in relation to critical issues, such as race, gender, sexuality, the environment, and politics. Readings include recent literature in cultural studies, musicology, and sociology. Topics vary. May be taken three times for credit. " + "name": "Media Sketchbook", + "description": "The evolving aims and grammars of editing practice in film and digital media will be examined. These histories will create a context for exploring contemporary editing strategies. The production projects will be centered on digital editing practice. Two production-course limitation. " }, - "MUS 126": { - "prerequisites": [], - "name": "Blues: An Oral Tradition", - "description": "This seminar introduces the central theories, methods, and approaches used to study the music of contemporary cultures, in their local contexts. In addition to surveying key writings, students will document music from their local environment. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "VIS 175": { + "prerequisites": [ + "VIS 174" + ], + "name": "Editing\u2014Theory and Production", + "description": "A technical foundation and creative theoretical context for film production will be provided. Students will produce a short film with post-synchronized sounds and final mixed-track. Two production-course limitation. " }, - "MUS 127": { - "prerequisites": [], - "name": "Discover Jazz", - "description": "A study of particular regional music in their repertory, cultural context, and interaction with other traditions. Topics vary. May be taken for credit up to three times. " + "VIS 176": { + "prerequisites": [ + "VIS 174" + ], + "name": "16mm Filmmaking", + "description": "Script writing, reading, and analysis of traditional and experimental media productions. The emphasis will be on the structural character of the scripting process and its language. Students will write several short scripts along with analytical papers. Two production-course limitation. " }, - "MUS 128": { - "prerequisites": [], - "name": "Principles and Practice of Conducting", - "description": "This course will address topics in medieval, Renaissance, and Baroque music; topics will vary from year to year. May be repeated five times for credit. ** Consent of instructor to enroll possible **" + "VIS 177": { + "prerequisites": [ + "VIS 174" + ], + "name": "Scripting Strategies", + "description": "Sound design plays an increasing role in media production and has opened up new structural possibilities for narrative strategies. A critical and historical review of sound design and a production methodology component. Critical papers and soundtracks for short film projects will be required. Two production-course limitation. " }, - "MUS 130": { - "prerequisites": [], - "name": "Chamber Music Performance", - "description": "This course will focus on Western music between 1750 and the early twentieth century; topics will vary from year to year. May be repeated five times for credit. ** Consent of instructor to enroll possible **" + "VIS 178": { + "prerequisites": [ + "VIS 174", + "and", + "VIS 164" + ], + "name": "Sound\u2014Theory and Production", + "description": "Exploration of concepts in representational artworks by critically examining \u201cfound\u201d vs. \u201cmade\u201d recorded material. Advanced film/video, photography, computing work. Issues of narrative and structure; attention to formal aspects of media work emphasized. Two production-course limitation. " }, - "MUS 131": { - "prerequisites": [], - "name": "Advanced Improvisation Performance", - "description": "An exploration of materials and methods used in the music of our time. There will be an extra discussion group for music majors. May be repeated once for credit. " + "VIS 180A": { + "prerequisites": [ + "VIS 174", + "and", + "VIS 164" + ], + "name": "Documentary Evidence and the Construction of Authenticity in Current Media Practices", + "description": "Exploration of choices in invention, emphasizing \u201cmade\u201d over \u201cfound.\u201d Advanced film/video, photography, and computing. Issues of narrative and structure, and formal aspects of media work emphasized. Two production-course limitation. " }, - "MUS 132": { - "prerequisites": [], - "name": "Proseminar in Music Performance", - "description": "A survey of the biographical, historical, sociological, and political issues affecting woman musicians, their creativity, their opportunities, and their perception by others. It compares and contrasts the work of women composers, performers, patrons, teachers, and writers on music from the Middle Ages through the present. ** Consent of instructor to enroll possible **" + "VIS 180B": { + "prerequisites": [ + "VIS 174", + "and", + "VIS 164" + ], + "name": "Fiction\n\t\t and Allegory in Current Media Practices", + "description": "Advanced course to gain sophisticated control of lighting and sound recording techniques with understanding of theoretical implications and interrelation between production values and subject matter. Interactions between sound and image in various works in film, video, or installation. Two production-course limitation. " }, - "MUS 132C": { - "prerequisites": [], - "name": "Vocal Coaching", - "description": "This course examines special topics in popular music from various sociopolitical, aesthetic, and performance perspectives. Readings include recent literature in cultural studies, musicology, and/or performance practice. Topics vary. May be taken three times for credit. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "VIS 181": { + "prerequisites": [ + "VIS 174", + "and", + "VIS 164" + ], + "name": "Sound and Lighting", + "description": "Film/video editing and problems of editing from theoretical and practical points-of-view. Films and tapes analyzed on a frame-by-frame, shot-by-shot basis. Edit stock material and generate own materials for editing final project. Aesthetic and technical similarities/differences of film/video. Recommended preparation: VIS 175 Editing-Theory and Production strongly recommended. Two production-course limitation. " }, - "MUS 132R": { + "VIS 182": { "prerequisites": [ - "MUS 1C" + "VIS 174", + "and", + "VIS 164" ], - "name": "Recital Preparation", - "description": "First part of intensive historical, analytical, and cultural-aesthetic examination of music in Western culture from the ninth through the twenty-first centuries. Considers both sacred and secular repertories, from Gregorian chant through early opera, c. 800\u20131600. " + "name": "Advanced Editing", + "description": "Looks at the way that self-identity is reflected and produced through various media practices. Focus is on rhetorical strategies of biography and autobiography in media, comparing and contrasting these strategies with those drawn from related cultural forms. Two production-course limitation. " }, - "MUS 132V": { + "VIS 183A": { "prerequisites": [ - "MUS 120A" + "VIS 174", + "and", + "VIS 164" ], - "name": "Proseminar in Vocal Instruction", - "description": "Second part of intensive historical, analytical, and cultural-aesthetic examination of music in Western culture from the ninth through the twenty-first centuries. Considers both instrumental and vocal repertories, from the Baroque to the Romantic, c. 1600\u20131830. " + "name": "Strategies of Self", + "description": "Looks at difference as it is reflected and constructed in various media practices. Course will examine a wide range of forms and genres such as ethnography, science fiction, crime narratives, documentary film, political drama, and animated shorts. Two production-course limitation. " }, - "MUS 133": { + "VIS 183B": { "prerequisites": [ - "MUS 120B" + "VIS 174", + "and", + "VIS 164" ], - "name": "Projects in New Music Performance", - "description": "Third part of intensive historical, analytical,\n\t\t\t\t and cultural-aesthetic examination of music in Western culture\n\t\t\t\t from the ninth through the twenty-first centuries. Considers\n\t\t\t\t both established traditions and new trends, from Romanticism\n\t\t\t\t through Modernism and Postmodernism, c. 1890\u2013present. " + "name": "Strategies of Alterity", + "description": "Film/video production will be framed through the script writing process, focusing on the problems of longer duration, density, and adaptation from other media. Students will both read and analyze both historical and contemporary scripts and produce a thirty- to sixty-minute script. Recommended preparation: VIS 177 Scripting Strategies. Two production-course limitation. " + }, + "VIS 184": { + "prerequisites": [ + "VIS 174", + "and", + "VIS 164" + ], + "name": "Advanced Scripting", + "description": "Through instruction and discussion, the class will focus on guiding students through advanced production on a senior project. Students will be expected to initiate and complete production on at least one portfolio-level project. May be taken for credit two times. Two production-course limitation. " + }, + "VIS 185": { + "prerequisites": [ + "VIS 135", + "and", + "VIS 100" + ], + "name": "Senior Media Projects", + "description": "This advanced course provides students with a unique immersive learning experience, based on design studio/atelier methods. This course develops students\u2019 skills in the ideation, planning, and execution of complex individual and collaborative projects, including historical and contextual research, project ideation, planning and management, coordination of skills and responsibilities, iterative execution, and effective presentation. ** Upper-division standing required ** " + }, + "VIS 190": { + "prerequisites": [ + "VIS 84" + ], + "name": "Design Master Studio", + "description": "This course will explore the path of the deliberately \u201cunreal\u201d in movies. Fantasy in film will be considered both in terms of its psychological manifestations and also in terms of imaginary worlds created in such willfully antirealistic genres as science fiction, horror, and musical films. Offered in Summer Session only. Program or materials fees may apply. May be taken for credit three times. " }, - "MUS 134": { + "VIS 194S": { "prerequisites": [], - "name": "Symphonic Orchestra", - "description": "This course will examine the development of the Blues from its roots in work-songs and the minstrel show to its flowering in the Mississippi Delta to the development of Urban Blues and the close relationship of the Blues with Jazz, Rhythm and Blues, and Rock and Roll. (Cross-listed with ETHN 178.) " + "name": "Fantasy in Film", + "description": "This advanced-level sequence coordinates three consecutive independent research courses to culminate in a completed thesis project in the third quarter of study. After the project\u2019s public presentation, the faculty involved in the project will determine whether the student will graduate with departmental honors. ** Consent of instructor to enroll possible **" }, - "MUS 137A": { + "VIS 197": { "prerequisites": [], - "name": "Jazz Theory and Improvisation", - "description": "Offers an introduction to jazz, including important performers and their associated styles and techniques. Explores the often-provocative role jazz has played in American and global society, the diverse perceptions and arguments that have surrounded its production and reception, and how these have been inflected by issues of race, class, gender, and sexuality. Specific topics vary from year to year. (Cross-listed with ETHN 179.) " - }, - "MUS 137B": { - "prerequisites": [ - "MUS 2A-B-C", - "and" - ], - "name": "Jazz Theory and Improvisation", - "description": "The theory and practice of instrumental and/or choral conducting as they have to do with basic baton techniques, score reading, interpretation, orchestration, program building, and functional analysis. Members of the class will be expected to demonstrate their knowledge in the conducting of a small ensemble performing literature from the eighteenth, nineteenth, and twentieth centuries. " + "name": "Media Honors Thesis", + "description": "Directed group study on a topic or in a group field not included in regular department curriculum, by special arrangement with a faculty member. ** Consent of instructor to enroll possible **" }, - "MUS 137C": { + "VIS 198": { "prerequisites": [], - "name": "Jazz Theory and Improvisation", - "description": "Instruction in the preparation of small group performances of representative instrumental and vocal chamber music literature. May be taken for credit six times, after which students must enroll for zero units. ** Consent of instructor to enroll possible **" + "name": "Directed Group Study", + "description": "Independent reading, research, or creative work under direction of a faculty member. ** Consent of instructor to enroll possible **" }, - "MUS 137D": { + "VIS 199": { "prerequisites": [], - "name": "Seminar in Jazz Studies I", - "description": "Master class instruction in advanced improvisation performance for declared majors and minors only or consent of instructor. Audition required at first class meeting. May be repeated six times for credit. ** Consent of instructor to enroll possible **" + "name": "Special Studies in the Visual Arts", + "description": "An exploration of a range of issues important on the contemporary critical scene through readings and writing assignments. Topics will vary from year to year. (Required, MFA) " }, - "MUS 137E": { + "BILD 1": { "prerequisites": [], - "name": "Seminar in Jazz Studies II", - "description": "Individual or master class instruction in advanced instrumental performance. For declared music majors and minors. Students must be simultaneously enrolled in a performance ensemble or nonperformance music course. May be taken six times for credit. " + "name": "The Cell", + "description": "An introduction to cellular structure and function, to biological molecules, bioenergetics, to the genetics of both prokaryotic and eukaryotic organisms, and to the elements of molecular biology. Recommended preparation: prior completion of high school- or college-level chemistry course. " }, - "MUS 137F": { + "BILD 2": { "prerequisites": [ - "MUS 132V", - "and" + "BILD 1" ], - "name": "Seminar in Jazz Studies III", - "description": "Individual instruction in advanced vocal coaching. Emphasis placed on diction and musical issues. For declared music majors and minors. Students must be simultaneously enrolled in the Vocal Master Class, MUS 32VM. May be taken six times for credit. ** Consent of instructor to enroll possible **" + "name": "Multicellular Life", + "description": "An introduction to the development and the physiological processes of plants and animals. Included are treatments of reproduction, nutrition, respiration, transport systems, regulation of the internal environment, the nervous system, and behavior. " }, - "MUS 143": { + "BILD 3": { "prerequisites": [], - "name": "Department Seminar", - "description": "Advanced instrumental/vocal preparation for senior music majors pursuing honors in performance. Repertoire for a solo recital will be developed under the direction of the appropriate instrumental/vocal faculty member. Special audition required during Welcome Week preceding fall quarter. " + "name": "Organismic and Evolutionary Biology", + "description": "The first principles of evolutionary theory, classification, ecology,\n\t\t\t\t and behavior; a phylogenetic synopsis of the major groups of organisms\n\t\t\t\t from viruses to primates." }, - "MUS 150": { + "BILD 4": { "prerequisites": [], - "name": "Jazz and the\n\t\t Music of the African Diaspora: Special Topics Seminar", - "description": "Individual instruction in advanced vocal performance. For declared music majors and minors. Students must be simultaneously enrolled in a performance ensemble or nonperformance music course and in the Vocal Master Class, MUS 32VM. May be taken six times for credit. " + "name": "Introductory Biology Lab", + "description": "Students gain hands-on experience and learn the theoretical basis of lab techniques common to a variety of biological disciplines such as biochemistry, molecular biology, cell biology, and bioinformatics. Students will work in groups, learning how to collect, analyze, and present data while using the scientific method to conduct inquiry-based laboratory experiments. Material lab fees will apply." }, - "MUS 151": { + "BILD 7": { "prerequisites": [], - "name": "Race, Culture, and Social Change", - "description": "Performance of new music of the twentieth century. Normally offered winter quarter only. Required a minimum of one time for all music majors. May be taken two times for credit. ** Consent of instructor to enroll possible **" + "name": "The Beginning of Life", + "description": "An introduction to the basic principles of plant and animal development, emphasizing the similar strategies by which diverse organisms develop. Practical applications of developmental principles as well as ethical considerations arising from these technologies will be discussed." }, - "MUS 152": { + "BILD 10": { "prerequisites": [], - "name": "Hip Hop: The Politics of Culture", - "description": "Repertoire is drawn from the classic symphonic literature of the eighteenth, nineteenth, and twentieth centuries with a strong emphasis on recently composed and new music. Distinguished soloists, as well as The La Jolla Symphony Chorus, frequently appear with the orchestra. The La Jolla Symphony Orchestra performs two full-length programs each quarter, each program being performed twice. May be repeated six times for credit. " - }, - "MUS 153": { - "prerequisites": [ - "MUS 2A-B-C" - ], - "name": "African Americans and the Mass Media", - "description": "Study of jazz theory and improvisation, focused on fundamental rhythmic, harmonic, melodic, and formal aspects of modern jazz style. Application of theoretical knowledge to instruments and concepts will be reinforced through listening, transcription work, and composition and improvisation exercises. First course of a yearlong sequence. ** Consent of instructor to enroll possible **" + "name": "Fundamental Concepts of Modern Biology", + "description": "An introduction to the biochemistry and genetics of cells and organisms; illustrations are drawn from microbiology and human biology. This course is designed for nonbiology students and does not satisfy a lower-division requirement for any biology major. Open to nonbiology majors only. Note: Students may not receive credit for BILD\n\t\t\t\t 10 after receiving credit for BILD 1. " }, - "MUS 160A": { - "prerequisites": [ - "MUS 137A" - ], - "name": "Senior Project in Computing Arts I", - "description": "Study of jazz theory and improvisation, focused on fundamental rhythmic, harmonic, melodic, and formal aspects of modern jazz style. Application of theoretical knowledge to instruments and concepts will be reinforced through listening, transcription work, and composition and improvisation exercises. Second course of a yearlong sequence; continuation of MUS 137A. ** Consent of instructor to enroll possible **" + "BILD 12": { + "prerequisites": [], + "name": "Neurobiology and Behavior", + "description": "Course will focus on issues such as global warming, species extinction, and human impact on the oceans and forests. History and scientific projections will be examined in relation to these events. Possible solutions to these worldwide processes and a critical assessment of their causes and consequences will be covered." }, - "MUS 160B": { - "prerequisites": [ - "MUS 137B" - ], - "name": "Senior Project in Computing Arts II", - "description": "Study of jazz theory and improvisation, focused on fundamental rhythmic, harmonic, melodic, and formal aspects of modern jazz style. Application of theoretical knowledge to instruments and concepts will be reinforced through listening, transcription work, and composition and improvisation exercises. Third course of a yearlong sequence; continuation of MUS 137B. ** Consent of instructor to enroll possible **" + "BILD 18": { + "prerequisites": [], + "name": "Human Impact on the Environment", + "description": "Fundamentals of human genetics and introduction to modern genetic technology\n\t\t\t\t such as gene cloning and DNA finger printing. Applications of these techniques,\n\t\t\t\t such as forensic genetics, genetic screening, and genetic engineering.\n\t\t\t\t Social impacts and ethical implications of these applications. This course\n\t\t\t\t is designed for nonbiology students and does not satisfy a lower-division\n\t\t\t\t requirement for any biology major. Open to nonbiology majors only. Note: Students may\n\t\t\t\t not receive credit for BILD 20 after receiving credit for BICD 100. " }, - "MUS 170": { - "prerequisites": [ - "MUS 137A-B-C", - "and" - ], - "name": "Musical Acoustics", - "description": "Advanced individual projects for senior music majors pursuing honors in jazz and music of the African diaspora. Projects will be critically reviewed in seminar with fellow students and jazz faculty. First course of a yearlong sequence. " + "BILD 20": { + "prerequisites": [], + "name": "Human Genetics in Modern Society", + "description": "A survey of our understanding of the basic\n\t\t\t\t chemistry and biology of human nutrition; discussions of all aspects of\n\t\t\t\t food: nutritional value, diet, nutritional diseases, public health, and\n\t\t\t\t public policy. This course is designed for nonbiology students and does\n\t\t\t\t not satisfy a lower-division requirement for any biology major. Open to nonbiology majors only. Note: Students\n may not receive credit for BILD 22 after receiving credit for BIBC 120. " }, - "MUS 171": { - "prerequisites": [ - "MUS 137D", - "and" - ], - "name": "Computer Music I", - "description": "Advanced individual projects for senior music majors pursuing honors in jazz and music of the African diaspora. Projects will be critically reviewed in seminar with fellow students and jazz faculty. Second course of a yearlong sequence; continuation of 137D. " + "BILD 22": { + "prerequisites": [], + "name": "Human Nutrition", + "description":"A survey of our understanding of the basic chemistry and biology of human nutrition; discussions of all aspects of food: nutritional value, diet, nutritional diseases, public health, and public policy. This course is designed for nonbiology students and does not satisfy a lower-division requirement for any biology major. Open to nonbiology majors only. Note: Students may not receive credit for BILD 22 after receiving credit for BIBC 120." }, - "MUS 172": { - "prerequisites": [ - "MUS 137E", - "and" - ], - "name": "Computer Music II", - "description": "Advanced individual projects for senior music majors pursuing honors in jazz and music of the African diaspora. Projects will be critically reviewed in seminar with fellow students and jazz faculty. Third course of a yearlong sequence; continuation of 137E. " + "BILD 26": { + "prerequisites": [], + "name": "Human Physiology", + "description": "An introduction to diseases caused by viruses, bacteria, and parasites, and the impact of these diseases on human society. Topics include the biology of infectious disease, epidemiology, and promising new methods to fight disease. Open to nonbiology majors only. Note: Students will not receive credit for BILD 30 if taken after BIMM 120." }, - "MUS 173": { + "BILD 30": { "prerequisites": [], - "name": "Electronic Music Production and Composition ", - "description": "The department seminar serves both as a general department meeting and as a forum for the presentation of research and performances by visitors, faculty, and students. Required of all undergraduate music majors every quarter. " + "name": "Biology of Plagues: Past and Present", + "description": "An introduction to diseases caused by viruses, bacteria, and parasites, and the impact of these diseases on human society. Topics include the biology of infectious disease, epidemiology, and promising new methods to fight disease. Open to nonbiology majors only. Note: Students will not receive credit for BILD 30 if taken after BIMM 120." }, - "MUS 174A": { - "prerequisites": [ - "MUS 126/ETHN", - "or", - "MUS 127/ETHN" - ], - "name": "Audio/MlDI Studio Techniques I", - "description": "An in-depth writing and listening intensive investigation into a jazz or diaspora-related music history topic. Topics vary from year to year. May be repeated once for credit. ** Consent of instructor to enroll possible **" + "BILD 36": { + "prerequisites": [], + "name": "AIDS Science and Society", + "description": "An introduction to all aspects of the AIDS epidemic. Topics will include the epidemiology, biology, and clinical aspects of HIV infection; HIV testing; education and approaches to therapy; and the social, political, and legal impacts of AIDS on the individual and society. This course is designed for nonbiology students and does not satisfy a lower-division requirement for any biology major. Open to nonbiology majors only. Note: Students may not receive credit for BILD 36 after receiving credit for BICD 136. " }, - "MUS 174B": { + "BILD 38": { "prerequisites": [], - "name": "Audio/MlDI Studio Techniques II", - "description": "Aggrieved groups generate distinctive cultural expressions by turning negative ascription into positive affirmation and by transforming segregation into congregation. This course examines the role of cultural expressions in struggles for social change by these communities inside and outside the United States. (Cross-listed with ETHN 108.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Dementia, Science, and Society", + "description": "Introduction to basic human neuroscience leading to a discussion of brain diseases classified under the rubric Dementia. Topics include basic brain structure and function, diseases of the aging brain and their economic, social, political and ethical impacts on society." }, - "MUS 174C": { + "BILD 40": { "prerequisites": [], - "name": "Audio/MlDI Studio Techniques III", - "description": "Examination of hip-hop\u2019s music, technology, lyrics, and its influence in graffiti, film, music video, fiction, advertising, gender, corporate investment, government and censorship with a critical focus on race, gender, popular culture, and the politics of creative expression. (Cross-listed with ETHN 128.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Introduction to Biomedical Research", + "description": "Course introduces students to some of the research approaches employed by physicians and scientists at the UC San Diego School of Medicine to investigate the etiology, biology, prevention and treatment of human diseases, including cancer, diabetes, and others. P/NP grades only." }, - "MUS 175": { + "BILD 51": { "prerequisites": [], - "name": "Musical Psychoacoustics", - "description": "Examination of media representations of African Americans from slavery to the present focusing on emergence and transmission of enduring stereotypes, their relationship to changing social, political, and economic frameworks, and African Americans\u2019 responses to and interpretations of these mediated images. (Cross-listed with ETHN 164.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Quantitative Biology Project Lab", + "description": "Course covers two important aspects: (1) interdisciplinary and research-based education and (2) teaching fundamental experimental and computational skills in quantitative studies of living systems. Participation by application only. Material lab fees will apply. ** Department approval required ** " }, - "MUS 176": { + "BILD 60": { "prerequisites": [ - "VIS 141B", - "or", - "VIS 145B", - "or", - "VIS 147B", - "or", - "MUS 172" + "BILD 1", + "and", + "BILD 2" ], - "name": "Music Technology Seminar", - "description": "Students pursue projects of their own design over two quarters with support from faculty in a seminar environment. Project proposals are developed, informed by project development guidelines from real world examples. Collaborations are possible. Two production-course limitation. Renumber from ICAM 160A. Students may receive credit for only one of the following: MUS 160A, VIS 160A, ICAM 160A. " + "name": "Exploring Issues of Diversity, Equity, and Inclusion in Relation to Human Biology ", + "description": "This course will examine diversity, equity, and inclusion beginning with a biological framework. Focus will be on how underlying biological differences have been used to support bias and prejudice against particular groups such as women, African Americans, and Latinos. This course is approved to meet the campus Diversity, Equity, and Inclusion (DEI) requirement. " }, - "MUS 177": { - "prerequisites": [ - "MUS 160A", - "or", - "VIS 160A" - ], - "name": "Music Programming", - "description": "Continuation of MUS 160A or VIS 160A. Completion and presentation of independent projects along with documentation. Two production-course limitation. Renumbered from ICAM 160B. Students may receive credit for only one of the following: MUS 160B, VIS 160B, ICAM 160B. " + "BILD 70": { + "prerequisites": [], + "name": "Genomics Research Initiative Lab I", + "description": "Students will isolate bacterial viruses or other organisms from the environment and characterize them by methods including electron microscopy and nucleic acid analysis. The genomic DNA will be purified and sent for sequencing. Restricted to student participants in the Phage Genomics Research program. Renumbered from BIMM 171A. Students may not receive credit for BILD 70 and BIMM 171A. Material lab fees will apply. ** Department approval required ** " }, - "MUS 192": { - "prerequisites": [ - "MUS 1A" - ], - "name": "Senior Seminar in Music", - "description": "(Formerly MUS 160A.) An introduction to\n\t\t\t\t the acoustics of music with particular emphasis on contemporary digital\n\t\t\t\t techniques for understanding and manipulating sound. " + "BILD 87": { + "prerequisites": [], + "name": "Freshman Seminar", + "description": "" }, - "MUS 195": { + "BILD 91": { "prerequisites": [], - "name": "Instructional Assistance", - "description": "(Formerly MUS 160C.) A practical introduction to computer techniques for desktop audio editing, MIDI control, and real-time music algorithms using the MAX programming environment. Recommended preparation: completion of MUS 170. ** Consent of instructor to enroll possible **" + "name": "Biology Freshmen: Strategies for Success", + "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen.\t\t" }, - "MUS 198": { - "prerequisites": [ - "MUS 171", - "MUS 160C" - ], - "name": "Directed Group Study", - "description": "(Formerly MUS 161.) Computer synthesis techniques\n\t\t\t\t including wavetable and additive synthesis, waveshaping, and sampling.\n\t\t\t\t Transformation of musical sounds using filters, modulation, and delay effects.\n\t\t\t\t Fourier analysis of sounds. ** Consent of instructor to enroll possible **" + "BILD 92": { + "prerequisites": [], + "name": "Professional Development Topics in the Biological Sciences", + "description": "Course is designed to assist new freshmen in making a smooth and informed transition from high school. Lectures focus on study skills, academic planning and using divisional and campus resources to help achieve academic, personal and professional goals. Exercises and practicums will develop the problems solving skills needed to succeed in biology. Attention will be given to research possibilities. Intended for new freshmen." }, - "MUS 199": { + "BILD 95": { "prerequisites": [], - "name": "Independent Study", - "description": "(Formerly MUS 162.) Creative music production using digital audio workstations (DAWs), emphasizing hands-on composition projects including tempo warping, beat and tonality matching, virtual drum kits, chord progressions, sound processing and effects, arrangement, and remixing in the context of both popular and experimental genres. Existing works are analyzed and dissected for aesthetic value and production technique. ** Consent of instructor to enroll possible **" + "name": "Undergraduate Workshops", + "description": "The workshops will be restricted to lower-division undergraduates. The course will introduce students to the methods of scientific research and to a variety of research topics in the biological/biomedical sciences. Examples of topics are: Introduction to Scientific Research, AIDS, Medical and Social Aspects, Is the Mind the Same as the Brain, Wildlife Conservation. " }, - "CSE 3": { + "BILD 96": { "prerequisites": [], - "name": "Fluency in Information Technology", - "description": "Introduces the concepts and skills necessary to effectively use information technology. Includes basic concepts and some practical skills with computer and networks. " + "name": "Biology: Honors Seminar", + "description": "Weekly seminar providing Biological Sciences Scholars Program students with the opportunity to learn more about research and scholarly activities available to them and acquaints them with UC San Diego faculty members. The course will promote student\u2019s participation in research and other scholarly activities on campus. ** Department approval required ** " }, - "CSE 4GS": { + "BILD 98": { + "prerequisites": [], + "name": "Directed Group Study", + "description": "Investigation of a topic in biological sciences through directed reading and discussion by a small group of students under the supervision of a faculty member. Students must complete a special studies application. Paperwork for a BILD 98 must be submitted to SIS by Friday of the eighth week of the quarter preceding the quarter in which the 98 will be completed. P/NP grades only. May be taken for credit two times. ** Department approval required ** " + }, + "BILD 99": { + "prerequisites": [], + "name": "Independent Research", + "description": "Independent research by special arrangement with a faculty member. (P/NP grades only.) Students must have an overall UC San Diego GPA of at least 3.0 and a minimum of thirty units complete. Students must complete a Special Studies form and a Division of Biological Sciences Research Plan. Credit may not be received for a course numbered 99 subsequent to receiving credit for a course numbered 199. ** Department approval required ** " + }, + "BIBC 100": { "prerequisites": [ - "MATH 10A", + "CHEM 40A", + "or", + "CHEM 140A", + "or", + "BENG 120", + "and", + "CHEM 40B", + "or", + "CHEM 140B", "or", - "MATH 20A" + "BENG 120" ], - "name": "Mathematical Beauty in Rome", - "description": "Exploration of topics in mathematics and engineering\n\t\t\t\t as they relate to classical architecture in Rome, Italy. In\n\t\t\t\t depth geometrical\n\t\t\t\t analysis and computer modeling of basic structures (arches,\n\t\t\t\t vaults, domes),\n\t\t\t\t and on-site studies of the Colosseum, Pantheon, Roman Forum,\n\t\t\t\t and St. Peter\u2019s Basilica. " + "name": "Structural Biochemistry", + "description": "The structure and function of biomolecules. Includes protein conformation, dynamics, and function; enzymatic catalysis, enzyme kinetics, and allosteric regulation; lipids and membranes; sugars and polysaccharides; and nucleic acids. " }, - "CSE 6GS": { + "BIBC 102": { "prerequisites": [ - "MATH 10A", + "CHEM 40A", "or", - "MATH 20A" + "CHEM 140A", + "or", + "BENG 120", + "and", + "CHEM 40B", + "or", + "CHEM 140B", + "or", + "BENG 120" ], - "name": "Mathematical Beauty in Rome Lab", - "description": "Companion course to CSE 4GS where theory is applied and lab experiments\n\t\t\t\t are carried out \u201cin the field\u201d in Rome, Italy. For final projects,\n\t\t\t\t students will select a complex structure (e.g., the Colosseum, the\n\t\t\t\t Pantheon, St. Peter\u2019s, etc.) to analyze and model, in detail, using computer-based\n\t\t\t\t tools. " - }, - "CSE 5A": { - "prerequisites": [], - "name": "Introduction to Programming I", - "description": "Introduction to algorithms and top-down problem solving. Introduction to the C language, including functions, arrays, and standard libraries. Basic skills for using a PC graphical user interface operating system environment. File maintenance utilities are covered. A student may not receive credit for CSE 5A after receiving credit for CSE 11 or CSE 8B. Recommended preparation: A familiarity with high school-level algebra is expected, but this course assumes no prior programming knowledge. " - }, - "CSE 8A": { - "prerequisites": [], - "name": "Introduction to Computer Science: Java I", - "description": "Introductory course for students interested in computer science. Fundamental concepts of applied computer science using media computation. Exercises in the theory and practice of computer science. Hands-on experience with designing, editing, compiling, and executing programming constructs and applications. CSE 8A is part of a two-course sequence (CSE 8A and CSE 8B) that is equivalent to CSE 11. Students should take CSE 8B to complete this track. Formerly offered as corequisite courses CSE 8A plus 8AL. Students who have taken CSE 8B or CSE 11 may not take CSE 8A. Recommended preparation: No prior programming experience is assumed, but comfort using computers is helpful. Students should consult the \u201cCSE Course Placement Advice\u201d web page for assistance in choosing which CSE course to take first. ** Exam placement options to enroll possible ** " + "name": "Metabolic Biochemistry", + "description": "Energy-producing pathways\u2013glycolysis, the TCA cycle, oxidative phosphorylation, photosynthesis, and fatty acid oxidation; and biosynthetic pathways\u2013gluconeogenesis, glycogen synthesis, and fatty acid biosynthesis. Nitrogen metabolism, urea cycle, amino acid metabolism, nucleotide metabolism, and metabolism of macromolecules. " }, - "CSE 8B": { + "BIBC 103": { "prerequisites": [ - "CSE 8A" + "BILD 1" ], - "name": "Introduction to Computer Science: Java II", - "description": "Continuation of the Java language. Continuation of programming techniques. More on inheritance. Exception handling. CSE 8B is part of a two-course sequence (CSE 8A and CSE 8B) that is equivalent to CSE 11. Students should consult the \u201cCSE Course Placement Advice\u201d web page for assistance in choosing which CSE course to take first. Students may not receive credit for CSE 8B and CSE 11. ** Exam placement options to enroll possible ** " - }, - "CSE 11": { - "prerequisites": [], - "name": "Introduction to Computer Science and Object-Oriented Programming: Java", - "description": "An accelerated introduction to computer science and programming using the Java language. Basic UNIX. Modularity and abstraction. Documentation, testing and verification techniques. Basic object-oriented programming, including inheritance and dynamic binding. Exception handling. Event-driven programming. Experience with AWT library or another similar library. Students who have completed CSE 8B may not take CSE 11. Students should\u00a0consult the \u201cCSE Course Placement Advice\u201d web page for assistance in choosing which CSE course to take first. Recommended preparation: high school algebra and familiarity with computing concepts and a course in a compiled language. ** Exam placement options to enroll possible ** " + "name": "Biochemical Techniques", + "description": "Introductory laboratory course in current principles and techniques applicable\n\t\t\t\t to research problems in biochemistry and molecular biology. Techniques\n\t\t\t\t include protein and nucleic acid purification; identification methods such\n\t\t\t\t as centrifugation, chromatography, and electrophoresis; immunological,\n\t\t\t\t spectrophotometric, and enzymatic methods. Material lab fees will apply. " }, - "CSE 12": { + "BIBC 120": { "prerequisites": [ - "CSE 8B", + "BIBC 102", "or", - "CSE 11", - "and", - "CSE 15L" + "CHEM 114B" ], - "name": "Basic Data\n\t\t Structures and Object-Oriented Design", - "description": "Use and implementation of basic data structures including linked lists, stacks, and queues. Use of advanced structures such as binary trees and hash tables. Object-oriented design including interfaces, polymorphism, encapsulation, abstract data types, pre-/post-conditions. Recursion. Uses Java and Java Collections. " + "name": "Nutrition", + "description": "Elaborates the relationship between diet and human metabolism, physiology, health, and disease. Covers the functions of carbohydrates, lipids, proteins, vitamins, and minerals, and discusses dietary influences on cardiovascular disease, diabetes, obesity, and cancer. " }, - "CSE 15L": { + "BIBC 140": { "prerequisites": [ - "CSE 8B", - "or", - "CSE 11", - "and", - "CSE 12" + "BILD 1" ], - "name": "Software Tools and Techniques Laboratory", - "description": "Hands-on exploration of software development\n\t\t\t\t tools and techniques. Investigation of the scientific process\n\t\t\t\t as applied to software development and debugging. Emphasis is on weekly\n\t\t\t\t hands-on laboratory experiences, development of laboratory notebooking\n\t\t\t\t techniques as applied to software design. " + "name": "Our Energy Future\u2014Sustainable Energy Solutions ", + "description": "Course will provide an overview of energy production and utilization and the consequences of this on the economy and environment. The course will introduce renewable energy technologies including biofuels, and explores the social, economic, and political aspects of energy use. " }, - "CSE 20": { + "BIBC 151": { "prerequisites": [ - "COGS 7", + "BIBC 100", "or", - "CSE 8B", + "BIBC 102", "or", - "CSE 11" + "CHEM 114A", + "or", + "CHEM 114B" ], - "name": "Discrete Mathematics", - "description": "Basic discrete mathematical structures: sets, relations, functions, sequences, equivalence relations, partial orders, and number systems. Methods of reasoning and proofs: prepositional logic, predicate logic, induction, recursion, and pigeonhole principle. Infinite sets and diagonalization. Basic counting techniques; permutation and combinations. Applications will be given to digital logic design, elementary number theory, design of programs, and proofs of program correctness. Students who have completed MATH 109 may not receive credit for CSE 20. Credit not offered for both MATH 15A and CSE 20. Equivalent to MATH 15A. " + "name": "Chemistry of Biological Interactions", + "description": "Nearly all interactions between organisms, including host-pathogen interactions and mate attraction, have a chemical basis. Plants and microorganisms are the dominant life forms on earth and remain a major source of pharmaceutical leads. Students in this course will utilize biochemical methods to extract, fractionate, and analyze plant and microbial compounds of medicinal and ecological significance including antibiotics, growth regulators, toxins, and signaling molecules. Students use own laptops. Course requires field studies. Transportation not provided by the university. Students must comply with all risk management policies and procedures. Course materials fees will be applied. " }, - "CSE 21": { + "BIBC 194": { "prerequisites": [ - "CSE 20", - "or", - "MATH 15A" + "BILD 1" ], - "name": "Mathematics for Algorithms and Systems", - "description": "This course will provide an introduction to the discrete mathematical tools needed to analyze algorithms and systems. Enumerative combinatorics: basic counting principles, inclusion-exclusion, and generating functions. Matrix notation. Applied discrete probability. Finite automata. " + "name": "Advanced Topics in Modern Biology: Biochemistry", + "description": "An introduction to the principles of heredity emphasizing diploid organisms. Topics include Mendelian inheritance and deviations from classical Mendelian ratios, pedigree analysis, gene interactions, gene mutation, linkage and gene mapping, reverse genetics, population genetics, and quantitative genetics. " }, - "CSE 30": { + "BICD 100": { "prerequisites": [ - "CSE 12", - "and", - "CSE 15L" + "BILD 1" ], - "name": "Computer\n\t\t Organization and Systems Programming", - "description": "Introduction to organization of modern digital\n\t\t\t\t computers\u2014understanding the various components of a computer\n\t\t\t\t and their interrelationships. Study of a specific architecture/machine\n\t\t\t\t with emphasis on systems programming in C and Assembly languages in a UNIX\n\t\t\t\t environment. " + "name": "Genetics", + "description": "Course implements key concepts in genetics and genomics such as performing and interpreting results of genetic crosses, analyzing mutations and their phenotypic consequences, analyzing the genetic basis of quantitative traits, and analyzing genome sequences in relation to phenotypic variation. Attendance at the first lecture/lab is required. Nonattendance may result in the student being dropped from the course roster. Recommended preparation: BICD 100. " }, - "CSE 42": { - "prerequisites": [], - "name": "Building and Programming Electronic Devices", - "description": "This course allows students to use what they learned in introductory programming courses to make things happen in the real world. Working in teams, students will first learn to program Arduino-based devices. Teams of students will design a custom device and program it to do their bidding. This course is targeted to freshmen and sophomores in engineering and science disciplines who want to practice applying what they have learned in a programming class and to have the chance to program things other than computers. Program or materials fees may apply. ** Department approval required ** " + "BICD 101": { + "prerequisites": [ + "BICD 100", + "and", + "BIMM 100" + ], + "name": "Eukaryotic Genetics Laboratory", + "description": "Students will interact with primary literature in genetics through reading, writing, and in-class discussions. The focus will be to learn to analyze research data and develop critical thinking skills, while applying concepts in genetics to understand scientific discoveries. Topics may vary from quarter to quarter; examples include but are not limited to genetic basis of complex human traits or genetics and evolution of form and function in organisms. " }, - "CSE 80": { + "BICD 102": { "prerequisites": [ - "CSE 8B", + "BIBC 100", "or", - "CSE 11" + "BIBC 102", + "or", + "CHEM 114A", + "or", + "CHEM 114B" ], - "name": "UNIX Lab", - "description": "The objective of the course is to help the programmer create a productive UNIX environment. Topics include customizing the shell, file system, shell programming, process management, and UNIX tools. " + "name": "Genetic Inquiry", + "description": "The structure and function of cells and cell organelles, cell growth and division, motility, cell differentiation and specialization. " }, - "CSE 86": { + "BICD 110": { "prerequisites": [ - "CSE 12" + "BIMM 100" ], - "name": "C++ for Java Programmers", - "description": "Helps the Java programmer to be productive in the C++ programming environment. Topics include the similarities and differences between Java and C++ with special attention to pointers, operator overloading, templates, the STL, the preprocessor, and the C++ Runtime Environment. ** Consent of instructor to enroll possible **" + "name": "Cell Biology", + "description": "Stem cells maintain homeostasis of nearly all organ systems and the regenerative capacity of certain organisms. Course explores the paradigm of the tissue-specific stem cell, the cellular mechanisms of tissue regeneration, the evolution of stem cells and regenerative capacity over time, the basis of induced pluripotency, and how these basic processes can inform new approaches to human health. " }, - "CSE 87": { - "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " + "BICD 112": { + "prerequisites": [ + "BILD 1" + ], + "name": "Stem Cells and Regeneration", + "description": "Introduction to the biology of plants with a particular focus on the underlying genetic and molecular mechanisms controlling plant development. Topics include the role of plant hormones and stem cells in the formation of embryos, roots, flowers, and fruit. " }, - "CSE 90": { + "BICD 120": { "prerequisites": [], - "name": "Undergraduate Seminar", - "description": "A seminar providing an overview of a topic of current research interest to the instructor. The goal is to present a specialized topic in computer science and engineering students. May be taken for credit three times when topics vary.\u00a0 " + "name": "Molecular Basis of Plant Development ", + "description": "Techniques in plant cell and tissue culture, plant transformation, genetic selection and screening of mutants, host pathogen interactions, gene regulation, organelle isolation, membrane transport. Attendance at the first lecture/lab is required. Nonattendance may result in the student being dropped from the course roster. Recommended preparation: BICD 120. Material lab fees will apply. " }, - "CSE 91": { + "BICD 123": { "prerequisites": [], - "name": "Perspectives\n\t\t in Computer Science and Engineering", - "description": "A seminar format discussion led by CSE faculty on topics in central areas of computer science, concentrating on the relation among them, recent developments, and future directions. " + "name": "Plant Molecular Genetics and Biotechnology Laboratory", + "description": "Plant immunity protects against pathogens and enables symbioses. This course explores the agents of plant disease, the genetics of inherited immunity, mechanisms of pathogenesis and defense, the coordination of plant immunity by plant hormones, and the regulation of symbioses. " }, - "CSE 99": { + "BICD 124": { "prerequisites": [], - "name": "Independent\n\t\t Study in Computer Science and Engineering", - "description": "Independent reading or research by special arrangement with a faculty member. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Plant Innate Immunity", + "description": "Developmental biology of animals at the tissue,\n\t\t\t\t cellular, and molecular levels. Basic processes of embryogenesis\n\t\t\t\t in a variety of invertebrate and vertebrate organisms. Cellular and molecular\n\t\t\t\t mechanisms that underlie cell fate determination and cell differentiation.\n\t\t\t\t More advanced topics such as pattern formation and sex determination are\n\t\t\t\t discussed. Open to upper-division students only. Recommended preparation: BICD 110 and BIMM 100. " }, - "CSE 100": { + "BICD 130": { "prerequisites": [ - "CSE 12", - "and", - "CSE 15L", - "and", - "CSE 21", - "or", - "MATH 154", - "or", - "MATH 184A", - "and", - "CSE 5A", - "or", - "CSE 30", - "or", - "ECE 15", - "or", - "MAE 9" + "BILD 1", + "BILD 2" ], - "name": "Advanced Data Structures", - "description": "High-performance data structures and supporting algorithms. Use and implementation of data structures like (un)balanced trees, graphs, priority queues, and hash tables. Also, memory management, pointers, recursion. Theoretical and practical performance analysis, both average case and amortized. Uses C++ and STL. Credit not offered for both MATH 176 and CSE 100. Equivalent to MATH 176. Recommended preparation: background in C or C++ programming. " + "name": "Embryos, Genes, and Development", + "description": "An introduction to all aspects of the AIDS epidemic. Topics will include the epidemiology, biology, and clinical aspects of HIV infection, HIV testing, education and approaches to therapy, and the social, political, and legal impacts of AIDS on the individual and society. In order to count for their major, biology majors must take the upper-division course, BICD 136. " }, - "CSE 101": { + "BICD 136": { "prerequisites": [ - "CSE 100", - "or", - "MATH 176" + "BICD 100", + "BIMM 100" ], - "name": "Design and Analysis of Algorithms", - "description": "Design and analysis of efficient algorithms with emphasis of nonnumerical algorithms such as sorting, searching, pattern matching, and graph and network algorithms. Measuring complexity of algorithms, time and storage. NP-complete problems. " + "name": "AIDS Science and Society", + "description": "Formation and function of the mammalian immune system, molecular and cellular basis of the immune response, infectious diseases and autoimmunity. " }, - "CSE 103": { + "BICD 140": { "prerequisites": [ - "MATH 20A-B", + "BIMM 100" + ], + "name": "Immunology", + "description": "This course focuses upon a molecular and immunological approach to study problems in modern medical research. The emphasis will be on novel approaches in medicine, including lymphocyte biology, cancer biology, and gene transfer. Material lab fees will apply. " + }, + "BICD 145": { + "prerequisites": [ + "BICD 100", "and", - "MATH 184A", - "or", - "CSE 21", + "MATH 10A", "or", - "MATH 154" + "MATH 20A" ], - "name": "A Practical\n\t\t Introduction to Probability and Statistics", - "description": "Distributions over the real line. Independence, expectation, conditional expectation, mean, variance. Hypothesis testing. Learning classifiers. Distributions over R^n, covariance matrix. Binomial, Poisson distributions. Chernoff bound. Entropy. Compression. Arithmetic coding. Maximal likelihood estimation. Bayesian estimation. CSE 103 is not duplicate credit for ECE 109, ECON 120A, or MATH 183. " + "name": "Laboratory in Molecular Medicine", + "description": "How do natural selection, mutation, migration, and genetic drift drive evolution? Students will learn how these forces operate and how to describe them quantitatively with simple mathematical models. We will discuss how to apply this knowledge to understand the spread of drug resistance in pathogens, the evolution of beneficial as well as disease traits in our own species, the evolution of engineered organisms, and more. Renumbered from BIEB 156. Students may not receive credit for BICD 156 and BIEB 156. " }, - "CSE 105": { + "BICD 156": { "prerequisites": [ - "CSE 12", - "and", - "CSE 15L", + "BICD 110" + ], + "name": "Population Genetics", + "description": "Course will vary in title and content. Students are expected to actively participate in course discussions, read, and analyze primary literature. Current descriptions and subtitles may be found on the Schedule of Classes and the Division of Biological Sciences website. Students may receive credit in 194 courses a total of four times as topics vary. Students may not receive credit for the same topic. " + }, + "BICD 194": { + "prerequisites": [ + "BILD 3", "and", - "MATH 15A", - "or", - "MATH 109", - "or", - "CSE 20", + "MATH 10A", "and", - "MATH 184", - "or", - "CSE 21", - "or", - "MATH 100A", - "or", - "MATH 103A" + "MATH 10B" + ], + "name": "Advanced Topics in Modern Biology: Cellular Development", + "description": "An interactive introduction to estimation, hypothesis testing, and statistical reasoning. Emphasis on the conceptual and logical basis of statistical ideas. Focus on randomization rather than parametric techniques. Topics include describing data, sampling, bootstrapping, and significance. Mandatory one-hour weekly section. Students may not receive credit for both BIEB 100 and SIO 187. " + }, + "BIEB 100": { + "prerequisites": [ + "BILD 3" ], - "name": "Theory of Computability", - "description": "An introduction to the mathematical theory of computability. Formal languages. Finite automata and regular expression. Push-down automata and context-free languages. Computable or recursive functions: Turing machines, the halting problem. Undecidability. Credit not offered for both MATH 166 and CSE 105. Equivalent to MATH 166. " + "name": "Biostatistics", + "description": "This course emphasizes principles shaping organisms, habitats, and ecosystems. Topics covered include population regulation, physiological ecology, competition, predation, and human exploitation. This will be an empirical look at general principles in ecology and conservation with emphasis on the unique organisms and habitats of California. " }, - "CSE 106": { + "BIEB 102": { "prerequisites": [ - "MATH 18", - "or", - "MATH 31AH", - "and", - "MATH 20C", - "or", - "MATH 31BH", - "and", - "CSE 21", - "or", - "DSC 40B", + "BIEB 100", "or", - "MATH 154", + "MATH 11", "or", - "MATH 184A" + "SIO 187" ], - "name": "Discrete and Continuous Optimization", - "description": "One frequently deals with problems in engineering, data science, business, economics, and other disciplines for which algorithmic solutions that optimize a given quantity under constraints are desired. This course is an introduction to the models, theory, methods, and applications of discrete and continuous optimization. Topics include shortest paths, flows, linear, integer, and convex programming, and continuous optimization techniques such as steepest descent and Lagrange multipliers. " + "name": "Introductory Ecology-Organisms and Habitat", + "description": "A laboratory course to familiarize students with ecological problem solving and methods. Students will perform outdoor fieldwork and use a computer for data exploration and analysis. Fieldwork can be expected in this course. Associated travel may be required, and students are responsible for their own transportation. Students may need to provide and use their own laptop. Material lab fees will apply. " }, - "CSE 107": { + "BIEB 121": { "prerequisites": [ - "CSE 21", - "or", - "MATH 154", - "and", - "CSE 101", + "BILD 1", "and", - "CSE 105" + "BILD 3" ], - "name": "Introduction to Modern Cryptography", - "description": "Topics include private and public-key cryptography, block ciphers, data encryption, authentication, key distribution and certification, pseudorandom number generators, design and analysis of protocols, zero-knowledge proofs, and advanced protocols. Emphasizes rigorous mathematical approach including formal definitions of security goals and proofs of protocol security. " + "name": "Ecology Laboratory", + "description": "Theory and practice of molecular biology techniques used in evolutionary and ecological research. Includes isolation and genotyping of DNA, PCR, and its applications. Phylogenetics, biodiversity, bioinformatics, and evolutionary and ecological analysis of molecular data. Material lab fees will apply. Students may not enroll in and receive credit for both BIMM 101 and BIEB 123. Attendance at the first lecture/lab is required. Nonattendance may result in the student being dropped from the course roster. " }, - "CSE 110": { + "BIEB 123": { "prerequisites": [ - "CSE 100" + "BILD 3" ], - "name": "Software\n\t\t\t\t Engineering", - "description": "Introduction to software development and engineering methods,\n including specification, design, implementation, testing, and\n process. An emphasis on team development, agile methods, and\n use of tools such as IDE\u2019s, version control, and test harnesses. ** Upper-division standing required ** " + "name": "Molecular Methods in Evolution and Ecology Lab", + "description": "This course begins with an introduction to plant population biology including whole-plant growth and physiology. We then focus on three classes of ecological interactions: plant-plant competition, plant-herbivore coevolution, and plant reproductive ecology including animal pollination and seed dispersal. " }, - "CSE 112": { + "BIEB 126": { "prerequisites": [ - "CSE 110" + "BILD 3" ], - "name": "Advanced Software Engineering", - "description": "This course will cover software engineering\n\t\t\t\t topics associated with large systems development such as requirements\n\t\t\t\t and specifications, testing and maintenance, and design. Specific\n\t\t\t\t attention will be given to development tools and automated\n\t\t\t\t support environments. " + "name": "Plant Ecology", + "description": "Course begins with a survey of insect diversity and phylogenetic relationships. Course then addresses issues such as population dynamics (including outbreaks), movement and migration, competition, predation, herbivory, parasitism, insect defense, mimicry complexes, and sociality. Course also includes discussions of pest management, evolution of insecticide resistance, insect-borne diseases, and how insects are responding to global change. " }, - "CSE 113": { + "BIEB 128": { "prerequisites": [ - "CSE 12", - "and", - "CSE 21" + "BILD 3" ], - "name": "Errors, Defects, and Failures", - "description": "Errors, resulting in defects and ultimately system failure, occur in engineering and also other areas such as medical care. The ways in which failures occur, and the means for their prevention, mitigation, and management, will be studied. Emphasis will be on software systems but also include the study of practice of other areas. " + "name": "Insect Diversity", + "description": "Course integrates principles of ecology and marine biology to examine marine biodiversity loss from overexploitation, habitat loss, invasion, climate change, and pollution. We examine consequences of biodiversity loss to marine ecosystems, discuss management regimes, and address global and local ocean conservation problems. Course includes basic overviews of climate, marine biology, and oceanography that may be similar to topics covered in introductory courses at Scripps Institution of Oceanography. " }, - "CSE 118": { + "BIEB 130": { "prerequisites": [ - "CSE 131", - "CSE 132B", - "COGS 102C", - "COGS 121", - "COGS 184", - "ECE 111", - "ECE 118", - "ECE 191", - "ECE 192" + "BILD 3", + "and", + "BIEB 100\u00a0or", + "MATH 11" ], - "name": "Ubiquitous Computing", - "description": "Explores emerging opportunities enabled by cheap sensors and networked computing devices. Small research projects will be conducted in teams, culminating in project presentations at the end of the term. Section will cover material relevant to the project, such as research methods, software engineering, teamwork, and project management. ** Consent of instructor to enroll possible **" + "name": "Marine Conservation Biology", + "description": "A laboratory course introducing students to coastal marine ecology. Students will participate in outdoor fieldwork and work in the laboratory gathering and analyzing ecological data. We will focus on ecological communities from a variety of coastal habitats and use them to learn about basic ecological processes as well as issues related to sustainability and conservation of biodiversity. Fieldwork is expected in this course. Associated travel in the San Diego area is required and students are responsible for their own transportation. Material lab fees will apply. " }, - "CSE 120": { + "BIEB 131": { "prerequisites": [ - "CSE 30", - "and", - "CSE 101", - "and", - "CSE 110" + "BILD 3" ], - "name": "Principles\n\t\t of Computer Operating Systems", - "description": "Basic functions of operating systems; basic kernel structure, concurrency, memory management, virtual memory, file systems, process scheduling, security and protection. " + "name": "Marine Invertebrate Ecology Lab", + "description": "(Cross-listed with SIO 134; however, biology majors must take the course as BIEB 134.) Basics for understanding the ecology of marine communities. The approach is process-oriented, focusing on major functional groups of organisms, their food-web interactions and community response to environmental forcing, and contemporary issues in human and climate influences. " }, - "CSE 123": { + "BIEB 134": { "prerequisites": [ - "CSE 30", - "and", - "CSE 101", - "and", - "CSE 110" + "BILD 3" ], - "name": "Computer Networks", - "description": "Introduction to concepts, principles, and practice of computer communication networks with examples from existing architectures, protocols, and standards with special emphasis on the internet protocols. Layering and the OSI model; physical and data link layers; local and wide area networks; datagrams and virtual circuits; routing and congestion control; internetworking. Transport protocols. Credit may not be received for both CSE 123 and ECE 158A. ** Upper-division standing required ** " + "name": "Introduction to Biological Oceanography", + "description": "Course provides overview of physical, chemical, and biological processes that characterize inland waters (lakes and rivers), estuaries, and near-shore environments. Dominant biota of lakes, rivers, and streams, and how they are related to physical and chemical processes of the systems in which they reside will be covered. Methods will be introduced for assessing the chemical composition of water and detecting organisms that affect drinking water quality and coastal water quality management. Course requires field studies. Students should expect to fully participate in field trips; transportation not provided by the university. Students must comply with all risk management policies/procedures. Material lab fees will apply. " }, - "CSE 124": { + "BIEB 135": { "prerequisites": [ - "CSE 30", - "and", - "CSE 101", - "and", - "CSE 110" + "BILD 3" ], - "name": "Networked Services", - "description": "(Renumbered from CSE 123B.) The architecture of modern networked services, including data center design, enterprise storage, fault tolerance, and load balancing. Protocol software structuring, the Transmission Control Protocol (TCP), remote procedure calls, protocols for digital audio and video communication, overlay and peer-to-peer systems, secure communication. Credit may not be received for both CSE 124 and ECE 158B. Students may not receive credit for both CSE 123B and CSE 124. ** Upper-division standing required ** " - }, - "CSE 125": { - "prerequisites": [], - "name": "Software\n\t\t System Design and Implementation", - "description": "Design and implementation of large, complex software systems involving multiple aspects of CSE curriculum. Emphasis is on software system design applied to a single, large group project with close interaction with instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Aquatic Ecology Lab", + "description": "An introduction to the patterns of geographic distribution and natural history of plants and animals living in terrestrial and marine ecosystems. We will explore ecological and evolutionary processes responsible for generating and maintaining biological diversity; and the nature of extinction both in past and present ecosystem. " }, - "CSE 127": { + "BIEB 140": { "prerequisites": [ - "MATH 154", - "or", - "MATH 184A", - "and", - "or", - "CSE 123", + "BIEB 100", "or", - "CSE 124" + "BIEB 150" ], - "name": "Introduction to Computer Security", - "description": "Topics include basic cryptography, security/threat analysis, access control, auditing, security models, distributed systems security, and theory behind common attack and defense techniques. The class will go over formal models as well as the bits and bytes of security exploits. ** Upper-division standing required ** " + "name": "Biodiversity", + "description": "An introduction to computer modeling in evolution and ecology. Students will use the computer language \u201cR\u201d to write code to analyze ecological and evolutionary processes. Topics include natural selection, genetic drift, community ecology, game theory, and chaos. Students will use their own laptop computers. " }, - "CSE 130": { + "BIEB 143": { "prerequisites": [ - "CSE 12", + "BILD 1", "and", - "or", - "MATH 176", + "BILD 3" + ], + "name": "Computer Modeling in Evolution and Ecology", + "description": "Modern sequencing technology has revolutionized our ability to detect how genomes vary in space among individuals, populations, and communities, and over time. This course will review methods and concepts in ecological and evolutionary genomics that help us understand these differences, including their relevance to health (human microbiome, cancer evolution), evolutionary history (ancestor reconstruction, human evolution), and the environment (effect of climate change). " + }, + "BIEB 146": { + "prerequisites": [ + "BILD 3", "and", + "BILD 1", "or", - "MATH 166" + "BIEB 143" ], - "name": "Programming\n\t\t Languages: Principles and Paradigms", - "description": "(Formerly CSE 173.) Introduction to programming languages and paradigms, the components that comprise them, and the principles of language design, all through the analysis and comparison of a variety of languages (e.g., Pascal, Ada, C++, PROLOG, ML.) Will involve programming in most languages studied. " + "name": "Genome Diversity and Dynamics", + "description": "Evolutionary processes are discussed in their genetic, historical, and\n\t\t\t\t ecological contexts. Population genetics, agents of evolution, microevolution,\n\t\t\t\t speciation, macroevolution. " }, - "CSE 131": { + "BIEB 150": { "prerequisites": [ - "CSE 100", - "and", - "CSE 105", + "BILD 3" + ], + "name": "Evolution", + "description": "Treating infectious diseases is a uniquely difficult problem since pathogens often evolve, rendering today\u2019s therapies useless tomorrow. This course will provide a review of concepts and methods in evolutionary medicine, with an emphasis on microbial genomics and molecular evolution. " + }, + "BIEB 152": { + "prerequisites": [ + "BILD 1", "and", - "CSE 130" + "BILD 3" ], - "name": "Compiler Construction", - "description": "(Formerly CSE 131B.) Introduction to the compilation of programming languages,\n\t\t\t\t practice of lexical and syntactic analysis, symbol tables,\n\t\t\t\t syntax-directed translation, type checking, code generation, optimization,\n\t\t\t\t interpretation, and compiler structure. (Students may receive repeat credit\n\t\t\t\t for CSE 131A and CSE 131B by completing CSE 131.) " + "name": "Evolution of Infectious Diseases", + "description": "Students will investigate selected in-depth topics in evolutionary biology through reading and writing. Students will read books and articles written for a general audience as well as primary literature. Example topics include the origins of novel features, the impact of human activity and environmental changes on evolutionary processes, the rate and intensity of natural selection, and how our own evolutionary history affects human health. " }, - "CSE 132A": { + "BIEB 154": { "prerequisites": [ - "CSE 100" + "BILD 3", + "and" ], - "name": "Database System Principles", - "description": "Basic concepts of databases, including data modeling, relational databases, query languages, optimization, dependencies, schema design, and concurrency control. Exposure to one or several commercial database systems. Advanced topics such as deductive and object-oriented databases, time allowing. ** Upper-division standing required ** " + "name": "Evolutionary Inquiry", + "description": "An integrated approach to animal behavior\n\t\t\t\t focusing on mechanisms of acoustic, visual, and olfactory communication.\n\t\t\t\t Course covers ethology and the genetics and neurobiology of behavior; orientation\n\t\t\t\t and navigation; and signal origins, properties, design, and evolution. " }, - "CSE 132B": { + "BIEB 166": { "prerequisites": [ - "CSE 132A" + "BIEB 102", + "and", + "BIEB 166" ], - "name": "Database Systems Applications", - "description": "Design of databases, transactions, use of trigger facilities and datablades. Performance measuring, organization of index structures. " + "name": "Animal Behavior and Communication", + "description": "Laboratory exercises will introduce students to quantitative methods of visual, auditory, and olfactory signal analysis and to lab and field studies of animal signaling. " }, - "CSE 134B": { + "BIEB 167": { "prerequisites": [ - "CSE 100" + "BILD 3" ], - "name": "Web Client Languages", - "description": "Design and implementation of interactive World Wide Web clients using helper applications and plug-ins.\u00a0The main language covered will be Java. " + "name": "Animal Communication Lab", + "description": "This course will teach the principles of ecosystem ecology in terrestrial and marine systems and will use examples from recent research to help students understand how global environmental changes are altering processes from leaf-level ecophysiology to global cycling of carbon, water, and nutrients. Fieldwork may be required. " }, - "CSE 135": { + "BIEB 174": { "prerequisites": [ - "CSE 100", - "or", - "MATH 176" + "BILD 3" ], - "name": "Online Database Analytics Applications ", - "description": "Database, data warehouse, and data cube design; SQL programming and querying with emphasis on analytics; online analytics applications, visualizations, and data exploration; performance tuning. ** Upper-division standing required ** " + "name": "Ecosystems and Global Change", + "description": "Discussion of the human predicament, biodiversity crisis, and importance of biological conservation. Examines issues from biological perspectives emphasizing new approaches and new techniques for safeguarding the future of humans and other biosphere inhabitants.\u00a0" }, - "CSE 136": { + "BIEB 176": { "prerequisites": [ - "CSE 135" + "BIEB 102" ], - "name": "Enterprise-Class Web Applications", - "description": "Design and implementation of very large-scale, web-based applications. Topics covered typically include modeling organizational needs, design and revision management, J2EE or similar software platforms, web server and application server functionality, reuse of object-oriented components, model-view-controller and other design patterns, clustering, load-balancing, fault-tolerance, authentication, and usage accounting. " + "name": "Biology of Conservation\n\t\t\t\t and the Human Predicament", + "description": "This class will focus on ecological and evolutionary responses to three major anthropogenic stressors\u2014climate change, resource exploitation, and urbanization. Students will learn about the eco-evolutionary changes that are currently happening due to anthropogenic impacts and also predictions about future changes due to such impacts. They will also learn about the economic and societal impacts of such changes and some of the strategies for conservation and sustainability in a changing world. " }, - "CSE 140": { + "BIEB 182": { "prerequisites": [ - "MATH 15A", + "BIEB 102" + ], + "name": "Biology of Global Change", + "description": "Course will vary in title and content. Students are expected to actively participate in course discussions, read, and analyze primary literature. Current descriptions and subtitles may be found on the Schedule of Classes and the Division of Biological Sciences website. Students may receive credit in 194 courses a total of four times as topics vary. Students may not receive credit for the same topic. " + }, + "BIEB 194": { + "prerequisites": [ + "BILD 1", + "and", + "BIBC 103", "or", - "MATH 109", + "BILD 4", + "or", + "BIMM 101", "and", - "CSE 30" + "CHEM 40A", + "or", + "CHEM 40AH", + "or", + "BENG 120", + "and", + "CHEM 40B", + "or", + "CHEM 40BH", + "or", + "BENG 120" ], - "name": "Components\n\t\t and Design Techniques for Digital Systems", - "description": "Design of Boolean logic and finite state machines; two-level, multilevel combinational logic design, combinational modules and modular networks, Mealy and Moore machines, analysis and synthesis of canonical forms, sequential modules. " + "name": "Advanced Topics in Modern Biology: Ecology, Behavior, Evolution", + "description": "Molecular basis of biological processes, emphasizing gene action in context of entire genome. Chromosomes and DNA metabolism: chromatin, DNA replication, repair, mutation, recombination, transposition. Transcription, protein synthesis, regulation of gene activity. Prokaryotes and eukaryotes. Note: Students will not receive credit for both BIMM 100 and CHEM 114C. " }, - "CSE 140L": { + "BIMM 100": { "prerequisites": [ - "MATH 15A", - "or", - "MATH 109", - "and", - "CSE 30" + "BILD 1" ], - "name": "Digital Systems Laboratory", - "description": "Implementation with computer-aided design tools for combinational logic minimization and state machine synthesis. Hardware construction of a small digital system. " + "name": "Molecular Biology", + "description": "Theory and practice of recombinant DNA and molecular biology techniques. Includes construction and screening of DNA libraries, DNA sequencing, PCR and its applications, bioinformatics, and RNA analysis. Nonattendance may result in the student\u2019s being dropped from the course roster. Note: Students may not enroll in or receive credit for both BIMM 101 and BIEB 123, or BIMM 101 and CHEM 109. Material lab fees will apply. " }, - "CSE 141": { + "BIMM 101": { "prerequisites": [ - "CSE 30", + "BICD 100", "and", - "CSE 140", + "BIMM 100", "and", - "CSE 140L" + "BIBC 100", + "or", + "BIBC 102", + "or", + "CHEM 114A", + "or", + "CHEM 114B" ], - "name": "Introduction to Computer Architecture", - "description": "Introduction to computer architecture. Computer system design. Processor design. Control design. Memory systems. " + "name": "Recombinant DNA Techniques", + "description": "An examination of the molecular basis of human diseases. Course emphasizes inherited human disorders, and some important diseases caused by viruses. Focus on the application of genetic, biochemical, and molecular biological principles to an understanding of the diseases. " }, - "CSE 141L": { + "BIMM 110": { "prerequisites": [ - "CSE 30", - "and", - "CSE 140", - "and", - "CSE 140L" + "BIMM 100" ], - "name": "Project in Computer Architecture", - "description": "Hands-on computer architecture project aiming to familiarize students with instruction set architecture, and design of process. Control and memory systems. " + "name": "Molecular Basis of Human Disease", + "description": "This course explores the mechanisms by which gene activity is regulated in eukaryotes, with an emphasis on transcriptional regulation and chromatin. Topics will include chromatin structure, histone modifications, chromatin dynamics, transcription factors, transcriptional elongation, enhancers, CpG methylation, heterochromatin, and epigenetics. " }, - "CSE 143": { + "BIMM 112": { "prerequisites": [ - "CSE 140", + "BIMM 100" + ], + "name": "Regulation of Eukaryotic Gene Expressions ", + "description": "An introduction to eukaryotic virology, with emphasis on animal virus systems. Topics discussed include the molecular structure of viruses; the multiplication strategies of the major virus families; and viral latency, persistence, and oncology. " + }, + "BIMM 114": { + "prerequisites": [ + "BILD 1", "or", - "CSE 170A", + "PSYC 2", "or", - "ECE 81" + "PSYC 106" ], - "name": "Microelectronic System Design", - "description": "VLSI process technologies; circuit characterization; logic design styles; clocking strategies; computer-aided design tools; subsystem design; design case studies. System design project from hardware description, logic synthesis, physical layout to design verification. " + "name": "Virology", + "description": "(Cross-listed with Psych 133; however, biology majors must take the course as BIMM 116.) This interdisciplinary course provides an overview of the fundamental properties of daily biological clocks of diverse species, from humans to microbes. Emphasis is placed on the relevance of internal time keeping in wide-ranging contexts including human performance, health, and industry. " }, - "CSE 145": { + "BIMM 116": { "prerequisites": [], - "name": "Embedded System Design Project", - "description": "Project class building an embedded computing system. Learn fundamental knowledge of microcontrollers, sensors, and actuators. Introduction to the hardware and software tools to build project in a team environment and end-to-end system building. ** Department approval required ** " - }, - "CSE 148": { - "prerequisites": [ - "CSE 141", - "and", - "CSE 141L" - ], - "name": "Advanced\n\t\t Processor Architecture Design Project", - "description": "Students will use hardware description language tools to add advanced architectural features to a basic processor design. These features may include pipelining, superscalar execution, branch prediction, and advanced cache features. Designs will be implemented in programmable logic devices. " + "name": "Circadian Rhythms\u2014Biological Clocks", + "description": "The BioClock Studio is an innovative course in which a team of undergraduate students, drawn from diverse disciplines, will work collaboratively to develop their scientific and communicative skills to produce creative educational materials that will enhance understanding of circadian biology. Students are expected to attend the annual Circadian Biology Symposium held each winter, to the extent course schedules allow, to conduct interviews with prominent scientists. BIMM 116 is not a prerequisite to enroll in BIMM 116B. May be taken for credit three times. ** Department approval required ** " }, - "CSE 150A": { + "BIMM 116B": { "prerequisites": [ - "DSC 40B", - "and", - "or", - "DSC 80", + "BIPN 100", "and", + "BIBC 100", "or", - "ECE 109", - "or", - "ECON 120A", + "BIBC 102", "or", - "MATH 183", - "and", - "MATH 20A", - "and", + "CHEM 114A", "or", - "MATH 31AH" + "CHEM 114B" ], - "name": "Introduction to Artificial Intelligence: Probabilistic Reasoning and Decision-Making", - "description": "Introduction to probabilistic models at the heart of modern artificial intelligence. Specific topics to be covered include probabilistic methods for reasoning and decision-making under uncertainty; inference and learning in Bayesian networks; prediction and planning in Markov decision processes; applications to intelligent systems, speech and natural language processing, information retrieval, and robotics. " + "name": "BioClock Studio", + "description": "Basics of pharmacology such as drug absorption, distribution, metabolism, and elimination. Concepts in toxicology and pharmacognosy are used to survey the major drug categories. " }, - "CSE 150B": { + "BIMM 118": { "prerequisites": [ - "DSC 40B", - "and", - "or", - "DSC 80", + "BILD 3", "and", + "BIBC 100", "or", - "ECE 109", + "BIBC 102", "or", - "ECON 120A", + "CHEM 114A", "or", - "MATH 183", + "CHEM 114B", "and", - "CSE 100" + "BIMM 100" ], - "name": "Introduction to Artificial Intelligence: Search and Reasoning", - "description": "The course will introduce important ideas and algorithms in search and reasoning and demonstrate how they are used in practical AI applications. Topics include A* search, adversarial search, Monte Carlo tree search, reinforcement learning, constraint solving and optimization, propositional and first-order reasoning. " + "name": "Pharmacology", + "description": "A discussion of the structure, growth, physiology, molecular genetics, genomics, and ecology of prokaryotic microorganisms, with emphasis on the genetic and metabolic diversity of bacteria and Archaea and their interactions with hosts and the environment. " }, - "CSE 151A": { + "BIMM 120": { "prerequisites": [ - "DSC 40B", - "and", + "BILD 1" + ], + "name": "Microbiology", + "description": "Techniques in microbial physiology, microbial genomics, microbial evolution, and microbial ecology will be used to explore the role of microbes in industry, health, and the environment. Inquiry-based experiments will cover the fundamentals of both working with live microscopic organisms at the bench and bioinformatically analyzing their genomes at the computer. Attendance at the first lecture/lab is required. Nonattendance may result in the student being dropped from the course roster. Material lab fees will apply. " + }, + "BIMM 121": { + "prerequisites": [ + "BIMM 100" + ], + "name": "Microbiology Laboratory", + "description": "Course will consider the organization and function of prokaryotic genomes including content, DNA supercoiling, histone-like proteins, chromosomal dynamics (short-term and long-term), extrachromosomal elements, bacterial sex, transduction, transformation, mobile elements (transposon), epigenetic change, adaptive and directed mutation, transcription and its regulation, sensory transduction, bacterial differentiation, symbiosis, and pathogenesis. " + }, + "BIMM 122": { + "prerequisites": [ + "BIBC 100", "or", - "DSC 80", - "and", + "BIBC 102", "or", - "MATH 181A", + "CHEM 114A", "or", - "ECE 109", + "CHEM 114B" + ], + "name": "Microbial Genetics", + "description": "Encompasses the increasingly important areas\n\t\t\t\t of viral, bacterial, and parasitic diseases and understanding the complex\n\t\t\t\t interaction between humans and infectious agents. Covers human-pathogen\n\t\t\t\t interactions, mechanisms and molecular principles of infectious diseases,\n\t\t\t\t immune responses, countermeasures by pathogens and hosts, epidemiology,\n\t\t\t\t and cutting-edge approaches to therapy. " + }, + "BIMM 124": { + "prerequisites": [ + "BIBC 100", "or", - "MATH 183", + "BIBC 102", "or", - "ECON 120A", - "and", + "CHEM 114A", "or", - "MATH 31AH" + "CHEM 114B" ], - "name": "Introduction to Machine Learning", - "description": "Broad introduction to machine learning. The topics include some topics in supervised learning, such as k-nearest neighbor classifiers, decision trees, boosting, and perceptrons; and topics in unsupervised learning, such as k-means and hierarchical clustering. In addition to the actual algorithms, the course focuses on the principles behind the algorithms. Students may not receive credit for both CSE 151A and COGS 188, nor may they receive credit for both CSE 151A and CSE 151. " + "name": "Medical Microbiology", + "description": "Prokaryotic cell biology will be discussed primarily from physiological and biochemical standpoints with a focus on conceptual understanding, integration, and mechanism. Topics will vary from year to year but will include the following themes: bioenergetics, cell polarity, cell adhesion, the molecular basis of morphogenesis and differentiation, prokaryotic motility and behavior, rotary and linear molecular machines, bacterial organelles, pheromones and messengers, circadian rhythms, biological warfare, and bioremediation. " }, - "CSE 151B": { + "BIMM 130": { "prerequisites": [ - "MATH 20C", + "BILD 1" + ], + "name": "Microbial Physiology", + "description": "Course considers problems in biology that were solved using quantitative biology approaches. Problems will range from the molecular to the population level. Students will learn about the scientific method and process, and how to apply it. " + }, + "BIMM 134": { + "prerequisites": [ + "BILD 1", "and", + "BILD 4", "or", - "ECE 109", - "or", - "CSE 103", - "or", - "MATH 181A", + "BIEB 123", "or", - "MATH 183" + "BIMM 101" ], - "name": "Deep Learning", - "description": "(Formerly CSE 154.) This course covers the fundamentals of neural networks. We introduce linear regression, logistic regression, perceptrons, multilayer networks and back-propagation, convolutional neural networks, recurrent networks, and deep networks trained by reinforcement learning. Students may receive credit for one of the following: CSE 151B, CSE 154, or COGS 181. ** Upper-division standing required ** " + "name": "Biology of Cancer", + "description": "Bioinformatics is the analysis of big data in the biosciences. This course provides a hands-on introduction to the computer-based analysis of biomolecular and genomic data. Major topic areas include advances in sequencing technologies, genome resequencing and variation analysis, transcriptomics, structural bioinformatics, and personal genomics. This course will utilize free, web-based bioinformatics tools and no programming skills are required. " }, - "CSE 152": { + "BIMM 140": { "prerequisites": [ - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH", + "BILD 1", "and", - "CSE 100", + "BILD 2" + ], + "name": "Quantitative Principles in Biology", + "description": "Course will provide students with the computational tools and problem-solving skills that are increasingly important to the biosciences. Students learn to program in a modern general-purpose programming language and write their own programs to explore a variety of applications in biology including simulations, sequence analysis, phylogenetics, among others. Students will use their own laptop computers. " + }, + "BIMM 143": { + "prerequisites": [ + "CHEM 114A", "or", - "DSC 40B", + "BIBC 100" + ], + "name": "Bioinformatics Laboratory", + "description": "The resolution revolution in cryo-electron microscopy has made this a key technology for the high-resolution determination of structures of macromolecular complexes, organelles, and cells.\u00a0The basic principles of transmission electron microscopy, modern cryo-electron microscopy, image acquisition, and 3-D reconstruction will be discussed. Examples from the research literature using this state-of-the-art technology will also be discussed. May be coscheduled with BGGN 262/CHEM 265. Note: Students may not receive credit for both BIMM 162 and CHEM 165. Recommended preparation: PHYS 1C or 2C. " + }, + "BIMM 149": { + "prerequisites": [ + "BIBC 100", "or", - "MATH 176", + "CHEM 114A" + ], + "name": "Computation for Biologists", + "description": "An introduction to virus structures, how they are determined,\n and how they facilitate the various stages of the viral life\n cycle from host recognition and entry to replication, assembly,\n release, and transmission to uninfected host cells. " + }, + "BIMM 162": { + "prerequisites": [ + "BILD 70" + ], + "name": "3-D Cryo-Electron Microscopy of Macromolecules and Cells ", + "description": "Students will characterize the genomic sequence of the organisms isolated in BILD 70 and use molecular and computational tools to resolve ambiguities and close gaps. They will then annotate the DNA sequence to identify protein and RNA coding regions. Renumbered from BIMM 171B. Students may not receive credit for BIMM 170 and BIMM 171B. Material lab fees will apply. " + }, + "BIMM 164": { + "prerequisites": [ + "BICD 100", "and", - "CSE 101", - "or", - "DSC 80", + "BIMM 100" + ], + "name": "Structural Biology of Viruses", + "description": "Genomes are the immortal agents of evolution, passing from one individual to another in an unbroken line since the origin of life. This course explores the structure of genomes, the functions of its parts on a genome scale, the mechanisms of genome change, and the applications of genomic methods and knowledge. " + }, + "BIMM 170": { + "prerequisites": [ + "BILD 1", + "and", + "BILD 4", "or", - "MATH 188" + "BIMM 101" ], - "name": "Introduction to Computer Vision", - "description": "The goal of computer vision is to compute scene and object properties from images and video. This introductory course includes feature detection, image segmentation, motion estimation, object recognition, and 3-D shape reconstruction through stereo, photometric stereo, and structure from motion. ** Upper-division standing required ** " + "name": "\t\t\t\t Genomics Research Initiative Laboratory II", + "description": "Imagine a world in which you can input your lifestyle and genomic information into an app to obtain personalized health recommendations. This world is not thirty years in the future but beginning to unfold now. Course reviews how genomic advances are revolutionizing health care. Includes recent developments in personalized medicine, disease screening, targeted immunotherapy, pharmacogenomics, and our emerging understanding of how microbiome and epigenetic factors impact health. " }, - "CSE 152A": { + "BIMM 172": { "prerequisites": [ - "MATH 31AH", - "and", + "CSE 100", "or", - "DSC 30", - "and", + "MATH 176", + "CSE 101", "or", - "DSC 80" + "MATH 188", + "BIMM 100", + "or", + "CHEM 114C" ], - "name": "Introduction to Computer Vision I", - "description": "This course provides a broad introduction to the foundations, algorithms, and applications of computer vision. It introduces classical models and contemporary methods, from image formation models to deep learning, to address problems of 3-D reconstruction and object recognition from images and video. Topics include filtering, feature detection, stereo vision, structure from motion, motion estimation, and recognition. Programming assignments will be in Python. Students may not receive credit for both CSE 152A and CSE 152. " + "name": "Genome Science", + "description": "This course covers the analysis of nucleic acid and protein sequences, with an emphasis on the application of algorithms to biological problems. Topics include sequence alignments, database searching, comparative genomics, and phylogenetic and clustering analyses. Pairwise alignment, multiple alignment, DNA sequencing, scoring functions, fast database search, comparative genomics, clustering, phylogenetic trees, gene finding/DNA statistics. This course open to bioinformatics majors only. " }, - "CSE 152B": { + "BIMM 174": { "prerequisites": [ - "CSE 152A", + "CSE 100", "or", - "CSE 152" + "MATH 176" ], - "name": "Introduction to Computer Vision II", - "description": "This course covers advanced topics needed to apply computer vision in industry or follow current research. Example topics include real-time systems for 3D computer vision, machine learning tools such as support-vector machine (SVM) and boosting for image classification, and deep neural networks for object detection and semantic segmentation. " + "name": "Genomics, Big Data, and Human Health", + "description": "This course provides an introduction to the features of biological data, how that data is organized efficiently in databases, and how existing data resources can be utilized to solve a variety of biological problems. Object-oriented databases, data modeling and description, survey of current biological database with respect to above, implementation of database focused on a biological topic. This course open to bioinformatics majors only. " }, - "CSE 156": { + "BIMM 181": { "prerequisites": [ - "MATH 20C", + "BIMM 181", "or", - "MATH 31BH", - "and", - "MATH 18", + "BENG 181", "or", - "MATH 31AH", - "and", - "COGS 118A", + "CSE 181", + "BIMM 182", "or", - "CSE 150", + "BENG 182", "or", - "CSE 151" + "CSE 182", + "or", + "CHEM 182" ], - "name": "Statistical Natural Language Processing", - "description": "Natural language processing (NLP) is a field of AI which aims to equip computers with the ability to intelligently process natural (human) language. This course will explore statistical techniques for the automatic analysis of natural language data. Specific topics covered include probabilistic language models, which define probability distributions over text passages; text classification; sequence models; parsing sentences into syntactic representations; and machine translation. ** Upper-division standing required ** " + "name": "Molecular Sequence Analysis", + "description": "This advanced course covers the application\n\t\t\t\t of machine learning and modeling techniques to biological systems.\n\t\t\t\t Topics include gene structure, recognition of DNA and protein\n\t\t\t\t sequence patterns, classification, and protein structure prediction. Pattern\n\t\t\t\t discovery, hidden Markov models/support vector machines/neural network/profiles,\n\t\t\t\t protein structure prediction, functional characterization of\n\t\t\t\t proteins, functional genomics/proteomics, metabolic pathways/gene networks.\t\t\t\t " }, - "CSE 158": { + "BIMM 182": { "prerequisites": [ - "DSC 40B", - "and", + "BIMM 181", "or", - "DSC 80", - "and", + "BENG 181", "or", - "ECE 109", + "CSE 181", + "BIMM 182", "or", - "MATH 181A", + "BENG 182", "or", - "ECON 120A", + "CSE 182", + "BENG 183", + "BIMM 184", "or", - "MATH 183" + "BENG 184", + "or", + "CSE 184" ], - "name": "Recommender Systems and Web Mining", - "description": "Current methods for data mining and predictive analytics. Emphasis is on studying real-world data sets, building working systems, and putting current ideas from machine learning research into practice. " + "name": "Biological Databases", + "description": "This course emphasizes the hands-on application\n\t\t\t\t of bioinformatics methods to biological problems. Students\n\t\t\t\t will gain experience in the application of existing software, as well as\n\t\t\t\t in combining approaches to answer specific biological questions. Sequence\n\t\t\t\t alignment, fast database search, profiles and motifs, comparative\n\t\t\t\t genomics, gene finding, phylogenetic trees, protein structure, functional\n\t\t\t\t characterization of proteins, expression analysis, computational proteomics.\n\t\t\t\t This course open to bioinformatics majors only. " }, - "CSE 160": { + "BIMM 184": { "prerequisites": [ - "CSE 100", - "or", - "MATH 176" + "BIMM 100" ], - "name": "Introduction to Parallel Computing", - "description": "Introduction to high performance parallel computing: parallel architecture, algorithms, software, and problem-solving techniques. Areas covered: Flynn\u2019s taxonomy, processor-memory organizations, shared and nonshared memory models: message passing and multithreading, data parallelism; speedup, efficiency and Amdahl\u2019s law, communication and synchronization, isoefficiency and scalability. Assignments given to provide practical experience. " + "name": "Computational Molecular Biology", + "description": "Course will vary in title and content. Students are expected to actively participate in course discussions, read, and analyze primary literature. Current descriptions and subtitles may be found on the Schedule of Classes and the Division of Biological Sciences website. Students may receive credit in 194 courses a total of four times as topics vary. Students may not receive credit for the same topic. " }, - "CSE 163": { + "BIMM 185": { "prerequisites": [ - "CSE 167" + "BILD 1", + "and", + "BILD 2" ], - "name": "Advanced Computer Graphics", - "description": "Topics include an overview of many aspects of computer graphics, including the four main computer graphics areas of animation, modeling, rendering, and imaging. Programming projects in image and signal processing, geometric modeling, and real-time rendering. " + "name": "Bioinformatics Laboratory", + "description": "Course introduces the concepts of physiological regulation, controlled and integrated by the nervous and endocrine systems. Course then examines the muscular, cardiovascular, and renal systems in detail and considers their control through the interaction of nervous activity and hormones. Note: Students may not receive credit for both BIPN 100 and BENG 140A. " }, - "CSE 164": { + "BIMM 194": { "prerequisites": [ - "CSE 167" + "BIPN 100" ], - "name": "GPU Programming", - "description": "Principles and practices of programming graphics processing units (GPUs). GPU architecture and hardware concepts, including memory and threading models. Modern hardware-accelerated graphics pipeline programming. Application of GPU programming to rendering of game graphics, including physical, deferring, and global lighting models. Recommended preparation: Practical Rendering and Computation with Direct3D 11 by Jason Zink, Matt Pettineo, and Jack Hoxley. " + "name": "Advanced Topics in Modern Biology: Molecular Biology", + "description": "Course completes a survey of organ systems begun in BIPN 100 by considering the respiratory and gastrointestinal systems. Consideration is given to interactions of these systems in weight and temperature regulation, exercise physiology, stress, and pregnancy and reproduction. Note: Students may not receive credit for both BIPN 102 and BENG 140B. " }, - "CSE 165": { + "BIPN 100": { "prerequisites": [ - "CSE 167" + "BILD 2", + "CHEM 6A-B-C" ], - "name": "3-D User Interaction", - "description": "This course focuses on design and evaluation of three-dimensional (3-D) user interfaces, devices, and interaction techniques. The course consists of lectures, literature reviews, and programming assignments. Students will be expected to create interaction techniques for several different 3-D interaction devices. Program or materials fees may apply. " + "name": "Human Physiology I", + "description": "This course examines the physiological adaptation\n\t\t\t\t of animals, invertebrates and vertebrates, to their particular environmental\n\t\t\t\t and behavioral niches. Structural, functional, and molecular adaptations\n\t\t\t of the basic organ systems are discussed. " }, - "CSE 166": { + "BIPN 102": { "prerequisites": [ - "MATH 18", - "or", - "MATH 31AH", - "or", - "MATH 20F", + "BIPN 100", "and", + "BIBC 102", "or", - "DSC 80", - "or", - "MATH 176" + "CHEM 114B" ], - "name": "Image Processing", - "description": "Principles of image formation, analysis, and representation. Image enhancement, restoration, and segmentation; stochastic image models. Filter design, sampling, Fourier and wavelet transforms. Selected applications in computer graphics and machine vision. " + "name": "Human Physiology II", + "description": "Course addresses the human body\u2019s response to exercise, addressing energy metabolism and the effects of both acute and chronic exercise on function in several important organ systems. Designing training regimes and the role of exercise in health will be considered. " }, - "CSE 167": { + "BIPN 105": { "prerequisites": [ - "CSE 100", - "or", - "MATH 176" + "BIPN 100" ], - "name": "Computer Graphics", - "description": "Representation and manipulation of pictorial data. Two-dimensional and three-dimensional transformations, curves, surfaces. Projection, illumination, and shading models. Raster and vector graphic I/O devices; retained-mode and immediate-mode graphics software systems and applications. Students may not receive credit for both MATH 155A and CSE 167. " + "name": "Animal Physiology Lab", + "description": "Normal function and diseases of the major hormone systems of the body including the hypothalamus/pituitary axis, the thyroid gland, reproduction and sexual development, metabolism and the pancreas, bone and calcium metabolism, and the adrenal glands. Students may not receive credit for both BIPN 120 and BICD 150. " }, - "CSE 168": { + "BIPN 106": { "prerequisites": [ - "CSE 167" + "BIPN 100" ], - "name": "Computer Graphics II: Rendering", - "description": "Weekly programming assignments that will cover graphics rendering algorithms. During the course the students will learn about ray tracing, geometry, tessellation, acceleration structures, sampling, filtering, shading models, and advanced topics such as global illumination and programmable graphics hardware. " + "name": "Comparative Physiology", + "description": "Course focuses on physiological aspects of the human reproductive systems. Emphasis will be on cellular and systems physiology. Topics will include: reproductive endocrinology, gametogenesis, fertilization and implantation, pregnancy and parturition, development of reproductive systems, and reproductive pathologies. Students may not receive credit for both BIPN 134 and BICD 134. " }, - "CSE 169": { + "BIPN 108": { "prerequisites": [ - "CSE 167" + "BILD 1", + "and", + "BILD 2" ], - "name": "Computer Animation", - "description": "Advanced graphics focusing on the programming techniques involved in computer animation. Algorithms and approaches for both character animation and physically based animation. Particular subjects may include skeletons, skinning, key framing, facial animation, inverse kinematics, locomotion, motion capture, video game animation, particle systems, rigid bodies, clothing, and hair. Recommended preparation: An understanding of linear algebra. " + "name": "Biology and Medicine of Exercise", + "description": "This course covers the biophysics of the resting and active membranes of nerve cells. It also covers the mechanisms of sensory transduction and neuromodulation, as well as the molecular basis of nerve cell function. " }, - "CSE 170": { + "BIPN 120": { "prerequisites": [ - "CSE 11", + "BIPN 100", "or", - "CSE 8B", + "BIPN 140" + ], + "name": "Endocrinology", + "description": "Course will cover integrated networks of nerve cells, including simple circuits like those involved in spinal reflexes.\u00a0Course will study how information and motor output is integrated and processed in the brain. Course will also discuss higher-level neural processing. " + }, + "BIPN 134": { + "prerequisites": [], + "name": "Human Reproduction", + "description": "Molecular basis of neuronal cell fate determination, axon pathfinding, synaptogenesis experience-based refinement of connections, and learning in the brain will be examined. " + }, + "BIPN 140": { + "prerequisites": [ + "BILD 2", "and", - "COGS 187A", + "BILD 4", + "and", + "MATH 11" + ], + "name": "Cellular Neurobiology", + "description": "Students will gain experience with an array of methods used in modern neurobiology, including electrophysiology, optogenetics, and big data analysis. This laboratory course begins with the electric and chemical underpinnings of the nervous system and then dives into innovative techniques that we can use to study and change it. Attendance at the first lecture/lab is required. Nonattendance may result in the student being dropped from the course roster. Material lab fee will apply. " + }, + "BIPN 142": { + "prerequisites": [ + "BILD 2", + "and", + "MATH 10A", "or", - "COGS 1", + "MATH 20A", + "and", + "MATH 10B", "or", - "DSGN 1" + "MATH 20B", + "and", + "MATH 11" ], - "name": " Interaction Design", - "description": "Introduces fundamental methods and principles for designing, implementing, and evaluating user interfaces. Topics include user-centered design, rapid prototyping, experimentation, direct manipulation, cognitive principles, visual design, social software, software tools. Learn by doing: Work with a team on a quarter-long design project. Cross-listed with COGS 120. Students may not receive credit for COGS 120 and CSE 170. Recommended preparation: Basic familiarity with HTML. " + "name": "Systems Neurobiology", + "description": "Biophysical models of neurons and small neural circuits, including ion channels, synapses, dendrites, and neuromodulators. Analysis of neurons as nonlinear dynamical systems. This course and BIPN 147 are taught in alternate years. " }, - "CSE 176A": { + "BIPN 144": { "prerequisites": [ - "CSE 110", + "BILD 2", + "and", + "MATH 10A", "or", - "CSE 170", + "MATH 20A", + "and", + "MATH 10B", "or", - "COGS 120" + "MATH 20B", + "and", + "MATH 11" ], - "name": "Health Care Robotics", - "description": "Robotics has the potential to improve well-being for millions of people and support caregivers and to aid the clinical workforce. We bring together engineers, clinicians, and end-users to explore this exciting new field. The course is project-based, interactive, and hands-on, and involves working closely with stakeholders to develop prototypes that solve real-world problems. Students will explore the latest research in health care robotics, human-robot teaming, and health design. Program or materials fees may apply. " - }, - "CSE 176E": { - "prerequisites": [], - "name": "Robot Systems Design and Implementation", - "description": "End-to-end system design of embedded electronic systems including PCB design and fabrication, software control system development, and system integration. Program or material fee may apply. May be coscheduled with CSE 276E. ** Department approval required ** " + "name": "Developmental Neurobiology", + "description": "Models of neural coding and computation in the olfactory, visual, auditory, and somatosensory systems. Models of the motor system including central pattern generators, reinforcement learning, and motor cortex. Models of memory systems including working memory, long term memory, and memory consolidation. This course and BIPN 146 are taught in alternate years. " }, - "CSE 180": { + "BIPN 145": { "prerequisites": [ - "BILD 1" + "BIPN 100" ], - "name": "Biology Meets Computing", - "description": "Topics include an overview of various aspects of bioinformatics and will simultaneously introduce students to programming in Python. The assessments in the course represent various programming challenges and include solving diverse biological problems using popular bioinformatics tools. Students may not receive credit for CSE 180 and CSE 180R. " + "name": "Neurobiology Laboratory", + "description": "Course will explore cellular and molecular mechanisms that underlie learning and memory. Topics will include synapse formation and synaptic plasticity, neurotransmitter systems and their receptors, mechanisms of synaptic modification, and effect of experience on neuronal connectivity, and gene expression. " }, - "CSE 180R": { + "BIPN 146": { "prerequisites": [ - "BILD 1", - "or", - "BILD 4", - "or", - "CSE 3", - "or", - "CSE 7", - "or", - "CSE 8A", - "or", - "CSE 8B", + "BICD 100", + "and", + "BIBC 102", "or", - "CSE 11" + "CHEM 114B" ], - "name": "Biology Meets Computing", - "description": "Topics include an overview of various aspects of bioinformatics and will simultaneously introduce students to programming in Python. The assessments in the course represent various programming challenges and include solving diverse biological problems using popular bioinformatics tools. This will be a fully online class based on extensive educational materials and online educational platform Stepik developed with HHMI, NIH, and ILTI support. Students may not receive credit for CSE 180 and CSE 180R. " + "name": "Computational Cellular Neurobiology", + "description": "Course will be taught from a research perspective, highlighting the biological pathways impacted by different neurological diseases. Each disease covered will be used to illustrate a key molecular/cellular pathway involved in proper neurological function. " + }, + "BIPN 147": { + "prerequisites": [ + "BIPN 100" + ], + "name": "Computational Systems Neurobiology", + "description": "Covers the clinical symptoms, treatment, and molecular mechanisms of neurological, neurodevelopmental, and neuropsychiatric disorders. Emphasis on understanding methods and developing the ability to read and evaluate the scientific literature. " }, - "CSE 181": { + "BIPN 148": { "prerequisites": [ - "MATH 176", - "and", + "BILD 1", "and", - "or", - "CHEM 114C" + "BILD 2" ], - "name": "Molecular Sequence Analysis", - "description": "This course covers the analysis of nucleic acid and protein sequences, with an emphasis on the application of algorithms to biological problems. Topics include sequence alignments, database searching, comparative genomics, and phylogenetic and clustering analyses. Pairwise alignment, multiple alignment, DNS sequencing, scoring functions, fast database search, comparative genomics, clustering, phylogenetic trees, gene finding/DNA statistics. Students may receive credit for one of the following: CSE 181, BIMM 181, or BENG 181. " + "name": "Cellular Basis of Learning and Memory", + "description": "The course will cover a broad anatomical and functional description of the human nervous system and explore evidence implicating key brain areas in specific functions. This course will discuss modern techniques and the use of model organisms for dissecting the anatomical organization of the brain. " }, - "CSE 182": { + "BIPN 150": { "prerequisites": [ - "CSE 100", + "BILD 2", "or", - "MATH 176" + "PSYC 102", + "or", + "PSYC 106" ], - "name": "Biological Databases", - "description": "This course provides an introduction to the features of biological data, how those data are organized efficiently in databases, and how existing data resources can be utilized to solve a variety of biological problems. Object oriented databases, data modeling and description. Survey of current biological database with respect to above, implementation of a database on a biological topic. Cross-listed with BIMM 182 and BENG 182. Students may receive credit for one of the following: CSE 182, BENG 182, or BIMM 182. " + "name": "Diseases of the Nervous System", + "description": "This course provides a survey of natural behaviors, including birdsong, prey capture, localization, electroreception and echolocation, and the neural systems that control them, emphasizing broad fundamental relationships between brain and behavior across species. Note: Students may not receive credit for PSYC 189 and BIPN 189. " }, - "CSE 184": { + "BIPN 152": { "prerequisites": [ - "BIMM 181", - "or", - "BENG 181", - "or", - "CSE 181", - "BENG 182", - "or", - "BIMM 182", - "or", - "CSE 182", + "BIPN 100", "or", - "CHEM 182" + "BIPN 140" ], - "name": "Computational Molecular Biology", - "description": "This advanced course covers the application of machine learning and modeling techniques to biological systems. Topics include gene structure, recognition of DNA and protein sequence patterns, classification, and protein structure prediction. Pattern discovery, Hidden Markov models/support victor machines/neural network/profiles. Protein structure prediction, functional characterization or proteins, functional genomics/proteomics, metabolic pathways/gene networks. Cross-listed with BIMM 184/BENG 184/CHEM 184. " + "name": "The Healthy and Diseased Brain", + "description": "Course will vary in title and content. Students are expected to actively participate in course discussions, read, and analyze primary literature. Current descriptions and subtitles may be found on the Schedule of Classes and the Division of Biological Sciences website. Students may receive credit in 194 courses a total of four times as topics vary. Students may not receive credit for the same topic. " }, - "CSE 185": { + "BIPN 160": { "prerequisites": [ - "CSE 11", - "or", - "CSE 8B", - "and", - "CSE 12", - "and", - "MATH 20C", - "or", - "MATH 31BH", - "and", "BILD 1", "and", - "BIEB 123", - "or", - "BILD 4", - "or", - "BIMM 101", - "or", - "CHEM 109" + "BILD 2" ], - "name": "Advanced Bioinformatics Laboratory", - "description": "This course emphasizes the hands-on application of bioinformatics to biological problems. Students will gain experience in the application of existing software, as well as in combining approaches to answer specific biological questions. Topics include sequence alignment, fast database search, comparative genomics, expression analysis, computational proteomics, genome-wide association studies, next-generation sequencing, genomics, and big data. Students may not receive credit for CSE 185 and BIMM 185. Restricted to CS27, BI34, BE28, and CH37 major codes. " + "name": "Neuroanatomy", + "description": "Course will examine different aspects of a current topic in biology and will include several speakers. Each speaker will introduce the scientific foundation of the chosen theme (\u201cbench\u201d), describe practical applications of their subject (\u201cbedside\u201d), and consider social and ethical implications of the topic (\u201cbeyond\u201d). The theme of the course will vary from year to year, and speakers will come from a variety of disciplines relevant to the theme. May be taken for credit three times. " }, - "CSE 190": { + "BIPN 189": { "prerequisites": [], - "name": "Topics\n\t\t in Computer Science and Engineering", - "description": "Topics of special interest in computer science and engineering. Topics may vary from quarter to quarter. May be repeated for credit with the consent of instructor. ** Consent of instructor to enroll possible **" + "name": "Brain, Behavior, and Evolution", + "description": "Course is designed to assist new transfers in making a smooth and informed transition from community college.\u00a0Lectures focus on study skills, academic planning and using divisional and campus resources to help achieve academic, personal and professional goals. Exercises and practicums will develop the problem-solving skills needed to succeed in biology. Attention will be given to research possibilities. Intended for new transfers. " }, - "CSE 191": { + "BIPN 194": { "prerequisites": [], - "name": "Seminar in CSE", - "description": "A seminar course on topics of current interest. Students, as well as, the instructor will be actively involved in running the course/class. This course cannot be counted toward a technical elective. ** Consent of instructor to enroll possible **" + "name": "Advanced Topics in Modern Biology: Physiology and Neuroscience", + "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in biology (at the upper-division level). Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. ** Consent of instructor to enroll possible **" }, - "CSE 192": { + "BISP 170": { "prerequisites": [], - "name": "Senior Seminar in Computer Science and Engineering", - "description": "The Senior Seminar Program is designed to allow senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in CSE (at the upper-division level). Topics will vary from quarter to quarter. Senior seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Bioscholars Seminar: From Bench to Bedside and Beyond", + "description": "Individual research on a problem in biology education by special arrangement with and under the direction of a faculty member. Projects are expected to involve novel research that examines issues in biology education such as the science of learning, evidence of effective teaching, and equity and inclusion in the classroom. P/PN grades only. May be taken for credit five times. ** Department approval required ** " }, - "CSE 193": { - "prerequisites": [], - "name": "Introduction to Computer Science Research", - "description": "Introduction to research in computer science. Topics include defining a CS research problem, finding and reading technical papers, oral communication, technical writing, and independent learning. Course participants apprentice with a CSE research group and propose an original research project. ** Consent of instructor to enroll possible **" + "BISP 191": { + "prerequisites": [ + "BICD 100" + ], + "name": "Biology Transfers: Strategies for Success", + "description": "Course will vary in title and content. Students are expected to actively participate in course discussions, read, and analyze primary literature. Current descriptions and subtitles may be found on the Schedule of Classes and the Division of Biological Sciences website. Students may receive credit in 194 courses a total of four times as topics vary. Students may not receive credit for the same topic. " }, - "CSE 195": { + "BISP 192": { "prerequisites": [], - "name": "Teaching", - "description": "Teaching and tutorial assistance in a CSE course under the supervision of the instructor. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Senior Seminar in Biology", + "description": "Course for student participants in the senior Honors thesis research program. Students complete individual research on a problem by special arrangement with, and under the direction of, a faculty member. Projects are expected to involve primary, experimental/analytical approaches that augment training in basic biology and that echo the curricular focus of the Division of Biological Sciences. P/NP grades only. May be taken for credit three times. Research to be approved by Honors thesis faculty adviser via application.\u00a0Note: Students must apply to the division via the online system. For complete details, applications, and deadlines, please consult the Division of Biological Sciences website. Application deadlines are strictly enforced. ** Department approval required ** " }, - "CSE 197": { + "BISP 193": { "prerequisites": [], - "name": "Field\n\t\t Study in Computer Science and Engineering", - "description": "Directed study and research at laboratories away from the campus. (P/NP grades only.) ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Biology Education Research", + "description": "Individual research on a problem by special arrangement with, and under the direction of, a UC San Diego faculty member and a selected researcher in industry or at a research institution. Projects are expected to involve primary, experimental/analytical approaches that augment training in basic biology and that echo the curricular focus of the Division of Biological Sciences. Application deadlines are strictly enforced. Consult the Division of Biological Sciences website for deadlines. Students must comply with all risk management policies/procedures. P/NP grades only. May be taken for credit three times. ** Department approval required ** " }, - "CSE 198": { + "BISP 194": { "prerequisites": [], - "name": "Directed Group Study", - "description": "Computer science and engineering topics whose study involves reading and discussion by a small group of students under the supervision of a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" + "name": "Advanced Topics in Modern Biology", + "description": "Investigation of a topic in biological sciences through directed reading and discussion by a small group of students under the supervision of a faculty member. P/NP grades only. May be taken for credit two times. ** Department approval required ** " }, - "CSE 199": { + "BISP 195": { "prerequisites": [], - "name": "Independent Study for Undergraduates", - "description": "Independent reading or research by special arrangement with a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" - }, - "CSE 199H": { - "prerequisites": [ - "CSE department" - ], - "name": "CSE Honors Thesis Research for Undergraduates", - "description": "Undergraduate research for completing an honors project under the supervision of a CSE faculty member. May be taken across multiple quarters. Students should enroll for a letter grade. May be taken for credit three times. ** Consent of instructor to enroll possible **" + "name": "Undergraduate Instructional Apprenticeship in Biological Sciences ", + "description": "Individual research on a problem by special arrangement with, and under the direction of, a faculty member. Projects are expected to involve primary, experimental/analytical approaches that augment training in basic biology and that echo the curricular focus of the Division of Biological Sciences. P/NP grades only. May be taken for credit five times. Note: Students must apply to the division via the online system. For complete details, applications, and deadlines, please consult the Division of Biological Sciences website. Application deadlines are strictly enforced. ** Department approval required ** " }, - "SIO 1": { + "BISP 196": { "prerequisites": [], - "name": "The Planets", - "description": "Space exploration has revealed an astonishing\n\t\t\t\t diversity among the planets and moons in our solar system. The planets\n\t\t\t\t and their histories will be compared to gain insight and a new perspective\n\t on planet Earth. " + "name": "Honors Thesis in Biological Sciences", + "description": "Course will cover fundamental\n issues in academia, including campus resources, research design,\n ethical issues in research, scientific publishing and review,\n grant preparation, etc. Required of all first-year doctoral students\n in the Division of Biological Sciences. S/U grades only. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "SIO 3": { + "BISP 197": { "prerequisites": [], - "name": "Life in the Oceans", - "description": "An introduction to the wide variety of organisms that live in the oceans, the habitats they occupy, and how species interact with each other and their environment. Included will be examinations of adaptations, behavior, ecology, and a discussion of local and global resource management and conservation issues. This course is designed for nonbiology majors. " + "name": "Biology Internship Program", + "description": "Introduction to the computational methods most frequently used in neuroscience research. Aimed at first-year graduate students in neuroscience and related disciplines. Minimal quantitative background will be assumed. Topics include Poisson processes, Markov Chains, auto- and cross-correlation analysis, Fourier/Spectral analysis, principal components/linear algebra, signal detection theory, information theory, Bayes Theorem, hypothesis testing. Nongraduate students may enroll with consent of instructor. ** Consent of instructor to enroll possible **" }, - "SIO 10": { + "BISP 198": { "prerequisites": [], - "name": "The Earth", - "description": "An introduction to structure of the Earth\n\t\t\t\t and the processes that form and modify it. Emphasizes material\n\t\t\t\t that is useful for understanding geological events as reported\n\t\t\t\t in the news and for making intelligent decisions regarding\n\t\t\t\t the future of our environment. " + "name": "Directed Group Study", + "description": "Discussions cover professional preparation for future scientists. Topics include how to read/write/publish papers, to write grant and fellowship proposals, to give oral presentations, and how to apply for research positions. Behind-the-scenes look at reviewing papers, grant and fellowship proposals. Discussions of career options in biological sciences will be included. Scientific content is in the area of eukaryotic gene expression, but knowledge is applicable to all areas of biology. Undergraduate students with senior standing may enroll with consent of instructor. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "SIO 10GS": { + "BISP 199": { "prerequisites": [], - "name": "The Earth", - "description": "This Global Seminar course will provide an introduction to planet Earth and the processes that shape it. Topics to be covered include Earth layers, materials, plate tectonics, weathering and erosion, and coastal processes.\u00a0The geology of Iceland will be a specific emphasis and will thus be used as a lens through which to learn about the Earth. Program or material fee may apply. " + "name": "Individual Research for Undergraduates", + "description": "The course teaches different topics on theory and key concepts in ecology, behavior, and evolution. Students will read materials in depth, attend weekly discussions, and explore relevant topics, theories, and models with advanced analytical tools. S/U grades only. May be taken for credit three times when topics vary." }, - "SIO 12": { + "ECON 1": { "prerequisites": [], - "name": "History of the Earth and Evolution", - "description": "Evolution of the Earth from its origin in the early solar system to formation of continents and ocean basins, and how the planet became habitable. It examines the geologic record of evolution, extinction, plate tectonics, and climate changes through time. " + "name": "Principles of Microeconomics", + "description": "Introduction to the study of the economic system. Course will introduce the standard economic models used to examine how individuals and firms make decisions in perfectly competitive markets, and how these decisions affect supply and demand in output markets." }, - "SIO 15": { - "prerequisites": [], - "name": "Natural Disasters", - "description": "Introduction to environmental perils and their impact on everyday life. Geological and meteorological processes, including earthquakes, volcanic activity, large storms, global climate change, mass extinctions throughout Earth\u2019s history, and human activity that causes and prevents natural disasters. " + "ECON 2": { + "prerequisites": [ + "ECON 1" + ], + "name": "Market Imperfections and Policy", + "description": "Analysis of monopoly and imperfectly competitive markets, market imperfections and the role of government. \n\t\t\t\t\t" }, - "SIO 16": { - "prerequisites": [], - "name": "Geology of the National Parks", - "description": "An introduction to fundamental concepts of\n\t\t\t\t geology and environmental science through the lens of the national park\n\t\t\t\t system. Topics covered include the geologic time scale; plate tectonics;\n\t\t\t\t igneous, metamorphic, and sedimentary processes; geomorphology; climate\n\t\t\t\t change; and environmental degradation. " + "ECON 3": { + "prerequisites": [ + "ECON 1" + ], + "name": "Principles of Macroeconomics", + "description": "Introductory macroeconomics: unemployment, inflation, business cycles, monetary and fiscal policy. " }, - "SIO 20": { + "ECON 4": { "prerequisites": [], - "name": "The Atmosphere", - "description": "Descriptive introduction to meteorology and climate studies. Topics include global and wind and precipitation patterns, weather forecasting, present climate and past climate changes (including droughts, El Ni\u00f1o events), greenhouse gas effects, ozone destruction, the \u201clittle ice age,\u201d acid rain. " + "name": "Financial Accounting", + "description": "(Cross-listed with MGT 4.) Recording, organizing, and communicating financial information relating to business entities. Credit not allowed for both ECON 4 and MGT 4. " }, - "SIO 25": { + "ECON 5": { "prerequisites": [], - "name": "Climate Change and Society", - "description": "Climate change is one of the most complex\n\t\t\t\t and critical issues affecting societies today. This course\n\t\t\t\t will present the scientific evidence for climate change and\n\t\t\t\t its impacts and consider governmental policy responses and possible adaptation\n\t\t\t\t strategies. " + "name": "Data Analytics for the Social Sciences", + "description": "(Cross-listed with POLI 5D.) Introduction to probability and analysis for understanding data in the social world. Students engage in hands-on learning with applied social science problems. Basics of probability, visual display of data, data collection and management, hypothesis testing, and computation. Students may receive credit for only one of the following courses: ECON 5, POLI 5, or POLI 5D." }, - "SIO 30": { + "ECON 87": { "prerequisites": [], - "name": "The Oceans", - "description": "Presents modern ideas and descriptions of the physical, chemical, biological, and geological aspects of oceanography, and considers the interactions between these aspects. Intended for students interested in the oceans, but who do not necessarily intend to become professional scientists. " + "name": "Freshman Seminar", + "description": "The Freshman Seminar Program is designed to\n\t\t\t\t provide new students with the opportunity to explore an intellectual\n\t\t\t\t topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate\n\t\t\t\t colleges, and topics vary from quarter to quarter. Enrollment\n\t\t\t\t is limited to fifteen to twenty students, with preference given\n\t\t\t\t to entering freshmen. May be repeated when course topics vary.\n\t\t\t\t (P/NP grades only.) " }, - "SIO 35": { - "prerequisites": [], - "name": "Water", - "description": "This course will examine the properties of water that make it unique and vital to living things. Origin of water on Earth and neighboring planets will be explored. Socially relevant issues concerning water use and contamination will be covered. " + "ECON 100A": { + "prerequisites": [ + "ECON 1", + "and", + "MATH 10C" + ], + "name": "Microeconomics A", + "description": "Economic analysis of household determination of the demand for goods and services, consumption/saving decisions, and the supply of labor. " }, - "SIO 40": { - "prerequisites": [], - "name": "Life and Climate on Earth", - "description": "Explores life on Earth and its relationship\n\t\t\t\t to the environment\u2014past, present, and future. Topics include\n\t\t\t\t origins of life, earth history, elemental cycles, global climate\n\t\t\t\t variability and human impacts on our environment. " + "ECON 100B": { + "prerequisites": [ + "ECON 100A" + ], + "name": "Microeconomics B", + "description": "Analysis of firms\u2019 production and costs, the supply of output and demand factors of production. Analysis of perfectly competitive markets. " }, - "SIO 45": { - "prerequisites": [], - "name": "Volcanoes", - "description": "This class will provide students with an introduction to volcanoes, including the mechanisms, products, and hazards associated with various types of volcanic eruptions. A key area of emphasis will be the impact of volcanism on human societies. " + "ECON 100C": { + "prerequisites": [ + "ECON 100B" + ], + "name": "Microeconomics C", + "description": "Analysis of the effects of imperfect market structure, strategy, and imperfect information. " }, - "SIO 45GS": { + "ECON 100AH": { "prerequisites": [], - "name": "Volcanoes", - "description": "This class will provide students with an introduction to volcanoes, including the mechanisms, products, and hazards associated with various types of volcanic eruptions. A key area of emphasis will be the impact of volcanism on human societies. " + "name": "Honors Microeconomics A", + "description": "Honors sequence expanding on the material taught in ECON 100A. Major GPA of 3.5 or better required. May be taken concurrently with ECON 100A or after successful completion of ECON 100A with A\u2013 or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "SIO 46GS": { + "ECON 100BH": { "prerequisites": [], - "name": "Global Volcanism", - "description": "This global seminar course will focus on European volcanism\u2014past, present, and future. Students will learn in detail about the volcanoes of Europe, including their geologic origins, eruptive styles, and histories. A special focus will be on the impact of volcanic hazards on the people, cultures, and societies of this heavily populated region. Notable volcanoes and historical eruptions (Vesuvius and Pompeii, Mt. Etna, Santorini, Campi Flegrei) will be discussed in detail. Program or materials fees may apply. " + "name": "Honors Microeconomics B", + "description": "Honors sequence expanding on the material taught in ECON 100B. Major GPA of 3.5 or better required. May be taken concurrently with ECON 100B or after successful completion of ECON 100B with A\u2013 or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "SIO 50": { + "ECON 100CH": { "prerequisites": [], - "name": "Introduction\n\t\t\t\t to Earth and Environmental Sciences", - "description": "This course is an introduction to how our planet works, focusing on the formation and evolution of the solid earth, and the processes affecting both its surface and interior. Laboratories and substantial field component complement and extend the lecture material. Program and/or materials fees may apply. " + "name": "Honors Microeconomics C", + "description": "Honors sequence expanding on the material taught in ECON 100C. Major GPA of 3.5 or better required. May be taken concurrently with ECON 100C or after successful completion of ECON 100C with A\u2013 or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "SIO 60": { - "prerequisites": [], - "name": "Experiences in Oceanic and Atmospheric Sciences", - "description": "Oceanic and atmospheric sciences are introduced through a series of modules where students learn basic principles in the classroom and then have hands-on experiences demonstrating these principles. The course will include trips to the beach, the Ellen Browning Scripps Memorial Pier, and laboratories at Scripps Institution of Oceanography. " + "ECON 101": { + "prerequisites": [ + "ECON 100B" + ], + "name": "International Trade", + "description": "Examines theories of international trade in goods and services and relates the insights to empirical evidence. Explains international trade at the level of industries and firms and analyzes the consequences of trade for resource allocation, welfare, and the income distribution. Discusses sources of comparative advantage, motives for trade policies, and the effects of trade barriers and trading blocs on welfare and incomes. " }, - "SIO 87": { - "prerequisites": [], - "name": "Freshman Seminar", - "description": "The Freshman Seminar Program is designed to provide the new students with the opportunity to explore and intellectual topic with a faculty member in a small setting. Topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. (P/NP grades only). " + "ECON 102": { + "prerequisites": [ + "ECON 1", + "and", + "MATH 20C" + ], + "name": "Globalization", + "description": "Presents theories of global economic integration, grounded in the principle of comparative advantage. Investigates patterns of trade when trade is balanced and capital flows when trade is not balanced. Assesses the consequences of global economic integration and economic policies for industry location, incomes, welfare and economic growth, and studies goods, services and sovereign debt markets. " }, - "SIO 90": { + "ECON 102T": { "prerequisites": [], - "name": "Undergraduate Seminar", - "description": "Perspectives on ocean sciences. This seminar introduces students to exciting and current research topics in ocean science as presented by faculty and researchers at Scripps Institution of Oceanography. Formerly ERTH 90. " + "name": "Advanced Topic in Globalization", + "description": "This course presents a selection of empirical applications and advanced topics that build on the material covered in ECON 102, Globalization. Students have the opportunity to analyze global trade and capital market data and to prepare a presentation and brief paper on a specific topic. ** Department approval required ** " }, - "SIO 96": { - "prerequisites": [], - "name": "Frontiers in the Earth Sciences", - "description": "An introduction to current research in the earth sciences. Background in science not required but may be useful for some topics. Areas covered vary from year to year. " + "ECON 103": { + "prerequisites": [ + "ECON 102" + ], + "name": "International Monetary Relations", + "description": "Analyzes exchange rates and the current account. Relates their joint determination to financial markets and the real-side macroeconomy using international macroeconomic models and presents empirical regularities. Discusses macroeconomic policies under different exchange rate regimes and implications for financial stability and current account sustainability. " }, - "SIO 99": { - "prerequisites": [], - "name": "Independent Study", - "description": "Independent reading or research on a problem by special arrangement with a faculty member. " + "ECON 105": { + "prerequisites": [ + "ECON 100C" + ], + "name": "Industrial Organization and Firm Strategy", + "description": "Theory of monopoly and oligopoly pricing, price discrimination, durable goods pricing, cartel behavior, price wars, strategic entry barriers, mergers, pro- and anticompetitive restraints on business. " }, - "SIO 100": { + "ECON 106": { "prerequisites": [ - "SIO 50" + "ECON 100B", + "and" ], - "name": "Introduction to Field Methods", - "description": "Mapping and interpretation of geologic units. Fieldwork is done locally, and the data are analyzed in the laboratory. There will be one mandatory weekend field trip to Anza Borrego State Park. Program and/or materials fees may apply. ** Consent of instructor to enroll possible **" + "name": "International Economic Agreements", + "description": "Examines reasons for international economic agreements, their design, the strategic interactions that determine how the agreements are implemented and sustained, and consequences for global welfare and inequality. Draws on international economics, game theory, law and economics, and political economy to understand international economic agreements. These tools are used to understand multilateral trade and investment agreements, such as NAFTA, and international organizations, such as the WTO. " }, - "SIO 101": { + "ECON 107": { "prerequisites": [ - "CHEM 6A" + "ECON 2" ], - "name": "California Coastal Oceanography", - "description": "This course emphasizes oceanographic connections\n\t\t\t\t between physical and climate forcing and marine ecosystem responses using\n\t\t\t\t examples from and activities in the California coastal environment. The\n\t\t\t\t approach is inquiry-based, combining classroom and experiential learning\n\t\t\t\t to build critical and quantitative thinking and research insights and abilities. ** Consent of instructor to enroll possible **" + "name": "Economic Regulation and Antitrust Policy", + "description": "Detailed treatment of antitrust policy: Sherman Act, price fixing, collusive practices, predatory pricing, price discrimination, double marginalization, exclusive territories, resale price maintenance, refusal to deal, and foreclosure. Theory of regulation and regulatory experience in electrical utilities, oil, telecommunications, broadcasting, etc. " }, - "SIO 102": { + "ECON 109": { "prerequisites": [ - "SIO 50", - "CHEM 6A-B-C" + "ECON 100C", + "or", + "MATH 31CH", + "or", + "MATH 109", + "and", + "MATH 20" ], - "name": "Introduction to Geochemistry", - "description": "An introduction to the chemical composition and evolution of the Earth and solar system. Applications of chemical methods to elucidate the origin and geologic history of the Earth and the planets, evolution of oceans and atmosphere, and human environmental impacts. ** Consent of instructor to enroll possible **" + "name": "Game Theory", + "description": "Introduction to game theory. Analysis of people\u2019s decisions when the consequences of the decisions depend on what other people do. This course features applications in economics, political science, and law. " }, - "SIO 103": { + "ECON 109T": { + "prerequisites": [], + "name": "Advanced Topics in Game Theory", + "description": "This course presents a selection of applications and advanced topics that build on the material covered in the ECON 109. Game Theory course. ** Department approval required ** " + }, + "ECON 110A": { "prerequisites": [ - "MATH 20A-B-C-D", + "ECON 1", "and", - "PHYS 2A-B-C", - "SIO 50" + "ECON 3", + "and", + "MATH 10C" ], - "name": "Introduction to Geophysics", - "description": "An introduction to the structure and composition\n\t\t\t\t of the solid earth. Topics include seismology, the gravity\n\t\t\t\t and magnetic fields, high-pressure geophysics, and concepts\n\t\t\t\t in geodynamics. Emphasis is on global geophysics, i.e., on\n\t\t\t\t the structure and evolution of the planet. ** Consent of instructor to enroll possible **" + "name": "Macroeconomics A", + "description": "Analysis of the determination of long run growth and models of the determination of output, interest rates, and the price level. Analysis of inflation, unemployment, and monetary and fiscal policy. " }, - "SIO 104/SIOG 255": { + "ECON 110B": { "prerequisites": [ - "BILD 3" + "ECON 110A" ], - "name": "Paleobiology and History of Life", - "description": "An introduction to the major biological transitions\n\t\t\t\t in Earth history from the origins of metabolism and cells\n\t\t\t\t to the evolution of complex societies. The nature and limitations\n\t\t\t\t of the fossil record, patterns of adaptation and diversity, and the tempo\n\t\t\t\t and mode of biological evolution. Laboratories and substantial field component\n\t\t\t\t complement and extend the lecture material. Program and/or\n\t\t\t\t materials fees may apply. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Macroeconomics B", + "description": "Analysis of the determination of consumption spending at the aggregate level; extension of the basic macro model to include exchange rates and international trade; the aggregate money supply, and the business cycle. " }, - "SIO 105": { + "ECON 110AH": { + "prerequisites": [], + "name": "Honors Macroeconomics A", + "description": "Honors sequence expanding on the material taught in ECON 110A. Major GPA of 3.5 or better required. May be taken concurrently with ECON 110A or after successful completion of ECON 110A with A\u2013or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " + }, + "ECON 110BH": { + "prerequisites": [], + "name": "Honors Macroeconomics B", + "description": "Honors sequence expanding on the material taught in ECON 110B. Major GPA of 3.5 or better required. May be taken concurrently with ECON 110B or after successful completion of ECON 110B with A\u2013 or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " + }, + "ECON 111": { "prerequisites": [ - "SIO 50" + "ECON 110B" ], - "name": "Sedimentology and Stratigraphy", - "description": "This course will examine sedimentary environments\n\t\t\t\t from mountain tops to the deep sea across a variety of time scales. The\n\t\t\t\t focus is to develop the skills to interpret stratigraphy and read the history\n\t\t\t\t of the Earth that it records. Laboratories and substantial field component\n\t\t\t\t complement and extend lecture material. Program and/or course materials\n\t\t\t\t fees may apply. ** Consent of instructor to enroll possible **" + "name": "Monetary Economics", + "description": "Financial structure of the US economy. Bank behavior. Monetary control. " }, - "SIO 106": { + "ECON 112": { "prerequisites": [ - "SIO 50", - "MATH 20C", - "PHYS 2C", + "ECON 110B", "and", - "CHEM 6C" + "ECON 120B", + "or", + "MATH 181B" ], - "name": "Introduction to Hydrogeology", - "description": "An introduction to the theory and practice of hydrogeology, emphasizing current concepts of aquifer and water properties and practical considerations related to groundwater quality, groundwater flow, and sustainability of groundwater reservoirs. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Macroeconomic Data Analysis", + "description": "Examines time series methods for data analysis with an emphasis on macroeconomic applications. Students are provided with an overview of fundamental time series techniques, hands-on experience in applying them to real-world macroeconomic data, and expertise in performing empirical tests of policy-relevant macroeconomic theories, such as the permanent income hypothesis, the Keynesian fiscal multiplier, and the Phillips curve. " }, - "SIO 108": { + "ECON 113": { "prerequisites": [ - "ESYS 102", + "ECON 100C", "or", - "SIO 50", + "MATH 140A", "or", - "SIO 12" + "MATH 142A" ], - "name": "Introduction to Paleoclimatology", - "description": "An introduction to basic principles and applications of paleoclimatology, the study of climate and climate changes that occurred prior to the period of instrumental records. A review of processes and archives of climate data will be investigated using examples from Earth history. ** Consent of instructor to enroll possible **" + "name": "Mathematical Economics", + "description": "Mathematical concepts and techniques used in advanced economic analysis; applications to selected aspects of economic theory. " }, - "SIO 109": { - "prerequisites": [], - "name": "Bending the Curve: Climate Change Solutions", - "description": "(Cross-listed with POLI 117). This course will focus on scalable solutions for carbon neutrality and climate stability. The course adopts climate change mitigation policies, technologies, governance, and actions that California, the UC system, and cities around the world have adopted as living laboratories and challenges students to identify locally and globally scalable solutions. Students may only receive credit for one of the following: POLI 117, POLI 117R, SIO 109, or SIO 109R." + "ECON 116": { + "prerequisites": [ + "ECON 2" + ], + "name": "Economic Development", + "description": "Introduction to the economics of less developed countries, covering their international trade, human resources, urbanization, agriculture, income distribution, political economy, and environment. " }, - "SIO 109R": { - "prerequisites": [], - "name": "Bending the Curve Online: Climate Change Solutions", - "description": "(Cross-listed with POLI 117R). This online course focuses on developing urgent climate change solutions that integrate technology, policy and governance, finance, land-use, and social/educational dimensions. Students may only receive credit for one of the following: POLI 117, POLI 117R, SIO 109, or SIO 109R." + "ECON 117": { + "prerequisites": [ + "ECON 100A" + ], + "name": "Economic Growth", + "description": "Topics will include long-run economic growth and cross-country income differences; Malthusian dynamics and the transition to modern growth; measured income vs welfare; development accounting; the Solow Growth Model; human capital; misallocation and total-factor productivity; firm management practices; technology adoption; agricultural productivity gaps; rural-urban migration; structural transformation; innovation and endogenous growth. " }, - "SIO 110": { - "prerequisites": [], - "name": "Introduction to GIS and GPS for Scientists", - "description": "A hands-on introduction to science applications\n\t\t\t\t of geographic information systems and global positioning system. Students\n\t\t\t\t acquire data through GPS field surveys, design and construct GIS using\n\t\t\t\t ESRI\u2019s ArcGIS software, analyze spatial data, and present the results\n\t\t\t\t in a web-based environment. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECON 118": { + "prerequisites": [ + "ECON 2" + ], + "name": "Law and\n\t\t Economics: Torts, Property, and Crime", + "description": "Uses economic theory to evaluate the economic effects of US law in several legal fields, including tort law (accidents), products liability law, property law, criminal law (law enforcement), and litigation. Also considers risk bearing and why people buy insurance. " }, - "SIO 111": { + "ECON 119": { "prerequisites": [ - "PHYS 2A\u2013C", - "or", - "PHYS 4A\u2013C", + "ECON 2", "and", - "MATH 20A\u2013E" + "MATH 10A" ], - "name": "\t\t\t\t Introduction to Ocean Waves", - "description": "The linear theory of ocean surface waves, including: group velocity, wave dispersion, ray theory, wave measurement and prediction, shoaling waves, giant waves, ship wakes, tsunamis, and the physics of the surf zone. Cross-listed with PHYS 111. ** Consent of instructor to enroll possible **" + "name": "Law and Economics: Contracts and Corporations\n\t\t\t\t ", + "description": "This course asks how firms are organized and why the corporate form dominates, how corporations are governed and the distortions that result, when firms borrow and how they deal with financial distress and bankruptcy. The course will present basic legal doctrines in corporate law, contract law, debtor-creditor law, and bankruptcy, and use economic models to analyze whether and when these doctrines promote economically efficient behavior. " }, - "SIO 113": { + "ECON 120A": { "prerequisites": [ - "SIO 50" + "ECON 1" ], - "name": "Introduction to Computational Earth Science", - "description": "Computers are used in the geosciences to understand complex natural systems. This course includes beginning programming with a user-friendly language (Python). ** Consent of instructor to enroll possible **" + "name": "Econometrics A", + "description": "Probability and statistics used in economics. Probability and sampling theory, statistical inference, and use of spreadsheets. Credit not allowed for ECON 120A after ECE 109, MAE 108, MATH 180A, MATH 183, or MATH 186. " }, - "SIO 114": { - "prerequisites": [], - "name": "The Science and Analysis of Environmental Justice", - "description": "Introduction to the scientific basis and critical analysis of environmental justice, with an emphasis on case studies, activism, and community engagement. This course will prepare students to critique and develop scientific models, research designs, and measurements consistent with environmental justice. Students may not receive credit for ETHN 136 and SIO 114. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECON 120B": { + "prerequisites": [ + "ECON 120A", + "or", + "ECE 109", + "or", + "MAE 108", + "or", + "MATH 180A", + "or", + "MATH 183", + "or", + "MATH 186" + ], + "name": "Econometrics B", + "description": "Basic econometric methods, including the linear regression, hypothesis testing, quantifying uncertainty using confidence intervals, and distinguishing correlation from causality. Credit not allowed for both ECON 120B after MATH 181B. " }, - "SIO 115": { + "ECON 120C": { "prerequisites": [ - "MATH 20A\u2013D", - "and", - "PHYS 2A\u2013C" + "ECON 120B", + "or", + "MATH 181B" ], - "name": "Ice and the Climate System", - "description": "This course examines the Earth\u2019s cryosphere, including glaciers,\n ice sheets, ice caps, sea ice, lake ice, river ice, snow, and\n permafrost. We cover the important role of the cryosphere in\n the climate systems and its response to climate change. ** Consent of instructor to enroll possible **" + "name": "Econometrics C", + "description": "Advanced econometric methods: estimation of linear regression models with endogeneity, economic methods designed for panel data sets, estimation of discrete choice models, time series analysis, and estimation in the presence of autocorrelated and heteroskedastic errors. " }, - "SIO 116": { + "ECON 120AH": { "prerequisites": [], - "name": "Climate Change and Global Health: Understanding the Mechanisms", - "description": "This course will introduce students to the public health effects of global climate change. The course will begin by understanding the climate change phenomena and explaining the direct and indirect links between climate change and human health, including the public health impacts of infectious diseases, atmospheric air pollution, and extreme weather events. The second part of the course will be dedicated to adaption and mitigation solutions with a particular focus on vulnerable populations. Students may not receive credit for SIO 116 and SIO 116GS. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Honors Econometrics A", + "description": "Honors sequence expanding on the material taught in ECON 120A. Major GPA of 3.5 or better required. May be taken concurrently with ECON 120A or after successful completion of ECON 120A with A\u2013 or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "SIO 116GS": { + "ECON 120BH": { "prerequisites": [], - "name": "Climate Change and Global Health: Understanding the Mechanisms", - "description": "This course will introduce students to the public health effects of global climate change. The course will begin by understanding the climate change phenomena and explaining the direct and indirect links between climate change and human health, including the public health impacts of infectious diseases, atmospheric air pollution, and extreme weather events. The second part of the course will be dedicated to adaption and mitigation solutions with a particular focus on vulnerable populations. Students may not receive credit for SIO 116GS and SIO 116. Program or materials fees may apply. " - }, - "SIO 117": { - "prerequisites": [ - "MATH 20D", - "and", - "PHYS 2C" - ], - "name": " The Physical Basis of Global Warming", - "description": "Introduction to the processes behind global warming, including\n the physics of the greenhouse effect, controls on greenhouse\n gases, atmospheric and oceanic circulation, climate feedbacks,\n relationship to natural climate variability, and global environmental\n issues related to global warming. ** Consent of instructor to enroll possible **" + "name": "Honors Econometrics B", + "description": "Honors sequence expanding on the material taught in ECON 120B. Major GPA of 3.5 or better required. May be taken concurrently with ECON 120B or after successful completion of ECON 120B with A\u2013 or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "SIO 118GS": { + "ECON 120CH": { "prerequisites": [], - "name": "Responding to Climate Change: Possible Solutions", - "description": "This course will be taught in Dharamsala, India, and explores societal solutions to climate change. Course topics include mitigation and adaptation policies, including a guide to design, implement, and evaluate an adaptation policy, and the public health cobenefits of addressing climate change. " - }, - "SIO 119": { - "prerequisites": [ - "PHYS 1C", - "CHEM 6C" - ], - "name": "Physics and Chemistry of the Oceans", - "description": "Basic physical and chemical processes that influence the biology of the oceans, such as ocean circulation, ocean acidification, carbonate chemistry, trace metal chemistry. ** Consent of instructor to enroll possible **" + "name": "Honors Econometrics C", + "description": "Honors sequence expanding on the material taught in ECON 120C. Major GPA of 3.5 or better required. May be taken concurrently with ECON 120C or after successful completion of ECON 120C with A\u2013 or better or consent of instructor. Priority enrollment given to majors in the department. ** Consent of instructor to enroll possible ** ** Department approval required ** " }, - "SIO 120": { + "ECON 121": { "prerequisites": [ - "SIO 50" + "ECON 120C" ], - "name": "Introduction to Mineralogy", - "description": "Application of mineralogical and x-ray crystallographic techniques in earth sciences. Topics include symmetry, crystal structure, chemical, and physical properties of minerals with special emphasis on the common rock-forming minerals. Laboratory component includes polarizing microscope and x-ray powder diffraction methods. ** Consent of instructor to enroll possible **" + "name": "Applied Econometrics and Data Analysis ", + "description": "Theoretically develops extensions to the standard econometric toolbox, studies their application in scientific research, and applies them to data. Emphasis is on using techniques, and on understanding and critically assessing others\u2019 use of them. Requires practical work on the computer using a range of data from around the world. Topics include advanced regression analysis, limited dependent variables, nonparametric methods, and new methods for causal inference. " }, - "SIO 121": { + "ECON 122": { "prerequisites": [ - "BILD 1", - "BILD 2", - "BILD 3" + "ECON 120B", + "or", + "MATH 181B", + "and", + "MATH 18", + "or", + "MATH 31AH" ], - "name": "Biology of the Cryosphere", - "description": "The cryosphere comprises sea ice, glaciers, snow, and other frozen environments. Changing rapidly in the face of global climate change, these environments host unique and highly adapted ecosystems that play an important role in the global earth system. In this course we will explore the physiology and ecology of organisms in the cryosphere and peripheral habitats. A special emphasis will be placed on sea ice as a habitat archetype, but glacier, snow, and permafrost will also be covered. ** Consent of instructor to enroll possible **" + "name": "Econometric Theory", + "description": "Detailed study of the small sample and asymptotic properties of estimators commonly used in applied econometric work: multiple linear regression, instrumental variables, generalized method of moments, and maximum likelihood. Econometric computation using Matlab. Recommended preparation: ECON 120C. " }, - "SIO 121GS": { + "ECON 125": { "prerequisites": [ - "SIO 10", + "ECON 120B", "or", - "SIO 50" + "MATH 181B" ], - "name": "Geology of the Alps", - "description": "This global seminar course will examine the geology of the Alps range. Students will develop an in-depth understanding of the geology, tectonics, and geomorphology of this fascinating, beautiful, and geologically complex region. The course will focus closely on the tectonics of the region and the subsequent geologic processes that have shaped it (e.g., glaciation) since the late Mesozoic Alpine Orogeny. Classroom study will be strongly augmented with local and regional field excursions. Program or materials fees may apply. " + "name": "Demographic Analysis and Forecasting", + "description": "Interaction between economic forces and demographic changes are considered, as are demographic composition and analysis; fertility, mortality, and migration processes and trends. Course emphasizes the creation, evaluation, and interpretation of forecasts for states, regions, and subcounty areas. ECON 178 is recommended. " }, - "SIO 122": { + "ECON 130": { "prerequisites": [ - "BILD 3" + "ECON 2" ], - "name": "Ecological Developmental Biology", - "description": "This course will explore the rapidly expanding field of ecological developmental biology which focuses on how factors such as temperature, nutrition, microbes, predators, and hormones influence development epigenetically. Emphasis will be given to the genetic basis of responses to the environment, drawn from studies in aquatic and terrestrial animals and plants. Topics include phenotypic plasticity, teratogenesis, symbiosis, endocrine disruptors, sex determination, and genetic assimilation. Recommended preparation: BICD 100. ** Consent of instructor to enroll possible **" + "name": "Public Policy", + "description": "Course uses basic microeconomic tools to discuss a wide variety of public issues, including the war on drugs, global warming, natural resources, health care and safety regulation. Appropriate for majors who have not completed ECON 100A-B-C and students from other departments. " }, - "SIO 123": { + "ECON 131": { "prerequisites": [ - "BICD 100" + "ECON 2" ], - "name": "Microbial Environmental Systems Biology", - "description": "Environmental systems biology is the study of the genomic basis for patterns of microbial diversity and adaptation in relation to habitat. This course introduces the microbial genome as a unit of study and surveys introductory principles in microbial genomics and bioinformatics that underlie a range of contemporary research in diverse marine habitats, such as the deep sea and polar regions, as well as studies of biomedical importance, including the human microbiome. ** Consent of instructor to enroll possible **" + "name": "Economics of the Environment", + "description": "Environmental issues from an economic perspective. Relation of the environment to economic growth. Management of natural resources, such as forest and fresh water. Policies on air, water, and toxic waste pollution. International issues such as ozone depletion and sustainable development. " }, - "SIO 124": { + "ECON 132": { "prerequisites": [ - "CHEM 6C", + "ECON 1", "and", - "BILD 1", + "ESYS 103", "or", - "BILD 3" + "MAE 124", + "and", + "MATH 10C" ], - "name": "Marine Natural Products", - "description": "This course will provide a detailed introduction to marine natural products. It will survey the organisms that produce these compounds and introduce how they are made (biosynthesis), isolated and identified (natural products chemistry), why they are made (chemical ecology), and how they are exploited for useful purposes including drug discovery (marine biotechnology). It will leave students with a fundamental understanding of the latest techniques employed in natural product research. ** Consent of instructor to enroll possible **" + "name": "Energy Economics", + "description": "Energy from an economic perspective. Fuel cycles for coal, hydro, nuclear, oil, and solar energy. Emphasis on efficiency and control of pollution. Comparison of energy use across sectors and across countries. Global warming. Role of energy in the international economy. " }, - "SIO 125": { + "ECON 134": { "prerequisites": [ - "BILD 3", - "and", - "PHYS 1C", - "or", - "PHYS 2C" + "ECON 100A" ], - "name": "Biomechanics of Marine Life", - "description": "An introduction to the physical basis of the biological world. This course explores how the physical principles of solids and fluids underlay the functional morphology, ecology, and adaptations of all living things, with emphasis on marine organisms. ** Consent of instructor to enroll possible **" + "name": "The US Social Safety Net", + "description": "Examines major issues relating to the US social safety net, including Social Security, low-income assistance, unemployment and disability insurance, distributional and efficiency effects of the tax system, and the relation of these issues to the overall US government budget. " }, - "SIO 126": { + "ECON 135": { "prerequisites": [ - "BILD 1" + "ECON 2" ], - "name": "Marine Microbiology", - "description": "The role of microorganisms in the oceans; metabolic diversity; methods in marine microbiology; interactions of microbes with other microbes, plants and animals; biochemical cycling, pollution and water quality; microbe-mineral interactions; extremophiles. (Students may not receive credit for both SIO 126 and BIMM 126.) ** Consent of instructor to enroll possible **" + "name": "Urban Economics", + "description": "(Cross-listed with USP 102.) Economic analysis of why cities develop, patterns of land use in cities, why cities suburbanize, and the pattern of urban commuting. The course also examines problems of urban congestion, air pollution, zoning, poverty, crime, and discusses public policies to deal with them. Credit not allowed for both ECON 135 and USP 102. " }, - "SIO 127": { + "ECON 136": { "prerequisites": [ - "BILD 3", - "and", - "BICD 100" + "ECON 100B" ], - "name": "Marine Molecular Ecology", - "description": "This course will survey the application of molecular methods to address diverse questions concerning the ecology and evolutionary biology in marine organisms. Focus will be on genetic and genomic approaches that are providing new insights into how marine organisms adapt to their physical and biotic environments. ** Consent of instructor to enroll possible **" + "name": "Human Resources", + "description": "A practical yet theory-based study of the firm\u2019s role in managing workers, including issues related to hiring, education and training, promotions, layoffs and buyouts, and the overarching role that worker compensation plays in all of these. " }, - "SIO 128": { + "ECON 138": { "prerequisites": [ - "BILD 1", - "or", - "BILD 2", - "or", - "BILD 3" + "ECON 1" ], - "name": "Microbial Life in Extreme Environments", - "description": "Microorganisms turn up in the strangest places. This course examines the exotic and bizarre in the microbial world, including the super-sized, the rock and cloud builders, the survivors, and those present at the limits of life. ** Consent of instructor to enroll possible **" + "name": "Economics of Discrimination", + "description": "This course will investigate differences in economic outcomes on the basis of race, gender, ethnicity, religion, and sexual orientation. We will study economic theories of discrimination, empirical work testing those theories, and policies aimed at alleviating group-level differences in economic outcomes. " }, - "SIO 129": { + "ECON 139": { "prerequisites": [ - "CHEM 140C" + "ECON 2" ], - "name": "Marine Chemical Ecology", - "description": "This class explores the chemistry of marine life involved in the chemical adaptations of defense and communication. The class examines all of the marine taxa from microbes to higher plants and animals. ** Consent of instructor to enroll possible **" - }, - "SIO 130": { - "prerequisites": [], - "name": "Scientific Diving", - "description": "This course includes theoretical and practical training to meet Scripps Institution of Oceanography and AAUS standards for scientific diving authorization and involves classroom, field, and ocean skin and scuba diving sessions. Topics include scientific diving programs and policy; physics and physiology of diving; decompression theory; dive planning; navigation; search and recovery; equipment and environmental considerations; subtidal sampling techniques; hazardous marine life; diving first aid; and diver rescue. Please see course preparation requirements here: https://scripps.ucsd.edu/scidive/training. P/NP grades only. Program or materials fees may apply. ** Department approval required ** " + "name": "Labor Economics", + "description": "Theoretical and empirical analysis of labor markets. Topics include labor supply, labor demand, human capital investment, wage inequality, labor mobility, immigration, labor market discrimination, labor unions and unemployment. " }, - "SIO 131": { + "ECON 140": { "prerequisites": [ - "BILD 3", - "and", - "BILD 2", - "or", - "SIO 183", - "or", - "SIO 184", - "or", - "SIO 188" + "ECON 2" ], - "name": "Parasitology", - "description": "An ecological approach to parasitology. Students will gain the intellectual and practical foundation required to undertake parasitological research. Lectures will cover ecological/evolutionary concepts and the biology of various parasitic taxa. In labs, students will learn how to survey hosts for parasites, collect and identify parasites, perform infection experiments, and collect and analyze data. Students will also develop scholarship skills by delving into the scientific literature. ** Consent of instructor to enroll possible **" + "name": "Economics of Health Producers", + "description": "Provides an overview of the physician, hospital, and pharmaceutical segments of the health sector. Uses models of physician behavior, for-profit and nonprofit institutions to understand the trade-offs facing health-sector regulators and the administrators of public and private insurance arrangements. " }, - "SIO 132": { + "ECON 141": { "prerequisites": [ - "BILD 3" + "ECON 100C" ], - "name": "Introduction to Marine Biology", - "description": "Overview of marine organisms and their adaptations to sea life. Selected examples of physiological, behavioral, and evolutionary adaptations in response to the unique challenges of a maritime environment. (Students may not receive credit for both SIO 132 and BIEB 132.) ** Consent of instructor to enroll possible **" + "name": "Economics of Health Consumers", + "description": "Demand for health care and health insurance, employer provision of health insurance and impact on wages and job changes. Cross-country comparisons of health systems. " }, - "SIO 133": { + "ECON 142": { "prerequisites": [ - "BILD 3", - "and" + "ECON 109" ], - "name": "Marine Mammal Biology", - "description": "Introduction to the biology, ecology, evolution, and conservation status of marine mammals. Description of marine mammal taxa (mysticetes, odontocetes, pinnipeds, sirenians), their anatomy, physiology, ecology, and behavior. Impacts of whaling, fisheries interactions, and other anthropogenic threats. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Behavioral Economics", + "description": "Course will study economic models in which standard economic rationality assumptions are combined with psychologically plausible assumptions on behavior. We consider whether the new models improve ability to predict and understand phenomena including altruism, trust and reciprocity, procrastination, and self-control. " }, - "SIO 134": { + "ECON 143": { "prerequisites": [ - "BILD 3", - "and" + "ECON 100C" ], - "name": "Introduction to Biological Oceanography", - "description": "Basics for understanding the ecology of marine communities. The approach is process-oriented, focusing on major functional groups of organisms, their food-web interactions and community response to environmental forcing, and contemporary issues in human and climate influences. (Students may not receive credit for both SIO 134 and BIEB 134.) ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Experimental Economics", + "description": "Explore use of experiments to study individual and interactive (strategic) decision making. Topics may include choice over risky alternatives, altruism and reciprocity, allocation and information aggregation in competitive markets, cooperation and collusion, bidding in auctions, strategy in coordination and \u201coutguessing\u201d games. " }, - "SIO 135/SIOG 236": { + "ECON 144": { "prerequisites": [ - "PHYS 2A-B", - "or", - "PHYS 4A-B-C" + "ECON 2" ], - "name": "Satellite Remote Sensing", - "description": "Satellite remote sensing provides global observations\n of Earth to monitor environmental changes in land, oceans, and ice. Overview,\n physical principles of remote sensing, including orbits, electromagnetic radiation,\n diffraction, electro-optical, and microwave systems. Weekly labs explore remote\n sensing data sets. Graduate students will also be required to write a term\n paper and do an oral presentation. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Economics of Conservation", + "description": "Examines conservation of biodiversity from an economic perspective. Topics include valuing biodiversity, defining successful conservation, and evaluating the cost effectiveness of policies such as conservation payments, ecotourism, and privatization. Emphasis on forests, coral reefs, elephants, tigers, and sea turtles. " }, - "SIO 136": { + "ECON 145": { "prerequisites": [ - "BILD 3", - "SIO 132", - "and", - "SIO 134" + "ECON 2" ], - "name": "Marine Biology Laboratory", - "description": "Introductory laboratory course in current principles and techniques applicable to research problems in marine biology. Field component includes introduction to intertidal, salt marsh, or other marine ecosystems. Program or materials fees may apply. ** Consent of instructor to enroll possible **" + "name": "Economics of Ocean Resources", + "description": "Economic issues associated with oceans. Economics of managing renewable resources in the oceans, with an emphasis on fisheries, economics of conservation and biodiversity preservation for living marine resources, with an emphasis on whales, dolphins, sea turtles, and coral reefs. " }, - "SIO 137": { + "ECON 146": { "prerequisites": [ - "SIO 134" + "ECON 110B" ], - "name": "Ecosystems and Fisheries", - "description": "This course introduces students to the broad ecological processes and approaches that are fundamental to studying the dynamics of exploited populations, food webs, and ecosystems. The basics of fisheries oceanography are covered, with a synergistic focus on internations between key members of an ecosystem. A diversity of ecosystems will be discussed but the focus will be on the open ocean and deep sea. ** Consent of instructor to enroll possible **" + "name": "Economic Stabilization", + "description": "Theory of business cycles and techniques used by governments to stabilize an economy. Discussion of recent economic experience. " }, - "SIO 138": { + "ECON 147": { "prerequisites": [ - "BILD 3", - "MATH 10A", - "or", - "MATH 20A", - "CHEM 6B" + "ECON 2" ], - "name": "The Coral Reef Environment", - "description": "Assessment of the physical, chemical, and biological interactions that define the coral reef system; essential geography and evolutionary history of reefs; natural and human perturbations to the coral reef ecosystem; aspects of reef management and sustainability. ** Consent of instructor to enroll possible **" - }, - "SIO 139": { - "prerequisites": [], - "name": "Current Research in Marine Biology Colloquium", - "description": "Provides an introduction to current research topics and developments in marine biology and biological oceanography. Faculty members from Scripps Institution of Oceanography will offer perspectives in these areas. Students will practice scientific research and communication skills. P/NP grades only. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Economics of Education", + "description": "Examination of issues in education using theoretical and empirical approaches from economics. Analysis of decisions to invest in education. Consideration of various market structures in education, including school choice and school finance programs. " }, - "SIO 141/CHEM 174": { + "ECON 150": { "prerequisites": [ - "CHEM 6C" + "ECON 100C" ], - "name": "\t Chemical Principles of Marine Systems", - "description": "Introduction to the chemistry and distribution\n\t\t\t\t of the elements in seawater, emphasizing basic chemical principles such\n\t\t\t\t as electron structure, chemical bonding, and group and periodic properties\n\t\t\t\t and showing how these affect basic aqueous chemistry in marine systems. ** Consent of instructor to enroll possible **" + "name": "Public Economics: Taxation", + "description": "Overview of the existing national tax structure in the United States, its effects on individual and firm decisions, and the resulting efficiency costs and distributional consequences. The course concludes with an examination of several commonly-proposed tax reforms. " }, - "SIO 143": { + "ECON 151": { "prerequisites": [ - "MATH 10C", - "PHYS 1C", - "CHEM 6C" + "ECON 100C" ], - "name": "Ocean Acidification", - "description": "This course covers the fundamentals of ocean acidification, including the chemical background; past and future changes in ocean chemistry; biological and biogeochemical consequences, including organism and ecosystem function; biodiversity; biomineralization; carbonate dissolution; and the cycling of carbon and nitrogen in the oceans. ** Consent of instructor to enroll possible **" + "name": "Public Economics: Expenditures I", + "description": "Overview of the public sector in the United States and the scope of government intervention in economic life. Theory of public goods and externalities. Discussion of specific expenditure programs such as education and national defense. " }, - "SIO 144/SIOG 252A": { + "ECON 152": { "prerequisites": [ - "SIO 50", - "and" + "ECON 100C" ], - "name": "Introduction to Isotope Geochemistry", - "description": "Radioactive and stable isotope studies in geology\n and geochemistry, including geochronology, isotopes as tracers of magmatic\n processes, cosmic-ray produced isotopes as tracers in the crust and weathering\n cycle, isotopic evolution of the crust and mantle. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Public Economics: Expenditures II", + "description": "Overview of the public sector in the United States and the justifications for government intervention in economic life. Theory of income redistribution and social insurance. Applications to current policy in such areas as health insurance, welfare, unemployment insurance, and Social Security. " }, - "SIO 146": { + "ECON 158": { + "prerequisites": [], + "name": "Economic History of the United States I", + "description": "(Cross-listed with HIUS 140.) The United States as a raw materials producer, as an agrarian society, and as an industrial nation. Emphasis on the logic of the growth process, the social and political tensions accompanying expansion, and nineteenth- and early twentieth-century transformations of American capitalism. Credit not allowed for both ECON 158 and HIUS 140. " + }, + "ECON 159": { + "prerequisites": [], + "name": "Economic History of the United States II", + "description": "(Cross-listed with HIUS 141.) The United States as a modern industrial nation. Emphasis on the logic of the growth process, the social and political tensions accompanying expansion, and twentieth-century transformations of American capitalism. Credit not allowed for both ECON 159 and HIUS 141. " + }, + "ECON 162": { "prerequisites": [ - "BILD 2" + "ECON 1", + "and" ], - "name": "Methods in Cell and Developmental Biology of Marine Organisms Lab", - "description": "This laboratory course will introduce students to modern concepts and techniques in molecular, cellular, and developmental biology, through authentic research projects using echinoderm, mollusk, and coral species. In addition to designing and performing experiments, students will learn to evaluate data, work with DNA sequences, quantify results with statistics, prepare figures, read primary research literature, write and review scientific research articles, and give scientific presentations. ** Consent of instructor to enroll possible **" + "name": "Economics of Mexico", + "description": "Survey of the Mexican economy. Topics such as economic growth, business cycles, saving-investment balance, financial markets, fiscal and monetary policy, labor markets, industrial structure, international trade, and agricultural policy. " }, - "SIO 147": { + "ECON 164": { "prerequisites": [ - "BILD 3" + "ECON 1", + "and" ], - "name": "Applications of Phylogenetics", - "description": "Overview of the computer-based methods for constructing phylogenetic trees using morphological and molecular data. Lectures and labs cover evolutionary and ecological transformations, biodiversity measurements, biogeography, systematic and taxonomy. An independent project and presentation are required. (Students may not receive credit for both SIO 147 and BIEB 147.) ** Consent of instructor to enroll possible **" + "name": "The Indian Economy", + "description": "Survey of the Indian economy. Historical overview and perspective; political economy; democracy and development; economic growth; land, labor, and credit markets; poverty and inequality; health, education, and human development; technology and development; institutions and state capacity; contemporary policy issues and debates. " }, - "SIO 150": { + "ECON 164T": { + "prerequisites": [], + "name": "Advanced Topics in the Indian Economy", + "description": "ECON 164T will cover topics in more depth than in ECON 164 with more extensive readings and discussion. The class will meet in a seminar format where students will be expected to actively participate in discussions based on the readings and write a short paper at the end of the quarter. ** Department approval required ** " + }, + "ECON 165": { "prerequisites": [ - "MATH 20D", - "PHYS 2C", - "CHEM 6C" + "ECON 1", + "and" ], - "name": "Physics and Chemistry of Planetary Interiors", - "description": "Quantitative study of the physical and chemical processes operating within planetary interiors that control the evolution of planets on geological time scales. Comparative planetology of Earth, Venus, Mars, and other terrestrial planets and satellites will focus on how the formation, differentiation, and evolution of their interiors are expressed as tectonics and volcanism on their surfaces. ** Consent of instructor to enroll possible **" + "name": "Middle East Economics", + "description": "Socioeconomic development in the Arab world, Iran, and Turkey. Historical perspective; international trade and fuel resources; education, health, and gender gaps; unemployment and migration; population and environment; Islam and democracy. " }, - "SIO 152": { + "ECON 165T": { + "prerequisites": [], + "name": "Advanced Topics in Middle East Economics", + "description": "This course will cover certain country experiences and certain topics in more depth than in ECON 165. Students will also have the opportunity to choose countries and topics of particular interest to them for further reading and as subjects for a presentation and brief paper. ** Department approval required ** " + }, + "ECON 167": { "prerequisites": [ - "SIO 50", - "and", - "SIO 120" + "ECON 1", + "and" ], - "name": "Petrology and Petrography", - "description": "Mineralogic, chemical, textural and structural properties of igneous, metamorphic, and sedimentary rocks; their origin and relations to evolution of the Earth\u2019s crust and mantle. Laboratory emphasizes hand specimens and microscopic studies of rocks in thin sections. ** Consent of instructor to enroll possible **" + "name": "Economics of China", + "description": "Survey of the Chinese economy. Topics such as economic growth, China\u2019s transition to a market economy, international trade, financial markets, labor markets, and industrial structure. " }, - "SIO 153": { + "ECON 168": { "prerequisites": [ - "SIO 50" + "ECON 1", + "and" ], - "name": "Geomorphology", - "description": "Geomorphology is the study of the dynamic interface across which the atmosphere, water, biota, and tectonics interact to transform rock into landscapes with distinctive features crucial to the function and existence of water resources, natural hazards, climate, biogeochemical cycles, and life. In this class, we will study many of the Earth surface processes that operate on spatial scales from atomic particles to continents and over time scales of nanoseconds to millions of years. ** Consent of instructor to enroll possible **" + "name": "Economics of Modern Israel", + "description": "This course explores economic processes that shape the Israeli economy. Topics include biblical economics, economics of religion, economic growth, income inequality and consumer protests, employment, globalization, inflation, the high-tech sector, terrorism, and education. " }, - "SIO 155": { + "ECON 169": { "prerequisites": [ - "SIO 102" + "ECON 3", + "and" ], - "name": "Whole Earth Geochemistry", - "description": "A geochemical overview of Earth materials and chemical processes involved in the Earth\u2019s evolution. Topics include formation and differentiation of the Earth, linkages between the solid Earth and the atmosphere/hydrosphere, and isotope and trace element composition of igneous and metamorphic rocks. ** Consent of instructor to enroll possible **" + "name": "Economics of Korea", + "description": "This course covers long-run economic development and current economic issues of South Korea. Topics include examination of major policy changes (e.g., shifts toward export promotion, heavy and chemical industries promotion); Korea\u2019s industrial structure, including the role of large enterprises (chaebol); role of government; and links between Korea and other countries. " }, - "SIO 160": { + "ECON 171": { "prerequisites": [ - "SIO 50" + "ECON 100A", + "and", + "ECON 120A", + "or", + "ECE 109", + "or", + "MATH 180A", + "or", + "MATH 183", + "or", + "MATH 186" ], - "name": "Introduction to Tectonics", - "description": "The theory of plate tectonics attempts to explain how forces within the Earth give rise to continents, ocean basins, mountain ranges, earthquake belts, and most volcanoes. In this course we will learn how plate tectonics works. ** Consent of instructor to enroll possible **" + "name": "Decisions Under Uncertainty", + "description": "Decision making when the consequences are uncertain. Decision trees, payoff tables, decision criteria, expected utility theory, risk aversion, sample information. " }, - "SIO 162": { + "ECON 172A": { "prerequisites": [ - "SIO 100" + "ECON 100A" ], - "name": "Structural Geology", - "description": "Principles of stratigraphy and structural geology applicable to field geologic studies. Discussion and laboratory exercises. Two to three field trips required. Program and/or materials fees may apply. ** Consent of instructor to enroll possible **" - }, - "SIO 164": { - "prerequisites": [], - "name": "Underwater Archaeology: From Atlantis to Science", - "description": "Underwater archaeology provides access to ancient environmental and cultural data concerning human adaptation to climate and environmental change. Provides an overview of methods, theories, and practice of marine archaeology including\u2014environmental characteristics of coastal and underwater settings; the nature of ports, navigation, maritime culture, submerged landscapes, shipbuilding; methods of research in underwater settings; and legislative issues regarding underwater and coastal heritage. Students may not receive credit for both ANAR 164 and SIO 164." - }, - "SIO 166": { - "prerequisites": [], - "name": "Introduction to Environmental Archaeology\u2014Theory and Method of Socioecodynamics and Human Paleoecology", - "description": "Introduction to the multidisciplinary tools for paleoenvironmental analysis\u2014from ecology, sedimentology, climatology, zoology, botany, chemistry, and others\u2014and provides the theory and method to investigate the dynamics between human behavior and natural processes. This socioecodynamic perspective facilitates a nuanced understanding of topics such as resource overexploitation, impacts on biodiversity, social vulnerability, sustainability, and responses to climate change. Students may not receive credit for ANAR 166 and SIO 166. " + "name": "Operations Research A", + "description": "Linear and integer programming, elements of zero-sum, two-person game theory, and specific combinatorial algorithms. Credit not allowed for both ECON 172A and MATH 171A. " }, - "SIO 167": { + "ECON 172B": { "prerequisites": [ - "ANTH 3", - "and", - "SIO 50" + "ECON 172A", + "or", + "MATH 171A" ], - "name": "Geoarchaeology in Theory and Practice", - "description": "As specialists in human timescales, archaeologists are trained to identify subtle details that are often imperceptible for other geoscientists. This course is designed to train archaeologists to identify the natural processes affecting the archaeological record, and geoscientists to identify the influence of human behavior over land surfaces. The course, which includes lectures, laboratory training, and field observations, focuses on the articulation of sedimentology and human activity. Students may not receive credit for both ANAR 167 and SIO 167. ** Consent of instructor to enroll possible **" + "name": "Operations Research B", + "description": "Nonlinear programming, deterministic and stochastic dynamic programming, queuing theory, search models, and inventory models. Credit not allowed for both ECON 172B and MATH 171B. " }, - "SIO 170": { + "ECON 173A": { "prerequisites": [ - "SIO 100", + "ECON 100A", "and", - "CHEM 6A", + "ECON 120B", "or", - "CHEM 6AH" + "MATH 181B" ], - "name": "Introduction to Volcanology", - "description": "This class will introduce students to the fundamentals of the science of volcanology. Topics explored will include the processes and products of various types of volcanism, magma genesis, eruptive mechanisms, in addition to volcanic monitoring, hazards and mitigation. Students may not receive credit for both SIO 170 and SIO 170GS. ** Consent of instructor to enroll possible **" - }, - "SIO 170GS": { - "prerequisites": [], - "name": "Introduction to Volcanology", - "description": "This class will introduce students to the fundamentals of the science of volcanology. Topics explored will include the processes and products of various types of volcanism, magma genesis, eruptive mechanisms, in addition to volcanic monitoring, hazards, and mitigation. Students may not receive credit for both SIO 170 and SIO 170GS. Program or material fee may apply. " + "name": "Financial Markets", + "description": "Financial market functions, institutions and\n\t\t\t\t instruments: stocks, bonds, cash instruments, derivatives (options),\n\t\t\t\t etc. Discussion of no-arbitrage arguments, as well as investors\u2019 portfolio\n\t\t\t\t decisions and the basic risk-return trade-off established in\n\t\t\t\t market equilibrium. " }, - "SIO 170L": { + "ECON 173B": { "prerequisites": [ - "SIO 170" + "ECON 4", + "or", + "MGT 4" ], - "name": "Introduction to Volcanology\u2014Field Experience", - "description": "This course teaches fundamental aspects of physical and chemical volcanology through a one- to two-week field study experience prior to the start of the quarter. Subjects are introduced in lectures and reinforced and expanded upon in field exercises. Additional fees may be required for travel expenses. Program or materials fees may apply. May be taken for credit two times. ** Consent of instructor to enroll possible ** ** Department approval required ** " + "name": "Corporate Finance", + "description": "Introduces the firm\u2019s capital budgeting decision, including methods for evaluation and ranking of investment projects, the firm\u2019s choice of capital structure, dividend policy decisions, corporate taxes, mergers and acquisitions. " }, - "SIO 171": { + "ECON 174": { "prerequisites": [ - "MATH 20C", - "and", - "PHYS 2C", - "or", - "PHYS 4C" + "ECON 173A" ], - "name": "Introduction to Physical Oceanography", - "description": "A physical description of the sea at the upper-division level, with emphasis on currents, waves, and turbulent motions that are observed in the ocean, and on the physics governing them. ** Consent of instructor to enroll possible **" + "name": "Financial Risk Management", + "description": "Risk measures, hedging techniques, value of risk to firms, estimation of optimal hedge ratio, risk management with options and futures. ECON 171 is recommended. " }, - "SIO 172": { + "ECON 176": { "prerequisites": [ - "MATH 20C", - "and", - "PHYS 2C" + "ECON 120C" ], - "name": "Physics of the Atmosphere", - "description": "This course provides an understanding of the physical principles governing the behavior of the Earth\u2019s atmosphere, with emphasis on the thermal structure and composition of the atmosphere, air masses and fronts, and atmospheric thermodynamics, fluid dynamics, and radiation. ** Consent of instructor to enroll possible **" + "name": "Marketing", + "description": "Role of marketing in the economy. Topics such as buyer behavior, marketing mix, promotion, product selection, pricing, and distribution. Concurrent enrollment in ECON 120C is permitted. " }, - "SIO 173": { + "ECON 178": { "prerequisites": [ - "MATH 20E", - "and", - "PHYS 2C" + "ECON 120C" ], - "name": "Dynamics of the Atmosphere and Climate", - "description": "Introduction to the dynamical principles governing the atmosphere and climate using observations, numerical models, and theory to understand atmospheric circulation, weather systems, severe storms, marine layer, Santa Ana winds, El Ni\u00f1o, climate variability, and other phenomena. ** Consent of instructor to enroll possible **" + "name": "Economic and Business Forecasting", + "description": "Survey of theoretical and practical aspects of statistical and economic forecasting. Such topics as long-run and short-run horizons, leading indicator analysis, econometric models, technological and population forecasts, forecast evaluation, and the use of forecasts for public policy. " }, - "SIO 174": { + "ECON 181": { "prerequisites": [ - "CHEM 6C", - "or", - "CHEM 6CH", + "ECON 1", "and", - "MATH 20C", - "or", - "MATH 31BH" + "ECON 3" ], - "name": "Chemistry of the Atmosphere and Oceans", - "description": "An introduction to chemical compounds and their biogeochemical cycles in the oceans and atmosphere, with emphasis on climate issues like ocean acidification, greenhouse gases and the carbon cycle, other biogeochemical cycles, chlorofluorocarbons and the ozone hole, urban pollutants and their photochemistry, and aerosol particles and their effects on clouds. ** Consent of instructor to enroll possible **" + "name": "Topics in Economics", + "description": "Selected topics in economics. May be taken for credit up to three times. " }, - "SIO 175": { + "ECON 182": { "prerequisites": [ - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH" + "ECON 100C" ], - "name": "Analysis of Oceanic and Atmospheric Data", - "description": "Oceanic and atmospheric observations produce large data sets whose understanding requires analysis using computers. This course will include an introduction to Matlab for the purpose of analyzing data. Students will use modern data sets from the ocean and atmosphere to learn statistical data analysis. ** Consent of instructor to enroll possible **" + "name": "Topics in Microeconomics", + "description": "Selected topics in microeconomics. " }, - "SIO 176": { + "ECON 183": { "prerequisites": [ - "SIO 171" + "ECON 110B" ], - "name": "Observational Physical Oceanography", - "description": "This course gives an introduction to the methods and measurements used by observational physical oceanographers. Topics covered include sensors such as conductivity-temperature-depth (CTD), acoustic Doppler current profiler (ADCP), platforms such as autonomous gliders and ships, and services such as satellite measurements. This course includes a research project. ** Consent of instructor to enroll possible **" + "name": "Topics in Macroeconomics", + "description": "May be taken for credit up to three times. " }, - "SIO 177": { + "ECON 191A": { + "prerequisites": [], + "name": "Senior Essay Seminar A", + "description": "Senior essay seminar for students with superior records in department majors. Students must complete ECON 191A and ECON 191B in consecutive quarters. " + }, + "ECON 191B": { + "prerequisites": [], + "name": "Senior Essay Seminar B", + "description": "Senior essay seminar for students with superior records in department majors. Students must complete ECON 191A and ECON 191B in consecutive quarters. " + }, + "ECON 195": { + "prerequisites": [], + "name": "Introduction to Teaching Economics", + "description": "Introduction to teaching economics. Each student will be responsible for a class section in one of the lower-division economics courses. Limited to advanced economics majors with at least a 3.5 GPA in upper-division economics work. (P/NP grades only.) Students may not earn more than eight units credit in 195 courses. ** Consent of instructor to enroll possible **" + }, + "ECON 198": { + "prerequisites": [], + "name": "Directed Group Study", + "description": "Directed study on a topic or in a group field not included in regular department curriculum by special arrangement with a faculty member. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + }, + "ECON 199": { + "prerequisites": [], + "name": "Independent Study", + "description": "Independent reading or research under the direction of and by special arrangement with a Department of Economics faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" + }, + "CLAS 196": { + "prerequisites": [], + "name": "Directed Honors Thesis in Classical Studies", + "description": "BA honors thesis research under the direction of a member of a classical studies program faculty. ** Consent of instructor to enroll possible **" + }, + "HIEU 101": { + "prerequisites": [], + "name": "Greece in the Classical Age", + "description": "Concurrent enrollment with advanced undergraduate courses (either Greek 105 or Latin 105) with enhanced readings and separate examinations. May be repeated for credit as topics vary. " + }, + "HIEU 101A": { + "prerequisites": [], + "name": "Ancient Greek Civilization", + "description": "Supervised independent research. Subject varies. " + }, + "CCS 101": { + "prerequisites": [], + "name": "Carbon Neutrality Initiative at University of California", + "description": "The University of California-wide goals of the Carbon Neutrality Initiative are introduced through a series of modules where students learn basic principles of carbon neutrality, participate in seminars with campus operations staff, and tour relevant campus infrastructure including the UC San Diego microgrid, Leadership in Energy and Environmental Design (LEED) certified buildings, and sustainable transportation efforts. " + }, + "CCS 102": { + "prerequisites": [], + "name": "Research Perspectives on Climate Change", + "description": "This course introduces students to exciting and current research topics related to climate change as presented by faculty and researchers across UC San Diego. The course is offered as a series of reading topics followed by seminars on original research presented by faculty and researchers. " + }, + "CCS 197": { "prerequisites": [ - "PHYS 2A", - "and", - "MATH 20D", - "and", - "MATH 20E" + "CCS 101", + "CCS 102", + "and" ], - "name": "Fluid Dynamics", - "description": "This course gives an introduction to ocean and atmosphere fluid properties, statics, and kinematics; fluid conservation laws; irrotational flow; Bernoulli equation; gravity waves; shallow water equations; geophysical applications. ** Consent of instructor to enroll possible **" + "name": "Carbon Neutrality Internship", + "description": "A campus-based internship, typically designed by the student, that will help the university meet our stated carbon neutrality goals. The project can be developed either individually or as part of a team. A written contract involving all parties will include learning objectives, a paper or project outline, and means of supervision and progress evaluation. May be taken for credit up to three times for a maximum of eight units. P/NP grades only. " }, - "SIO 178": { + "CCS 199": { "prerequisites": [ - "PHYS 2C", - "and", - "SIO 177", - "and", - "MATH 18", - "or", - "MATH 20F", - "or", - "MATH 31AH" + "CCS 101", + "CCS 102", + "and" ], - "name": "Geophysical Fluid Dynamics", - "description": "This course provides an introductory look at physical principles governing ocean currents and atmospheric flow. Topics may include large-scale circulation, ocean eddies, atmospheric storms systems, coastal upwelling, equatorial dynamics, and internal waves. ** Consent of instructor to enroll possible **" + "name": "Supervised Independent Study or Research", + "description": "Independent reading or research on a topic related to climate change by special arrangement with a faculty member. May be taken for credit up to three times for a maximum of eight units. P/NP grades only. " }, - "SIO 179": { + "ECE 5": { + "prerequisites": [], + "name": "Introduction to Electrical and Computer Engineering", + "description": "An introduction to electrical and computer engineering. Topics include circuit theory, assembly, and testing, embedded systems programming and debugging, transducer mechanisms and interfacing transducers, signals and systems theory, digital signal processing, and modular design techniques. " + }, + "ECE 15": { + "prerequisites": [], + "name": "Engineering Computation", + "description": "Students learn the C programming language with an emphasis on high-performance numerical computation. The commonality across programming languages of control structures, data structures, and I/O is also covered. Techniques for using Matlab to graph the results of C computations are developed. " + }, + "ECE 16": { "prerequisites": [ - "CHEM 6A", + "MAE 8", "or", - "CHEM 6AH", + "CSE 8B", "or", - "PHYS 2A", + "CSE 11", "or", - "PHYS 4A" + "ECE 15" ], - "name": "Ocean Instruments and Sensors", - "description": "Apply modern and classic techniques for analysis of seawater, introducing concepts of signal transduction, calibration, and measurement quality control. Emphasis will be placed on computer automation to perform basic functions including instrument control, data storage, and on-the-fly calculations. Students will apply techniques from several branches of engineering to the marine sciences. Students may not receive credit for both SIO 179 and SIO 190 with the same subtitle. Recommended preparation: PHYS 2A-C or PHYS 4A-C. ** Consent of instructor to enroll possible **" + "name": "Rapid Hardware and Software Design for Interfacing with the World", + "description": "Students are introduced to embedded systems concepts with structured development of a computer controller based on electromyogram (EMG) signals through four lab assignments through the quarter. Key concepts include sampling, signal processing, communication, and real-time control. Students will apply their prior knowledge in C (from ECE15) to program microcontrollers and will engage in data analysis using the Python programming language. " }, - "SIO 180": { + "ECE 17": { "prerequisites": [ - "CHEM 6A", + "CSE 8B", "or", - "SIO 50", + "CSE 11", "or", - "BILD 1" + "ECE 15" ], - "name": "Communicating Science to Informal Audiences", - "description": "Students develop fundamental science communication and instructional skills through the understanding and application of learning theory, interpretive techniques, and pedagogical practices, which occur in the context of communicating ocean science concepts to a diverse audience at Birch Aquarium at Scripps. ** Consent of instructor to enroll possible **" + "name": "Object-Oriented Programming: Design and Development with C++", + "description": "This course combines the fundamentals of object-oriented design in C++, with the programming, debugging, and testing practices used by modern software developers. Emphasizes the use of object-oriented techniques to model and reason about system design, and using modern C++ idioms, design patterns, and the Standard Template Library (STL) to develop solutions to systems engineering challenges that are more reliable, robust, scalable, and secure. " }, - "SIO 181": { + "ECE 25": { "prerequisites": [], - "name": "Marine Biochemistry", - "description": "Biochemical mechanisms of adaptation in organisms to the marine environment. Special emphasis will be on the effects of pressure, temperature, salinity, oxygen, and light on the physiology and biochemistry. (Students may not receive credit for both SIO 181 and BIBC 130.) " - }, - "SIO 182": { - "prerequisites": [ - "BILD 3" - ], - "name": "Environmental\n\t and Exploration Geophysics", - "description": "Lecture and laboratory course emphasizing the biology, ecology and taxonomy of marine plants and seaweeds. Laboratory work mainly involves examination, slide preparation and dissection of fresh material collected locally. An oral presentation on a current research topic is required. Program or course fee may apply. ** Consent of instructor to enroll possible **" + "name": "Introduction to Digital Design", + "description": "This course emphasizes digital electronics. Principles introduced in lectures are used in laboratory assignments, which also serve to introduce experimental and design methods. Topics include Boolean algebra, combination and sequential logic, gates and their implementation in digital circuits. (Course materials and/or program fees may apply.) " }, - "SIO 183": { + "ECE 30": { "prerequisites": [ - "BILD 3" + "ECE 15", + "and" ], - "name": "Phycology: Marine Plant Biology", - "description": "Course emphasizing the diversity, evolution and functional morphology of marine invertebrates. Laboratory work involves examination of live and prepared specimens. An oral presentation and a paper on current research topic is required. Program or course fee may apply. ** Consent of instructor to enroll possible **" + "name": "Introduction to Computer Engineering", + "description": "The fundamentals of both the hardware and\n\t\t\t\t software in a computer system. Topics include representation of information,\n\t\t\t\t computer organization and design, assembly and microprogramming, current\n\t\t\t\t technology in logic design. " }, - "SIO 184": { + "ECE 35": { "prerequisites": [ - "BILD 1", + "MATH 18", "and", - "SIO 132", - "or", - "SIO 134" - ], - "name": "Marine Invertebrates", - "description": "Techniques and theory in marine microbiology. Students perform experiments concerning (a) enrichment, enumeration, and identification, and (b) metabolic and physiochemical adaptations, along with an independent project. Students may not receive credit for both SIO 126L and SIO 185. ** Consent of instructor to enroll possible **" - }, - "SIO 185": { - "prerequisites": [ - "BILD 3" + "PHYS 2A" ], - "name": "Marine Microbiology Laboratory", - "description": "Introduction to statistical inference. Emphasis on constructing statistics for specific problems in marine biology. Topics include probability, distributions, sampling, replication, and experimental design. Students may not receive credit for both SIO 187 and BIEB 100. ** Consent of instructor to enroll possible **" + "name": "Introduction to Analog Design", + "description": "Fundamental circuit theory concepts, Kirchhoff\u2019s voltage and current laws, Thevenin\u2019s and Norton\u2019s theorems, loop and node analysis, time-varying signals, transient first order circuits, steady-state sinusoidal response. MATH 20C and PHYS 2B must be taken concurrently. Program or materials fees may apply. " }, - "SIO 187": { + "ECE 45": { "prerequisites": [ - "BILD 3" + "ECE 35" ], - "name": "Statistical Methods in Marine Biology", - "description": "The comparative evolution, morphology, physiology, and ecology of fishes. Special emphasis on local, deep-sea, and pelagic forms in laboratory. ** Consent of instructor to enroll possible **" + "name": "Circuits and Systems", + "description": "Steady-state circuit analysis, first and second order systems, Fourier Series and Transforms, time domain analysis, convolution, transient response, Laplace Transform, and filter design. " }, - "SIO 188": { + "ECE 65": { "prerequisites": [ - "CHEM 6C", - "and", - "BILD 1" + "ECE 35" ], - "name": "Biology of Fishes", - "description": "The goal is to understand the scope of the pollution problem facing the planet. Students will learn the properties of chemicals in the environment and survey the biological mechanisms that determine their accumulation and toxicity. ** Consent of instructor to enroll possible **" - }, - "SIO 189": { - "prerequisites": [], - "name": "Pollution, Environment and Health", - "description": "A seminar course designed to treat emerging or topical subjects in the earth, ocean, or atmospheric sciences. Involves lectures, reading from the literature, and student participation in discussion. Topics vary from year to year. May be taken for credit two times. Enrollment by consent of instructor. ** Consent of instructor to enroll possible **" + "name": "Components and Circuits Laboratory", + "description": "Introduction to linear and nonlinear components and circuits. Topics will include two terminal devices, bipolar and field-effect transistors, and large and small signal analysis of diode and transistor circuits. (Program or materials fees may apply.) " }, - "SIO 190": { + "ECE 85": { "prerequisites": [], - "name": "Special Topics in Earth, Oceans, and Atmosphere", - "description": "The Senior Seminar Program is designed to allow Scripps Institution of Oceanography senior undergraduates to meet with faculty members in a small group setting to explore an intellectual topic in Scripps Oceanography (at the upper-division level). Topics will vary from quarter to quarter. Senior Seminars may be taken for credit up to four times, with a change in topic, and permission of the department. Enrollment is limited to twenty students, with preference given to seniors. " + "name": "iTunes 101: A Survey of Information Technology", + "description": "Topics include how devices such as iPods and iPhones generate, transmit, receive and process information (music, images, video, etc.), the relationship between technology and issues such as privacy and \u201cnet neutrality,\u201d and current topics related to information technology. " }, - "SIO 192": { + "ECE 87": { "prerequisites": [], - "name": "Senior Seminar\n\t\t\t\t in Scripps Institution of Oceanography", - "description": "Course attached to a six- to eight-unit internship taken by students participating in the UCDC Program. Involves weekly seminar meetings with faculty and teaching assistant and a substantial research paper. " + "name": "Freshman Seminar", + "description": "The Freshman Seminar program is designed to provide new students with the opportunity to explore an intellectual topic with a faculty member in a small seminar setting. Freshman Seminars are offered in all campus departments and undergraduate colleges, and topics vary from quarter to quarter. Enrollment is limited to fifteen to twenty students, with preference given to entering freshmen. " }, - "SIO 194": { + "ECE 90": { "prerequisites": [], - "name": "Research Seminar in Washington, DC", - "description": "Introduction to teaching earth sciences class section in a lower-division class, hold office hours, assist with examinations. This course counts only once toward the major. ** Consent of instructor to enroll possible **" + "name": "Undergraduate Seminar", + "description": "This seminar class will provide a broad review of current research topics in both electrical engineering and computer engineering. Typical subject areas are signal processing, VLSI design, electronic materials and devices, radio astronomy, communications, and optical computing. " }, - "SIO 195": { + "ECE 100": { "prerequisites": [ - "SIO courses" + "ECE 45", + "and", + "ECE 65" ], - "name": "Methods of Teaching Earth Sciences", - "description": "Course is for student participants in the senior honors thesis research program. Students complete individual research on a problem by special arrangement with, and under the direction of, a Scripps Institution of Oceanography faculty member. May be taken for credit two times. " - }, - "SIO 196": { - "prerequisites": [], - "name": "Honors Thesis Research", - "description": "The earth science internship program is designed to complement the program\u2019s academic curriculum with practical field experience. " - }, - "SIO 197": { - "prerequisites": [], - "name": "Earth Science Internship", - "description": "This internship will examine basic science learning theory and interpretive techniques best suited for learners in an aquarium or informal learning setting. Students will demonstrate learned skills by facilitating floor-based interactions and conducting visitor surveys that influence aquarium exhibit design and guest experiences. Interested students should contact the Scripps undergraduate office for application instructions. P/NP grades only. ** Upper-division standing required ** " - }, - "SIO 197BA": { - "prerequisites": [], - "name": "Birch Aquarium Internship", - "description": "This course covers a variety of directed group studies in areas not covered by formal Scripps Oceanography courses. (P/NP grades only.) ** Consent of instructor to enroll possible **" - }, - "SIO 198": { - "prerequisites": [], - "name": "Directed Group Study", - "description": "Independent reading or research on a problem. By special arrangement with a faculty member. (P/NP grades only.)\n" - }, - "SIO 199": { - "prerequisites": [], - "name": "Independent Study for Undergraduates", - "description": "A three-quarter required sequence for BS/MS earth sciences students to prepare students for thesis writing. " - }, - "LAWS 101": { - "prerequisites": [], - "name": "Contemporary Legal Issues", - "description": "This course will deal in depth each year with a different legal issue of contemporary significance, viewed from the perspectives of political science, history, sociology, and philosophy. Required for students completing the Law and Society minor. May be repeated for credit once, for a maximum total of eight units. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "LAWS 102S": { - "prerequisites": [], - "name": "Crimes, Civil Wrongs, and Constitution", - "description": "Through lectures and discussions on several controversial topics, students are introduced to the subjects taught in the first year of law school. They learn briefing, case analysis, and the Socratic method of instruction, engage in role-playing exercises, and take law-school examinations. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " - }, - "USP 1": { - "prerequisites": [], - "name": "History of US Urban Communities", - "description": "This course charts the development of urban communities across the United States both temporally and geographically. It examines the patterns of cleavage, conflict, convergence of interest, and consensus that have structured urban life. Social, cultural, and economic forces will be analyzed for the roles they have played in shaping the diverse communities of America\u2019s cities. " - }, - "USP 2": { - "prerequisites": [], - "name": "Urban World System", - "description": "Examines cities and the environment in a global context. Emphasizes how the world\u2019s economy and the earth\u2019s ecology are increasingly interdependent. Focuses on biophysical and ethicosocial concerns rooted in the contemporary division of labor among cities, Third World industrialization, and the post-industrial transformation of US cities. " + "name": "Linear Electronic Systems", + "description": "Linear active circuit and system design. Topics include frequency response; use of Laplace transforms; design and stability of filters using operational amplifiers. Integrated lab and lecture involves analysis, design, simulation, and testing of circuits and systems. Program or materials fees may apply. " }, - "USP 3": { - "prerequisites": [], - "name": "The City and Social Theory", - "description": "An introduction to the sociological study of cities, focusing on urban society in the United States. Students in the course will examine theoretical approaches to the study of urban life; social stratification in the city; urban social and cultural systems\u2013ethnic communities, suburbia, family life in the city, religion, art, and leisure.\t\t" + "ECE 101": { + "prerequisites": [ + "ECE 45" + ], + "name": "Linear Systems Fundamentals", + "description": "Complex variables. Singularities and residues. Signal and system analysis in continuous and discrete time. Fourier series and transforms. Laplace and z-transforms. Linear Time Invariant Systems. Impulse response, frequency response, and transfer functions. Poles and zeros. Stability. Convolution. Sampling. Aliasing. " }, - "USP 4": { - "prerequisites": [], - "name": "Introduction to Geographic Information Systems", - "description": "This course provides an entry-level introduction to Geographic Information Systems (GIS) and using GIS to make decisions: acquiring data and organizing data in useful formats, demographic mapping, and geocoding." + "ECE 102": { + "prerequisites": [ + "ECE 65", + "and", + "ECE 100" + ], + "name": "Introduction to Active Circuit Design", + "description": "Nonlinear active circuits design. Nonlinear device models for diodes, bipolar and field-effect transistors. Linearization of device models and small-signal equivalent circuits. Circuit designs will be simulated by computer and tested in the laboratory. " }, - "USP 5": { - "prerequisites": [], - "name": "Introduction to the Real Estate and Development Process", - "description": "This course introduces students to the terminology, concepts, and basic practices of real estate finance and development. It surveys real estate law, appraisal, marketing, brokerage, management, finance, investment analysis, and taxation." + "ECE 103": { + "prerequisites": [ + "ECE 65", + "and", + "PHYS 2D", + "or", + "PHYS 4D", + "and" + ], + "name": "Fundamentals of Devices and Materials", + "description": "Introduction to semiconductor materials and devices. Semiconductor crystal structure, energy bands, doping, carrier statistics, drift and diffusion, p-n junctions, metal-semiconductor junctions. Bipolar junction transistors: current flow, amplification, switching, nonideal behavior. Metal-oxide-semiconductor structures, MOSFETs, device scaling. " }, - "USP 15": { - "prerequisites": [], - "name": "Applied Urban Economics for Planning and Development", - "description": "This course explores how economics contributes to understanding and solving urban problems using a \u201clearn by doing\u201d approach. Economic analysis will be applied to important issues that planners and developers must deal with, such as land markets, housing, and zoning.\n " + "ECE 107": { + "prerequisites": [ + "PHYS 2A\u2013C", + "and", + "ECE 45" + ], + "name": "Electromagnetism", + "description": "Electrostatics and magnetostatics; electrodynamics;\n\t\t\t\t Maxwell\u2019s equations; plane waves; skin effect. Electromagnetics of\n\t\t\t\t transmission lines: reflection and transmission at discontinuities, Smith\n\t\t\t\t chart, pulse propagation, dispersion. Rectangular waveguides. Dielectric\n\t\t\t\t and magnetic properties of materials. Electromagnetics of circuits. " }, - "USP 25": { - "prerequisites": [], - "name": "Real Estate and Development Principles and Analysis", - "description": "This course will analyze the concepts related to the planning, development, leasing, valuation, and financing of real estate. There will be special emphasis on critical thinking and analytical decision-making by solving real estate problems primarily using Excel and Argus." + "ECE 108": { + "prerequisites": [ + "ECE 25", + "or", + "CSE 140", + "and", + "and", + "ECE 30", + "or", + "CSE 30" + ], + "name": "Digital Circuits", + "description": "A transistor-level view of digital integrated circuits. CMOS combinational logic, ratioed logic, noise margins, rise and fall delays, power dissipation, transmission gates. Short channel MOS model, effects on scaling. Sequential circuits, memory and array logic circuits. Three hours of lecture, one hour of discussion, three hours of laboratory. " }, - "USP 50": { - "prerequisites": [], - "name": "Real Estate and Development Colloquium", - "description": "In this course, students will attend weekly seminars presented by leading researchers and practitioners in the field of real estate and development. Students will learn about best practices and innovative case studies from the field. Recommended for students interested in the real estate and development minor or major." + "ECE 109": { + "prerequisites": [ + "MATH 20A-B", + "MATH 20D", + "MATH 20C", + "or", + "MATH 31BH", + "and", + "MATH 31AH", + "or", + "MATH 18" + ], + "name": "Engineering Probability and Statistics", + "description": "Axioms of probability, conditional probability,\n\t\t\t\t theorem of total probability, random variables, densities, expected values,\n\t\t\t\t characteristic functions, transformation of random variables, central limit\n\t\t\t\t theorem. Random number generation, engineering reliability, elements of\n\t\t\t\t estimation, random sampling, sampling distributions, tests for hypothesis.\n\t\t\t\t Students who completed MAE 108, MATH 180A\u2013B, MATH 183, MATH 186, ECON 120A, or ECON 120AH will not receive credit for ECE 109. " }, - "USP 100": { - "prerequisites": [], - "name": "Introduction to Urban Planning", - "description": "This course is designed to provide an introduction to the fundamentals of urban planning. It surveys important topics in urban planning, including economic development, urban design, transportation, environmental planning, housing, and the history of urban planning. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 111": { + "prerequisites": [ + "ECE 25", + "or", + "CSE 140" + ], + "name": "Advanced Digital Design Project", + "description": "Advanced topics in digital circuits and systems. Use of computers and design automation tools. Hazard elimination, synchronous/asynchronous FSM synthesis, synchronization and arbitration, pipelining and timing issues. Problem sets and design exercises. A large-scale design project. Simulation and/or rapid prototyping. " }, - "USP 101": { - "prerequisites": [], - "name": "Introduction to Policy Analysis", - "description": "(Same as POLI 160AA.) This course will explore the process by which the preferences of individuals are converted into public policy. Also included will be an examination of the complexity of policy problems, methods for designing better policies, and a review of tools used by analysts and policy makers. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 115": { + "prerequisites": [ + "ECE 16" + ], + "name": "Fast Prototyping", + "description": "Lab-based course. Students will learn how to prototype a mechatronic solution. Topics include cheap/accessible materials and parts; suppliers; fast prototyping techniques; useful electronic sketches and system integration shortcuts. Students will learn to materialize their electromechanical ideas and make design decisions to minimize cost, improve functionality/robustness. Labs will culminate toward a fully functional robot prototype for demonstration. ** Consent of instructor to enroll possible **" }, - "USP 102": { + "ECE 118": { "prerequisites": [ - "ECON 2", + "ECE 30", + "or", + "CSE 30", "and", - "MATH 10A" + "ECE 35" ], - "name": "Urban Economics", - "description": "(Same as ECON 135.) Economic analysis of why and where cities develop, patterns of land use in cities, why cities sub-urbanize, and the pattern of urban commuting. The course also examines problems of urban congestion, air pollution, zoning, poverty, and crime, and discusses public policies to deal with them. Credit not allowed for both ECON 135 and USP 102. " + "name": "Computer Interfacing", + "description": "Interfacing computers and embedded controllers\n\t\t\t\t to the real world: busses, interrupts, DMA, memory mapping, concurrency,\n\t\t\t\t digital I/O, standards for serial and parallel communications, A/D, D/A,\n\t\t\t\t sensors, signal conditioning, video, and closed loop control. Students\n\t\t\t\t design and construct an interfacing project. (Course materials and/or program\n\t\t\t\t fees may apply.) " }, - "USP 104": { - "prerequisites": [], - "name": "Ethnic Diversity and the City", - "description": "(Same as ETHN 105.) This course will examine the city as a crucible of ethnic identity exploring both the racial and ethnic dimensions of urban life in the United States from the Civil War to the present. " + "ECE 120": { + "prerequisites": [ + "PHYS 2A\u2013C", + "MATH 20A\u2013B" + ], + "name": "Solar System Physics", + "description": "General introduction to planetary bodies,\n\t\t\t\t the overall structure of the solar system, and space plasma\n\t\t\t\t physics. Course emphasis will be on the solar atmosphere, how\n\t\t\t\t the solar wind is produced, and its interaction with both magnetized\n\t\t\t\t and unmagnetized planets (and comets). " }, - "USP 105": { - "prerequisites": [], - "name": "Urban Sociology", - "description": "(Same as SOCI 153.) Introduces students\n\t\t\t\t to the major approaches in the sociological study of cities and to what\n\t a sociological analysis can add to our understanding of urban processes. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 121A": { + "prerequisites": [ + "ECE 35" + ], + "name": "Power Systems Analysis and Fundamentals", + "description": "This course introduces concepts of large-scale power system analysis: electric power generation, distribution, steady-state analysis and economic operation. It provides the fundamentals for advanced courses and engineering practice on electric power systems, smart grid, and electricity economics. The course requires implementing some of the computational techniques in simulation software. " }, - "USP 106": { - "prerequisites": [], - "name": "The History of Race and Ethnicity in American Cities", - "description": "(Same as HIUS 129.) This class examines the history of racial and ethnic groups in American cities. It looks at major forces of change such as immigration to cities, political empowerment, and social movements, as well as urban policies such as housing segregation. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 121B": { + "prerequisites": [ + "ECE 121A" + ], + "name": "Energy Conversion", + "description": "Principles of electro-mechanical energy conversion, balanced three-phase systems, fundamental concepts of magnetic circuits, single-phase transformers, and the steady-state performance of DC and induction machines. Students may not receive credit for both ECE 121B and ECE 121. " }, - "USP 107": { - "prerequisites": [], - "name": "Urban Politics", - "description": "(Same as POLI 102E.) This survey course focuses upon the following six topics: the evolution of urban politics since the mid-nineteenth century; the urban fiscal crisis; federal/urban relationships; the \u201cnew\u201d politics; urban power structure and leadership; and selected contemporary policy issues such as downtown redevelopment, poverty, and race. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 123": { + "prerequisites": [ + "ECE 107" + ], + "name": "Antenna Systems Engineering", + "description": "The electromagnetic and systems engineering of radio antennas for terrestrial wireless and satellite communications. Antenna impedance, beam pattern, gain, and polarization. Dipoles, monopoles, paraboloids, phased arrays. Power and noise budgets for communication links. Atmospheric propagation and multipath. " }, - "USP 109": { - "prerequisites": [], - "name": "California Government and Politics", - "description": "(Same as POLI 103A.) This survey course explores six topics: 1) the state\u2019s political history; 2) campaigning, the mass media, and elections; 3) actors and institutions in the making of state policy; 4) local government; 5) contemporary policy issues; e.g., Proposition 13, school desegregation, crime, housing and land use, transportation, water; 6) California\u2019s role in national politics. " + "ECE 124": { + "prerequisites": [ + "ECE 121A" + ], + "name": "Motor Drives", + "description": "Power generation, system, and electronics. Topics include power semiconductor devices and characteristics, single-phase and three-phase half and full controlled AC-to-DC rectifiers, nonisolated/isolated DC-DC converters, power loss calculation, and thermal considerations, Snubber circuits. " }, - "USP 110": { - "prerequisites": [], - "name": "Advanced Topics in Urban Politics", - "description": "(Same as POLI 102J.) Building upon the introductory urban politics course, the advanced topics course explores issues such as community power, minority empowerment, and the politics of growth. A research paper is required. Students may not receive credit for both POLI 102J and USP 110. " + "ECE 125A": { + "prerequisites": [ + "ECE 125A" + ], + "name": "Introduction to Power Electronics I", + "description": "Design and control of DC-DC converters, PWM rectifiers, single-phase and three-phase inverters, power management, and power electronics applications in renewable energy systems, motion control, and lighting. " }, - "USP 113": { + "ECE 125B": { "prerequisites": [], - "name": "Politics and Policymaking in Los Angeles", - "description": "(Same as POLI 103B.) This course examines politics and policymaking in the five-county Los Angeles region. It explores the historical development of the city, suburbs, and region; politics, power, and governance; and major policy challenges facing the city and metropolitan area. " + "name": "Introduction to Power Electronics II", + "description": "Provides practical insights into the operation of the power grid. Covers the same subjects that actual power system operators\u2019 certification course covers. It systematically describes the vital grid operators\u2019 functions and the processes required to operate the system. Uses actual case histories, and real examples of best in-class approaches from across the nation and the globe. Presents the problems encountered by operators and the enabling solutions to remedy them. " }, - "USP 114": { + "ECE 128A": { "prerequisites": [ - "COMM 10", - "or", - "USP 2" + "ECE 35", + "and", + "ECE 128A" ], - "name": "Communication and Social Institutions: Science Communication", - "description": "(Same as COMM 114T.) Examine science communication as a profession and unique form of storytelling. Identify who does science communication; how, why, and with what impacts. Highlight science communication\u2019s role in democracy, power, public reason, technological trajectories, the sustainability transition, and shifting university-community relations. " - }, - "USP 115": { - "prerequisites": [], - "name": "Politics and Policymaking in San Diego", - "description": "(Same as POLI 103C.) This course examines how major policy decisions are made in San Diego. In analyses the region\u2019s power structure (including the roles of nongovernmental organizations and the media), governance systems and reform efforts, and the politics of major infrastructure projects. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Real World Power Grid Operation", + "description": "In-depth coverage of the future power grids. Covers the practical aspects of the technologies, their design and system implementation. Topics include the changing nature of the grid with renewable resources, smart meters, synchrophasors (PMU), microgrids, distributed energy resources, and the associated information and communications infrastructures. Presents actual examples and best practices. Students will be provided with various tools. " }, - "USP 116": { - "prerequisites": [], - "name": "California\n\t\t Local Government: Finance and Administration", - "description": "(Same as POLI 103D.) This course surveys public finance and administration. It focuses upon California local governments\u2014cities, counties, and special districts\u2014and also examines state and federal relationships. Topics explored include revenue, expenditure, indebtedness, policy responsibilities, and administrative organization and processes. " + "ECE 128B": { + "prerequisites": [ + "ECE 128B" + ], + "name": "Power Grid Modernization", + "description": "This course offers unique insight and practical answers through examples, of how power systems can be affected by weather and what/how countermeasures can be applied to mitigate them to make the system more resilient. Detailed explanations of the impacts of extreme weather and applicable industry standards and initiatives. Proven practices for successful restoration of the power grid, increased system resiliency, and ride-through after extreme weather providing real examples from around the globe. " }, - "USP 120": { - "prerequisites": [], - "name": "Urban Planning, Infrastructure, and Real Estate", - "description": "This course will explore\n the interrelationships of urban planning, public infrastructure,\n and real estate development. These\n three issues are critical to an examination of the major challenges\n facing California\u2019s and America\u2019s major metropolitan centers. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 128C": { + "prerequisites": [ + "PHYS 2C\u2013D" + ], + "name": "Power Grid Resiliency to Adverse Effects", + "description": "Electronic materials science with emphasis\n\t\t\t\t on topics pertinent to microelectronics and VLSI technology.\n\t\t\t\t Concept of the course is to use components in integrated circuits to discuss\n\t\t\t\t structure, thermodynamics, reaction kinetics, and electrical properties\n\t\t\t\t of materials. " }, - "USP 121": { - "prerequisites": [], - "name": "Real Estate Law and Regulation", - "description": "Examination of regulation of real estate development, as it affects landowners, developers and others private sector actors. Includes underlying public policies, establishment and enforcement of laws and regulations, application of regulations to individual projects, and political considerations in implementing regulations. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 134": { + "prerequisites": [ + "ECE 103" + ], + "name": "Electronic\n\t\t Materials Science of Integrated Circuits", + "description": "Crystal structure and quantum theory of solids; electronic band structure; review of carrier statistics, drift and diffusion, p-n junctions; nonequilibrium carriers, imrefs, traps, recombination, etc; metal-semiconductor junctions and heterojunctions. " }, - "USP 122": { - "prerequisites": [], - "name": "Redevelopment\n Planning, Policymaking, and Law", - "description": "This course examines key elements of land use, planning, and\n law as related to urban redevelopment. It focuses on San Diego\n case studies, including the Petco Park/East Village redevelopment\n project and the Naval Training Center (NTC) Redevelopment Area\n (Liberty Station). ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 135A": { + "prerequisites": [ + "ECE 135A" + ], + "name": "Semiconductor Physics", + "description": "Structure and operation of bipolar junction transistors, junction field-effect transistors, metal-oxide-semiconductor diodes and transistors. Analysis of dc and ac characteristics. Charge control model of dynamic behavior. " }, - "USP 123": { - "prerequisites": [], - "name": "Law, Planning, and Public Policy", - "description": "Examination of the intersection of law and policy, in the form of processes and institutions, as they affect decision-making and program implementation in urban planning and design. Opportunities and constraints in making law and policy. Application to specific case examples. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 135B": { + "prerequisites": [ + "ECE 135B" + ], + "name": "Electronic Devices", + "description": "Laboratory fabrication of diodes and field-effect transistors covering photolithography, oxidation, diffusion, thin film deposition, etching and evaluation of devices. (Course materials and/or program fees may apply.) " }, - "USP 124": { + "ECE 136L": { "prerequisites": [], - "name": "Land Use Planning", - "description": "Introduction to land use planning in the United States: zoning and subdivision, regulation, growth management, farmland preservation, environmental protection, and comprehensive planning. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Microelectronics Laboratory", + "description": "A laboratory course covering the concept and practice of microstructuring science and technology in fabricating devices relevant to sensors, lab-chips and related devices. (Course materials and/or program fees may apply.) ** Upper-division standing required ** " }, - "USP 125": { - "prerequisites": [], - "name": "The Design of Social Research", - "description": "Research methods are tools for improving knowledge. Beginning with a research question, students will learn to select appropriate methods for sampling, collecting, and analyzing data to improve their research activities and research results. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 138L": { + "prerequisites": [ + "CSE 8B", + "or", + "CSE 11", + "or", + "ECE 15" + ], + "name": "Microstructuring\n\t\t Processing Technology Laboratory", + "description": "Building on a solid foundation of electrical and computer engineer skills, this course strives to broaden student skills in software, full-stack engineering, and concrete understanding of methods related to the realistic development of a commercial product. Students will research, design, and develop an IOT device to serve an emerging market. " }, - "USP 126": { - "prerequisites": [], - "name": "Comparative Land Use and Resource Management", - "description": "(Same as ETHN 190.) The course offers students the basic research methods with which to study ethnic and racial communities. The various topics to be explored include human and physical geography, transportation, employment, economic structure, cultural values, housing, health, education, and intergroup relations. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 140A": { + "prerequisites": [ + "ECE 140A" + ], + "name": "The Art of Product Engineering I", + "description": "Building on a solid foundation of electrical and computer engineer skills, this course strives to broaden student skills in software, full-stack engineering, and concrete understanding of methods related to the realistic development of a commercial product. Students will research, design, and develop an IOT device to serve an emerging market. " }, - "USP 129": { - "prerequisites": [], - "name": "Research Methods:\n\t\t Studying Racial and Ethnic Communities", - "description": "(Same as ETHN 107.) This is a research course examining social, economic, and political issues in ethnic and racial communities through fieldwork. Topics are examined through a variety of research methods which may include interviews and archival, library, and historical research. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 140B": { + "prerequisites": [ + "CSE 30", + "or", + "ECE 30" + ], + "name": "The Art of Product Engineering II", + "description": "Software analysis, design, and development. Data structures, algorithms, and design and development idioms in C++. Students will gain broad experience using object-oriented methods and design patterns. Through increasingly difficult challenges, students will gain valuable real-world experience building, testing, and debugging software, and develop a robust mental model of modern software design and architecture. " }, - "USP 130": { - "prerequisites": [], - "name": "Fieldwork in Racial and Ethnic Communities", - "description": "Craft breweries are emerging as a significant part of the economy in US cities. This course examines the rise and impact of craft breweries in city life with a focus on tourism, urban culture, local job growth, and urban revitalization. " + "ECE 141A": { + "prerequisites": [ + "ECE 141A" + ], + "name": "Software Foundations I", + "description": "ECE 141B builds upon the solid C++ foundation of ECE 141A. Students will model and build a working database management solution in C++. Topics include STL, design patterns, parsing, searching and sorting, algorithmic thinking, and design partitioning. The course will continue to explore best practices in software development, debugging, and testing. " }, - "USP 131": { - "prerequisites": [], - "name": "Culture, Tourism, and the Urban Economy: Case Studies of Craft Breweries", - "description": "(Same as ETHN 188.) This course details the history of African American migration to urban areas after World War I and World War II and explores the role of religion in their lives as well as the impact that their religious experiences had upon the cities in which they lived. " + "ECE 141B": { + "prerequisites": [ + "ECE 16" + ], + "name": "Software Foundations II", + "description": "This course covers the fundamentals of using the Python language effectively for data analysis. Students learn the underlying mechanics and implementation specifics of Python and how to effectively utilize the many built-in data structures and algorithms. The course introduces key modules for data analysis such as Numpy, Pandas, and Matplotlib. Participants learn to leverage and navigate the vast Python ecosystem to find codes and communities of individual interest. " }, - "USP 132": { - "prerequisites": [], - "name": "African Americans, Religion, and the City", - "description": "(Same as SOCI 152.) Primary focus on understanding\n\t\t\t\t and analyzing poverty and public policy. Analysis of how current debates\n\t\t\t\t and public policy initiatives mesh with alternative social scientific explanations\n\t\t\t of poverty. " + "ECE 143": { + "prerequisites": [ + "CSE 11", + "or", + "CSE 8B", + "or", + "ECE 15" + ], + "name": "Programming for Data Analysis", + "description": "Develop, debug, and test LabVIEW VIs, solve problems using LabVIEW, use data acquisition, and perform signal processing and instrument control in LabVIEW applications. Groups of students will build an elevator system from laser-cut and 3-D printed parts; integrate sensors, motors, and servos; and program using state-machine architecture in LabVIEW. Students will have the opportunity to take the National Instruments Certified LabVIEW Associate Developer (CLAD) exam at the end of the quarter. Program or materials fees may apply. " }, - "USP 133": { - "prerequisites": [], - "name": "Social Inequality and Public Policy", - "description": "This course examines the integration of youth development and community development in theory and practice as a strategy for addressing adultism. Analyze cases through a cultural lens where local, national, and international youth movements have helped make community development more responsive, inclusive, and culturally sensitive. " + "ECE 144": { + "prerequisites": [ + "ECE 107" + ], + "name": "LabVIEW Programming: Design and Applications", + "description": "Automated laboratory based on H-P GPIB controlled\n\t\t\t\t instruments. Software controlled data collection and analysis.\n\t\t\t\t Vibrations and waves in strings and bars of electromechanical\n\t\t\t\t systems and transducers. Transmissions, reflection, and scattering\n\t\t\t\t of sound waves in air and water. Aural and visual detection. ** Consent of instructor to enroll possible **" }, - "USP 134": { - "prerequisites": [], - "name": "Community Youth Development", - "description": "(Same as ETHN 129.) This course will explore the social, political, and economic implications of global economic restructuring, immigration policies, and welfare reform on Asian and Latina immigrant women in the United States. We will critically examine these larger social forces from the perspectives of Latina and Asian immigrant women workers, incorporating theories of race, class, and gender to provide a careful reading of the experiences of immigrant women on the global assembly line. " + "ECE 145AL-BL-CL": { + "prerequisites": [ + "ECE 15", + "or", + "ECE 35", + "or", + "MAE 2", + "or", + "MAE 3", + "and" + ], + "name": "Acoustics Laboratory", + "description": "Fundamentals of autonomous vehicles. Working in small teams, students will develop 1:8 scale autonomous cars that must perform on a simulated city track. Topics include robotics system integration, computer vision, algorithms for navigation, on-vehicle vs. off-vehicle computation, computer learning systems such as neural networks, locomotion systems, vehicle steering, dead reckoning, odometry, sensor fusion, GPS autopilot limitations, wiring, and power distribution and management. Cross-listed with MAE 148. Students may not receive credit for ECE 148 and MAE 148. Program or materials fees may apply. ** Consent of instructor to enroll possible **" }, - "USP 135": { + "ECE 148": { "prerequisites": [], - "name": "Asian and\n\t\t Latina Immigrant Workers in the Global Economy", - "description": "Provides an overview of collaborative leadership and considers consensus organizing as both a tactical and strategic approach to effective community building and development. Examines how various communities have approached collaborative leadership, consensus organizing, and community building. " + "name": "Introduction to Autonomous Vehicles", + "description": "A foundation course teaching the basics of starting and running a successful new business. Students learn how to think like entrepreneurs, pivot their ideas to match customer needs, and assess financial, market, and timeline feasibility. The end goal is an investor pitch and a business plan. Provides experiential education, encouragement, and coaching (\u201cE3CE\u201d) that prepares students for successful careers at startup as well as large companies. Counts toward one professional elective only. ** Consent of instructor to enroll possible **" }, - "USP 136": { - "prerequisites": [], - "name": "Collaborative Community Leadership", - "description": "History, theory, and practice of US housing and community development. Public, private, and nonprofit sectors shape and implement planning and policy decisions at the federal, state, local and neighborhood levels. " + "ECE 150": { + "prerequisites": [ + "ECE 109" + ], + "name": "Entrepreneurship for Engineers", + "description": "Random processes. Stationary processes: correlation, power spectral density. Gaussian processes and linear transformation of Gaussian processes. Point processes. Random noise in linear systems. " }, - "USP 137": { - "prerequisites": [], - "name": "Housing and\n\t\t Community Development Policy and Practice", - "description": "This course focuses on strategies that policy makers and planners use in their efforts to foster healthy economies. Topics include theories of urban economic development, analytical techniques for describing urban economies, and the politics and planning of economic development. " + "ECE 153": { + "prerequisites": [ + "ECE 101", + "and" + ], + "name": "Probability\n\t\t and Random Processes for Engineers", + "description": "Study of analog modulation systems including AM, SSB, DSB, VSB, FM, and PM. Performance analysis of both coherent and noncoherent receivers, including threshold effects in FM. " }, - "USP 138": { - "prerequisites": [], - "name": "Urban Economic Development", - "description": "This course explores emerging trends in urban design and economic development and their interrelationship. The course focuses on selected community projects and also considers urban governance structures. Various research methods will be applied to urban problems. " + "ECE 154A": { + "prerequisites": [ + "ECE 101", + "or", + "BENG 122A", + "ECE 109", + "or", + "ECON 120A", + "or", + "MAE 108", + "or", + "MATH 180A", + "or", + "MATH 180B", + "or", + "MATH 183", + "or", + "MATH 186", + "and", + "ECE 153" + ], + "name": "Communications Systems I", + "description": "Design and performance analysis of digital modulation techniques, including probability of error results for PSK, DPSK, and FSK. Introduction to effects of intersymbol interference and fading. Detection and estimation theory, including optimal receiver design and maximum-likelihood parameter estimation. Renumbered from ECE 154B. Students may not receive credit for ECE 155 and ECE 154B. " }, - "USP 139": { + "ECE 155": { "prerequisites": [], - "name": "Urban Design and Economic Development", - "description": "This course introduces students to the concept and practice of \u201cplacemaking\u201d\u2014a collaborative process for creating public spaces that are vibrant, equitable, inclusive, and salutogenic. Students will gain an understanding of healthy placemaking as a strategy for building a more just and sustainable society. " + "name": "Digital Communications Theory", + "description": "Characteristics of chemical, biological, seismic, and other physical sensors; signal processing techniques supporting distributed detection of salient events; wireless communication and networking protocols supporting formation of robust sensor fabrics; current experience with low power, low cost sensor deployments. Undergraduate students must take a final exam; graduate students must write a term paper or complete a final project. Cross-listed with MAE 149 and SIO 238. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "USP 140": { - "prerequisites": [], - "name": "Healthy Placemaking", - "description": "This course will provide an overview of the organization of health care within the context of the community with emphasis on the political, social, and cultural influences. It is concerned with the structure, objectives, and trends of major health and health-related programs in the United States to include sponsorship, financing, training and utilization of health personnel. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 156": { + "prerequisites": [ + "ECE 109", + "or", + "ECON 120A", + "or", + "MAE 108", + "or", + "MATH 180A", + "or", + "MATH 180B", + "or", + "MATH 183", + "or", + "MATH 186", + "and", + "ECE 161A" + ], + "name": "Sensor Networks", + "description": "Experiments in the modulation and demodulation of baseband and passband signals. Statistical characterization of signals and impairments. (Course materials and/or program fees may apply.) " }, - "USP 141A": { - "prerequisites": [], - "name": "Life Course Scholars Research and Core Fundamentals", - "description": "This course will analyze needs of populations, highlighting current major public health problems such as chronic and communicable diseases, environmental hazards of diseases, psychiatric problems and additional diseases, new social mores affecting health maintenance, consumer health awareness and health practices, special needs of economically and socially disadvantaged populations. The focus is on selected areas of public and environmental health, namely: epidemiology, preventive services in family health, communicable and chronic disease control, and occupational health. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 157A": { + "prerequisites": [ + "ECE 154A" + ], + "name": "Communications Systems Laboratory I", + "description": "Advanced projects in communication systems. Students will plan and implement design projects in the laboratory, updating progress weekly and making plan/design adjustments based upon feedback. (Course materials and/or program fees may apply.) " }, - "USP 141B": { - "prerequisites": [], - "name": "Life Course Scholars Capstone Project", - "description": "This course will provide a brief introduction to the nature and problems of aging, with emphasis on socioeconomic and health status; determinants of priorities of social and health policies will be examined through analysis of the structure and organization of selected programs for the elderly. Field visits will constitute part of the course. " + "ECE 157B": { + "prerequisites": [ + "ECE 109" + ], + "name": "Communications Systems Laboratory II", + "description": "Layered network architectures, data link control protocols and multiple-access systems, performance analysis. Flow control; prevention of deadlock and throughput degradation. Routing, centralized and decentralized schemes, static dynamic algorithms. Shortest path and minimum average delay algorithms. Comparisons. " }, - "USP 143": { - "prerequisites": [], - "name": "The US Health-Care System", - "description": "This course examines urban design\u2019s effects on physical activity. In field experience settings, students will learn about survey, accelerometer, observation, and GIS methods. Quality control, use of protocols, relevance to all ages, and international applications will also be emphasized. " + "ECE 158A": { + "prerequisites": [ + "ECE 158A" + ], + "name": "Data Networks I", + "description": "Layered network architectures, data link control protocols and multiple-access systems, performance analysis. Flow control; prevention of deadlock and throughput degradation. Routing, centralized and decentralized schemes, static dynamic algorithms. Shortest path and minimum average delay algorithms. Comparisons. " }, - "USP 144": { - "prerequisites": [], - "name": "Environmental and Preventive Health Issues", - "description": "The purpose of this course is to identify the special health needs of low income and underserved populations and to review their status of care, factors influencing the incidence of disease and health problems, and political and legislative measures related to access and the provision of care. Selected current programs and policies that address the health-care needs of selected underserved populations such as working poor, inner city populations, recent immigrants, and persons with severe disabling mental illnesses will be studied. Offered in alternate years. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 158B": { + "prerequisites": [ + "ECE 153" + ], + "name": "Data Networks II", + "description": "Introduction to information theory and coding, including entropy, average mutual information, channel capacity, block codes, and convolutional codes. Renumbered from ECE 154C. Students may not receive credit for ECE 159 and ECE 154C. " }, - "USP 145": { - "prerequisites": [], - "name": "Aging\u2014Social and Health Policy Issues", - "description": "This course will provide a historical and theoretical orientation for contemporary studies of the experience of mental illness and mental health-care policy in the American city, with critical attention to racial and ethnic disparities in diagnosis, treatment, and outcomes. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 159": { + "prerequisites": [ + "ECE 101" + ], + "name": "Introduction to Data Processing and Information Theory", + "description": "Review of discrete-time systems and signals, Discrete-Time Fourier Transform and its properties, the Fast Fourier Transform, design of Finite Impulse Response (FIR) and Infinite Impulse Response (IIR) filters, implementation of digital filters. " }, - "USP 146": { - "prerequisites": [], - "name": "Research Methods for Built Environment and Active Living", - "description": "This course reviews the legal issues, processes, and institutions involved in real estate. Topics include principles of real property law, legislative and judicial institutions, land use and environmental regulation, financial instruments, property transactions, and forms of investment and development entities. " + "ECE 161A": { + "prerequisites": [ + "ECE 161A" + ], + "name": "Introduction to Digital Signal Processing", + "description": "Sampling and quantization of baseband signals;\n\t\t\t\t A/D and D/A conversion, quantization noise, oversampling and noise shaping.\n\t\t\t\t Sampling of bandpass signals, undersampling downconversion, and Hilbert\n\t\t\t\t transforms. Coefficient quantization, roundoff noise, limit cycles and\n\t\t\t\t overflow oscillations. Insensitive filter structures, lattice and wave\n\t\t\t\t digital filters. Systems will be designed and tested with Matlab, implemented\n\t\t\t with DSP processors and tested in the laboratory. " }, - "USP 147": { - "prerequisites": [], - "name": "Case Studies\n\t\t in Health-Care Programs/Poor and Underserved Population", - "description": "This course covers the methods and procedures utilized in development from inception to completion. Topics include initial planning, project feasibility and decision-making, partnerships, financing, design, entitlement and approvals, site acquisition, construction management, project completion, leasing, and asset management. " + "ECE 161B": { + "prerequisites": [ + "ECE 161A" + ], + "name": "Digital Signal Processing I", + "description": "This course discusses several applications\n\t\t\t\t of DSP. Topics covered will include speech analysis and coding; image\n\t\t\t\t and video compression and processing. A class project is required, algorithms\n\t\t\t\t simulated by Matlab. " }, - "USP 149": { - "prerequisites": [], - "name": "Madness and Urbanization", - "description": "This course investigates the institutions, instruments, and structures by which investment in real estate is financed. It reviews capital markets, the sources and uses of real estate funds, and the role of government in real estate finance. " + "ECE 161C": { + "prerequisites": [ + "ECE 101", + "and" + ], + "name": "Applications of Digital Signal Processing", + "description": "Analysis and design of analog circuits and systems. Feedback systems with applications to operational amplifier circuits. Stability, sensitivity, bandwidth, compensation. Design of active filters. Switched capacitor circuits. Phase-locked loops. Analog-to-digital and digital-to-analog conversion. (Course materials and/or program fees may apply.) " }, - "USP 150": { - "prerequisites": [], - "name": "Real Estate and Development Law and Regulation", - "description": "This course examines the analysis of demand for real estate products and site-specific real estate development projects. Consideration is given to relevant factors such as economic change, social attitudes, and changing laws. " + "ECE 163": { + "prerequisites": [ + "ECE 102" + ], + "name": "Electronic Circuits and Systems", + "description": "Design of linear and nonlinear analog integrated circuits including operational amplifiers, voltage regulators, drivers, power stages, oscillators, and multipliers. Use of feedback and evaluation of noise performance. Parasitic effects of integrated circuit technology. Laboratory simulation and testing of circuits. " }, - "USP 151": { - "prerequisites": [], - "name": "Real Estate Planning and Development", - "description": "(Same as POLI 111B.) Discuss the idea of justice from multiple perspectives: theory, philosophy, institutions, markets, social mobilization, politics, and environment. Examine the assets and capabilities of diverse justice-seeking organizations and movements aimed at improving quality of life and place locally, regionally, and globally. " + "ECE 164": { + "prerequisites": [ + "ECE 102" + ], + "name": "Analog Integrated Circuit Design", + "description": "VLSI digital systems. Circuit characterization, performance estimation, and optimization. Circuits for alternative logic styles and clocking schemes. Subsystems include ALUs, memory, processor arrays, and PLAs. Techniques for gate arrays, standard cell, and custom design. Design and simulation using CAD tools. " }, - "USP 152": { - "prerequisites": [], - "name": "Real Estate Development Finance and Investment", - "description": "This course compares real estate markets in Asia, Europe, the Middle East, and Latin America. It explores the factors that affect these regions\u2019 real estate economies including finance in city systems, emerging markets, development trends, demographic shifts, and urban planning. " + "ECE 165": { + "prerequisites": [ + "ECE 102", + "and" + ], + "name": "Digital Integrated Circuit Design", + "description": "Waves, distributed circuits, and scattering\n\t\t\t\t matrix methods. Passive microwave elements. Impedance matching. Detection\n\t\t\t\t and frequency conversion using microwave diodes. Design of transistor amplifiers\n\t\t\t\t including noise performance. Circuits designs will be simulated by computer\n\t\t\t\t and tested in the laboratory. (Course materials and/or program fees may\n\t\t\t\t apply.) " }, - "USP 153": { - "prerequisites": [], - "name": "Real Estate and Development Market Analysis", - "description": "In this course, students will work together in teams to complete a development proposal for a real world location provided by the San Diego chapter of the Commercial Real Estate Development Association (NAIOP). Students will meet with industry professionals to evaluate the most feasible, highest, and best use of space on the site provided. May be taken for credit up to two times. ** Upper-division standing required ** " + "ECE 166": { + "prerequisites": [ + "ECE 45", + "or", + "MAE 140" + ], + "name": "Microwave Systems and Circuits", + "description": "Stability of continuous- and discrete-time\n\t\t\t\t single-input/single-output linear time-invariant control systems\n\t\t\t\t emphasizing frequency domain methods. Transient and steady-state behavior.\n\t\t\t\t Stability analysis by root locus, Bode, Nyquist, and Nichols plots. Compensator\n\t\t\t\t design. " + }, + "ECE 171A": { + "prerequisites": [ + "ECE 171A" + ], + "name": "Linear Control System Theory", + "description": "Time-domain, state-variable formulation of\n\t\t\t\t the control problem for both discrete-time and continuous-time linear systems.\n\t\t\t\t State-space realizations from transfer function system description. Internal\n\t\t\t\t and input-output stability, controllability/observability, minimal realizations,\n\t\t\t\t and pole-placement by full-state feedback. " }, - "USP 154": { + "ECE 171B": { "prerequisites": [ - "USP 159A", - "and" + "ECE 101" ], - "name": "Global Justice in Theory and Action", - "description": "In this course, students will work together in teams to complete a development proposal for a real world location provided by the San Diego chapter of the Commercial Real Estate Development Association (NAIOP). Students will meet with industry professionals to evaluate the most feasible, highest, and best use of space on the site provided. May be taken for credit up to two times. " + "name": "Linear Control System Theory", + "description": "This course will introduce basic concepts\n\t\t\t\t in machine perception. Topics covered will include edge detection,\n\t\t\t\t segmentation, texture analysis, image registration, and compression. " }, - "USP 155": { - "prerequisites": [], - "name": "Real Estate Development in Global and Comparative Perspective", - "description": "This course will cover the methods and context for analyzing crime at national, state, regional, and micro-place levels. Methods will be both qualitative and quantitative as well as include primary and secondary data analysis. " + "ECE 172A": { + "prerequisites": [ + "MATH 20F", + "or", + "MATH 18", + "ECE 15", + "and", + "ECE 109" + ], + "name": "Introduction to Intelligent Systems: Robotics and Machine Intelligence", + "description": "The linear least squares problem, including constrained and unconstrained quadratic optimization and the relationship to the geometry of linear transformations. Introduction to nonlinear optimization. Applications to signal processing, system identification, robotics, and circuit design. Recommended preparation: ECE 100. ** Consent of instructor to enroll possible **" }, - "USP 159A": { - "prerequisites": [], - "name": "NAIOP Real Estate University Challenge I", - "description": "This course is an introduction to theories and concepts relating to the built and natural environment and crime prevention. Perspectives from planners and criminologists will be discussed, and a real-world project will be used to integrate theory into practice. " + "ECE 174": { + "prerequisites": [ + "ECE 109", + "and", + "ECE 174" + ], + "name": "Introduction to Linear and Nonlinear Optimization with Applications", + "description": "Introduction to pattern recognition and machine\n\t\t\t\t learning. Decision functions. Statistical pattern classifiers. Generative\n\t\t\t\t vs. discriminant methods for pattern classification. Feature selection.\n\t\t\t\t Regression. Unsupervised learning. Clustering. Applications of machine\n\t\t\t\t learning. " }, - "USP 159B": { - "prerequisites": [], - "name": "NAIOP Real Estate University Challenge II", - "description": "(Same as HIUS 123.) New York City breathes history. Whether it is in the music, the literature, or the architecture, the city informs our most basic conceptions of American identity. This course examines the evolution of Gotham from the colonial era to today. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 175A": { + "prerequisites": [ + "ECE 175A" + ], + "name": "Elements of Machine Intelligence: Pattern Recognition and Machine Learning", + "description": "Bayes\u2019 rule as a probabilistic reasoning engine; graphical models as knowledge encoders; conditional independence and D-Separation; Markov random fields; inference in graphical models; sampling methods and Markov Chain Monte Carlo (MCMC); sequential data and the Viterbi and BCJR algorithms; The Baum-Welsh algorithm for Markov Chain parameter estimation. " }, - "USP 160": { + "ECE 175B": { "prerequisites": [], - "name": "Research Methods: Analyzing Crime", - "description": "(Same as HIUS 117.) This course examines the history of Los Angeles from the early nineteenth century to the present. Particular issues to be addressed include urbanization, ethnicity, politics, technological change, and cultural diversification. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Elements of Machine Intelligence: Probabilistic Reasoning and Graphical Models", + "description": "Topics of special interest in electrical and computer engineering. Subject matter will not be repeated so it may be taken for credit more than once. ** Consent of instructor to enroll possible **" }, - "USP 161": { + "ECE 180": { "prerequisites": [ - "USP 124", + "ECE 103", "and" ], - "name": "Environmental Design and Crime Prevention", - "description": "Introduction to green building including the Leadership in Energy and Environmental Design (LEED) rating system which explores sustainable strategies in the built environment including site, energy, water, materials, waste, and health. Develops a general understanding of concepts and prepares students for the LEED GA exam. " + "name": "Topics in Electrical and Computer Engineering", + "description": "Ray optics, wave optics, beam optics, Fourier optics, and electromagnetic optics. Ray transfer matrix, matrices of cascaded optics, numerical apertures of step and graded index fibers. Fresnel and Fraunhofer diffractions, interference of waves. Gaussian and Bessel beams, the ABCD law for transmissions through arbitrary optical systems. Spatial frequency, impulse response and transfer function of optical systems, Fourier transform and imaging properties of lenses, holography. Wave propagation in various (inhomogeneous, dispersive, anisotropic or nonlinear) media. (Course materials and/or program fees may apply.) " }, - "USP 167": { - "prerequisites": [], - "name": "History of New York City", - "description": "This course will explore the different factors and processes that shape a sustainable city. Contemporary green planning techniques and values will be evaluated. The course will also discuss planning, designing, and implementation of sustainable facilities that will reduce sprawl. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "ECE 181": { + "prerequisites": [ + "ECE 103", + "and" + ], + "name": "Physical Optics and Fourier Optics", + "description": "Polarization optics: crystal optics, birefringence. Guided-wave optics: modes, losses, dispersion, coupling, switching. Fiber optics: step and graded index, single and multimode operation, attenuation, dispersion, fiber optic communications. Resonator optics. (Course materials and/or program fees may apply.) " }, - "USP 168": { - "prerequisites": [], - "name": "History of Los Angeles", - "description": "Sustainable development is a concept invoked by an increasingly wide range of scholars, activists, and organizations dedicated to promoting environmentally sound approaches to economic development. This course critically examines the diverse, often contradictory, interests in sustainability. It provides a transdisciplinary overview of emergent theories and practices. " + "ECE 182": { + "prerequisites": [ + "ECE 103", + "and" + ], + "name": "Electromagnetic\n\t\t\t\t Optics, Guided-Wave, and Fiber Optics", + "description": "Quantum electronics, interaction of light and matter in atomic systems, semiconductors. Laser amplifiers and laser systems. Photodetection. Electro-optics and acousto-optics, photonic switching. Fiber optic communication systems. Labs: semiconductor lasers, semiconductor photodetectors. (Course materials and/or program fees may apply.) " }, - "USP 169": { - "prerequisites": [], - "name": "Introduction to Green Building", - "description": "This course examines the use of graphic techniques and tools to explain research, data analysis, and convey ideas with a focus on the built environment. Visual communication for planners/designers using traditional graphic media, electronic media, and visualization are explored. " + "ECE 183": { + "prerequisites": [ + "ECE 182" + ], + "name": "Optical Electronics", + "description": "(Conjoined with ECE 241AL) Labs: optical holography,\n\t\t\t\t photorefractive effect, spatial filtering, computer generated\n\t\t\t\t holography. Students enrolled in ECE 184 will receive four\n\t\t\t\t units of credit; students enrolled in ECE 241AL will receive\n\t\t\t\t two units of credit. (Course materials and/or program fees may\n\t\t\t\t apply.) " }, - "USP 170": { - "prerequisites": [], - "name": "Sustainable Planning", - "description": "The analysis of the evolution of city designs over time; study of the forces that influence the form and content of a city: why cities change; comparison of urban planning and architecture in Europe and the United States. " + "ECE 184": { + "prerequisites": [ + "ECE 183" + ], + "name": "Optical Information\n\t\t\t\t Processing and Holography", + "description": "(Conjoined with ECE 241BL) Labs: CO2 laser,\n\t\t\t\t HeNe laser, electro-optic modulation, acousto-optic modulation, spatial light\n\t\t\t\t modulators. Students enrolled in ECE 185 will receive four units of credit;\n\t\t\t\t students enrolled in ECE 241BL will receive two units of credit. (Course\n\t\t\t\t materials and/or program fees may apply.) " }, - "USP 171": { + "ECE 185": { + "prerequisites": [ + "MATH 20A-B-F", + "PHYS 2A\u2013D", + "ECE 101" + ], + "name": "Lasers and Modulators", + "description": "Image processing fundamentals: imaging theory,\n\t\t\t\t image processing, pattern recognition; digital radiography, computerized\n\t\t\t\t tomography, nuclear medicine imaging, nuclear magnetic resonance imaging,\n\t\t\t\t ultrasound imaging, microscopy imaging. " + }, + "ECE 187": { "prerequisites": [], - "name": "Sustainable Development", - "description": "Regional planning and local governance in California, focusing on San Diego. Current system, the state/local relationship, and the incentives and disincentives for restructuring regional and local governance and planning. " + "name": "Introduction\n\t\t\t\t to Biomedical Imaging and Sensing", + "description": "Topics of special interest in electrical and computer engineering with laboratory. Subject matter will not be repeated so it may be taken for credit up to three times. " }, - "USP 172": { + "ECE 188": { "prerequisites": [], - "name": "Graphics, Visual Communication, and Urban Information", - "description": "Introduction to the theory and practice of context-sensitive site analysis, including site selection and programming, site inventory and analysis, and conceptual design. Demonstrates uses of GIS-based sketch planning tools for suitability analysis and project visualization in real world settings. " + "name": "Topics in Electrical and Computer Engineering with Laboratory", + "description": "Basics of technical public speaking, including speech organization, body language (eye contact, hand gestures, etc.), volume and rate, and design of technical slides. Students will practice technical public speaking, including speeches with PowerPoint slides and speaker introductions, and presenting impromptu speeches. Students may not receive credit for both ECE 189 and ENG 100E. " }, - "USP 173": { + "ECE 189": { "prerequisites": [], - "name": "History of Urban Planning and Design", - "description": "This course explores governance and planning challenges in the California/Baja California binational region. What are the roles of federal, state, and local governments in addressing issues of transportation, land use, water/wastewater management, and safety and security? ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Technical Public Speaking", + "description": "Students complete a project comprising at least 50 percent or more engineering design to satisfy the following features: student creativity, open-ended formulation of a problem statement/specifications, consideration of alternative solutions/realistic constraints. Written final report required. " }, - "USP 174": { + "ECE 190": { "prerequisites": [], - "name": "Regional Governance\n\t\t and Planning Reconsidered", - "description": "This course is designed to introduce the student to the theory and practice of urban design, the form of the built environment, and how it is created. There is an emphasis on the development within a larger urban context. Renumbered from USP 177. Students may not receive credit for USP 177A and USP 177. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Engineering Design", + "description": "Groups of students work to design, build,\n\t\t\t\t demonstrate, and document an engineering project. All students\n\t\t\t\t give weekly progress reports of their tasks and contribute a section to\n\t\t\t\t the final project report. " }, - "USP 175": { + "ECE 191": { "prerequisites": [ - "USP 177", - "USP 177A", - "or", - "USP 179" + "ECE departmental" ], - "name": "Site Analysis: Opportunities and Constraints", - "description": "Settlement patterns, design of streets and open space, buildings, and civic space are the setting for public life. This course explores how we design and inhabit cities that are increasingly more populated and dense. Advanced design research, drawing skills required. " + "name": "Engineering Group Design Project", + "description": "An advanced reading or research project performed under the direction of an ECE faculty member. Must contain enough design to satisfy the ECE program\u2019s four-unit design requirement. Must be taken for a letter grade. May extend over two quarters with a grade assigned at completion for both quarters. " }, - "USP 176": { + "ECE 193H": { "prerequisites": [], - "name": "Binational Regional Governance", - "description": "Roles of the urban designer, preparing schematic proposals and performance statements, identifying opportunities for and constraints on designers. Each student will prepare a practical exercise in urban design using various urban design methods. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Honors Project", + "description": "Students design, build, and race an autonomous car using principles in electrical engineering and computer science: circuit design, control theory, digital signal processing, embedded systems, microcontrollers, electromagnetism, and programming. " }, - "USP 177A": { + "ECE 194": { "prerequisites": [], - "name": "Urban Design Practicum", - "description": "Introduction to the history and current state of urban transportation planning, including the relationship between transportation and urban form; role of automotive, mass transit, and alternative modes; methods for transportation systems analysis; decision-making, regulatory, and financing mechanisms; and public attitudes. " + "name": "Viacar Design Project", + "description": "Teaching and tutorial activities associated with courses and seminars. Not more than four units of ECE 195 may be used for satisfying graduation requirements. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "USP 177B": { + "ECE 195": { "prerequisites": [], - "name": "Advanced Urban Design", - "description": "Livable cities rely on balanced transportation systems that can mitigate the negative impacts of car-oriented environment and society. This course will explore the role of public transit in creating a balanced transportation system. A variety of public transportation systems will be analyzed. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Teaching", + "description": "Groups of students work to build and demonstrate at least three engineering projects at the beginning, intermediate, and advanced levels. The final project consists of either a new project designed by the student team or extension of an existing project. The student teams also prepare a manual as part of their documentation of the final project. May be taken for credit two times. " }, - "USP 179": { + "ECE 196": { "prerequisites": [], - "name": "Urban Design, Theory, and Practice", - "description": "(Same as SOCI 183.) How does where you grow up affect where you end up? This course explores \u201cwho gets what where and why,\u201d by examining spatial inequalities in life chances across regions, rural and urban communities, and divergent local economies in the U.S. We will \u201cplace\u201d places within their economic, socio-cultural, and historical contexts. Readings and exercises will uncover spatial variation in inequalities by race/ethnicity, immigrant status, gender, class, and LGBTQIA status that national averages obscure. Students may not receive credit for SOCI 183 and USP 183. " + "name": "Engineering Hands-on Group Project", + "description": "An enrichment program that provides work experience with public/private section employers.\u00a0Subject to the availability of positions, students will work in a local company under the supervision of a faculty member and site supervisor. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "USP 180": { + "ECE 197": { "prerequisites": [], - "name": "Transportation Planning", - "description": "This course introduces students to the challenges of developing and financing real property. Students work in teams to prepare a proposal for a complete site-specific project that incorporates real estate finance, development, and design. " + "name": "ECE Internship", + "description": "Topics in electrical and computer engineering whose study involves reading and discussion by a small group of students under direction of a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "USP 181": { + "ECE 198": { "prerequisites": [], - "name": "Public Transportation", - "description": "An intensive studio-based experience that culminates in a completed group project that analyzes, evaluates, and presents a site-specific real estate finance and development proposal. The final project includes market analysis, pro forma financial analysis, site analysis, and site design. " - }, - "USP 183": { - "prerequisites": [ - "USP major" - ], - "name": "The Geography of American Opportunity", - "description": "Introduces students to the theory and practice of social research including the challenges of writing a scholarly proposal. Students are required to complete one hundred hours of an internship experience while critically examining the relations between social science and society. " - }, - "USP 185A": { - "prerequisites": [ - "USP 186" - ], - "name": "Real Estate Finance and Development Studio I", - "description": "An intensive research, internship, and writing experience that culminates in an original senior research project. Students learn about the theoretical, ethical, and technical challenges of scholarly research and publication. " + "name": "Directed Group Study", + "description": "Independent reading or research by special arrangement with a faculty member. (P/NP grades only.) ** Consent of instructor to enroll possible **" }, - "USP 185B": { + "ECE 199": { "prerequisites": [], - "name": "Real Estate Finance and Development Studio II", - "description": "(Same as SOCI 188) Mexican Migration Field Research Program: Students work closely with faculty to conduct direct on-the-ground field research in a migrant community. Students work as teams, conducting either surveys, interviews, or ethnographic observations. Students are expected to produce an outline of a research paper based on the results from fieldwork. Conversational fluency in Spanish is recommended. Students will not receive credit for both SOCI 188 and USP 188. " + "name": "Independent Study for Undergraduates", + "description": "Group discussion of research activities and progress of group members. (Consent of instructor is strongly recommended.) (S/U grades only.) " }, - "USP 186": { + "HISC 160": { "prerequisites": [], - "name": "Senior Sequence Research Proposal", - "description": "An undergraduate course designed to cover various aspects of Urban Planning. May be taken for credit up to two times. " - }, - "USP 187": { - "prerequisites": [ - "USP 186", - "USP 187" - ], - "name": "Senior Sequence Research Project", - "description": "Each student enrolled will be required to write an honors essay, a substantial research paper on a current urban policy issue, under the supervision of a member of the faculty. Most often the essay will be based on their previous fieldwork courses and internship. This essay and other written exercises, as well as class participation, will be the basis of the final grade for the course. The seminar will rotate from year to year among the faculty in urban studies and planning. " + "name": "Historical Approaches to the Study of Science\n\t ", + "description": "This colloquium course will introduce students to the rich variety of ways in which the scientific enterprise is currently being studied historically. Major recent publications on specific topics in the history of science selected to illustrate this diversity will be discussed and analyzed; the topics will range in period from the seventeenth century to the late twentieth, and will deal with all major branches of natural science. Requirements will vary for undergraduate, MA, and PhD students. Graduate students may be expected to submit a more substantial piece of work. ** Consent of instructor to enroll possible **" }, - "USP 188": { - "prerequisites": [ - "USP major" - ], - "name": "Field Research in Migrant Communities\u2014Practicum", - "description": "Introduction to Geographic Information Systems and using GIS to make decisions: acquiring data and organizing data in useful formats, demographic mapping, geocoding. Selected exercises examine crime data, political campaigns, banking and environmental planning, patterns of bank lending and finance. " + "HISC 161/261": { + "prerequisites": [], + "name": "Seminar in Newton and Newtonianism", + "description": "This course focuses on the single most important figure of the scientific revolution, Isaac Newton, and on his science and philosophy, which set the frame of reference for physics and general science until the twentieth century. Graduate students are required to submit an additional piece of work. ** Upper-division standing required ** " }, - "USP 189": { + "HISC 163/263": { "prerequisites": [], - "name": "Special Topics in Urban Planning", - "description": "Using the San Diego region as a case study, students will be introduced to the process of collecting, evaluating, and presenting urban and regional data using a variety of methods, including aggregate data analysis, historical research, and ethnography. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "History, Science, and Politics of Climate\n\t Change", + "description": "The complex historical development of human understanding of global climate change, including key scientific work, and the cultural dimensions of proof and persuasion. Special emphasis on the differential political acceptance of the scientific evidence in the U.S. and the world. Graduate students are required to submit an additional paper. " }, - "USP 190": { + "HISC 164/264": { "prerequisites": [], - "name": "Senior Honors Seminar", - "description": "(Same as COGS 194, COMM 194, HITO 193, POLI 194, SOCI 194, SIO 194.) Course attached to six-unit internship taken by students participating in the UCDC Program. Involves weekly seminar meetings with faculty and teaching assistant and a substantial research paper. ** Department approval required ** " + "name": "Topics in the History of the Physical\n\t Sciences", + "description": "Intensive study of specific problems in the physical (including chemical and mathematical) sciences, ranging in period from the Renaissance to the twentieth century. Topics vary from year to year, and students may therefore repeat the course for credit. Requirements will vary for undergraduate, MA, and PhD students. Graduate students may be expected to submit a more substantial piece of work. ** Consent of instructor to enroll possible **" }, - "USP 191": { + "HISC 166/266": { "prerequisites": [], - "name": "GIS for Urban and Community Planning", - "description": "Introduction to teaching activities associated with course. Responsibilities include preparing reading materials assigned by the instructor, attending course lectures, meeting at least one hour per week with the instructor, assisting instructor in grading, and preparing a summary report to the instructor. May be taken for credit up to three times for a maximum of eight units. ** Consent of instructor to enroll possible **" + "name": "The Galileo Affair", + "description": "Galileo\u2019s condemnation by the Catholic Church in 1633 is a well-known but misunderstood episode. Was Galileo punished for holding dangerous scientific views? Personal arrogance? Disobedience? Religious transgressions? Readings in original sources, recent historical interpretations. Graduate students will be expected to submit a more substantial piece of work. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "USP 193": { + "HISC 170/270": { "prerequisites": [], - "name": "San Diego Community Research", - "description": "Directed group study on a topic or in a field not included in the regular departmental curriculum by special arrangement with a faculty member. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Topics in the History of Science and\n\t Technology", + "description": "This seminar explores topics at the interface of science, technology, and society, ranging from the seventeenth century to the twentieth. Requirements will vary for undergraduate, MA, and PhD students. Graduate students are required to submit an additional paper. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " }, - "USP 194": { + "HISC 172/272": { "prerequisites": [], - "name": "Research Seminar in Washington, DC", - "description": "Reading and research programs and field-study projects to be arranged between student and instructor, depending on the student\u2019s needs and the instructor\u2019s advice in terms of these needs. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " + "name": "Building America: Technology, Culture, and the Built Environment in the United States", + "description": "The history of the built environment in the United States, from skyscrapers to suburbs, canals and railroads to factories and department stores. The technological history of structures and infrastructures, and the social and cultural values that have been \u201cbuilt into\u201d our material environment. Graduate students are required to submit an additional paper. ** Consent of instructor to enroll possible ** ** Upper-division standing required ** " } -} \ No newline at end of file +}