diff --git a/README.md b/README.md index b4b9230..4ff6c59 100644 --- a/README.md +++ b/README.md @@ -1,7 +1,7 @@ extractor-js ============ -revision 0.0.7h ---------------- +revision 0.0.8 +-------------- # Overview diff --git a/extractor.js b/extractor.js index d28e906..118b7a1 100644 --- a/extractor.js +++ b/extractor.js @@ -11,7 +11,7 @@ * Released under New the BSD License. * See: http://opensource.org/licenses/bsd-license.php * - * revision 0.0.7h + * revision 0.0.8 */ var url = require('url'), fs = require('fs'), @@ -19,7 +19,7 @@ var url = require('url'), http = require('http'), https = require('https'), querystring = require('querystring'), - jsdom = require('jsdom'); + jsdom = require('jsdom').jsdom; //var util = require('util');// DEBUG @@ -27,15 +27,19 @@ var url = require('url'), * SubmitForm - send a get/post and pass the results to the callback. * @param action - the url hosting the form processor (e.g. 'http://example.com/form-processor.php') * @param form_data - the form field name/values to submit - * @param callback - the callback to use when you get a response from the form submission. Args past - * to the callback function are err, data and options. * @param options - a set of properties to modify SubmitForm behavior (e.g. options.method defaults to POST, * optional.timeout defaults to 30000 milliseconds). + * @param callback - the callback to use when you get a response from the form submission. Args past + * to the callback function are err, data and environment. */ -var SubmitForm = function (action, form_data, callback, options) { +var SubmitForm = function (action, form_data, options, callback) { var defaults = { method:'POST', timeout:30000, protocol: "http:" }, parts, req, timer_id, protocol_method = http; + if (typeof arguments[2] === 'function') { + callback = arguments[2]; + options = {}; + } // Setup options if (options === undefined) { options = defaults; @@ -50,7 +54,7 @@ var SubmitForm = function (action, form_data, callback, options) { if (options.method === 'GET') { parts = url.parse(action + "?" + querystring.encode(form_data)); } else { - parts = url.parse(action) + parts = url.parse(action); } Object.keys(parts).forEach(function (ky) { options[ky] = parts[ky]; @@ -59,16 +63,20 @@ var SubmitForm = function (action, form_data, callback, options) { // Process form request if (options.protocol === 'http:') { protocol_method = http; + /* if (options.port === undefined) { options.port = 80; } + */ } else if (options.protocol === 'https:') { protocol_method = https; + /* if (options.port === undefined) { options.port = 443; } + */ } else { - return callback("ERROR: protocol not supported", null, options); + return callback("ERROR: protocol not supported", null, {options:options}); } req = protocol_method.request(options, function(res) { @@ -81,33 +89,33 @@ var SubmitForm = function (action, form_data, callback, options) { res.on('close', function() { if (timer_id) { clearTimeout(timer_id); } if (buf.length > 0) { - return callback(null, buf.join(""), options); + return callback(null, buf.join(""), {options:options}); } else { - return callback('Stream closed, No data returned', null, options); + return callback('Stream closed, No data returned', null, {options:options}); } }); res.on('end', function() { if (timer_id) { clearTimeout(timer_id); } if (buf.length > 0) { - return callback(null, buf.join(""), options); + return callback(null, buf.join(""), {options:options}); } else { - return callback('No data returned', null, options); + return callback('No data returned', null, {options: options}); } }); res.on('error', function(err) { if (timer_id) { clearTimeout(timer_id); } if (buf.length > 0) { - return callback(err, buf.join(""), options); + return callback(err, buf.join(""), {options: options}); } else { - return callback(err, null, options); + return callback(err, null, {options: options}); } }); }); req.on('error', function (err) { - return callback(err, null, options); + return callback(err, null, {options: options}); }); // Send the POST content if needed @@ -117,24 +125,29 @@ var SubmitForm = function (action, form_data, callback, options) { req.end(); timer_id = setTimeout(function () { - return callback("ERROR: timeout", null, options); + return callback("ERROR: timeout", null, {options: options}); }, options.timeout); -}; /* END SubmitForm(action, form_data, callback, options) */ +}; /* END SubmitForm(action, form_data, options, callback) */ /** * FetchPage - read a file from the local disc or via http/https * @param pathname - a disc path or url to the document you want to * read in and process with the callback. - * @param callback - the callback you want to run when you have the file. The - * callback will be passed an error, data (buffer stream) and the path where it came from. * @param options - a set of properties to modify FetchPage behavior (e.g. optional.timeout * defaults to 30000 milliseconds). + * @param callback - the callback you want to run when you have the file. The + * callback will be passed an error, data (buffer stream), and environment (e.g. the path where it came from). */ -var FetchPage = function(pathname, callback, options) { +var FetchPage = function(pathname, options, callback) { var defaults = { response: false, timeout: 30000, method: 'GET' }, pg, parts, timer_id, protocol_method = http, finishUp; + if (typeof arguments[1] === 'function') { + callback = arguments[1]; + options = {}; + } + // handle timeout if (options === undefined) { options = defaults; @@ -147,36 +160,28 @@ var FetchPage = function(pathname, callback, options) { } // local func to handle passing back the data and run the callback - finishUp = function (err, buf, pathname, res) { - if (timer_id) { clearTimeout(timer_id); } - if (options.response) { - // FIXME Need to handle buf if array or string - if (buf === undefined || buf === null) { - return callback(err, null, pathname, res); - } - else if (buf.join !== undefined && buf.length) { - return callback(null, buf.join(""), pathname, res); - } - else if (buf.length > 0) { - return callback(null, buf.toString(), pathname, res); - } - else { - return callback(err, null, pathname, res); - } - } else { - if (buf === null) { - return callback(err, null, pathname); - } - else if (buf.join === undefined && buf.length > 0) { - return callback(null, buf.toString(), pathname); - } - else if (buf.join && buf.length) { - return callback(null, buf.join(""), pathname); - } - else { - return callback(err, null, pathname); - } - } + finishUp = function (err, buf, res) { + var env = {}; + // Setup the enviroment to return to the callback + env.pathname = pathname; + env.options = options; + + if (timer_id) { clearTimeout(timer_id); } + if (options.response === true && res) { + env.response = res; + } + if (buf === undefined || buf === null) { + return callback(err, null, env); + } + else if (buf.join !== undefined && buf.length) { + return callback(null, buf.join(""), env); + } + else if (buf.length > 0) { + return callback(null, buf.toString(), env); + } + else { + return callback(err, null, env); + } }; // Are we looking at the file system or a remote URL? @@ -184,18 +189,14 @@ var FetchPage = function(pathname, callback, options) { Object.keys(parts).forEach(function(ky) { options[ky] = parts[ky]; }); - //options.host = options.hostname; - if (options.pathname === undefined) { - options.path = '/'; - } // FetchPage always uses a GET options.method = 'GET'; // Process based on our expectations of where to read from. - if (options.protocol === undefined || options.prototcol === 'file:') { + if (options.protocol === undefined || options.protocol === 'file:') { fs.readFile(path.normalize(options.pathname), function(err, data) { - finishUp(err, data, pathname, null); + finishUp(err, data); }); } else { switch (options.protocol) { @@ -213,7 +214,7 @@ var FetchPage = function(pathname, callback, options) { } break; default: - finishUp("ERROR: unsupported protocol for " + pathname, null, pathname, null); + finishUp("ERROR: unsupported protocol for " + pathname, null); break; } @@ -225,23 +226,23 @@ var FetchPage = function(pathname, callback, options) { } }); res.on('close', function() { - finishUp('Stream closed, No data returned', buf, pathname, res); + finishUp('Stream closed, No data returned', buf, res); }); res.on('end', function() { - finishUp('No data returned', buf, pathname, res); + finishUp('No data returned', buf, res); }); res.on('error', function(err) { - finishUp(res, err, buf, pathname); + finishUp(err, buf, res); }); }).on("error", function(err) { - finishUp(err, null, pathname, null); + finishUp(err, null); }); timer_id = setTimeout(function () { - finishUp("ERROR: timeout " + pathname, null, pathname, null); + finishUp("ERROR: timeout " + pathname, null); }, options.timeout); } -}; /* END: FetchPage(pathname, callback, options) */ +}; /* END: FetchPage(pathname, options, callback) */ /** @@ -272,8 +273,16 @@ var FetchPage = function(pathname, callback, options) { * "QuerySelector": ["2.0"] * } * + src - JavaScript source to apply to page + * @param callback - the callback function to process the results */ -var Scrape = function(document_or_path, selectors, callback, options) { +var Scrape = function(document_or_path, selectors, options, callback) { + var env = {}; + + if (typeof arguments[2] === 'function') { + callback = arguments[2]; + options = {}; + } + if (typeof callback !== 'function') { throw ("callback is not a function"); } @@ -309,6 +318,17 @@ var Scrape = function(document_or_path, selectors, callback, options) { } }); } + + // Setup env to pass to callback + env.selectors = selectors; + env.options = options; + if (document_or_path.indexOf('<') < 0) { + env.pathname = document_or_path; + env.source = null; + } else { + env.source = document_or_path; + env.pathname = null; + } /** * Builds a simple object containing useful element attributes @@ -345,7 +365,7 @@ var Scrape = function(document_or_path, selectors, callback, options) { return val; };// END: makeItem(elem) - var ScrapeIt = function(src, pname, res) { + var ScrapeIt = function(src, env) { if (typeof options.cleaner === 'function') { src = options.cleaner(src); } @@ -357,7 +377,7 @@ var Scrape = function(document_or_path, selectors, callback, options) { done : function(err, window) { var output = {}, val; if (err) { - return callback(err, null, pname); + return callback(err, null, env); } Object.keys(selectors).forEach(function (ky) { val = window.document.querySelectorAll(selectors[ky]); @@ -379,44 +399,47 @@ var Scrape = function(document_or_path, selectors, callback, options) { }); window.close(); - if (options.response === true) { - return callback(null, output, pname, res); - } else { - return callback(null, output, pname); + if (options.response === true && res !== undefined) { + env.response = res; } + return callback(null, output, env); } }); } catch (err) { - return callback("DOM processing error: " + err, null, pname); + return callback("DOM processing error: " + err, null, env); } - }; // END ScrapeIt(src, pname) + }; // END ScrapeIt(src, env) // If pathname is a path or URL then fetch a page, otherwise process // it as the HTML src. if (document_or_path.indexOf('<') > -1) { - ScrapeIt(document_or_path); + ScrapeIt(document_or_path, env); } else { - FetchPage(document_or_path, function(err, html, pname, res) { + FetchPage(document_or_path, options, function(err, html, env) { if (err) { - return callback(err, null, pname, res); + return callback(err, null, env); } else { - ScrapeIt(html, pname, res); + ScrapeIt(html, env); } - }, options); + }); } -}; /* END: Scrape(document_or_path, selectors, callback, options) */ +}; /* END: Scrape(document_or_path, selectors, options, callback) */ /** * Spider - extract anchors, images, links, and script urls from a page. * @param document_or_path - * @param callback - callback for when you have all your scraped content * @param options - optional functions,settings to cleanup source before Scraping + * @param callback - callback for when you have all your scraped content * @return object with assets property and links property */ -var Spider = function (document_or_path, callback, options) { +var Spider = function (document_or_path, options, callback) { var map = { anchors: 'a', images: 'img', scripts: 'script', links:'link' }; - Scrape(document_or_path, map, callback, options); + if (typeof arguments[1] === 'function') { + callback = arguments[1]; + options = {}; + } + Scrape(document_or_path, map, options, callback); }; // END: Spider(document_or_path); exports.SubmitForm = SubmitForm; diff --git a/extractor_test.js b/extractor_test.js index 6a7f5ef..692eb84 100644 --- a/extractor_test.js +++ b/extractor_test.js @@ -8,10 +8,10 @@ * Released under New the BSD License. * See: http://opensource.org/licenses/bsd-license.php * - * revision 0.0.7h + * revision 0.0.8 */ -var TIMEOUT = 50, +var TIMEOUT = 10, util = require('util'), path = require('path'), url = require('url'), @@ -38,10 +38,10 @@ console.log("Starting [" + path.basename(process.argv[1]) + "] ... " + new Date( // Test FetchPage() TESTS.FetchPage = function() { test_expected += 1;// One test in the batch - extractor.FetchPage('./README.md', function (err, data, pname) { + extractor.FetchPage('./README.md', function (err, data, env) { assert.ok(! err, "Should not get an error for reading README.md from the application directory."); assert.ok(data.toString().indexOf("# Overview"), "Should get a data buffer back from README.md"); - assert.equal(pname, './README.md', "Should have pname set to README.md"); + assert.equal(env.pathname, './README.md', "Should have env.pathname set to README.md"); test_completed += 1; display("Finished FetchPage tests (" + test_completed + "/" + test_expected + ")"); }); @@ -49,7 +49,7 @@ TESTS.FetchPage = function() { // Test Scrape() TESTS.Scrape = function () { - var doc = [ + var doc1 = [ "", "", "", @@ -60,7 +60,7 @@ TESTS.Scrape = function () { "", "" ].join("\n"), - map = { title: 'title', h1: 'h1' }, + map1 = { title: 'title', h1: 'h1' }, doc2 = [ "", "", @@ -76,31 +76,32 @@ TESTS.Scrape = function () { map2a = { title: '.title > h2', article: '.article' }, map2b = { title: 'div.title > h2', article: '.article'}, doc3 = '\n\n\n\n\t\n\t\t\n\t\tTest Page\n\t\n\t\n\t\t
This is the site information
\n\t\t\n\n', - map3 = { - keywords: 'meta[name="keywords"]', - title: "title", - image1: "#i1", - image2: "#i2", - image3: "#i3", - images: "img", - site_info: "#site-info" - }; + map3 = { + keywords: 'meta[name="keywords"]', + title: "title", + image1: "#i1", + image2: "#i2", + image3: "#i3", + images: "img", + site_info: "#site-info" + }; test_expected += 1; - extractor.Scrape("./test-data/test-1.html", map, function (err, data, pname) { + extractor.Scrape("./test-data/test-1.html", map1, function (err, data, env) { assert.ok(! err, "Should not get an error. " + err); - assert.equal(pname, "./test-data/test-1.html", "Should have pname set to 'source code'"); + assert.equal(env.pathname, "./test-data/test-1.html", "Should have env.pathname set to './test-data/test-1.html'" + util.inspect(env)); assert.ok(typeof data === 'object', "Should have a data object"); assert.equal(data.title.innerHTML, "Test 1", "Title should be 'Test 1': " + JSON.stringify(data)); assert.equal(data.h1.innerHTML, "H1 of Test 1", "h1 should be 'H1 of Test 1': " + JSON.stringify(data)); test_completed += 1; - display("Scrape test, completed processing (" + test_completed + "/" + test_expected + ") : " + pname); + display("Scrape test, completed processing (" + test_completed + "/" + test_expected + ") : " + env.pathname); }); test_expected += 1; - extractor.Scrape(doc, map, function (err, data, pname) { + extractor.Scrape(doc1, map1, function (err, data, env) { assert.ok(! err, "Should not get an error. " + err); - assert.equal(pname, undefined, "Should have pname set to ''"); + assert.ok(env !== undefined, "Should have env defined."); + assert.equal(env.pathname, null, "Should have env.pathname set to ''" + util.inspect(env)); assert.ok(typeof data === 'object', "Should have a data object"); assert.equal(data.title.text, "Test 1", "Title should be 'Test 1': " + JSON.stringify(data)); assert.equal(data.h1.innerHTML, "H1 of Test 1", "h1 should be 'H1 of Test 1': " + JSON.stringify(data)); @@ -109,9 +110,9 @@ TESTS.Scrape = function () { }); test_expected += 1; - extractor.Scrape(doc2, map2a, function (err, data, pname) { + extractor.Scrape(doc2, map2a, function (err, data, env) { assert.ok(! err, "Should not get an error. " + err); - assert.equal(pname, undefined, "Should have pname set to ''"); + assert.equal(env.pathname, undefined, "Should have env.pathname set to ''"); assert.ok(typeof data === 'object', "Should have a data object"); assert.equal(data.title.innerHTML, "h2 Title", ".title should be 'h2 Title': " + JSON.stringify(data)); assert.equal(data.article.innerHTML, "This is where an article would go.", ".article should be 'This is where an article would go.': " + JSON.stringify(data)); @@ -120,9 +121,9 @@ TESTS.Scrape = function () { }); test_expected += 1; - extractor.Scrape(doc2, map2a, function (err, data, pname) { + extractor.Scrape(doc2, map2a, function (err, data, env) { assert.ok(! err, "Should not get an error. " + err); - assert.equal(pname, undefined, "Should have pname set to ''"); + assert.equal(env.pathname, undefined, "Should have env.pathname set to ''"); assert.ok(typeof data === 'object', "Should have a data object"); assert.equal(data.title.innerHTML, "h2 Title", "div.title should be 'h2 Title': " + JSON.stringify(data)); assert.equal(data.article.innerHTML, "This is where an article would go.", ".article should be 'This is where an article would go.': " + JSON.stringify(data)); @@ -131,7 +132,7 @@ TESTS.Scrape = function () { }); test_expected += 1; - extractor.Scrape(doc3, map3, function (err, data, pname) { + extractor.Scrape(doc3, map3, function (err, data, env) { assert.ok(! err, "Should not have an error: " + err); assert.ok(data, "Should have some data."); assert.equal(data.title.innerHTML, "Test Page", "Should have title: " + JSON.stringify(data)); @@ -144,20 +145,23 @@ TESTS.Scrape = function () { }); }; + // Tests of Spider() TESTS.Spider = function () { - test_expected += 4; - extractor.Spider("http://its.usc.edu/~rsdoiel/index.html", function (err, data, pname) { - assert.ok(! err, "Should not have error: " + err + " from " + pname); - assert.ok(data, "Should have data from " + pname); - assert.ok(data.anchors !== undefined, "Should have anchors in page (" + pname + ")"); + test_expected += 1; + extractor.Spider("http://its.usc.edu/~rsdoiel/index.html", function (err, data, env) { + assert.ok(! err, "Should not have error: " + err + " from " + util.inspect(env)); + assert.ok(env !== undefined, "Should have env defined."); + assert.ok(data, "Should have data from " + env.pathname); + assert.ok(data.anchors !== undefined, "Should have anchors in page (" + env.pathname + ")"); assert.ok(data.images, "Should have at least the logo in the page."); assert.ok(data.links, "Should have some links to CSS at least."); test_completed += 1; - display("Spider " + pname + " completed processing (" + test_completed + "/" + test_expected + ")"); + display("Spider " + env.pathname + " completed processing (" + test_completed + "/" + test_expected + ")"); }); - extractor.Spider("test-data/test-3a.html", function (err, data, pname) { + test_expected += 1; + extractor.Spider("test-data/test-3a.html", function (err, data, env) { var expected_result = [ 'http://www.usc.edu/its/webservices/', 'http://nodejs.org', 'http://go-lang.org', 'http://www.google.com/chromeos', @@ -170,8 +174,9 @@ TESTS.Spider = function () { 'https://github.com/rsdoiel/opt', 'demo', 'https://github.com/rsdoiel', 'cv.html' ], i, pos, anchor; - assert.ok(! err, pname + ": " + err); - assert.ok(data.anchors !== undefined, "Should have anchors in page (" + pname + ")"); + assert.ok(env !== undefined, "Should have env defined."); + assert.ok(! err, env.pathname + ": " + err); + assert.ok(data.anchors !== undefined, "Should have anchors in page (" + env.pathname + ")"); assert.ok(data.images, "Should have at least the logo in the page."); assert.ok(data.links, "Should have some links to CSS at least."); assert.equal(expected_result.length, data.anchors.length, "Should have same lengths: " + expected_result.length + " != " + data.anchors.length); @@ -189,7 +194,8 @@ TESTS.Spider = function () { display("Spider test-data/test-3a.html completed processing (" + test_completed + "/" + test_expected + ")"); }); - extractor.Spider("test-data/test-3b.html", function (err, data, pname) { + test_expected += 1; + extractor.Spider("test-data/test-3b.html", function (err, data, env) { var expected_result = [ "http://www.usc.edu/web", "http://tel.usc.edu", @@ -221,8 +227,9 @@ TESTS.Spider = function () { "http://builder.com/Servers/Internet2/?st.bl.fd.ts1.feat.1678", "index.html" ], i, pos, anchor; - assert.ok(! err, pname + ": " + err); - assert.ok(data.anchors, "Should have anchors in page (" + pname + ")"); + assert.ok(env !== undefined, "Should have env defined."); + assert.ok(! err, env.pathname + ": " + err); + assert.ok(data.anchors, "Should have anchors in page (" + env.pathname + ")"); assert.ok(! data.images, "Should NOT have images."); assert.ok(data.links, "Should have some links to CSS at least."); assert.equal(expected_result.length, data.anchors.length, "Should have same lengths: " + expected_result.length + " != " + data.anchors.length); @@ -240,21 +247,19 @@ TESTS.Spider = function () { display("Spider test-data/test-3b.html completed processing (" + test_completed + "/" + test_expected + ")"); }); + test_expected += 1; extractor.Spider("test-data/test-4.html", function (err, data, pname) { var i; assert.ok(! err, "Should not get an error on test-4.html: " + err); assert.ok(data, "Should get back data for test-4.html"); assert.ok(data.anchors !== undefined, "Should have anchors in page (" + pname + ")"); - assert.ok(data.anchors.length > 10000, "Should get more then 10k anchors back."); - //display("DEBUG data: " + util.inspect(data.anchors));// DEBUG + assert.ok(data.anchors.length > 1000, "Should get more then 10k anchors back."); for (i = 0; i < data.anchors.length; i += 1) { assert.ok(data.anchors[i].href, "Should get an href for " + i + "th anchor"); - console.log("DEBUG href: " + data.anchors[i].href); } test_completed += 1; display("Spider test-data/test-4.html completed processing (" + test_completed + "/" + test_expected + ")"); }); - }; // Tests of SubmitForm() @@ -262,26 +267,23 @@ TESTS.SubmitForm = function () { // http GET test_expected += 1; (function () { - var hostname, pathname, uri, form_data, form_options = { method:'GET' }; + var hostname, pathname, uri, + uri_parts = url.parse("http://blog.nodejs.org/"), + uri = url.format(uri_parts), form_data, form_options = { method:'GET' }; - form_data = { s:'npm', searchsubmit:'Search' }; - hostname = 'blog.nodejs.org'; - pathname = ''; - uri = url.format({ protocol: 'http', hostname: hostname, pathname: pathname}) + form_data = { s: 'npm' }; display("Running SubmitForm test " + uri); - extractor.SubmitForm(uri, form_data, function (err, data, options) { + extractor.SubmitForm(uri, form_data, form_options, function (err, data, env) { assert.ok(! err, uri + ": " + err); - assert.ok(data, hostname + " should get some data back."); - assert.ok(data.match(/<\/html>/), hostname + " should get the end of the html page response."); - assert.equal(options.protocol, 'http:', hostname + " should have an http: for protocol."); - assert.equal(options.host, hostname, hostname + "should have host blog.nodejs.org."); - assert.equal(options.port, 80, hostname + " should have port 80"); - assert.equal(options.path, ('/' + pathname + '?' + querystring.encode(form_data)), uri + " should have path " + pathname + ": " + options.path); - assert.equal(options.method, 'GET', hostname + " should have path GET"); - assert.equal(options.timeout, 30000, hostname + " should have 30000 for timeout."); + assert.ok(data, uri + " should get some data back."); + assert.ok(data.match(/<\/html>/), uri + " should get the end of the html page response."); + assert.equal(env.options.protocol, 'http:', uri + " should have an http: for protocol."); + assert.equal(env.options.host, uri_parts.host, uri + "should have host " + uri_parts.host + ". " + util.inspect(env)); + assert.equal(env.options.method, 'GET', uri + " should have path GET " + util.inspect(env)); + assert.equal(env.options.timeout, 30000, uri + " should have 30000 for timeout. " + util.inspect(env)); test_completed += 1; display("SubmitForm " + uri + " completed processing (" + test_completed + "/" + test_expected + ")"); - }, form_options); + }); }()); // https GET @@ -295,7 +297,8 @@ TESTS.SubmitForm = function () { pathname = 'search'; uri = url.format({ protocol: 'https', hostname: hostname, pathname: pathname}); display("Running SubmitForm test " + uri); - extractor.SubmitForm(uri, form_data, function (err, data, options) { + extractor.SubmitForm(uri, form_data, form_options, function (err, data, env) { + var options = env.options; assert.ok(! err, uri + ": " + err); assert.ok(data, hostname + " should get some data back."); assert.ok(data.match(/<\/html>/), hostname + " should get the end of the html page response."); @@ -307,12 +310,8 @@ TESTS.SubmitForm = function () { assert.equal(options.timeout, 30000, hostname + " should have 30000 for timeout."); test_completed += 1; display("SubmitForm " + uri + " completed processing (" + test_completed + "/" + test_expected + ")"); - }, form_options); + }); }()); - - // http POST - // https POST - // FIXME: Need to come up with public sites I can test against }; // Run the tests and keep track of what passed diff --git a/test-data/test-4.html b/test-data/test-4.html index dee4615..c7a23a0 100644 --- a/test-data/test-4.html +++ b/test-data/test-4.html @@ -2008,14477 +2008,5 @@ ARTISTIC LICENSE
MEDICAL HISTORY TOUR
A holly, jolly April
-Keck School Names Psychiatry Chair
-High-sugar Diet May Harm Latino Children
-Pioneer Reflects on Changes in Sciences
-NOTICE TO UNIVERSITY PARK CAMPUS - Power Shutdown – Nov. 20
-Online Maps: The Next Generation
-Radiologist to Further Study of Cancer
-USC Supercomputer Breaks Barrier
-Senior Wins Chick Hearn Scholarship
-Young Scientists Meet in Budapest
-Reflecting on Disaster in Gulf Coast
-George A. Olah
-Pacific Rim Council Targets S. Korea
-Still Striving to Be the Best
-Legal Eagles Speak Out on Campus
-Seaport Study Names Efficiency Barriers
-USC to Co-host Korean Symposium
-New Acquisition Pumps USC Up
-Putting Thoughts on Paper the Write Way
-Neuroscience Institute Launched
-NSF to Support Grid Software With $13M
-

Thanksgiving Matchup Helps Int'l Students

p

-Employee dollars at work
-Kathryn Sample Honored for USC Service
-Enjoying a Safe and Sane Halloween
-USC Marshall School of Business Boosts Faculty Across the Board
-Midori & Friends Make Beautiful Music
-Leinart Wins Golden Arm Award
-Happy Birthday!
-Copyright Notices May Pose Problems
-Calculating Whys and Hows of Wow
-IJJ Names 10 Border Justice Fellows
-Exploring the Biological Unknown
-Early faces of a diverse USC
-ISD Team Wins 10th CASE Award
-Prostate cancer risk unaffected by steroid hormone gene variation
-KEEPING IT LIGHT
-KEEPING IT LIGHT
-Prostate cancer risk unaffected by steroid hormone gene variation
-USC researchers open trial testing use of stem cells to repair knees
-Child magazine honors Keck School pediatrician as 'champion of children'
-Implanted retinal prosthesis offers hope of sight to the blind
-STOTSENBERG COMPETITION
-Donated holiday gifts sought to benefit area schools
-Collegiate Medical Volunteers gain valuable experience in hospital medicine
-HSC NEWSMAKERS
-Engineer a Finalist for Undergrad Honor
-USC College Celebrates Its Scholars
-Lakers to Sponsor Sports Conference
-Putting One's Time to Good Use
-Implanted Retinal Prosthesis Offers Hope
-Reggie Bush Rushes for Two Top Honors
-Water Polo Team Takes NCAA Title
-Visiting scholars get a new address
-Study Gauges Internet's Political Clout
-USC Food Fair Yields Treats and Donations
-Artistic License
-Using Movement to Express Yourself
-Reggie Bush Carries the Heisman
-Lusk Center Bullish on Real Estate
-Kudos for Helping the Homeless
-USC researchers show how collagen inhibits cancer
-THE DOCTOR IS IN - DENTAL CARE AND AGING
-Community outreach goes on-line
-Study explains why key diabetes drug fails in some patients
-POWERFUL IMAGES
-Keck School, Childrens Hospital share NCI grant to explore cancer causes
-Relaxation, stress reduction may help teen-agers avoid obesity and its health effects
-Immunogenetics expert Ian Hutchinson joins Schools of Medicine and Pharmacy
-Keck School hosts Muscular Dystrophy Conference
-HSC NEWSMAKERS
-glenn test
-Commencement in the news
-A Little Sweet Talk During Finals Week
-Stem Cells to Be Used in Knee Therapy
-Toys and Food Drives Held on USC Campuses
-Imaging Program Strengthens USC Research
-Still Striving to Be the Best
-Oldest Living Alum Turns 103
-USC Viterbi Faculty Adds New Members
-USC Partners in International Program
-Former Councilman Marvin Braude Dies
-From Feathers to Regeneration
-Chronicle takes tabloid CASE award
-Immunogenetics Expert Joins USC
-Take-a-Hike Event Raises $100,000
-Keck School Physicians Hailed by Peers
-Lit Luncheons Set for 2005 School Year
-Bringing Science to a Wide Audience
-Exploring the Myth of Privilege
-Opening a New Chapter
-Council Names L.A. Sports Awards
-C. L. Max Nikias Installed as New USC Provost and Senior VP
-USC Reaches Out to Katrina Victims
-Cementing urban ties
-New Initiative Announced by Provost Nikias
-New Fine ArtsBuilding Opens Sept. 15
-In Print
-On Disc
-Absences of Schoolchildren Followed
-Adults With Lazy Eye Can Improve
-Taking It One Bite at a Time
- Birth Defect Gene Identified
-NCI Grant to Support Cancer Studies
-Tuned Into Thoughts of Norman Corwin
-Sixty-five candles
-Assumptions Go Up in Smoke
-USC College History Professor Dies
-Stem Cell Researcher to Lead Institute
-Renowned Stem Cell Researcher to Lead New Institute at USC
-KUSC Celebrates Mozart's Music
-Happy Holidays
-Early Infection Stunts Growth, Lifespan
-World Press Exhibit Returns to USC
-Meet a Pair of Late Bloomers
-Blue Skies Ahead in USC's Forecast
-Wiring the Community:Infobahn driver's ed
-Scientist Named Ellison Senior Scholar
-Two Hires Can Be Better Than One
-Baseball Coach Rod Dedeaux Dies at 91
-USC Scripter Award Finalists Announced
-USC Participates in Chemical First
-Strategies to Help Teens Avoid Obesity
-Can the Next Big One Be Predicted?
-Home Building Exec Joins USC Board
-Take a Quick Spin Round the World
-Two Films Tie for Scripter Award
-The real cost of a quake
-How About Some Flute With That Food?
-p
-USC researchers see future of stem cells in feathers
-Keck smoking study links genetics to school absences
-USC/Norris director leads proposal for human epigenome project
-p
-Biosensor Developed to Track Alcohol Use
-Social Work Veteran Wins Leibovitz Award
-Scientists Study Growth Factor Gene
-Quick Takes
-USC Board Adds LAWA Executive Director
-A Conversation With Carolyn Webb de Macias
-Opening a New Chapter
-Classical KUSC Celebrates Mozart's Music
-USC Workshop Introduces Alternatives to Divorce Pains
-In Print
-'Capote' Nabs USC Scripter Award
-Cinematheque Screens Indie, Offbeat Fare
-Easing Access to Records for Parents
-Women in Engineering Director Named
-Plugging into the brain
-USC Launches Office of Public Service
-Group to Explore Evidence-based Policy
-Professor Named Chief Tech Officer
-Students Touch on Stardust Memories
-Melanoma Rising Among Hispanics
-USC Salutes King, Parks at Bovard Jan. 19
-10 Interesting Myths, Quickly Told
-Serving as Role Model for Youths
-Take a Quick Spin Round the Wide World
-Five Scholars Earn Fulbright Scholarships
-Medicine women:
-In Print
-From Fade In to Happy Ending
-Community Connects to the Internet
-Kesselman Gets Honorary Doctorate
-Cinematheque Screens Indie, Offbeat Films
-The Legend of the Widney Fire
-In Print
-USC-led Study Probes Perils of Smoking
-Fresh Approach Taken to Arts, Calendar Site
-Teaching Projects to Get Go-Ahead
-MOLECULAR BIOLOGIST ARNHIEM IS GIVEN NIH'S MERIT AWARD
-PROJECTS FOR INNOATIVE TEACHING - PRINCIPLES OF MECHANICS BROUGHT TO LIFE WITH VIDEO-BASED TEACHING TOOLS
-Medical Commencement 1995 - USC confers 155 M.D. degrees
-Film Buffs Go Beyond the 'Waterfront'
-METRANS Gathering Outlines Goals
-Melanoma study finds Latinos at rising risk
-Keck School Dean focuses on future in annual letter
-Study shows higher rates of lung cancer in African-American, Native Hawaiian smokers
-Support group focuses on head and neck cancer recovery
-USC Emeritus Professor, Playwright Dies
-USC Seeks Gold Standard of Approval
-A World Where Everyone Can Be a Corporate VP
-Building Bridges Toward Creativity
-Healthsense
-USC Updates Community Directory
-That's the Power of 'Love'
-Hospital Chairman Named to USC Board
-AI Class Boldly Goes in New Direction
-Executive Offers Cautionary View of China
-Youngsters Dabble in Project for Art's Sake
-Equity Scorecard Adopted by Wisconsin
-Trojans Tackle Their Need for Speed
-A Conversation With Tim Floyd
-Professor Appointed to USC Law Chair
-Be his guest...
-Tying Philanthropy Up in a Bow
-Buchanan named first Keck School Associate Dean for Clinical Research
-Keck researchers lead new efforts on aging-related disease
-Keck School researchers help to advance survival from ovarian cancer
-Lynda Knox awarded CDC prevention grant
-Keck School radiology professor tops ranking by Medical Imaging Magazine
-Huperzine A study seeks alternative Alzheimer's treament
-Deloitte Chairman Frets About Talent Pool
-Opera Star, Former Faculty Artist Dies
-Corwin Documentary Nominated for Oscar
-Diamond named budget and planning vice provost
- Alzheimer's Found to Be Mostly Genetic
-Time Is Right for Gaming Journal
-O.C. Businessman Named to USC Board
-USC Celebrates Martin Luther King's Legacy
-A Scholar Who Prizes Independent Thinking
-Sinking Their Teeth Into Hygiene
-In Print
-Playing a New Video Game, Italian Style
-Surfer Turned CEO Rides Wall Street Wave
-Viterbi Voice Interface Wins IEEE Prize
-Champions of the cello
-Solomon Golomb Enjoys a Golden Evening
-Toughness and Tenderness in Hoboken
-Renowned Engineer Draws Capacity Crowd
-Students Win Water Research Grants
-Journey of Goodwill Leads to Africa
-JPL and USC Forge Four-Year Partnership
-UNO Proposals Are Eligible for Funding
-First MBAs Graduate From Shanghai Campus
-'Capote' Writers Step Into Spotlight
-VIPs Examine the Essence of Success
-Advertising pyrotechnics
-Risk Taking Good for Business, CEO Says
-Buchanan named first Keck School Associate Dean for Clinical Research
-Keck School researchers help to advance survival from ovarian cancer
-Keck researchers lead new efforts on aging-related disease
-Keck School radiology professor tops ranking by Medical Imaging magazine
-Lynda Knox awarded CDC prevention grant
- HSC RESEARCH GRANTS FOR NOVEMBER 2005
-Huperzine A study seeks alternative Alzheimer's treatment
-HSC NEWSMAKERS
-Concert to Reflect New Emphasis
-Waging war on melanoma
-USC Track Legend Sped Through Life
-New use of 3T MRI sees women's heart disease
-USC oncologists join forces with The Angeles Clinic
-Rapid spread of avian flu energizes research
-Keck School researchers seek to improve outcomes for head and neck cancers
-Oakes brings expertise, interest in complex bone revisions
-HSC NEWSMAKERS
-Flora Thornton Donates $5 Million to USC
-A 'Puppet' Who Pulls the Strings
-Michael Goran named Atkins Chair in Childhood Obesity and Diabetes
-He's still young at 65...
-Kidney disease research group honors Nephrology Chief Vito Campese
-For new USC dermatologist and researcher, love of clinical work is more than skin deep
- HSC RESEARCH GRANTS FOR DECEMBER 2005
-Health Sciences Campus welcomes health and environmental experts to legal team
-GIVING TREE
-Foundation offers $50,000 research grants
-HSC NEWSMAKERS
-Brushed by the Demon
-Creator Explains His 'Artistic View'
-USC Marshall Names Gilligan Interim Dean
-For kids with hoop dreams: a wake-up call
-Conference Addresses State's Poverty
-Open and Shut Case for Undergrads
-UNO Proposals Are Eligible for Funding
-KSCR Gives Faithful Shirt Off Its Back
-In Print
-New Ways to Diminish School Violence
-Administrator Takes on New Duties
-Authors Examine Terrorist Trends
-Celebrating an Enduring Partnership
-Pathologist Wittmann Dies at 80
-USC offers layoff benefits
-Report Examines Philanthropy in Los Angeles
-Goran Named Atkins Chair in Obesity
-Reasons for Living Where You Work
-Broad Foundation Backs Stem Cell Institute
-Broad Foundation donates $25 million to create new Stem Cell Institute at Keck School of Medicine
-Researchers Present Findings at AAAS
-New Teahouse Dedicated at Doheny
-He Hasn't Curbed His Enthusiasm
-USC/Norris Partners on the Westside
-Advancing Ovarian Cancer Treatments
-USC LIBRARY TO HELP TEST EASTMAN KODAK'S NEW PHOTO CD TECHNOLOGY
-Budget cuts hit HSC campus
-Helping Unlock Mysteries of the Heart
-He Scratches Below the Surface
-Building Upon the Natural Elements
-MBA Students Win Business Competition
-A 'Curious' Glimpse Inside Wonderland
-L.A. Mayor to Speak at Commencement
-Culture Clash? Not on This Day
-Trojans Tackle Their Need for Team Speed
-Magazine Ranks Top Researchers
-'Capote' Writers Step Into Spotlight
-New Chief Executive Officer for CHLA
-In Print
-USC Stevens to Lead Tech Transfer
-Alum Leaves Art Legacy in the Can
-NSF Bestows Honor on Engineering Professor
-Taking Proper Steps to Avoid Poison
-Communication Made 'E-Z' for Patients
-Nutritionists Offer Healthy Alternatives
-Celebrating an Enduring Partnership
-Professors Review Sexuality in the Media
-An Open Mind and Empty Stomach
-Hard Hats converge on the Keith Quad
-Demián Cortés Explains His 'Artistic View'
-In Print
-Family Matters
-Library Holdings Lead to Recognition
-Teaching the Truth About Consequences
-National Science Board to Hold Hearing at USC
-Learning the Laws of Networking
-Business Conference to Head Overseas
-Distance Learning Extends HSC's Reach
-Designing an Ideal Retirement
-Conquering Cancer and the Mountain
-$25 million Broad Foundation gift creates stem cell institute at USC
-Broad family builds legacy of philanthropy
-USC President Steven Sample foresees 'golden age of research' at HSC
-Pilot program offers far-flung students an education—without the 800-mile commute
-USC Neighborhood Outreach offers grants for community projects
-HSC NEWSMAKERS
-Former Dental Educator, Administrator Dies
-Annenberg's Getty Arts Fellows Chosen
-USC Annenberg Uncovers Award Winner
-USC to Help College Transfer Students
-People: What we are saying and doing
-Developing a Voice … and Young Talent
-Defense Research Grants Go to USC
-Documentary on USC Professor Wins Oscar
-Helping Others Get Back on Their Feet
-First Look Festival Screens in April
-Graduates Form Development Council
-Benefits of Full-day K Erode by Grade 3
-He's Marching Into Washington
-Hitting the Road Once Again
-Philanthropist Makes Pledge to MBA Center
-USC study of 162 patients shows vitamin E slows, may even reverse, atherosclerosis
-Architects Discuss Their Efforts March 22
-From First Lady to Madame President?
-Adding Faith to Social Work Practice
-Annual Event Invites Trojans to Dive Right In
-Here's a Shaggy Dog Story for the Ages
-USC School of Fine Arts Gets $23 Million
-Former USC Journalism Professor Dies at 75
-Alumni Event Benefits Special Olympics
-Ambassador 'Tony' Ross Dies at 88
-DT, Named Best Student Daily, Gets Scooped
-Medical School budget roundup
-Classes Focus on International Social Work
-USC College Philosopher Wins Fellowship
-Hearing Tackles Math, Science Education
-Preventive Medicine unveils Veronica Atkins Lifestyles Intervention Lab
-Reserchers show how genetic changes affect lymphoma survival
-Keck School of Medicine opens Center for Premature Infant Health
-USC's Women's Health Program expands services at downtown Los Angeles site
-SICKLE CELL SYMPOSIUM
-KIDS' DAY
-Low Cholesterol doesn't increase the risk of cancer, study shows
-CHLA physicians elected to national surgical society leadership roles
-Newsmakers
-p
-Preventive Medicine Unveils Intervention Lab
-Freshmen Study Global Economy in Shanghai
-Scholars Document Genocide Aftermath
-Showing How Genetic Changes Affect Lymphoma Survival
-Renowned Scholar Joins USC College
-USC Marshall, Others to Boost Small Firms
-Answering the Call of the Community
-House Calls make a comeback with 1-800-CALLDOC
-USC Marshall School Alum Dies at 80
-Trauma study shows obese children fare worse than lean peers
-USC researcher lauded for anti-tobacco efforts
-ZNI scientist seeks how brain makes connections
-Physical therapy program aims to keep entire families fit and healthy—for free
-HSC programs offer students international experience
-HSC NEWSMAKERS
-Computers Reach Nigerian Home ... Finally
-USC/Norris study finds HIV drugs effective for leukemia/lymphoma
-Four Faculty Receive Selective Honors
-Taking a Stand Before Top Judges
-Sisters Act
-Armstrong Earns USC's Highest Honor
-A Conversation With Dixon Johnson
-Good Deeds in the Gulf
-International Enrollment Increases at USC
-Pharmacists Provide Emergency Contraception
-Study Challenges Rush to Medicate
-USC Clinical Professor Dies at 88
-THIS WEEK
-Donna Nelson retires after 35 years and 7 deans
-Boosting a Young Scientist's Career
-USC Names Vice Provost for Enrollment
-Tackling Challenges to U.S. Innovation
-Lewis Homes Co-Founder Dies at 84
-'Triumph' Wins Short Subject Academy Award
-Providing a Forum for Expression
-Event Explores Forbidden Art of Uzbekistan
-Annual Event Invites Trojans to Dive Right In
-In Print
-USC Wins National Patient Care Award
-Pasarow awards, talks to be given
-Self-Esteem Falters Among Chinese Teens
-Conversation With Rabbi Susan Laemmle
-Ph.D. Candidate Earns 2-Year Fellowship
-Exhibit Showcases Products for All Ages
-Donors Make Pledge to USC College
-Diabetes Assn. lauds Bergman's research career
-MATCH.COM: Medical students' residencies revealed
-USC surgeon helps dancers recover from pitfalls of their profession
-USC craniofacial researchers identify gene implicated in human and animal birth defects
-People: What we are doing and saying
-HSC RESEARCH AWARDS FOR JANUARY 2006
-Florence Clark elected vice president of American Occupational Therapy Association
-USC IDOL-ATRY
-Newsmakers
-Research Earns Award for USC Professor
-Where the Creative Process Begins
-Gaining a Global Perspective
-Midori Strings 'Em Along at Doheny Library
-USC's health budget: background, status, outlook
-Family Matters
-Family Matters
-Internet Made Easy for Starters
-First Look Fest Returns April 18-21
-Academic Honors to be Awarded at Convocation
-Taking a Closer Look at Aging
-In Print
-'Diversity' Named Outstanding Title
-The Heartbreak of Defeat
-Current Crisis news in capsule
-ACLU Series Studies Struggle for Freedom
-USC Publications Are on the CASE
-Family Matters
- USC College Offers Golden Opportunity
-Policy Decisions May Jeopardize Future
-USC Casden Economics Forecast Released
-Frictionless Motion Observed in Water
-Grant to Fund Viral Learning Project
-Time Is Right to Plan for Retirement
-Engineer Vies for National Invention Prize
-Learning to save lives
-U.K. Salutes Social Work Expert
-Famed Feminist to Delliver USC Lecture
-Building Bridges Toward Creativity
-The Legend of the Space Aliens
-On Disc
-New Employees Get a Taste of Trojan Spirit
-On the Threshold of a Miniature Flight
-Researcher Lauded for Anti-Tobacco Efforts
-USC study warns of link between antipsychotic drugs and diabetes
-WELCOME TO THE PATOS
-Meanwhile, on the other coast
-Foundation names Keck School as 'Center of Excellence'
-USC lauds outstanding faculty, bestows top academic honors
-Two USC researchers elected to the Association of American Physicians
-USC Pharmacy students win national patient care awards
-Sydney Pomer, USC clinical professor, 88
-Sydney Pomer, USC clinical professor, 88
-Study shows self-esteem falters among 'fat' Chinese teens
-RESEARCH UPDATE
-OH, K
-HSC NEWSMAKERS
-$6 million grant from National Cancer Institute boosts genetic medicine program
-HSC NEWSMAKERS
-Breaking New Ground in Gray Matter
-New Home of Korean Institute Dedicated
-Pharmacy School Offers Diabetes Challenge
-USC Co-Hosts Identity Management Workshop
-DPS Begins New Monthly Foot Beat Program
-Simple Premise Yields Complex Works
-USC Student Starts the Presses
-Lights, Action, but Few Women in Charge
-Patti Earns Lifetime Achievement Award
-Trauma surgeons make community outreach efforts
-Big Business Not to Blame for Environmental Woes
-Counting Down Memorable Moments
-Diabetes Assn. Lauds Researcher's Career
-USC Viterbi Celebrates New Beginning
-Scholar Joins Center on Public Diplomacy
-Listening Closely to the Sound of Movies
-Conversation With Sandra Tsing Loh
-President Sample Gets Centennial Medal
-USC, Keck School celebrate Broad family generosity
-New program helps medical students find a clear career path
-People: What we are saying and doing
-New ZNI researcher probes big mysteries at the smallest of scales
-Living History Volunteer Gets Leibovitz Award
-Three USC physician assistant students win prestigious federal scholarship
-Childrens Hospital Los Angeles names new CEO
-APRIL SHOWERS
-Newsmakers
-USC Receives Donation of Biblical Proportion
-Romance Wins the Day for Filmmakers
-Cinema-TV Establishes New Endowed Chair
-Memory: The Long and Short of It
-JUMP IN FINANCIAL-AID APPLICATIONS EXPECTED WITH NEW REGULATIONS
-Catching prostate's spread
-Learning to Strike the Proper Balance
-USC Gets First Round of Stem Cell Funds
-USC receives first round of stem cell training funds from California Institute for Regenerative Medicine
-Retirees Honored at Town & Gown Luncheon
-Conceiving a Cool Concept for Hot Wheels
-Efficient Flat-Panel Light Invented
-Conference 125 Offers Guarded Prognosis
-USC Annenberg Establishes New Scholarship
-Getting a Leg Up on Orthopaedics
-He Makes the Impossible a Reality
-Doctors abroad....
-Panelists Present Key Aging Resolutions
-Earning Academic Accolades From France
-Visiting Scholar Calls for More Civic Involvement
-USC Faculty Rewarded With Zumberge Grants
-Keck School Named Center of Excellence
-Conversation With Nicole Mau
-Lewis Carroll Inspires Wonderland Wins
-Radicals, Renegades and Rock Stars
-Service Awards Salute Volunteers
-Grad Students Share Gulf Coast Experiences
-Budget & Crisis: a roundup
-Grad Students Share Gulf Coast Experiences
-Making the First Pitch: Deal or No Deal?
-Conference Explores Pentecostal Movement
-Undergraduate Symposium Held April 11-12
-Writers Can Get Paid for Work
-In Print
-Galen Center Murals Get Supersized
-USC Student Starts the Presses
-USC Announces Events for Arts Initiative
-Two USC Schools Receive Grant
-Counterpoint: How good are the rankings?
-Executive Named Childrens Hospital CEO
-School of Theatre to Celebrate Holland's Life
-Students Present Homeless Findings
-Cinema Professor Helps Uncover Lost Art
-Keck School receives funding for stem cell research grant
-After tragic car crash, USC psychiatrist on road to recovery
-Jane Brust joins USC as associate vice president of Health Sciences Public Relations
-USC scientists identify promising avenue of breast cancer research
-USC shares American Medical Assn. Education Grant
-HSC NEWSMAKERS
-Dining around the HSC campus
-TO YOUR HEALTH
-Tyler Environmental Prize Winners Named
-Mastering the Art of Podcasting
-Undergraduates Show Their Creative Colors
-Research Is Not Just for Professors
-USC Libraries Finds New Friend at Top
-In Memoriam: Eberhardt Rechtin, 80
-Natural Selection at Single Gene Demonstrated
-Alumna Reflects on Her Roots
-Elmer Bernstein Collection Comes to USC
-$6.4 megs: CHLA gets USC's 2nd NIH clinical research center
-Knight Foundation Launches New Center
-Marshall Hosts Microfinance Conference
-Ronald K. Ross, Chair of the Department of Preventive Medicine at Keck School of Medicine of USC, 57
-Loyalty Programs Faltering, Study Says
-Keck School Cancer Researcher Dies
-Much Ado About Dodos
-Leonard Adleman Elected to NAS
-Family Matters
-Family Matters
-USC College Names Dean's Prize Winners
-Patient Care Design Care Team completes assignment
-Growing Up in USC's 'Neighborhood'
-Commencement Day Nears for Graduates
-Rao named chair in vision research
-Childrens Hospital of Los Angeles campaign raises $556 million
-SUPPORTING PROMISING RESEARCHERS
-Keck School of Medicine students boast record-high scores
-USC Network Medical Plan adds innovative diabetes management
-Carousing is out, learning is in for alternative spring break
-BREATHLESS ABOUT SCIENCE
-Pharmacy School grad reaches end of long, winding road
-People: What we are saying and doing
-HSC NEWSMAKERS
-NSF Awards Diversity Grant to USC
-Kavitha Sivaraman Has the Right Chemistry
-Salutatorians Were on Top of Their Game
-Children Near Roads Face Asthma Risk
-France Preps for New Economic Realities
-USC Hosts Symposium on Cancer and Aging
-Bestowing the Gift of E-Commerce
-Taking Creativity Into the Classroom
-Prescription for Plaza: New Artwork
-Norris hosts premiere for cancer documentary
-Follow the Nitrogen to Extraterrestrial Life
-USC researchers link asthma in children to highway proximity
-NIH awards USC researchers $1.2 million to study how lacrimal gland absorbs drugs
-WELCOME, NEW STUDENTS
-Distinguished panel discusses challenges facing America's technological, scientific leadership
-ETCETERA
-USC alumna bequeaths $456,000 for cancer research
-For USC physical therapist, teaching the value of an ounce of prevention is hardly a stretch
-HSC RESEARCH GRANTS FOR MARCH 2006
-HSC NEWSMAKERS
-Study shows diabetes during pregnancy, may indicate later risk in Latinas
-Rao Named Chair in Vision Research
-New Assignment for Top U.S. Diplomat
-Entertaining Ideas on the Job Market
-CHLA Campaign Raises $556 Million
-One Generation Cares for Another
-Merck Picks USC for Fellowship Program
-Founding Dean to Lead Gerontology Course
-Richmond Speaks at Chinese Symposium
-MyUSC Portal Open for Business
-USC Rossier to End Undergrad Program
-HISTORIC TRANSPLANT OPERATION DONE AT UNIVERSITY HOSPITAL
-Five USC affiliates make the ranks of U.S. News and World Report Survey
-Digital Scholars Make Their Own Rules
-New USC Libraries Dean Is Appointed
-Mellon Program Salutes Top Mentors
-Pete Earns President's Award
-Undergraduates Find Their Niche
-Four Individuals to Get Honorary Degrees as Part of Celebration
-'Sweeping Dreams' Cleans Up at Film Fest
-Moving Into Unexplored Territories
-Makinson Donates $300,000 to Architecture
-The Class of 2006 Embraces Its Future
-Eric Cohen award winning instructor
-NIH awards USC-based center $8.6 million for environmental studies
-FIESTA!
-USC pediatrician receives Mathies Award for healthcare leadership
-Keck School alumnus creates fund to assist outstanding third- and fourth-year medical students
-SYMPOSIUM FOCUSES ON FETAL-MATERNAL HEALTH
-USC Alzheimer's disease expert calls for improved clinical trials
-USC urologist awarded $100,000 from Prostate Cancer Foundation
-Akira Endo, biochemist who made statin drugs possible, awarded 2006 Massry Prize
-Kaplowitz receives liver society's highest honor
-Annual Salerni Collegium fundraiser slated for June 12
-Campus braces for county cuts
-Society of Breast Surgeons honors USC physicians
-PRETTY IN PINK
-HSC NEWSMAKERS
-There's Something Else About Mary
-Findings Raise Questions About Law
-Ritchie M. Spencer Dies at 67
-Four Educators Travel North by Northwest
-Rossier to Train School Business Officers
-Meeting to Tackle Intellectual Property
-Taking Another Leap in Technology
-Dining Around Campus III
-Promoting Peace – Virtually Speaking
-All eyes are on USC research at ophthalmology conference
-Medical Board honors USC physician
-Medical Board honors USC physician
-Keck School splits grad ceremonies
-HSC Public Relations marketing campaigns win national awards
-Simerly named to lead CHLA Neuroscience Program
-HRA and USC ink new research affiliation agreement
-Neurobiologist Jonah Chan sees glial cells as unsung heroes of the brain
-Neurobiologist Jonah Chan sees glial cells as unsung heroes of the brain
-University Hospital guild members host Gamma Knife tour
-USC undergrads win award for health research
-RECORD-BREAKING CANCER SCREENING
-HSC NEWSMAKERS
-From the Mouths of the Learned
-Yortsos Named Dean of Engineering
-USC Scholars Go Down in Trojan History
-Family Matters
-Pomp and Circumstance
-theatre School to Celebrate Holland's Life
-Grad Students Pitch in Around Gulf Coast
-Hema Care, USC start blood center on campus
-Events Approved by Arts and Humanities Committee
-Family Matters
-Family Matters
-Guggenheim fellowships Go to USC Scholars
-Guggenheim fellowships Go to USC Scholars
-Family Matters
-Sharing a Passion for Minority Writers
-Writers Discuss Book on USC Neighborhood
-In Print
-First Tribulation, Then Triumph
-Hislop keynote speaker at International Congress for Physical Therapy
-USC to Create New U.S.-China Institute
-Alcoholic disease symposium draws world's top experts
-Implanted heart sensor reduces hospital visits for heart failure patients
-Gynecologist seeks causes and prevention of pelvic floor dysfunction
-Keck School physician honored by American Liver Foundation
-Women's Health Initiative data points to risks, but also benefits of hormone therapy
-Successful Children's Health Initiatives at risk, USC study shows
-Keck School to host symposium on advances in kidney research
-Child Guidance Clinic wins mental health award
-Azen honored for contributions to biomedicine
-UCLA's Katz to chair Anesthesiology
-HSC NEWSMAKERS
-Distant Quake Could Hit Los Angeles Hard
-Thornton Student Feted Coast to Coast
-Alcoholic Disease Symposium Draws Experts
-Students Take Top Prize in Subaru Campaign
-USC's First Helen of Troy Dies
-A Conversation With James Ragan
-Former Nestle Head Defines Sweet Success
-Grant Supports Study of Abused Children
-Summer Construction Projects Race Against Time
-Patient commutes 22 hours for treatment at USC/Norris
-USC Marshall Hosts Public Policy Symposium
-Courseware Project Awarded NEH Grant
-Dealing With Dementia Among Elders
-Building a Bridge Toward Respect
-Hearty Meals Fit for a Microbe
-USC/Duke Team Lets There Be Slow Light
-A World Away From Home
-Embracing Change for Corporate Survival
-Official Accepts Chair at USC Rossier
-USC Baseball Coach Retires
-People: What we are saying and doing
-USC Baseball Coach Retires
-Professor Wins Nuclear Pioneer Award
-Keeping Track of Ayelet Waldman
-Ed McCaffery Named Interim Law Dean
-Tools to Analyze Musical Expression
-Students Chart Solutions for Music Industry
-Kennedy Taken in First Round of Baseball Draft
-Student Rocket Soars in Successful Test
-Reporting on Fulbright Activity in India
-QueensCare Awards Grant to School of Pharmacy
-ALUMNI RELATIONS VICE PRESIDENT SHARI THORELL LEAVES USC
-Prostate Cancer's link to maternal gene probed at Norris
-Groundbreaking USC physician Helen Martin, 100
-USC radiopharmacy expert honored for lifetime achievement
-HONORING EXCELLENCE
-Two USC researchers win prestigious cancer research awards
-PROMOTING HEALTH
-Keck School graduate dreams of starting HIV clinic in Kenya
-USC University Hospital marks 15 years of service
-HIGH LEVEL VISIT FROM UKRAINE
-Keck School honors physician's 40 years of service
-HSC NEWSMAKERS
-Drug resistance linked to attitudes
-USC Annenberg Names New Senior Fellow
-Chariots of Troy
-In Print
-Groundbreaking Physician Dies at 100
-USC Gathering Addresses Disabilities
-Stepping Beyond Mainstream Medicine
-Perceptions Lead to Culture Clash
-Activating MicroRNA Inhibits Cancer Gene
-Family Matters
-Bumper Crop of USC Fulbright Scholars
-County blessings: much good mitigates pain
-Conversation With Adam Clayton Powell
-Professor Gets Life Achievement Award
-Fitness for your Feet
-Two Professors Win Cancer Research Awards
-College to Offer Liberal Studies Degree
-Hair-Raising Thoughts on Cultural Coifs
-Alums Stretch the Borders of Film Expertise
-Cheryl Glaser Moves to Classical Network
-Two New Interactive Games Degrees Set
-Winning Recognition in Reel Time
-Hand surgeon Boyes; founded USC fellowships
-Study Examines Access to Elite Colleges
-Researcher Wins PORTALS Insight Award
-Researcher Wins PORTALS Insight Award
-Engineers Analyze the Games People Play
-New Test Detects Prostate Cancer Spread
-2006 Grads Encounter Strong Job Market
-Reaching L.A. by Way of Brooklyn
-USC College Names Interim Dean
-Transition to New Energy Sources Urged
-County axe whacks at jobs on campus
-Trojans Bid Farewell to Joseph Aoun
-Environment Affects Femme Smokers
-Thompson to Join National Science Board
-Grasping the Pleasure Principle
-USC physicians separate conjoined twins in marathon surgery
-USC researchers unveil findings at ASCO
-AAMC warns of physician shortage
-Newly reorganized USC Clinical Laboratories Group receives top marks for accreditation
-Zilkha Neurogenetic Institute enhances security
-SPREADING THE HEALTH
-Dean on the mend
-A BEVY OF BABIES
-Clinical trials explore genetic link to colon cancer
-Cancer researchers to discuss findings at June 29 symposium
-C-TREC awards $265,000 for pilot programs to stem obesity, cancer
-HSC NEWSMAKERS
-Finding Someone to Watch Over Kids
-Young Director Casts 'Shadow'
-AAMC Warns of Physician Shortage
-Seeing the City Through Fresh Prism
-Researchers Identify Drug-Binding Site
-Etcetera
-Alum Uses E-magination to Help Pupils
-Singing the Praises of Talented Trojans
-Bacterium Takes a Shine to Metals
-Sending the Right Signal
-Solving Crimes Can Be Murder
-U.S. Workers Satisfied With Job Status
-Worth an Arm and a Leg
-Breakthrough Near in Treating Autism
-Exploring Khan's Legacy on Women
-Protein That Protects Tumors Studied
-Medical School leads in fundraising
-Meet the Method Man in the Middle
-Dental Consortium Delves Into Oral Health
-Conversation With T.C. Boyle
-In-Utero Surgery Leads to Twin Births
-USC College Taps Scholar for Post
-Mentoring Those Who Made Mistakes
-Researchers Detect New Enzyme Function
-Architecture Professor Hailed by Magazine
-Professor to Study Access to Health Care
-USC College Gets Edison Education Grant
-How about those medical students
-U.S. News Ranks USC's JEP Program
-Emeritus Professor Edgar Ewing Dies, 93
-Balancing Happiness With Life's Puzzles
-USC Pharmacy findings suggest new way to attack AIDS virus
-OT and PT depts. realigned under USC School of Dentistry
-USC physicians save twins' lives in rare in utero surgery
-USC biochemist Judd Rice named 2006 Pew Scholar
-USC Care switches to new call center
-Ted Schreck retires as CEO of USC University Hospital
-USC Evaluation and Treatment Center expands availability of urgent care
-Norris tower nears completion
-ETCETERA
-Helen Martin memorial service slated for July 26
-HSC NEWSMAKERS
-Youngsters Get Kick Out of NFL Impact
-Schreck Retires From University Hospital
-Two Depts. Realign Under School of Dentistry
-Working on Film Projects for a Good Cos
-Judd Rice Named 2006 Pew Scholar
-Treatment Center Ready for Urgent Care
-Campus Landmark: The Memorial Pylon
-ALL IN A DAY'S WORK
-People: What we are saying and doing
-Daniel Epstein Earns Engineering Honor
-Campus Landmark: Good Wood Turns Into Trojan Lore
-Conversation With the Rev. Cecil Murray
-Seeking Heirs to Wisdom
-Pharmaceutical Science Grad Students Host Conference
-Study to Examine 401K-type Accounts
-Getting a Big Lift From Weights
-Can SoCal Emerge as Land of Start-ups?
-Margaret Gatz Earns High Honor
-Wanted: Summer Jobs for Teens
-Skier finds his dream again
-Education Turns Student Into Entrepreneur
-Owning Your Home, Sweet Home
-Making a Quantum Leap Into the Future
-Larry King, LAC+USC Forge New Ties
-Protein Switches Immune Response
-USC twin study shows how geography and genes increase multiple sclerosis risk
-REFLECTIONS ON A STELLAR CAREER
-USC boasts two 2006 AACR award recipients
-LAC+USC partners with Larry King Cardiac Foundation to aid heart patients
-USC study shows differences in how men and women adopt smoking habits
-School leaders mull solutions to medical center crisis
-School of Pharmacy receives $1.1 million QueensCare grant
-USC ophthalmologist's medical innovations are a sight for poor eyes
-FDA approves drug to treat rare disorders that attack blood cell production
-CHLA Department of Pediatrics receives
-USC establishes Center for Work and Family Life
-ETCETERA
-USC Good Neighbors Campaign gives $139,000 to seven HSC-area programs
-USC study in Cancer Cell suggests epigenetic methods may help prevent or treat cancer
-USC experts teach emergency medicine in Ghana
-HSC NEWSMAKERS
-Stripolli named special assistant to Van Der Meulen
-CHLA Department of Pediatrics Gets Grant
-USC Has Two 2006 AACR Award Recipients
-Teaching Emergency Medicine in Ghana
-Innovations Emerge as Sight for Poor Eyes
-USC Viterbi Wins Share of Security Effort
-Marxist Group Manifests Itself Again
-Finding Relief Is Hard Work
-Dramatic Changes
-Walking the Path to a Greener L.A.
-Emeritus Professor Jay Zorn Dies
-Joe Van Der Meulen gets another role: medical dean for the interim
-USC Ranks Among LGBT-Friendly Sites
-USC Libraries Names Outreach Coordinator
-Taking a Chance They Could Not Bypass
-USC Professor Named to SEC Post
-CNTV Scholars Think Ahead
-Detlof von Winterfeldt Joins Viterbi
-Burckart Takes Sabbatical at FDA
-Spencer Memorial to Be Held Sept. 6
-How to Spot Fictitious Financials
-Environment May Augment MS in Twins
-Video replaces travel for medical talks
-Making a Case for Critical Thinking
-USC study in Nature Genetics pinpoints subtype of colorectal cancer
-New test improves predictions of prostate cancer recurrence
-Search committee formed to choose new CEO for USC Care
-Science, Nature praise USC dermatologists' study on how skin heals
-USC pharmacy expert joins FDA push to improve drug therapies
-INTERNATIONAL REACH
-REMEMBERING HELEN MARTIN
-Clinical trial seeks to ease attacks of asthma
-HSC NEWSMAKERS
-Siberian exile: silver lining for Zelman
-Studying the Past in Present Tense
-Clinical Trial Seeks to Ease Asthma Attacks
-Center for Excellence Marks Anniversary
-Every Microbe in Its Place
-Three Chairs Established at USC Marshall
-First Galen Center Event Set for Oct. 12
-Local Chamber Honors Ethel Percy Andrus
-A Film Taylor Made for His Expertise
-New Minor for Medical Professionals
-Moving In, Leaving Memories Behind
-Year's fund-raising efforts net $132 million
-USC Law Locks in Race Theorist
-New Makeover for Norris Library
-All Aboard for L.A. Terminal Collection
-Twists, Turns and Unexpected Challenges
-Journalist Joins Institute for Justice
-USC Gets $2 Million NIH Grant
-Raising Visions and Voices
-Setting a Spark to New USC Initiative
-Annenberg Foundation Endows Chair
-USC Hailed as Nation's 'Best Neighbor'
-Fisher named director of communication school in Annenberg
-Protein Found to Protect Breast Cancer Tumors
-USC Files Lawsuit to Terminate Tenet Pact
-Imagine Yourself on a Sandy White Beach …
-Helen Northen Dies at 94
-2006 Leibovitz Award Nominations Open
-Enamored With Luster and Light
-Genetic Risk Factor Found for Prostate Cancer
-Cardiovascular Institute Pumps Up USC
-Keck School unveils new Cardiovascular Thoracic Institute
-USC sues Tenet for control of USC University Hospital
-Friends and neighbors
-CIRM to host stem cell research grant application forum
-Protein that protects tumors studied
-Study pinpoints breast cancer marker
-Weight training shown to ameliorate risk of type 2 diabetes in Latino teens
-HSC RESEARCH GRANTS FOR JUNE 2006
-Science writer, author joins HSC Public Relations staff
-a href="http://www.usc.edu/uscnews/stories/12696.html">HSC NEWSMAKERS
-Finalists Named for Health Awards
-Going Down to the Last Wire
-Lessons Learned From Katrina
-STUART STUDIES VIOLENT DRAMA OF BRITISH PLAYWRIGHT EDWARD BOND
-Quick Takes
-SPPD Expands Policy Outreach
-Dogs and Smog Don't Mix, Research Says
-Howard Rodman to Chair Scripter Committee
-Doing the Honorable Thing
-Online News Assn. Names Award Finalists
-Marshall Students Chosen for Thesis Award
-Cell Struggle Against Tumor Documented
-Micro-seminars Yield Positive Results
-Engemann Elected to USC Board
-USC Marshall Professor Gets Lifetime Award
-'Marketplace' at home and abroad
-Group Hire Makes Waves on Campus
-Celebs: Legends in Their Own Minds
-Taking Steps to Reinhabit New Orleans
-'Savage' Tale of Murder, Insanity, Incest
-Making Tomorrow's Student-Athletes
-USC Professor to Serve Smithsonian
-Delaying Kindergarten Has No Benefits
-He Maintains His Connections to the Past
-Where There's a Wills, There's a Way
-In Corporations We Do Not Trust
-Aronson to head international relations
-Reaching the Heart of the Matter
-Eclectic Roster Joins USC Annenberg
-Conversation With Michael Quick
-Learning More About Nano Know-How
-Loved Ones Toast First Helen of Troy
-USC Plays Key Role in Computing Programs
-Sabido Earns Everett M. Rogers Award
-USC Alumna Finds Purpose in Life
-L.A. Teens Encouraged to Think Globally
-Faculty Hiring Initiative Rolls a Seven
-Laemmle to coordinate ministries
-Valentine Puts Heart Into Campus Directory
-Campus Landmark
-Family Matters
-In Print
-CNTV Names Division After Animator
-Alumna Savors Sweet Smell of Success
-USC Life Trustee Gordon Luce Dies
-USC Marshall Prof Ends Presidential Term
-Committee Chair Calls for Nominations
-1995 Raubenheimer awardees honored
-Out of the White, Into the Black
-Brain's Action Center Is All Talk
-Dogs and smog are bad mix for children with asthma
-LAC+USC Medical Center contract approved by Board of Supervisors
-A white coat welcome for future health professionals
-Italian university system awards USC neurosurgeon centuries-old honor
-Chilean university adopts Keck School curriculum
-Diverse team of USC researchers to seek way to stem atherosclerosis
-ETCETERA
-Norris Library renovated in response to user survey
-A polyglot photocopier
-5K walk on Oct. 11 to benefit scholarships, research
-HSC NEWSMAKERS
-Executive to Oversee Tech Licensing
-Italians Bestow Honor on USC Neurosurgeon
-Lucasfilm Donates $175 Million to USC
-Chilean University Adopts Keck School Curriculum
-Jordan Signs Cinema Pact With USC
-Family Matters
-Tabbing Top Programs at Charter Schools
-In Print
-Computers for cops
-Rare surgery by USC-CHLA team saves newborn's life
-Famed neurologist and author kicks off USC Arts and Humanities Initiative at HSC
-USC surgeon Ramen Chmait sees big challenges in treating the smallest of patients
-ETCETERA
-Cell signaling study sheds light on diseases of the brain
-Medical Spanish course aims to bolster doctor-patient communication
-Keck School-Caltech M.D./Ph.D. program expands student options
- CALL FOR PROSTATE CANCER PATIENTS
-Volunteers Sought for “Take-A-Hike” Fundraiser
-SURGICAL WEBCAST
-The presidency's price tag
-HSC NEWSMAKERS
-5K Walk on Oct. 11 to Benefit Keck Scholarships
-Rare Surgery Saves Newborn's Life
-Options Expanded for Medical Students
-Researchers Seek Way to Stem Atherosclerosis
-Call for Prostate Cancer Patients
-Big Challenges in Treating Small Patients
-Volunteers Sought for Annual Event
-Conversation With Sherry Bebitch Jeffe
-New Leader Expands Department's Vision
-Home improvements
-Former Dean Reelected to Exchange Post
-Famed Neurologist Launches Initiative at HSC
-USC to Guarantee '07 Football Seats
-ISI Building $1.5M NASA Satellite Gateway
-Portrait of a Photographer
-Aging in China Covered During USC Visit
-Teen Smoking Cessation Programs Work
-Constitution Day Yields Dark Memories
-$8 million NIH grant to fund major USC Alzheimer's disease prevention effort
-$1.5 million NIH grant spurs USC team's hunt for DNA markers of lung cancer
-USC launches L.A.'s own media lab
-NIH grants to Keck School reach record high
-HSC slates campus-wide postdoctoral career fair; seeks partners
-CHLA experts pen spina bifida education book for children
-Your Opinion Counts - HSC Weekly Readership Survey
-USC study shows transfusion-free surgery can greatly lower overall blood use
-Participants in 5K walk Oct. 11 get reduced-rate parking for event day
-SMOKE FREE?
-USC kicks off 11th annual Good Neighbors Campaign
-HSC NEWSMAKERS
-USC Good Neighbors Campaign Kicks Off
-ANNOUNCEMENTS
-Pacific dreams
-Cadenas Appointed Chair of NIH Section
-Donal Manahan Testifies on Capitol Hill
-Family Matters
-In Print
-Charting Flow of Money Well Spent
-Kirk Shung Receives $5 Million NIH Grant
-USC Wins $8 Million NIH Grant
-NIH Grants to Keck School Set Record
-CHLA Experts Pen Children's Education Book
-USC to Host FCC Hearing on Ownership
-A thousand suits to keep homeless out of the cold
-Grandparents Play Role in Chinese Expansion
-HSC Seeks Partners for Postdoctoral Career Fair
-Ell Receives $250,000 Grant From L.A. County
-Entanglement Unties Quantum Information Problem
-Reading Festival Takes Kids Around the World
-Dean Reorganizes School of Pharmacy
-Davison Named Dean of Gerontology
-Keck School students' USMLE scores keep rising
-Pharmacy dean reorganizes School, bolsters leadership
-USC researcher awarded prestigious Packard Fellowship
-Watchdog of the war chests
-Stop-smoking programs for teens appear to work
-To the brain, words speak as loud as actions
-Your Opinion Counts - HSC Weekly Readership Survey
-USC dermatologist lauds U.S. Senate focus on rare and deadly skin disease
-Study links epilepsy drug to birth defects
-ETCETERA
-USC study may point way to better chemotherapies
-HSC NEWSMAKERS
-HONORING EXCELLENCE
-Cinema School Celebrates Lucasfilm Gift
-Changes sweep medical school
-Keck School Students' USMLE Scores Keep Rising
-Family Matters
-New Experiences With Old Acquaintances
-Researchers Find Breast Cancer Stem Cells
-In Print
-Innovator Named Dean of Architecture
-SPPD Presents Inaugural Alumni Awards
-Deloitte Leader Urges Mentoring, Growth
-Professor Earns Publication's First Award
-'School Violence' Book Awarded Second Place
-USC in the News
-Enterprise Zones Get High Marks
-So You Want to Have a Baby?
-Energy Executive Elected to USC Board
-Dean to Host Corporate Ethics Discussion
-Genome ID Method Extended to Humans
-METRANS Center Awarded $6M Grant
-Jane Goodall Offers Ringing Endorsement
-But He Always Wanted to Direct
-Ethnic Variations May Account for Cancer
-Randall Hill to Direct ICT
-Med students stage 'big sib/little sib' BBQ event
-Grappling With the Dust of Confusion
-YEP Says Yes to More Education
-Dealing With Antipsychotics, Alzheimer's
-Neuroscientist Tapped for Endowed Chair
-Amgen Chairman Elected to USC Board
-Family Matters
-Trio of Student Researchers Digs In
-USC study hints breast cancer may spread easier than previously thought
-Spanish-language comic book tackles diabetes
-Antipsychotic medications often dropped due to side effects
-Meanwhile, that other budget
-JAMA editor emphasizes importance of trust in research
-Your Opinion Counts - HSC Weekly Readership Survey
-REMAKING AMERICAN MEDICINE
-PA Program students named NHSC scholars
-Norris Medical Library reaches out with liaison program
-RAMPING UP CONSTRUCTION
-HSC NEWSMAKERS
-Refinance Your Car; Give to Community
-Political Scientist Earns Fellowship
-Scholars Chronicle 'History of Hollywood'
-Twenty-nine days and counting
-Kindness Is Best Medicine for USC Alum
-In Print
-In Memoriam: Richard Van Vorst, 79
-Conversation With Gail Eichenthal
-Alum Salutes Professor With Scholarship
-Professor Gets Lifetime Contribution Award
-USC Groups Attend Neuroscience Meeting
-Women MBA Enrollment Shows Gain
-Emergency Fair Preps USC for Disasters
-Alums Help Transfer Students Thrive
-Dean as patient: 'USC University Hospital gives world class care'
-Julius Shulman to Speak Nov. 4
-Making History on Mexico's Big Screen
-USC Joins $50M Digital Initiative
-Norris Library Offers Liaison Program
-Family Matters
-In Print
-In Print
-Katherine B. Loker Donates $1.5M to USC
-Comic Book Offers Details on Diabetes
-Keck School Receives NIH Planning Grant
-Etcetera
-USC receives NIH translational
-WALKING THE WALK
-Study links DNA segment to prostate cancer
-USC study finds no link between breast cancer, oral contraceptives
-Refinancing a loan can help Good Neighbors Campaign
-Your Opinion Counts - HSC Weekly Readership Survey
-Noted actress tackles health care issues in physician-themed performance
-USC study links ethnicity and estrogen levels to breast cancer risk
-CHALLENGES MOUNT IN PROVIDING HEALTHCARE
-USC urologist unveils 3D imaging software
-PROJECTS FOR INNOVATIVE TEACHING - REFRAMING ROGER RABBIT
-USC Nurse Midwives: giving first-class delivery a new meaning
-HSC NEWSMAKERS
-Alumnus Makes Record Donation to USC
-Life Goes on for Fiftysomething Mothers
-Realignment Suits Wellness of USC Units
-Since Life Doesn't Come With a Manual
-Administrator Set to Establish Brand
-Faculty Takes Part in Learning Experience
-Family Matters
-Darryl Hunt Finally Finds Justice
-In Print
-People: What we are saying and doing
-Marshall Teams With Sustainable Cities
-Merging Activism With Academics
-Social Work Delegation Visits Tel Aviv
-Center on Educational Governance Wins Grant
-Conversation With Alison Dundes Renteln
-Immersive Sound: The Next Step in Audio
-California Foundations on the Mend
-Rudy Castruita Named Holder of Melbo Chair
-Providing a Boone for the Environment
-Trojan Football Great McKeever Dies
-To Val Tyler, laughter is the best medicine
-Future Fuels Initiative Ramping Up
-Pharmacy Students Look Ahead to Next Level
-BioMedTech Park gains momentum
-Longstanding partnership with CHLA—USC's 'third campus'—pays dividends
-USC awarded $1.6 million for lymphoma study
-Keck School moves up in AAMC rankings
-Largest individual contributions to Good Neighbors Campaign often come from HSC
-Memorial slated for Kit Reynolds, anesthesiologist and widow of Telfer Reynolds
-CNS lecture named for USC neurosurgeon
-Auction to aid community programs slated for Nov. 1
-Quick Takes
-HSC NEWSMAKERS
-BioMedTech Park Gains Momentum
-Hay Presents Study at European Conference
-Taking a Swing at Right Wing
-Water & Power
-Scholars Supply Enticing Extras for DVDs
-Assembling the Fragments of L.A. History
-Professor Shares Something in Commons
-Boomers Willing to Help Aging Parents
-Family Matters
-AZT treats leukemia
-In Print
-Executive to Address Future of Public Media
-Tech Leader Shares Vision for Mobile Industry
-USC myelin study may assist nerve disease treatment
-USC myelin study may assist nerve disease treatment
-Partnership with CHLA bolsters USC's pediatric training
-OH THE SHARK BITES
-Massry Prize often presages Nobel Prize honor
-HSC Public Relations staff honored for media efforts
-New mothers over age 50 handle parenting stress as well as younger counterparts
-Three executives named to Board of Trustees
-USC/Norris shares federal funding to investigate cancer genome changes
-Special events target USC Pharmacy School
-HSC NEWSMAKERS
-USC Pharmacy Students Win Top Honors
-Women in Film Salutes USC Cinema Dean
-Key Component in Myelination Process
-In Search of Innovative Proposals
-CEO Shares Thoughts on California Expansion
-Grabbing Attention With Marquee Value
-PR Students Drive Toward Victory
-Multimedia's whiz kid
-YEP Says Yes to More Education
-Wait, This Is Rocket Science
-David Barker Tackles Origins of Aging
-Art of an American Icon: Yosemite
-It's All Politics: Winning in a World Where Hard Work and Talent Aren't Enough
-Curricular Landscapes, Democratic Vistas: Transformative Leadership in Higher Education
-Soulless: Ann Coulter and the Right-Wing Church of Hate
-Paint It Black
-In Other Los Angeleses: Multicentric Performance Art
-Willfull Creatures
-Latina artist to paint Topping Center mural on Chicano themes
-Now in Theaters Everywhere: A Celebration of a Certain Kind of Blockbuster
-Harvest for Hope: A Guide to Mindful Eating
-American Beauty: A Social History ...Through Two Centuries of the American Idea, Ideal and Image of the Beautiful Woman
-Rising China and Asian Democratization: Socialization to 'Global Culture' in the Political Transformations of Thailand,China and Taiwan
-Street Gang Patterns and Policies
-Audiotopia: Music, Race and America
-Double Character: Slavery and Mastery in the Antebellum Southern Courtroom
-Someone Comes to Town, Someone Leaves Town
-In Print
-A University and a Neighborhood: University of Southern California in Los Angeles, 1880-1984
-Check into the virtual clinic
-The Lonely Tiger
-Citizen and Self in Ancient Greece: Individuals Performing Justice and the Law
-Patients in Need of Special Care
-Do Ballot Propositions Affect Elections?
-Voter Confidence Declines, Survey Says
-Noise
-John Dollar
-Will and Vision: How Latecomers Grow to Dominate Markets
-From the Kitchen to the Parlor: Language and Becoming in African American Women's Hair Care
-Mind Over Matter: Conversations With the Cosmos
-A better rotary engine
-A Catholic Modernity? Charles Taylor's Marianist Award Lecture
-Freedom Dreams: The Black Radical Imagination
-The Household as the Foundation of Aristotle's Polis
-Genes, Environment and Psychopathology: Understanding the Causes of Psychiatric and Substance Use Disorders
-Managing the Dynamics of Change: The Fastest Path to Creating an Engaged and Productive Workforce
-Black, Brown, Yellow and Left: Radical Activism in Southern California
-Cinema at the End of Empire: A Politics of Transition in Britain and India
-What Your Doctor Hasn't Told You and the Health Store Clerk Doesn't Know
-Business Fairy Tales: Grim Realities of Fictitious Financial Reporting
-The New American Workplace
-SAMPLE CHAIRS PROVOST SEARCH COMMITTEE; SPITZER IS VICE CHAIR
-RECONSTRUCTING VIETNAM - USC PLASTIC SURGEON FOUND DOCTORS STARVED FOR INFORMATION
-'Still Working' after all these years
-Around the World in Six Months
-USC Viterbi School Professor Earns Kudo
-What's New
-Anatomy of a 'Bactery'
-Digging for Extraterrestrial Life
-Religion Meets International Relations
-The Chinese 'SCentury
-Building a China Shop
-The Dragons of Troy
-Klein on China: Then and Now
-USC in the Community
-China Quiz
-Exploring Games and Geek Culture
-He's Ready for His Historical Close-up
-Renaissance Man
-Kevin Starr Honored by White House
-The Other Boys in the Band
-'Widely Separate, Beautifully Incongruous'
-USC Grads Shine at DGA Student Film Awards
-Family Matters
-[ Editor's Note ] Visions and Voices
-The Feuchtwanger Legacy
-President's Page
-NIEHS funds $2.7 million study of environment's effects on epigenome
-For graduate students, PIBBS program underscores value of collaborative science
-SONG AND DANCE
-USC researcher zeroes in on childhood brain tumors
-NIH awards USC $380,000 for global health research
-Researcher sees complex mix of causes for weight-related diseases
-ETCETERA
-HSC NEWSMAKERS
-U.S. Cell Phone Users Like It Simple
-Southern California - Tuned in to Los Angeles stations
-Building a Better Bio-diesel
-Last Word
-[Last Word] Living Dead - Answers - Autumn 2006
-Mailbag
-USC Center for Dental Technology Opens
-Delving Into Childhood Brain Tumors
-Business School Follows the Leaders
-Lectures for Students on the Go
-Down and Out Yet Hope Remains
-Study to Track Effects on Human Code
-How to leave the car at home
- USC Wins Grant to Study Antibodies
-Researcher Seeks Solutions to Imbalances
-ISI Veterans Win Internet Society Award
-NIH Awards USC $380,000 for Global Health Research
-Moonlight on the Avenue of Faith
-Travel Narratives From the Age of Discovery: An Anthology
-Balancing Agility and Discipline: A Guide for the Perplexed
-Dean Honored for Lifetime of Leadership
-Social Work Professor Gets Two Grants
-Grappling With an Age-Old Question
-Study charts role of EMF's in Alzheimer's
-Low-Cost, Low-Tech Way to Save Lives
-Pharmacy Students Win Chapter of the Year
-Nurturing Tomorrow's Leaders Today
-Where There's Smoke, There May be Asthma
-USC Researcher to Receive State Honor
-A Connection That Makes Good Scents
-Building People Out of Paper
-Zilkha Neurogenetic Institute quickly establishes itself as a nexus of top-tier science
-Donald Skinner to step down as chair of urology
-USC School of Dentistry opens Center for Dental Technology
-Etcetera
-HSC to host World AIDS Day symposium, health fair on Dec. 1
-Choosing different imaging technology could save millions for VA system
-Grants of up to $50,000 available for liver studies
-National Eye Institute awards $1.6 million for USC research on lacrimal gland
-BREATHE EASY
-HSC NEWSMAKERS
-Physical therapy shown to aid impaired arms after stroke
-First Class of NetKAL Fellows Graduates
-Mayo Spreads Happiness at USC
-Mr. Space Man
-Linda Fazio's life's work: a tapestry woven for many children
-Dangerous Liaisons
-[ In Memoriam ] Gordon Luce
-Animated Session With Disney Biographer
-HSC to Host World AIDS Day Event
-Waging War Against 'Urban Underclass'
-Shining a Light on the Plight of Kids
-Conversation With Ed Cray
-Societal Observations in the Philippines
-Selig Covers All the Bases
-Professor to Help Design Downtown Park
-Medical Center braces for layoffs
-New Design for USC Catholic Center
-Protecting Human Subjects Research
-Students Do Some Moonlighting
-Never Too Late to Give
-Poli Sci Major Named Marshall Scholar
-Gerontology Staff Turns Out for Convention
-Lee, Steier Named AAAS Fellows
-Consultant to Discuss Ballot Measures
-Exploring the Mystery of Life Spans
-Communication Barrier Is Broken
-People: What we are saying and doing
-Let the (Video) Games Begin
-USC Extends Student E-mail Accounts
-Giving Voice to Young Americans
-Attributes of a Virtual Community
-USC Engineers Study Hospital Delays
-Youth Advocate and Politician Honored
-Taplin Appointed to Broadband Task Force
-Filmmaking Can Be a Perilous Project
-Still Trying to Do the Right Thing
-Wildfires Raise Smoke Signals
-DRY-EYE SYNDROME EXPLANATION FOUND BY RESEARCHERS
-Riding the rails to work
-Psychiatry chair targets neuroscience of mental illness
-Cancer researcher Amy Lee elected to AAAS
-USC unveils new Cardiovascular Thoracic Institute
-HSC Weekly readers laud publication, offer suggestions
-Cote joins Journal of Clinical Oncology board
-Star-studded gala raises funds for crucial cardiac care
-Walt Disney Foundation gives Childrens Hospital Los Angeles $5 million for new hospital building
-Ob/Gyn chair named for Dan Mishell
-Holiday giving campaign aids local school
-HSC NEWSMAKERS
-University Hospital volunteers bring joy to Columbian children
-Skinner to Step Down as Chair of Urology
-Lauds & Laurels
-Lauds & Laurels
-Etc.
-Surveying the 'Third Nation'
-Cote Joins Clinical Oncology Board
-Walt Disney: The Triumph of the American Imagination
-Union 1812: The Americans Who Fought the Second War of Independence
-Commemorating Trauma: The Paris Commune & Its Cultural Aftermath
-USC Marshall Women Mean Business
-Studying made him one in a million
-Ob/Gyn Chair Named for Dan Mishell
-Neuroscience of Mental Illness Targeted
-An Exile Speaks Out
-Lauds & Laurels
-Lauds & Laurels
-Lauds & Laurels
-Etc.
-Etc.
-Etc.
-Etc.
-Being neighborly
-Lauds & Laurels
-Lauds & Laurels
-Lauds & Laurels
-In Memoriam
-Across Campus
-Etc.
-Etc.
-Appointments
-Across Campus
-Etc.
-Browder heads small business development
-Etc.
-Lauds & Laurels
-In Memoriam
-Across Campus
-Across Campus
-Across Campus
-Preparing for the Wave of the Future
-20s Are a Terrible Thing to Waste
-Amir Elected Secretary of the University
-USC Is a $4 Billion Economic Engine
-An urban journal
-'Tis the Season to Be Stressful
-Lauds & Laurels
-Lauds & Laurels
-In Memoriam
-Accolades
-Accolades
-Appointments
-In Memoriam
-Grants
-Appointments
-USC does $5.4 million in business with local vendors
-Appointments
-Accolades
-In Memoriam
-In Memoriam
-Around Campus
-Around Campus
-In Memoriam
-In Memoriam
-Accolades
-Accolades
-Scientists perfect chlorine-recycling process
-Accolades
-Accolades
-Across Campus
-Accolades
-DT Controversy: An Open Letter
-Across Campus
-Across Campus
-Accolades
-Accolades
-Accolades
-A walk in the cybergarden
-Appointments
-Accolades
-Accolades
-Accolades
-In Memoriam
-Across Campus
-Sounds of a 99-Tuba Salute
-Four Scholars Win Raubenheimer Award
-Making a PROMISE to Children
-Davies Cited for Radical Discoveries
-USC in the News
-USC researchers seek share of $24 million for stem cell research
-Asthma risk soars for children who smoke
-A DAY OF EDUCATION AND AWARENESS
-Pharmacy class examines wide range of challenges in designing, discovering drugs
-SCEHSC offers research awards of up to $25,000
-ETCETERA
-Keck School honors top students' achievements
-ONLINE ONCOLOGY
-HSC NEWSMAKERS
-USC Researchers Seek Part of $24M Grant
-THE DOCTOR IS IN - ULCERS
-Streets of dreams
-A Simple Gift of Music
-How CEO Became Marvel's Superhero
-Which Looks Are in Eye of the Beholder?
-USC Ranked Eighth-Most Wired College
-Everett Wins PEN Literary Award
-ROSE COURT VISIT
-Ethnic Gaps in Health Care Addressed
-Snead Appointed to NIH Research Council
-Researchers' Dyslexia Theory Makes Noise
-USC Magazines Honored by Peers
-Profit in power sharing
-USC Researches Stem Cell Patterning
-Keck School of Medicine receives grant to evaluate efforts aimed at reducing racial and ethnic gaps in health care
-Novel brain areas associated with the recognition of gender, ethnicity and the identity of faces
-Research into chicken feather development may help explain some human developmental disorders
-Changing Lives, Building Confidence
-Conversation With Timur Kuran
-USC Annenberg Announces NEA Fellows
-USC Enters New Academic Partnership
-Tradition & Innovation on Right Track
-Taking Pulse of Neighborhood Councils
-Ray Ashworth, noted hand surgeon
-Oldest Animal Embryos or Bacteria?
-Stem Cells Regenerate Parts of Teeth
-Here's Something to Chew On
-Testosterone Loss Linked to Alzheimer's
-Acquiring Knowledge and Passing It On
-Study of Genetic Traits Makes Progress
-Happy Holidays
-Lyon Center Addition Shapes Up for 2007
-FLOORED
-McCaffery to Keynote Tax Institute
-A county miracle? Nope, not yet
-Teaching a Civics Lesson Abroad
-Campus Landmark
-Playing the Devil's Advocate
-Conversation With Alexander Capron
-Liebig Honored by Gerontology Assn.
-Hope in the Heart of Darkness
-Cellist Eleonore Schoenfeld Dies
-Scripter Award Finalists Announced
-Working on a Piece of the Puzzle
-And the Winners Are …
-Dining around: Cafe Berlin
-Heger Fights Violence
-Dietetic Assn. Honors Baer
-Etc.
-Docents Taking a Gamble
-Fellowship for Krieger
-Rhodes Enters 'Cosmos'
-Drawing the Line: The Untold Story of the Animation Unions From Bosko to Bart Simpson
-Religion and Social Justice for Immigrants
-Lavender Road to Success: The Career Guide for the Gay Community
-Research Project Garners $600,000 Grant
-Etcetera
-Shedding Light on Rare Immune Disease
-Tom Holman Gets Advanced Audio Award
-USC Study Supports Origin of Cancer
-Bravo High Decorated With Blue Ribbon
-Shifting From Soundstage to Classroom
-Educated Elders Can Have Memory Loss Too
-Next Earthquake Could Cripple Region
-Green Visions Plan Evaluates L.A. Parks
-New Site Covers Health for Consumers
-New Information Technology Chief Named
-Study examines role of ethnicity
-Keck School begins search for next dean
-USC launches new online consumer health magazine
-Minor Anderson, new USC Care CEO, to arrive Feb. 1
-USC epidemiologist studies potential anti-cancer properties of green tea
-HSC RESEARCH GRANTS FOR SEPTEMBER 2006
-Study of bird feathers may shed light on developmental disorders in humans
-Is there a doctor in the house? A few more than before, actually
-USC-led researchers use stem cells to regenerate parts of teeth
-HSC NEWSMAKERS
-John A. Biles Professorship Goes to Shen
-USC/Norris to host Breast Health Day
-'Children of Men' Wins Scripter Award
-Leaving His Worries Behind
-Shanghai Museum Salutes Qingyun Ma
-The Screenwriter's Workbook
-History Matters: Patriarchy and the Challenge of Feminism
-The Spirit and the Flesh: Sexual Diversity in American Indian Culture
-Seeing the Light
-New Center Established by Vice Provost
-USC Care CEO to Arrive Feb. 1
-Academic Element Tops USC Experience
-People: What we are saying and doing
-Wertheimer to Lead Technology Center
-Visits With a Purpose
-Lauds & Laurels
-Lauds & Laurels
-Lauds & Laurels
-Etc.
-Gathering Knowledge Word by Word
-Women in Management Honors Gans
-Castells, Gross Launch New E-Journal
-USC Annenberg Remembers Art Buchwald
-USC docs get a shot in the arm
-Finding Ways to Cope With Stress
-Can Designer Immune Cells Stop AIDS?
-DPS Hires Two New Captains
-Good Neighbors Campaign Exceeds Goal
-Green Tea May be Key to Wu's Research
-Literature and Visual Art Intersect
-State's Jewish History Comes to Life
-Blessed Motherhood, Bitter Fruitp
-Mobile Communication and Society: A Global Perspectivep
-Handbook of Cardiovascular Magnetic Resonance Imagingp
-AEROSPACE ENGINEER PHILIP MUNTZ IS NAMED TO NATIONAL ACADEMY
-Steele wins Fulbright
-Dallas Willard Honored by Alma Mater
-USC study sees stem cell origin for cancer
-35 YEARS OF EXCELLENCE
-USC researchers create premier catalogue of Indian genetics
-USC University Hospital opens Norris Inpatient Tower
-Donna Elliott named Keck School's new associate dean for student affairs
-Wei-Chiang Shen appointed John A. Biles Professor of Pharmaceutical Sciences
-Expect a Few More Doctors in the House
-USC receives grant to evaluate efforts to reduce racial gaps in health care
-Where there's fire, there's smoke—and related breathing problems
-A new and improved Row
-Etcetera
-HSC NEWSMAKERS
-Smokers Quit After Brain Region Damage
-Living Near Highways Can Stunt Lungs
-In Memoriam
-Neamati Wins $1M for Cancer Research
-Little Big Science
-Nanotubes in Action
-Nano Stealth Drugs
-The Art of Nano-Blacksmithing
-This ain't your father's opto-electronic modulator
-Reinventing Cinema
-Moving Beyond Moving Pictures
-Time Is Right for Neighborhood Proposals
-Toward the Future Daley Rushes
-Sixteen Years of Progress
-Lauds & Laurels
-Like a Kid in a Candy Store
-Anti-Apartheid Ambassador
-On a Mission
-Risk and Opportunity
-Striking gold in tinseltown
-Wedding Alarm Bells
-[ Editor's Note ] Of Roses and Tubas
-President's Page
-Last Word
-Genes Behind Animal Growth Discovered
-[Last Word] Completely Mad - Answers - Winter 2006
-Mailbag
-Petition Calls for Skid Row Solutions
-Trojan Lore - USC'S International Heritage
-What's New
-Quick Takes
-USC Filmmakers Descend on Sundance
-USC Hosts New Media Panel Discussion
-A Conversation With Midori
-Decoy Pill Saves Brain Cells
- Fall Prevention Takes a Step Forward
-Weathering a Slew of Storms
-Hall of Fame
-Stadium Stalwart
-Totally Tubular
-Capturing the Tools of a Bygone Era
-Duke librarian named to head USC libraries
-[ In Memoriam ] Richard Van Vorst
-Skin Shows: Gothic Horror and the Technology of Monsters
-Newsmakers
-Chaos and Cosmos: On the Image in Aesthetics and Art History
-Newsmakers
-Newsmakers
-Cardiac CT Imaging: Diagnosis of Cardiovascular Disease
-In Memoriam
-In Memoriam
-Building on a Strong Foundation
-Books in Print
-New recruits aid Keck School's progress in stem cell research
-THE HOUSE SANTANA BUILT
-Visions and Voices to host Rita Charon at HSC on Feb. 9
-A SIGN OF PARTNERSHIP
-Health effects from car exhaust exposure can last a lifetime
-Novel brain areas associated with the recognition of gender, ethnicity and the identity of faces
-HSC VOICES
-CHLA receives $212,000 California Endowment grant to aid homeless and runaway youths
-A LAB FOR A HEALTHY LIFE
-Medical scholars dinner slated for March 3
-A Quest to save laughter
-HSC NEWSMAKERS
-Marshall Students Meet Warren Buffett
-Doing What's Best for the Patient
-New Postgraduate Program Set in London
-Four New Hires Spark Stem Cell Research
-He's in Tune With His Writing
-Rev. Murray Taps Into the Circle of Life
-The Colonial No One Remembers
-Starr Urges Stronger Academic Culture
-Immigrants and Boomers Need Each Other
-$1 billion campaign kickoff
-New Institute Created With $6M Gift
-He's Ready for His Red Carpet Ride
-Pharmacy Sees Jump in Research Support
-Devising Gadgets for Google
-In Memoriam
-Newsmakers
-Newsmakers
-Let's Hear It for Academia
-Newsmakers
-Newsmakers
-Wrigley gift seeds $60m environmental studies institute on Catalina
-Newsmakers
-In Memoriam
-Leonard Sands Appointed to Export Council
-D.C. Parents Turn Out in Georgetown
-USC Establishes New Games Institute
-Cluster Hiring Starts a Trend
-Taking Care of Tooth Decay
-A Long Way to Go in Mississippi
-Abused Children Often Recant Claims
-Meet the Super Powers Behind Heroesp
-USC IN THE NEWS
-When patients don't want the truth
-The Best Seat in the House: How I Woke Up One Tuesday and Was Paralyzed for Life
-Golden Gulag: Prisons, Surplus, Crisis and Opposition in Globalizing California
-Treason by Words: Literature, Law and Rebellion in Shakespeare's England
-Grodsky Named to Two National Education Groups
-New USC researcher blurs the lines separating biomedical disciplines
-WSCI lauds 'outstanding' USC researchers: Neil Kaplowitz recognized for lifetime achievement
-WSCI lauds 'outstanding' USC researchers: Zea Borok's stem cell biology research cited as exceptional
-A STEP TOWARD RESTORING SIGHT
-USC researcher awarded more than $1 million for anti-cancer drug design studies
-USC School of Pharmacy hosts drug development workshop
-Bulletins from the front
-American Society of Breast Disease honors USC surgeon
-Etcetera
-Wright Foundation offers basic science grants
-Faculty center open to non-members Feb. 13-15
-NEWSMAKERS
-Premier Catalogue of Indian Genetics Created
-New Web Site Endorsed by USC Doctors
-W. Lewis Johnson Talks Defense on Capitol Hill
-Price Is Right Nominee for Council on Arts
-USC Gets DoD Grant to Study Lymphoma
-Doheny banks eyes, precious human tissues
-Michaels Stumps for Environment
-Davies Named to Board of Heart, Lung Institute
-Yolanda Gil Appointed to NSF Committee
-Starr to Serve on Library Services Board
-USC Partners With Peking University
-Thompson to Join National Science Board
-USC College Dedicates Ray R. Irani Hall
-Two Distinguished Professors Named
-HSC RESEARCH AWARDS FOR OCTOBER AND NOVEMBER 2006
-E. Russell McGregor II Dies
-An emmy for Lance- and LAC+USC
-Veteran Executive Charles S. Swartz Dies
-USC Rossier Sets Orange County Plans
-Rossier to be Part of Carnegie Initiative
-Data-driven Decisions Can Hike Performance
-Hakluyt's Promise: An Elizabethan's Obsession for an English America
-Fictions and Fakes: Forging Romantic Authenticity, 1760-1845
-Religious Minorities in Iran
-It's Greek (and Latin) to Them
-It's Here: The Bicoastal Piano Lesson
-Dean Ma Installation Draws Luminaries
-Etcetera
-David L. Lee Elected to USC Board
-Gaining a Political Voice Via Religion
-The Next Generation of Retinal Implants
-Sheriff Baca Heads Day of Social Justice
-Arens, Neches Study Rapid ER Response Time
-Hanging With D.C. Heavyweights
-Summer Funding Coming Their Way
-Swept Up by Beakers and Breakers
-USC Gets $3.4M for Stem Cell Research
-Scripter Event Salutes Children of Menp
-Norris tops state's grants list
-New Accelerator Technique Doubles Particle Energy
-Newsmakers
-Newsmakers
-Newsmakers
-Newsmakers
-USC Launches New Institute on Aging
-USC Alumna Gets Kudos for Jesus Campp
-USC Establishes Norman Lear Chair
-Fellow Scientists Salute Susan Forsburg
-Monitoring With Minimum Power
-People: What we are saying and doing
-Body Bach
-The Visual Story: Seeing the Structure of Film, TV and New Media
-Mathematics of Physics and Engineering
-Betting on the Vegas Boom
-He's Got It in the Bag
-USC Researchers Present at AAAS
-That's No Transformer: It's SuperBot
-Hollywood Exec LeMasters Now at USC
-USC Law Students Heed Call for Help
-Gauderman Clears Up Clean Air Issue
-Sample reassures staff of USC support
-Newsmakers
-Newsmakers
- Research Lunch Salons Set at University Club
-USC creates Center for Brain Repair and Rehabilitation
-STORIES OF HOPE AND HEALING
-Web site offers patients a source of strength
-USC School of Pharmacy's non-federal funding grows
-DISTINGUISHED GATHERING
-USC Neighborhood Outreach grants available
-Etcetera
-USC Radio develops 'Arts Live' program
-HSC VOICES
-p
-USC dentists help kids develop good oral hygiene habits
-HSC NEWSMAKERS
-Troy Camp Celebrates Its 10,000th Child
-The Inside Track to Careers in Real Estate
-Exercise Reduces Breast Cancer Risk
-Eden by Design: The 1930 Olmsted-Bartholomew Plan for the Los Angeles Region
-Growth Triumphant: The Twenty-first Century in Historical Perspective
-Students Seek Supplies for Honduras Trip
-The voyage begins
-Three USC Alums Win Oscar Gold
-Eden by Design: The 1930 Olmsted-Bartholomew Plan for the Los Angeles Region
-Big Move to the Former Little Building
-Finch Focuses on Aging and Inflammation
-Hartford Writers Win Selden Ring Award
-States Can Succeed in Insuring Kids
-Davison Installed as Gerontology Dean
-USC Mock Trial Team Sweeps Regionals
-USC Takes the Lead in Alzheimer's Fight
-NAACP Honors Friday Night Lights Writer
-FINE ARTS FACULTY EXHIBIT 'SMALL WORKS' IS AT LINDHURST GALLERY
-Quick Takes
-USC Marshall Students Hit the Target
-USC Pharmacy Students Win State Awards
-Pinochet's Past Emerges in the Present
-The Power of Public Speaking
-Across Campus
-Across Campus
-Grants
-Simon Wilkie Talks at FTC Workshop
-Promising Start for USC College Profs
-Gender Differences in Life Span Studied
-'Trojan Moment' spots highlight academics during football games
-Three People Who Share One Goal
-David Lee named to USC Board of Trustees
-Next-generation eye implants announced at AAAS meeting
-CIRM awards $3.4 million to USC
-High-resolution scanner targets breast cancers that might otherwise go undiagnosed
-County awards USC $1.2 million for health insurance study
-Study suggests strenuous physical activity deters breast cancer
-Etcetera
-NIH awards $405,000 for motor behavior study
-USC CELEBRATES GERONTOLOGY CENTER
-Oilman, philanthropist Harold Moulton dies
-HSC NEWSMAKERS
-Less Emotion, More Rational Debate
-JEP Celebrates Its 35th Year
-Building a Bridge to a Sustainable Future
-Sound Design & Science Fiction
-International Law and U.S. Foreign Policy
-The Kingdom and the Power
-Carol Baker Tharp Joins Mayor's Team
-Alum Ron Howard Returns to Alma Mater
-USC Junior Wins OPC Foundation Award
-Houston architect Timme named USC dean of architecture
-USC-Chevron Pact Enters Fourth Year
-Why Do the Young Become Homicidal?
-Charity Begins in a Chevrolet Aveo
-Art Is Not Tied to Place of Origin, Scholar Says
-Rick J. Caruso Elected to USC Board
-Letters Reveal Legacy of Ethnic Dancer
-$1 million NIH grant targets shoulder pain in patients with spinal injuries
-ENHANCING LIFESAVING SKILLS
-USC study emphasizes impact of Healthy Kids coalitions
-Because not all knees are created equal, gender-specific joint replacement created
-Fungus feeds on rocket fuel
-USC researcher's $260,000 grant will help explore ways to regenerate heart tissue
-SUPPORTING THE FIGHT AGAINST CANCER
-USC School of Pharmacy recognized for extraordinary community service, leadership
-Forget whistling while you work—exercise at work will go a lot further to boost your fitness
-COMIC BOOK CRUSADERS PROMOTE GOOD HEALTH
-USE YOUR BRAIN, STAY OUT OF GANGS
-Students seek medical supplies for Honduran clinics
-HSC NEWSMAKERS
-Forbes Points Out Positives for Economy
-Presidential Advice: Retain Core Values
-USC in the News
-Thornton Faculty, Alums Win Grammys
-Annenberg Tabs Cronkite Award Winners
-Living Beyond the Clamor of the Self
-New Continuing Education Office Opens
-Their Community Rises to a Challenge
-New Study Addresses Civic Disconnect
-Filmmakers Have Faith in Their Work
-Bostic Warns About State's Risky Loans
-All Knees Are Not Created Equal
-Sign of the Times for USC Partnership
-The blight of collective hypocrisy
-Dept. of Medicine creates division of cancer, blood disease
-“CANCER DOESN'T HAVE ME”
-USC Health Now reaches 1,000 subscribers
-Trio of USC researchers awarded $300,000 for prostate cancer research
-USC orthodontist sinks his teeth into a mystery—what killed a young girl 2,000 years ago?
-Candy to fight cavities? USC invention may lead to a sweet conclusion
-UKDRA to honor USC kidney experts March 30
-HSC VOICES
-ETCETERA
-CHLA wins diabetes prevention grant
-Down and out in Topanga
-FIGHTING AFRICAN-AMERICAN INFANT MORTALITY
-STOP CANCER awards USC pediatrician $150,000 for research career development
-HONORING EXCELLENCE, HELPING YOUNG SCHOLARS
-HSC NEWSMAKERS
-USC Davis Researchers Present at Convention
-Newsmakers
-Newsmakers
-Newsmakers
-Newsmakers
-In Memoriam
-Commanding officer
-In Memoriam
-Freeman Foundation Funds USC Institute
-Two KUSC Veterans Return to the Fold
-Remarkable Women Awards Handed Out
-USC to Celebrate National Poetry Month
-SPPD Launches New Degree Program
-Stem Cell Signaling Mystery Solved
-Pacific Rim Event Hosted at USC
-First Future of Film Conference Set
-Prof Gets $2.5M for Stem Cell Research
-Dial 1-800 CARE: one stop shopping for USC docs
-Loker, Schorr Get Presidential Medallion
-The World in a Frame: What We See in Films
-Pinochet and Me: A Chilean Anti-Memoir
-Pretty Things
-USC Viterbi Senior Named a Luce Scholar
-Ambassador Gets Top Alumni Honor
-Moral Judgment Fails Without Feelings
-Music Project With Snap, Crackle, Pop
-Lew Tapped for Higher Ed. Institute
-CIRM awards $2.5 million to USC researcher
-NEW G.E. COURSE GUIDE HELPS STUDENTS CHOOSE COURSES BY CONTENT
-500 pack Norris for Breast Health Day
-Sohal Gets Grant for Aging Research
-USC Day in Washington a Capital Success
-A Pianist With a Penchant for Poetry
-Delegates Discuss Aging in China
-Felix Gutierrez Gets Lifetime Award
-USC Dentistry Researcher Earns High Honor
-Keck School students strike a match
-Academic Honors Convocation fetes HSC luminaries
-USC scientists explain role of crucial molecule in stem cell development
-Keck School slates April 11 farewell celebration for Peter Katsufrakis
-Multi-specialty clinic to open in HSC
-International Research Promotion Council names USC dentist 'Eminent Scientist of the Year'
-Journalists' visit highlights HSC's healthcare expertise
-HSC NEWSMAKERS
-In Memoriam
-In Memoriam
-Across Campus
-Across Campus
-Thomas Briefs Capitol Hill on Financial Aid
-A Cook With a Nose for History
-Michael and Linda Keston Donate $2M
-Clinton's rescue won't end health care crisis
-He Learned His Lessons the Hard Way
-Women in Physics Find Common Ground
-Little Big Science
-Reinventing Cinema
-If You Have a Cube, He Has the Solution
-New Funding for Graduate Fellowships
-The Spirit of Lennon Rolls on at USC
-SEC Chairman Calls for Full Disclosure
-Winner of Tyler Environmental Prize Announced
-USC Library Visits Paid Off
-Etcetera
-Solving a 2,000-year-old Mystery
-Pharmacy Students Sweep Awards
-Always Thinking About the Next Hurdle
-Renaissance Arts and Culture Reigns
-When Cultures – and Opinions – Clash
-MONARCH System Excels in Early Testing
-Entertainment-Education and Social Change
-Fair Not Flat: How to Make the Tax System Better and Simpler
-Land of Women: Tales of Sex and Gender From Early Ireland
-Eva Kanso Wins NSF Early Career Award
-John Hisserich: building bridges
-In the Land of Hidden AIDS Cases
-USC Stevens Sets Its Strategic Plan
-Homeland Chief Attends Security Summit in D.C.
-Newsmakers
-Newsmakers
-Newsmakers
-Newsmakers
-Festival Worth Another First Look
-Students Step Up on Marshall Service Day
-Words of Wisdom for Young Job Seekers
-People: What we are sayind and doing
-Prostate Cancer Risk Factors Identified
-Water's Fine for 'Swim With Mike' Event
-New Dean of USC Libraries Named
-Rewarding Creative Approaches in Class
-Disease Genetics and Evolution
-Teens Get Cultural Sensitivity Training
-Lesbian, Gay, Bisexual and Transgender Aging: Research and Clinical Perspectives
-When Small Conflicts Get Out of Hand
-Healing Dramas and Clinical Plots: The Narrative Structure of Experience
-Taking the Field: Women, Men and Sports
-USC scientists team up with museum creators
-Keck alumna takes on new roles with medical school, LAC+USC
-Study identifies risk factors for prostate cancer
-USC institute emphasizes innovation
-USC neurologists begin clinical testing of implantable device to treat epilepsy
-Van Der Meulen Symposium slated for April 14
-HSC VOICES
-MUSES name USC neurologist 'Woman of the Year'
-USC leaders reach out to federal officials
-USC pharmacy students sweep national awards
-APRIL NOT-SO-FOOLISH
-Redefining beauty
-Courses offered in submission of contracts, grants
-State Street closed to traffic for three months
-HSC NEWSMAKERS
-On the Move With Mixed Media
-Ellis Named Dean of USC Marshall School
-He Works in an Alternate Universea>
-
Student Urges Youths to Write On
-Hall Takes on New Roles at Keck School
-USC Joins Tests of Epilepsy Treatment
-SPPD Hosts D.C. Reception for Alumni and Students
-Business school study uncovers workplace violence warning signs
-Four Grants Given for Chinese Studies
-A Salute to Those Who Serve
-Angulo Named Social Worker of the Year
-USC Statement on Financial Aid Investigation
-He's a Virtual Human Who Keeps It Real
-Old Advice Remains Valid Today
-Safeguarding a Sacred Musical History
-USC to Offer a Single Retirement Plan
- USC Profs Named Guggenheim Fellows
-Newsmakers
-Birth pangs of an earthquake
-Newsmakers
-Newsmakers
-Across Campus
-Etc.
-Getting to the Bottom of Governance
-Ron Astor Wins Another Book Award
-Grant to Yield More Study on Elderly
-The Grand Literary Cafés of Europe
-Propaganda and Information Warfare in the Twenty-First Century: Altered Images and Deception Operations
-Planning the Low-Budget Film
-CUSTOMER SERVICE CENTER BOOSTS BOOKSTORE SECURITY, OFFERS SERVICES
-An Emmy for the doctor
-Prep Students Attend Pharmacy Workshop
-Wonderland Award Toasts Tomfoolery
-LAC+USC retrospective spans 150 years of history
-MOTIVATION ORATION
-American College of Cardiology honors chair of pediatrics
-USC School of Pharmacy professor receives $1.6 million to investigate causes of aging
-Life-long habit of exercise may protect against colon cancer in post-menopausal women
-Teledentisty collaboration helps meet needs of the most underserved communities
-Doheny Fellow receives national leadership honor
-HSC NEWSMAKERS
-USC in the Community
-University of Wales Honors Short
-Their Computations Add Up for Everyone
-Collaboration Drives USC's Latest Opera
-Two Philosophies, One Stage
-Myers Targets Immigration for Legislators
-Pointing Leaders to Their True Northp
-Klerman, Dudziak Awarded for Scholarship
-Keck Study Examines Cancer Diagnoses
-USC Libraries Hold Key to Mystery
-Governor Salutes New USC Institute
-Joyce critic sparks Irish literary debate
-Black Alumni Office Gets New Leader
-USC Sophomore Faces a TV Quiz
-Annual Event Unveils New Research, Art
-The Jewish Role in American Life: An Annual Review
-Outreach and Care Approaches to HIV/AIDS Along the U.S.-Mexico Border
-Veronica Franco: Poems and Selected Letters
-Campus-Wide Tech Conference Debuts May 1
-Campus-Wide Tech Conference Debuts May 1
-Legal Eagles Ponder Ethics in Law
-USC Marshall and SPPD Receive $1M Gift
-Exposition Park's rejuvenation
-Governor touts Cardiovascular Thoracic Institute
-Study shows older mothers who breastfeed may cut cancer risk
-New MRI technology enhances research
-Keck School researchers link personal risk factors to late cancer detection
-Dental student named to key ADEA post
-Study examines effects of emotion on morally-charged decision-making
-USC physician receives $250,000 sarcoma study grant
-A DAY TO HONOR 'DR. K'
-HSC NEWSMAKERS
-Two Honorary Degrees for Warren Bennis
-Wheels of change turn slowly-in many directions at once
-Ella Fitzgerald Celebrated at Galen Center
-Newsmakers
-Newsmakers
-In Memoriam: Paul E. Hadley
-Remember, Class: Breathe In, Breathe Out
-Dixon Johnson Advocates for Int'l Education
-Students Explore Stem Cell Issue
-Marketers Rev Their Creative Engines
-Wilson Named Dean of USC Annenberg
-ISI Strives to Go With the Workflow
-Etcetera
-Newsmakers
-USC Mourns Virginia Tragedy
-Newsmakers
-Newsmakers
-Newsmakers
-Across Campus
-Across Campus
-Distance Learning Takes Shape at SOSW
-USC's Emergency Response Plan
-Being Creative in Business Is Not Easy
-Rise in gang violence
-USC Law Sets Record for Pro Bono Hours
-Breastfeeding Offsets Cancer Risk, Study Says
-USC Business Team Places Second
-Cinematic Arts Student Shoots Non-Stop Thesis
-Rail Construction Near USC to Begin
-When Differences Lead to Distrust
-Drama Kings: Players and Publics in the Re-Creation of Peking Opera 1870-1937
-Thinking With Cases: Specialist Knowledge in Chinese Cultural History
-With Love: 10 Heartwarming Stories of Chimpanzees in the Wild
-New Norris Cancer Research Tower Opens
-$2 million grant aids Childrens, Norris
-Mentoring: 'A Practice Framed by Love'
-One-Act Play Festival Finalists Named
-Fulbright Grants Go to 7 USC Students
-Multimedia Commons Debuts at Leavey
-Type 2 Diabetes Risk Factors Identified
-Counter-Terrorism Program Wins Renewal
-Pharmacy Students Win Health Service Award
-A New Way of Looking at Genes
-Roger Rossier, Carol Fox Earn ROSE Awards
-USC awarded $2.7 million nanoscience grant
-U.S. mammography panelist
-BUBBLING WITH (SCIENTIFIC) ENTHUSIASM
-Keck students lobby for broader healthcare coverage
-New Continuing Education Office opens
-USC researcher receives $2 million for study of dental biomineralization
-ACS honors USC surgeon Kasper Wang
-CHLA receives $970,000 grant to help students STEP UP
-Virginia Tech shooting reinforces importance of emergency preparedness universitywide
-Keck School faculty panel shares tips with M.D./Ph.D. students on choosing a residency
-AND THE COMPUTER GOES TO
-USC/Norris assembling team for Revlon Run/Walk
-People: What we are saying and doing
-HSC NEWSMAKERS
-Birth of a University
-He's Got More Than Music on His Mind
-From Littleton to London and Back
-Four Receive Honorary Degrees May 11
-Salutatorian Bell Bound for Med School
-10 Years of Neighborhood Graduates
-Helping Faculty Find Collaborators
-USC Valedictorian, Salutatorians Named
-Thousands to Celebrate Commencement
-SURVEY SHOWS DIP IN RIDESHARING PARTICIPATION ON BOTH CAMPUSES
-Radiation panel releases final report
-Weisberg Unfurled at Skirball Center
-Bibliophile Lazar Plans Special Tome
-Workshops for the Ages
-Robert Rasmussen Named USC Law Dean
-USC Shoah Foundation Broadens Mission
-In Memoriam
-USC celebrates opening of Norris Cancer Research Tower
-In Memoriam
-Keck School dean highlights recent progress and challenges
-USC study examines omega-3 acids as defense against Alzheimer's disease
-To Russia with USC love
-HHMI competition seeks 'outstanding' investigators in biomedicine
-Cystic fibrosis DVD targets patients on verge of adulthood
-In Memoriam
-CELEBRATING DEDICATED SUPPORTERS
-ACS grants of $20,000 available for cancer study
-THE TROJAN BAND'S YOUNGEST FANS
-HSC NEWSMAKERS
-Newsmakers
-Newsmakers
-Randolph Hall Speaks on NIH in D.C.
-Quick Takes
-California's Charter Schools Come of Age
-A University and a Neighborhood
-Blowing Up Standard Business Models
-Does Television Make You Stupid?
-Center of Gravity
-Enter, King Lear
-Lessons from Enron
-Douglas Noble Named Associate Dean
-Investors Beware!
-School of Pharmacy Names New Chairs
-Preliminary court order favors USC in Schoenberg dispute
-USC Gets $2.7 Million Nanoscience Grant
-Humanities, Social Sciences Grants Set
-[ Editor's Note ] A University for Southern California
-President's Page
-Last Word
-[Last Word] Hook, Line and Sinker - Answers - Spring 2007
-Mailbag
-Trojan Lore - The Way We Were
-One-Act Play Award: Gone… With the Win
-Stark Program Produces Romance for Two
-Making waves
-What's New
-Hard Work Pays Off for Young Engineers
-Two Projects Win Internet2 IDEA Awards
-Four New Hires for Biomedical Imaging Program
-Watt Gift Aimed at Helping Homeless
-Craig Knoblock Wins Microsoft Grant
-Making Gene Chips With a Snap
-›› FOOTBALL MOTHERS
-Global Change Agent
-Beautiful Music
-Kobe, or not Kobe?
-Clever Script Scouts
-[ In Memoriam ] Eleonore Schoenfeld
-[ In Memoriam ] Art Buchwald
-Tracking the Complex Flight of Bats
-Fire on Catalina No Danger to USC Wrigley Institute
-In Memoriam: David B. Wittry, 78
-Keck School's Department of Ophthalmology ranked third in NIH grants
-USC researchers help ID new genetic risk factors for diabetes
-USC School of Pharmacy names two new chairs
-A PLENITUDE OF POSTERS
-Just act naturally
-Schaff named to key Keck School curriculum post
-PT faculty help China prepare for 2008
-USC School of Dentistry forges ties to Ukraine
-HSC NEWSMAKERS
-A Sparkling Day for the Class of 2007
-Viterbi School Honors Faculty, Staff
-Soviet Symposium Conquers Time, Space
-King of Cash Flow Retires From Marshall
-Alexander Sawchuk Receives New Chair
-Copy This! How I Turned Dyslexia, ADHD and 100 Square Feet Into a Company Called Kinko's
-A family get-together
-The Great Plague: The Story of London's Most Deadly Year
-Raising Musical Kids: A Guide for Parents
-Grappling With International Relations
-Mouse Study Suggests Parkinson's Relief
-1st Festival by MFA Theatre Playwrights
-Speech by USC College Grad Lucy Flores
-Thoughts From the 2007 Graduates
-Contributing to the Community
-She's the Picture of Health
-USC Marshall MBAs Graduate With Jobs
-And the winners are...
-Mutator enzyme may make leukemia drug-resistant
-Mouse study suggests exercise may aid patients with Parkinson's
-THE MILD, MILD WEST
-USC/Norris oncologist offers cancer tips online
-USC honors Nobel laureate Arvid Carlsson
-ETCETERA
-Innovative new microscope sheds light on elusive biofilms
-USC initiative emphasizes biomedical imaging
-U.S. Public Health Service honors HSC students
-HSC NEWSMAKERS
-Academic Senate installs new officers
-Stephen Ryan Sets Sights on Digital Imaging
-Quick Action Saved Wrigley Experiments
-Online Students Set M.S. Degrees Record
-Gary Wood Goes the Distance
-Newsmakers
-Newsmakers
-Newsmakers
-Newsmakers
-Across Campus
-Grants for Cancer Study Available
-SCHAPIRO TO ASSIST PROVOST WITH UNIVERSITY BUDGET NEGOTIATIONS
-USC in the News
-New Research Floor at Pharmacy School
-Mann Institute Seeks Novel Concepts
-Center for Work & Family Life Honored
-Industry Pros Offer Reel Talk at USC
-A Trojan Contrarian Visits Paris
-Good Taste Is No Accident
-Immigrants and Boomers: Forging a New Social Contract for the Future of America
-Night of Four Moons
-Trophy Boy
-Pieces of Catalyst Puzzle Explained
-Manufacturing the miniscule
-Staying 'Alive' With KUSC Arts Program
-State Supreme Court ends legal wrangling over CIRM funds
-USC School of Pharmacy dedicates new Bensussen Research Floor
-NEWLY MINTED MEDICAL PROFESSIONALS KICK UP THEIR HEELS
-I study, therefore, iPod? Medical students offered new way to make up missed lectures
-PRACTICE MAKES PERFECT
-James McNulty, longtime USC and CHLA gynecologist and obstetrician, 89
-USC/Norris Swing Against Cancer Golf Tournament slated for June 11
-Alfred Mann Institute casts wide net for medical innovations at USC
-Bouncing back from stroke, she's the picture of health
-Admissions builds momentum with high-caliber new students
-HSC NEWSMAKERS
-David A. Peterson Award Established
-He's Got Some Time on His Hands
-USC Partner Schools Excel in U.S. Index
-New Globalization Post Goes to Powell
-Prakash Honored for Stellar Lab Work
-Piatigorsky Seminar Draws Young Talent
-Gillman Named Dean of USC College
-USC Conference Fueled by Energy Woes
-James Baker Named New IMSC Director
-Incubating the future
-Flash! There Are Nine Fulbright Scholars
-Sekiguchi Advances Dental Health
-In Memoriam
-Newsmakers
-Newsmakers
-Michael Wincor Wins 2007 Saklad Award
-A Shared Tree Sprouts in Seoul
-Oh, the Games They Like to Play
-Busy Summer Ahead for Cinematic Arts
-Gender Impacts Colon Cancer Progression
-USC sues agent for soliciting athletes
-Bringing Order to 'What If?' Scenarios
-Retreat Builds Trust Among Caregivers
-Suite Named Associate VP, Student Affairs
-$6.4M for Stem Cell Labs to USC, CHLA
-The Aging Policy Wrangler
-It Is Rocket Science
-Annoying Species Gets New Lease on Life
-Building a Bridge to the Far East
-Guerrilla Archivists Preserve the Past
-Thesis Sparks Training of Firefighters
-Quick Takes
-CIRM awards USC, CHLA $6.4 million for stem cell research
-Laila Muderspach steps up as new chair of Dept. of Ob/Gyn
-Researchers awarded $1.7 million for lung cell study
-USC disaster plans stress value of preparedness
-USC researchers present findings at ASCO
-USC researchers present findings at ASCO
-USC students and faculty volunteer time, expertise to aid poorest residents of Tijuana
-USC/NORRIS RESEARCH ROUND-UP
-HSC NEWSMAKERS
-Tran to Direct Distance Education Network
-Engineering faculty receive prestigious Shannon Award
-Pinnacle Award Goes to Pharmacy School
-Tossing the Winning Pitches
-Equity Scorecard Project Spells Success
-Cutting the Risk of Dementia in Half
-RoboDuck to the Rescue
-Healing Hearts, Minds Across the Border
-USC Rossier Students Bound for Beijing
-USC Social Work Dept. Honors Partners
-From Teen Technophile to Med Student
-USC Team Rails Against Gerrymandering
-Emergency simulation planned
-David Caron Earns Science Fellowship
-USC Team Creates a Classic Campaign
-In Memoriam
-Tasers May Affect Heart Function
-Cherry Short Joins Prison Rehab Team
-Korean-Americans Make a Connection
-USC and Abraxis Agree on Licensing
-Timothy Pinkston Gleans NSF Insights
-USC Archive Project Gets Getty Grant
-Tillman Hall Memorial to be Held June 30
-Call for nominations
-They're Ready to Work Around the Clock
-Harvard microbiologist Jae Jung named molecular microbiology chair
-USC School of Pharmacy reaches Pinnacle of success with award
-Minor delay foreseen for LAC+USC replacement project
-Small Animal Imaging Laboratory continues to bolster research capabilities
-Medical Educators' Collegium explores ways to make Keck School curriculum ever better
-HSC VOICES
-USC Center for Excellence in Research taps HSC talent
-HSC SAFETY ALERT
-Construction projects limit building access
-The census made simple
-The census made simple
-USC physicians honored for organ donation efforts
-HSC NEWSMAKERS
-Autism Conference Explores New Frontier
-Another Top Honor for Andrew Viterbi
-Can Virtual Worlds Help Society?
-New USC Internships in Asia Announced
-Jae Jung to Hold Microbiology Chair
-Encyclopedia of Embryonic Stem Cells
-Hamm-Alvarez to Lead NIH Study Section
-USC Gets Human Research Accreditation
-THE DOCTOR IS IN - MEDICATIONS
-BORSTING TO STEP DOWN AS DEAN OF BUSINESS SCHOOL
-The art of video compression
-Will the Truth Set Them Free?
-USC Receives AIDS Funding From NIH
-Doctoral Scholarships for USC Students
-USC Team Earns Harvard Fellowships
-Rising From Humble Beginnings
-East Asian Library Hosts Key Exhibit
-Toyota Funds Teen Engineering Program
-Grant-Writing Project Helps Local School
-How to Break Out of a Rut
-Computing Power Grows at Quake Center
-Jumpstart Program fuels faculty efforts to integrate Internet with coursework
-Calif. History Housed in USC Libraries
-Moving Forward, One Foot at a Time
-How Cancer Evades the Immune System
-Champion Trojan Skier Up for ESPY Award
-New West Quartet Bound for Berlin
-Andrea Clemons Earns Fulbright Award
-New Imaging Clarifies Nutrient Cycle
-Chemical That Acts Like a Fuel Gauge
-The Newest AI Computing Tool: People
-USC to Host Summer Science Camp
-Celluloid visions of the City of Angels
-On the Sunny Side of the Universe
-Study Links Two Forms of Cancer
-Lights … Camera … Film Deal
-Early Career Chair Goes to USC Engineer
-Former USC University Librarian Dies
-Are U.S.-Born Hispanics Less Healthy?
-Pete Vanderveen Establishes Ties in Asia
-Goose Bumps Galore at New Exhibit
-Psychology Assn. to Honor Bob Knight
-LAC+USC Medical Center meets crucial patient care goals
-Books in Print
-USC licenses tools for cancer detection to biotech firm
-FOND FAREWELL
-International group unveils trove of embryonic stem cell data
-Renowned LASIK surgeon endows laser surgery chair
-USC medical technology project wins national acclaim
-Researcher sees stem cells as path to facial reconstruction
-RECOGNIZING STEADFAST SUPPORT
-USC psychiatric pharmacist recognized with prestigious Saklad Award
-ETCETERA
-FUNDRAISING FUN
-Inventing an urban laboratory
-HSC NEWSMAKERS
-Hamm-Alvarez named NIH study section chair
-Getting Down to Business Basics
-Medical Technology Project Wins Acclaim
-A New Path to Facial Reconstruction
-USC Expert Eyes Robotics Prospects
-Sequencing Method Yields Fuller Picture
-An Opus for the Ages
-Medical Center Meets Patient Care Goals
-In Memoriam: Engineer H. K. Cheng
-Trojan Family Weekend
-Tracing a Church's Moral Imprint on L.A.
-Nicotine Rush Hinges on Sugar in Neurons
-DHS Official Chertoff Lauds USC Center
-Hispanics' Access to Science Studied
-Sun Exposure May Lower Risk of MS
-Summer Interns Bid USC Farewell
-Timing Is Everything for Modern Physics
-David Stewart Departs USC Marshall
-Edward Lawler Wins Top Research Award
-Scholars Without Borders
-Quick Takes
-Getting to the Bottom of It
-Former SEC Chief Economist Joins USC
-From Pain to Inspirational Gain
-The Roads Most Traveled
-Student Views
-From Images to Art
-Gates named interim Dept. of Family Medicine chair
-New slate of directors elected to USC Care board
-Ethical clash over pharm industry gifts prompts HSC debate
-Pharmacy dean in spotlight at Asian conference
-Forging ties with the Thai
-USC psychology fellowship program gains accreditation
-Neonatologist Istvan Seri honored as outstanding mentor
-USC researchers flock to free online publications to disseminate their findings
-GENEROUS SUPPORT OF CANCER RESEARCH
-USC researchers present new findings at American Diabetes Assn. annual meeting
-LAC+USC AIDS group receives $10.7 million for clinical trials
-HSC NEWSMAKERS
-USC researcher joins coalition to deter premature births
-USC lauded for treatment of human research subjects
-Law and Disorder
-Supercomputing with DNA
-To Treat or Not to Treat
-[ Editor's Note ] Journeys
-President's Page
-Saving the Best for Last
-Last Word
-[Last Word] Name That Country! - Answers - Summer 2007
-Mailbag
-Trojan Lore
-What's New
-USC's SummerTime Receives State Grant
-Provost announces plans to close ISSM
-Butterflies Are Free, Again
-Anthropologist Paul Bohannan Dies at 87
-What's New
->> WATER LOGS
-Full Court Press
-[ In Memoriam ] Paul E. Hadley
-USC Researchers Tap Online Journals
-How Sweet It Is
-In Memoriam: Hammond Rolph, 85
-USC Research Houses Shipped to Catalina
-Marilyn
-Message from the President
-In Memoriam: William J. Tuttle
-Scientists Plant Self-Pollination Idea
-New Minor Links Dentistry, Engineering
-Lord of the Fruit Flies
-Aboard the USS Abraham Lincoln
-Attacks on Ports, Power Grid Studied
-Doctoral Student Completes Fellowship
-Ethics Clash Over Pharm Industry Gifts
-Latinos' Mental Health Care Choices
-Gyllenhaal to Head Scripter Committee
-Kay Song named executive director of USC Civic and Community Relations
-USC Heart Transplant Program Is Tops
-USC Heart Transplant Program boasts best survival rates in U.S.
-Keck School reorganization aims to improve student support
-TIP-TOP TEETH
-Developers submit their visions for USC's planned biomedical research park
-USC researchers zero in on ways genes allow tumors to evade immune system
-ETCETERA
-Thomas Krulisky, longtime USC psychiatrist, 62
-Innovative USC program guides minority youths to career paths in health-related fields
-THIRD ANNUAL HEAD AND NECK SYMPOSIUM
-Busy hands, hungry minds
-With young heart disease patients living longer, USC program helps them thrive as adults
-Bergman named editor of Obesityp
-HSC NEWSMAKERS
-In Memoriam: Mel Shavelson, 90
-SPPD Receives $3M From Borstein Family
-Ma to Curate Hong Kong Biennale
-Tectonic Plates Like Variable Thermostat
-Grad Certificate Programs Launched
-Entrepreneurs Sound Off on Start-Ups
-New DVD Traces Roots of USC Filmmakers
-'Marketplace' goes on-line
-Benchmark Project Set to Help Students
-New Residence Built on Fresh Ideas
-Susan Ikerd Named Financial Aid Director
-USC Keeps High Ranking, U.S. News Says
-Carmen Puliafito named new dean of the Keck School of Medicine
-Puliafito Named Keck School Dean
-A Scholar Reveals Her Life Struggles
-Genes Linked to Increased Asthma Risk
-USC Establishes Emergency Alert System
-Students Move, Parents Do Heavy Lifting
-USC in the News
-Leora Rosen Gets New Research Post in D.C.
-Learning From the Past
-Distinguished Scholar
-Ethically Speaking
-Students and Spirituality
-Schoenfeld Memorial Concert
-Bergman Named Editor
-Good Knight
-Curtain Up
-Thurgood's New Role
-Good Neighbors campaign gears up for 1996 fund drive
-Puliafito tapped as new dean of Keck School of Medicine
-Study shows children who carry gene variant especially susceptible to smog, asthma
-PR COUNCIL VISITS HSC
-USC seminar examines role of spirituality in the practice of medicine
-Police issuing scofflaws $300 jaywalking tickets
-Oncology meeting registration fees cut for USC staffers
-MAYORAL VISIT
-Keck School unveils 14 newly renovated multidiscipline labs
-USC/Norris Auxiliary celebrates 20 years of service to cancer patients
-HSC NEWSMAKERS
-Ethics in the TV age
-Los Angeles Enjoying Seismic Lull
-An Exercise in Disaster
-The White Coats Are Coming!
-USC Funds 2007-08 Community Programs
-Love Doctor's Legacy Lives On
-Zelinski Elected Head of APA Division
-Scientists Grapple With the Mutant Factor
-Channeling Mark Twain
-Spectrum of Terror
-Voluptuous Philosophy: Literary Materialism in the French Enlightenment
-That's Bond, James Bond
-USC Annenberg Creates Johnson Center
-Two Viterbi Faculty Win Okawa Grants
-USC Viterbi Alumna Gets Into the Game
-Richard Thompson Wins Lashley Award
-Sacramento Center Gains Newland Honor
-Mory Named AVP for Alumni Relations
-State Legislature Honors Pharmacy School
-Albert Bandura Wins 2007 Rogers Award
-Mancall Gets Research Advancement Post
-Digging by Night, Steel Plates by Day
-Cooking to stop cancer
-Stark Alum Helms His First Feature
-Teaming Up to Boost Communities
-Chinese Students Complete USC Internship
-He's Not the Retiring Type
-Coast-to-Coast Search for Aging Experts
-USC College Welcomes New Students
-In Memoriam: Hayward Alker
-From East to West for Koblitz
-The White Coats Are Coming!
-Zelinski Gets APA Post
-Gene therapy gains
-Clerical Work for Father Seyer
-Special Traffic and Pedestrian Advisory
-From SEC to USC
-Donald Miller Studies Global Phenomenon
-Lawsuit Filed Against Conquest Housing
-Ph.D. Program Spans All Cinema Divisions
-The Shadow Catcher
-Who Lives?
-The Falcon's Eye, Winter Variations
-Diamond Anniversary Sparkles at Doheny
-Open Enrollment Period for Supplemental Life Insurance and Long Term Care
-From HMOs to IPAs: a primer on USC medicine
-Small Business Clinic Opens at USC Law
-Williams Takes Tumbling Talent to China
-Greek Houses Given Incentive for Upgrades
-Sinking Their Teeth Into Rite of Passage
-Tony Award Winner Joins Theatre School
-Krisztina Holly Talks at Tech Transfer Forum
-Shi IDs Regenerative Cells in Tendons
-Alcohol Consumption Raises Cancer Risk
-Premature Births
-Outstanding Mentor
-From rats to riches
-New Rx for Family Medicine
-Aerospace Top Gun
-Masters & Merits
-Sports Institute to Tackle Rose Bowl Impact
-Gatz Updates Alzheimer's Findings
-Putting His Finger on Hand Mechanics
-Diabetes Doesn't Hold Him Back
-Enhancing the Sound of Music
-Rolling Out Red Carpet for the Newbies
-Talk Talk
-People: What we are saying and doing
-If the Creek Don't Rise
-Feedback Networks: Theory and Circuit Applications
-New Arrivals for USC Family of Schools
-Learning to Keep Their Guard Up
-David Huang Named to Laser Surgery Chair
-School of Social Work Names Vice Dean
-With a white coat comes a new profession
-USC awarded $4 million for study of asthma-smog links
-USC cancer researcher receives $1.5 million NCI grant
-DONOR ENDOWS CHAIR IN CANCER RESEARCH
-First shot for Samoans
-Etcetera
-Emergency preparedness fair on Sept. 26 to offer advice for when disaster strikes
-USC creates 'TrojansAlert' emergency text messaging system
-NEWSMAKERS
-State honors USC School of Pharmacy
-So You Wanna Know About Sludge?
-From Russia, With Thoughts on Pensions
-The Kudos Keep Coming for Barry Boehm
-Miller Asked to Join NIH Panel
-That's His Philosophy
-The campaign begins
-Google Apps Added to the Curriculum
-Reaching Out Through All That Jazz
-Remember, It's 'We, the People'
-L.A. Care Cares About Oral Health
-Alum's Work Set for Carnegie Hall
-Scholarship Reconsidered in Digital Age
-USC Enforces Guidelines for Vendors
-TV Drama Impacts Viewers' Health Behavior
-Study Probes Depression in Cancer Patients
-Good Neighbors Campaign Begins Oct. 1
-A diamond jubilee
-USC Viterbi Announces New Unit
-Annenberg Media Center Gets $2.4M Grant
-Sentinel for Health Awards Salute TV
-'Miraculous' new technology speeds crucial patient data to doctors in seconds
-USC study shows drinking alcohol can double endometrial cancer risk
-Media messages can impact health, USC study shows
-AMSA slates events for medical students
-USC cardiologist honored by International Academy
-Henry Gong Jr., Keck School of Medicine physician and respiratory disease expert, 60
-THE RUSSIANS ARE HERE
-USC in the Community
-Dentistry, engineering and biological sciences join forces to create novel minor
-Massry prize awarded to PET scan pioneer
-HSC NEWSMAKERS
-USC Annenberg Steps Up at D.C. Gathering
-Dietmar Testing Story Portal. (Ignor Me)
-Midori Named U.N. Messenger of Peace
-Global Management Expert Wins Award
-The Warhol Economy: How Fashion, Art and Music Drive New York City
-The Center Cannot Hold: My Journey Through Madness
-Postwar Hollywood: 1946-1962
-Ryan elected to Institute of Medicine
-In Memoriam: Eudice Shapiro
-Holding the World Together
-HSC Fair Preps Trojans for Emergency
-Faculty Research Funding on the Rise
-Viterbi Grad Students Are Rewarded
-Yamada Gets Mental Health Grant
-USC Introduces La Curacao Scholars
-USC Dentists Keep Kids' Smiles Bright
-Global Pentecostalism: The New Face of Christian Social Engagement
-Speaking Out About Elder Abuse
-Family's value
-A Companion to the American West
-Advances in Decision Analysis: From Foundations to Applications
-Violinist Hagai Shaham Joins USC Thornton
-USC College Sets New Course
-About Those 'Pure' Catalina Bison …
-Illuminating the Stories of the Real L.A.
-A Conversation With Drew Casper
-USC Gets $7.5M for New Health Center
-Clues to End of the Last Ice Age
-Global Conference to Convene in Tokyo
-A century-old medical partnership
-USC receives $7.5 million for minority health center
-SKY-HIGH MRI
-Good Neighbors Campaign gears up for annual giving drive
-Institute for Genetic Medicine celebrates 15 years of collaborative disease research
-USC, House Ear Institute examine biofilms for clues of bacterial drug resistance
-Why do you donate to USC's Good Neighbors Campaign?
-USC/Norris cancer researcher announces advances in colorectal cancer treatment
-NIH awards USC $1 million to help promote organ donation among Hispanics
-AAHP honors CHLA for excellence in service
-HSC NEWSMAKERS
-Notice To the University Faculty
-75 years of advanced study
-USC Scientists Work on Policy Issues in D.C.
-Paving the Way for Multimedia Literacy
-Meshkati to Receive Outreach Award
-Gillman Installed by President Sample
-Byrnes Gets USC Cultural Relations Post
-In Perfect Alignment
-He's a Monday Morning Quarterback
-Yong Chen Wins Engineering Kudo
-A Meeting of Creative Minds
-Trickett Examines Genes and Child Abuse
-'Mr. County'
-STAR Program Has Statewide Impact
-Creator of 'Mortality Paradox' Visits USC
-Ershaghi to Receive Engineering Award
-NIH to Fund $8M Autism Center at USC
-Kempe, Meng to Hold Early Career Chairs
-$10M Gift Supports Epigenome Center
-Trustee Gives $30M to Campus Center
-The One-Percent Solution
-USC Students to Exhibit Innovation
-Quinlan Installed as Dean of USC Libraries
-Report on Student Conduct
-Keck School students get record high score on USMLE—again!
-USC receives $10 million epigenetics grant
-QUAKE AND BAKE
-Diabetic triathlete discusses role of his pharmacist and health care team in training
-Masters of Public Health Program seeks comments from community
-Low HSC crime rate drops even further
-CHLA researchers find way to reverse drug resistance in neuroblastoma
-USC study suggests sun exposure may reduce risk of multiple sclerosis
-LIGHT THE NIGHT
-Family's fight against rare blinding disease leads to USC eye researcher
-BA/MDs: They're not your typical pre-meds
-'Walk for Keck' slated for Oct. 11
-HSC NEWSMAKERS
-Caspian Rain
-Kids Rule! Nickelodeon and Consumer Citizenship
-The Affect Effect: Dynamics of Emotion in Political Thinking and Behavior
-The Next Frontier of Industrial Engineering
-Vern Bengston Toasted and Roasted
-Pictures That Tell Powerful Stories
-USC Team Heads $6M Low Vision Project
-Leadership Institute Holds 1st Program
-Real Men cookout yields real-time heartburn
-Pharmacy Group Gets Five Grants
-Diplomacy at Center Stage in Washington
-In Memoriam: Henry Gong Jr.
-The Notorious Ph.D.'s Guide to the Super Fly '70s
-The Biology of Human Longevity: Inflammation, Nutrition and Aging in the Evolution of Lifespans
-Beyond HR: The New Science of Human Capital
-Film Group Hikes Support of Cinema Students
-Justice, Law and Punishment
-Newsmakers
-Making the Honor's List
-Etcetera
-Dentistry Offers New Progressive Program
-He's Taking the Fast Track
-Friends Help Friends Avoid Drug Use
-USC Gets Grant to Promote Organ Donation
-And the Band Played On … at USC
-New Frontiers in Business, Engineering
-Still Seductive After All These Years
-Is One Generation Sharper Than the Next?
-Film Ponders 'Don't Ask, Don't Tell'
-He Wants to Help the Smallest Patients
-Hospital network honors 10 faculty
-Prescription for Good Health: Knowledge
-A Filmmaker's Highpoints: From A to Zp
-First Class of Annenberg Fellows Greeted
-USC-led research team awarded $8.4 million for autism study
-USC Stevens Institute opens HSC office
-IGM ANNIVERSARY
-USC School of Pharmacy receives research grants totaling $1.75 million
-History in Lincoln Park
-USC staffer's timely aid helps save coworker
-HSC VOICES
-02 '95: forum for free radicals
-GOLFING FOR CANCER RESEARCH DOLLARS
-Art display depicts Alzheimer's struggle
-HSC NEWSMAKERS
-USC Stevens Opens Office at HSC
-A Rare Fight for Sight
-Felix Speaks at D.C. Conference
-Greif Center Program Takes No. 1 Ranking
-USC Creates Internet Census
-USC Graduate Earns Dissertation Award
-Expanding the Definition of Hip-Hop Culture
-Mentors wanted for counseling students and faculty colleagues
-The Golden Age of Cinema: Hollywood 1929-1945
-Brahms Piano Concerto No. 1: Opus 15 in D Minor
-Chasing After Street Gangs: A Forty-Year Journey
-USC Unveils YouTube Channel
-Childrens Hospital L.A. Gets $5M Grant
-Alfred E. Mann Honored by His Peers
-Newsmakers
-Identity and Politics in the Old West
-Kids Stay on the Field, Off the Streets
-Taking a Unique Approach to Research
-Good neighbor drive in gear
-From the Heart
-Standing Room Only
-USC Honors Alum Herb Farmer
-He Believes in Equality for Everyone
-Is Cardinal & Gold in Their Future?
-New Technology Pays Dividends at HSC
-Turning a Page Toward the Future
-Davies in Training
-Meshkati Reaches Out
-Is Art Really Good for You?
-To: Staff Members of the University
-People: What we are saying and doing
-Art for Science's Sake
-The Next Generation of Innovators
-USC Claims Chapter of the Year … Again
-Oxygen tanker mishap reaffirms importance of TrojansAlert system
-Implantable medical technologies to be examined at HSC
-STROLLING FOR DOLLARS
-Keck School Office of Development assembles new leadership team
-USC School of Dentistry graduate sets sights on serving a needy community
-Etcetera
-Keck School students take a walk on the literary side with Synaesthesia Monthly
-Dean Ryan sends his thanks
-Water-saving irrigation pilot system at HSC aims to cuts costs, conserve resources
-TAKE ME OUT TO THE (FOOT) BALL GAME
-HSC NEWSMAKERS
-What Price, Happine$$?
-Life, Liberty and the Pursuit of Stuff
-Island Explorers
-Boulevard of Genes
-Mishap Reaffirms Need for TrojansAlert
-USC Viterbi Ranks 12th in the World
-Shedding Light on Breast Cancer
-Women's faculty group wins national leadership honors
-USC Study Examines Effects of Caregiving
-[ Editor's Note ] Good Neighbors
-Harvard Professor to Speak at USC Rossier
-Newsmakers
-Events
-Grants and Gifts
-Jobs Wanted – and Taken – by USC MBAs
-Al-Jazeera's Impact to be Studied
-Writer Takes on Islamic Extremism
-Neamati Gets $1.1M for Cancer Research
-Top sociologist
-New History Book Recalls a Glorious Past
-An Appreciation: Ira Glass Tunes Into USC
-Extinction Theory Falls From Favor
-Scheduling Algorithm Picks Up the Slack
-Students Get a Top-Flight Education
-Tutors Turned Neighborhood Celebrities
-New Group Forms for 'Global Nomads'
-The Robotics Primer
-The Professoriate in the Age of Globalization
-SOAP for Internal Medicine
-Quick Takes
-Timme Center to be Dedicated Oct. 30
-USC to Host Body Computing Conference
-Credit Union Building Opens on Flower
-Keck School dean leaves legacy of growth, gains in research
-USC scientists awarded $1 million for metastatic colon cancer research
-NIH awards $6 million to USC researchers seeking ways to repair damaged vision
-Study suggests sunlight exposure may limit risk of advanced breast cancer
-HSC VOICES
-IPR gets $325,000 for smoke study
-EDUCATING THE PRESS
-Explore your options
-HSC NEWSMAKERS
-Gauderman Testifies on Air Quality, Health
-President's Page
-Last Word
-[Last Word] Color Theory - Answers - Autumn 2007
-Five From USC Named AAAS Fellows
-Jump-Starting New Directions in Research
-Mailbag
-Newsmakers
-Dietmar testing 2
-USC expands security services to neighbors
-Dietmar testing 2
-Dietmar testing 2
-Dietmar testing 2
-Dietmar testing 2
-Dietmar testing 2
-Dietmar testing 2
-New Scientific Experiments Take Flight
-Report: Rossier Program Shows 'Promise'
-USC Marshall Team Wins Nike's Challenge
-Sweet Suggestions to Chew On
-Urban planning offers new master's degree
-What's New
-Global Village Now Has a Music School
->> SING OUT, LOUISE!
-Tenacious Twosome
-Royal Welcome
-Fast-Track Discoveries
-[ Game Plan ] Coulda, Woulda, Shoulda
-[ In Memoriam ] J. Tillman Hall
-Hanging Around With the Lemurs
-USC Marshall to Reward Innovative Plans
-The gentle, dental art
-Mindfulness Seminars Coming Nov. 7, 14
-Giving Kids the Business
-Toward a Global Idea of Race
-Feminist Organizations and Social Transformation in Latin America
-Chemical Processes for Environmental Engineering
-Drive Time Can be Hazardous to Health
-Darfur Delves Into Human Rights Crisis
-Thanksgiving Match-up Seeks Local Hosts
-Kids, Community Lift 24th Street Theatre
-USC Transportation Wins Clean Air Award
-Chinese exchequers
-Keck School Dean Carmen Puliafito hits the ground running
-Daily commute proves to be key mode of smog exposure
-BIOTECH CONFERENCE
-15 Questions for Carmen Puliafito, new dean of the Keck School of Medicine
-Is there a RoboDoc in the house? CHLA introduces innovative telemedicine device
-Film screening highlights diabetes epidemic
-p
-HSC NEWSMAKERS
-Zelinski Gets $2.2M Federal Grant
-Gallagher Joins Peers in Lobbying Effort
-VIOLATION OF MIND AND BODY
-Immigrants on the move
-USC Marshall Team Takes Third at Biz Quiz
-They Engineer the Spirit of Troy
-USC Viterbi Hosts First Grodins Lecture
-Across Campus
-Newsmakers
-Admissions Research Center Launched
-Tuned in to Trojan Developments
-USC Viterbi Names Endowed Professors
-WNET's Baker to Deliver Loper Lecture
-USC Global Conference Draws Big Crowd
-Employee health benefits show little change in 1996
-Is There a RoboDoc in the House?
-In Memoriam
-Famed Musician to Hold Piatigorsky Chair
-How Does the Brain Recognize a Face?
-Saltzman Named to Police Commission
-Brooks Joins Institute's Senior Fellows
-An Uncommon Streak
-Traditions Continue at Homecoming
-Rasmussen Installed as USC Law Dean
-Jaw Joint Pain Nothing to Yawn About
-USC in the News
-Parents Recognize Professors' Dedication
-Talk show host Larry King presides over Nov. 8 conference on cardiac care
-Professors Discuss State's Charter Schools
-Larry King Hosts Cardiac Care Conference
-To Tell the Truth and Nothing But?
-USC's East Asian Library Opens in Doheny
-Newsmakers
-Across Campus
-USC Tops International Student Population
-Aids, cancer get holiday boost
-Eric Garcetti and David Kuroda Honored
-Cancer Cell Genes Can be Switched Off
-USC luminaries named to AAAS
-Happy 90th birthday, Dr. Berman!
-USC medical team delivers needed aid to Liberia
-USC School of Dentistry cheers decision to fluoridate region's water
-Etcetera
-USC study identifies strong links between oral cancer incidence and ethnicity
-USC Pain Center to sponsor Dec. 2 fundraising walk
-LAC+USC SURGICAL UNIT HONORED
-Therapy or research? Colloquium examines issues facing physicians
-FUN-SIZED TRICK-OR-TREATERS
-Classes at the click of a mouse—USC on iTunes U
-HSC NEWSMAKERS
-The Water Cure
-The Atlantic World and Virginia, 1550-1624
-New Media and the New Middle East
-Judgment: How Winning Leaders Make Great Calls
-Cable Visions: Television Beyond Broadcasting
-Ignorance, Manipulation and Enslavement: The New Medievalism, Collapse of Western Philosophy and Practice, and America in Freefall
-Human Ancestors: Gatherers or Hunters?
-Norris, ACS try adoption as anti-smoking technique
-In Memoriam: Louis J. Galen
-Students Help Special Needs Children
-Defining the Meaning of Freedom
-Health Researchers Get $325,000 for Smoke Study
-Sculptures Find New Home at USC
-Oral Cancer Linked to Race and Culture
-USC Joins First Look L.A.
-USC Hosts First Look L.A.
-Social Work Embraces Info Technology
-Lauridsen Earns National Medal of Arts
-Patent office helps save lives, makes money
-Business Profs Among Top 100 Leaders
-USC Students Urge Peers to Stop Smoking
-USC Viterbi Class Reaches Out
-USC researchers show how cancer cells can switch off crucial genes
-USC study examines age and ethnicity differences in eye problems
-Web development team targets The Doctors of USC Web site for major redesign
-SCEHSC offers $25,000 for one-year pilot projects in environmental health
-Keck School collaborates in opening Memory Assessment Center in Coachella Valley
-Preventive medicine expert Thomas Valente honored by APHA
-MEETING THE DEAN
-People: What we are saying and doing
-Geneticist Francis Collins to speak at HSC
-HSC NEWSMAKERS
-L.A. County Honors Resource Center
-The Inmate Who Escaped Death Row
-Age a Factor in Detection of Poor Vision
-The Director Who Cried Beowulfp
-Hefner Donates $2M to Cinematic Arts
-WGA Strike Covered at Cinema Forum
-Breaking Away From Books and Barriers
-USC Student Earns Rhodes Scholarship
-Rx for changing health coverage
-Those Who See ... and Believe
-Composer's Collection Comes to USC
-Students Win Chick Hearn Scholarships
-Youngsters Attend Mentor Day at USC Law
-In Quest of the Perfect Speech
-Engineering 'Degree Projects' Set at USC
-Davies Reveals What Matters to Him
-Sample and Nikias Garner National Awards
-Emergency Exercise Is a Success
-USC Ranked as LGBT-Friendly Campus
-Quick Takes
-Youngsters Enjoy a Splash of Fun
-Brewer Earns New Post at USC Rossier
-Mather Honored for Innovative Publication
-In Memoriam: Carol Baker Tharp
-Hormone Not Helpful Against Alzheimer's
-USC Expert Wins Young Professional Award
-L.A. Memorial Coliseum Talks at Impasse
-A Call for Boost of Digital Infrastructure
-Lifelike Sculptures Shape 65th Anniversary
-Six Institutions to Focus on Stem Cells
-Women over 50 can have healthy babies with embryo implantation.
-Leading plastic surgeon
-Pharmacy School Develops Online Course
-Alum Gives $17M to USC Viterbi Dept.
-USC joins Southern California Stem Cell Scientific Collaboration
-Keck School scholars acknowledge debt of gratitude to donors
-USC occupational therapy experts caution against unhealthful habits
-KECK SCHOOL SCHOLARS
-USC honored for support of gay students
-HONORING EXCELLENCE
-USC-China Institute offers $15,000 grants
-Virtual community of students, faculty focuses on benefits of alternative medicine
-Marriage, Venetian style
-Etcetera
-Keck School supporters tout stem cell research
-A HEARTFELT THANKS
-HSC NEWSMAKERS
-GE CEO Cites the Keys to Golden Future
-USC Davis Scholars Present Latest Findings
-USC Davis Scholars Offer Latest Findings
- Coliseum Commission to Meet Dec. 5
-Headline test of 'smart “quotes” and Glenn's' – 'straight "quotes" - Glenn's'
-National Academies Visit Iran
-Books in Print
-Newsmakers
-UK Film Academy Honors Recollectionsp
-USC Installs Dr. Carmen Puliafito as New Dean of the Keck School of Medicine
-Conference Explores HIV Prevention
-In the Eye of the THX Storm
-Puliafito Installed as Keck School Dean
-Dornsifes Again Boost Brain Institute
-Business Programs Get Top Rankings
-The Long Embrace: Raymond Chandler and the Woman He Loved
-The meister's singers
-The Jewel House: Elizabethan London and the Scientific Revolution
-The Responsible Administrator: An Approach to Ethics for the Administrative Role
-Law Faculty Earn Endowed Appointments
-USC Study Finds Value in Faux Architecture
-Project to Delve Into the Developing Palate
-Schools of Dentistry, Pharmacy, Medicine host 'Microbicide Interactive' on HIV/AIDS
-RAISING AWARENESS, FIGHTING AIDS
-Keck School co-hosts M.D./Ph.D. event aimed at career development, mentoring
-USC School of Pharmacy professor helps create online drug-monitoring course
-Etcetera
-Business has never been better
-Keck Faculty Invited to Assembly Meeting
-USC/NORRIS NEWS
-Liver disease grants of up to $50,000 offered
-HSC NEWSMAKERS
-Shining Light on Afghanistan's Shadowsp
-Four Professors Earn Raubenheimer Award
-Meet Mr. and Ms. USC
-USC Women Are NCAA Soccer Champs
-Scribe's Academic Career Takes Flight
-Student Scholars Given a Chance to SOAR
-Seven new full professors join USC faculty
-USC to Team on Clean Energy Technology
-Winter Gathering Heralds Fall Prevention
-A Writer Who Takes No Prisoners
-USC Students Explain Medicare Maze
-Jason Alexander to Host Scripter Gala
-Update on the Coliseum
-Genetic Causes for Male Infertility Studied
-Roybal-Allard Visits USC Physical Therapy
-Cancer Center Gets $60 Million Gift
-A Portrait of Young Artists
-It all adds up to $450,000
-USC celebrates $60 million gift for Division of Hematology
-Epigenetics may be at the root of some forms of male infertility, USC study says
-THAT'S THE SPIRIT!
-Keck School plastic surgeons join international humanitarian effort
-Etcetera
-AN EYE TOWARD THE FUTURE
-USC pharmacy students help navigate Medicare maze
-Geneticist Francis Collins discusses effects of 'astounding' results in genomics
-SAVE THE DATE
-HSC NEWSMAKERS
-And it's not for football
-USC Center Teams With Higher Education Assn.
-USC receives two new faculty awards to fund next generation of stem cell scientists
-Middle Ground in the Marine Food Chain
- Surgeon Inducted Into French Legion of Honor
-When Culture Counts on the Bottom Line
-Rossier Joins Transformation Initiative
-Kathy Fogg Retires From Stark Program
-USC Pharmacy Students Win Scholarships
-Cold Feeling Traced to Source
-Knott Elected Fellow of Leading Academy
-Las Floristas @ Los Amigos
-Three Major Donations Launch Trust Program
-Polar Trips Take Toll on Mental Health
-Mossberg Tech Reviews Can Move the Market
-French Ambassador Lauds USC College
-USC Annenberg Announces NEA Fellowships
-Happy Holidays
-World Press Photo Exhibit Returns to USC
-USC Alums Rock With Starr Power
-USC Scripter Award Finalists Announced
-Damasio and Quick Kick Off First Fridays
-Neuroscience, heart meetings draw USC scientists, physicians
-Newsmakers
-USC Officials Attend Obesity Workshop
-Grant Bolsters Two USC College Institutes
-A Conversation With Kathi Inman Berens
-Hometown Santa Monica: The Bay Cities Book
-Origins of the Chinese Avant-Garde: The Modern Woodcut Movement
-Organizations: Management Without Control
-Edward P. Roski, Jr. Is Chairman-Designate
-Coreen Rodgers named chief operating officer of Keck School of Medicine
-Scripter to Honor Coens' Old Menp
-THE DOCTOR IS IN - BIRTH CONTROL
-People: What we are saying and doing
-Students Get Google Plan for USC E-mail
-George Bekey Delivers Cal Poly Address
-Election 2008: New Web Site for Journalists
-Legendary Engineer Joins USC Viterbi
-USC Gets $6.3M for Stem Cell Research
-NIH awards $1.1 million to USC pharmacologist
-USC surgeon Namir Katkhouda named to prestigious French Legion of Honor
-Etcetera
-USC study supports novel stroke therapy
-USC Health Now expanding campus' reach to consumers
-Stress has new meaning at cellular level
-HSC NEWSMAKERS
-The Met Comes to Norris Cinema Theatre
-Jean Morrison to Serve on AAU Committee
-Sending Carbon Dioxide to Sea
-Brushing Up on Oral Health for 2008
-Newsmakers
-10-Fold Life Span Extension Reported
-Tom Holman Named IEEE Fellow
-Quantum Specialist Elected APS Fellow
-Neamati Named Editor of New Journal
-Here's a sure fire way to host a winner
-Jerry Buss Gives $7.5M to USC College
-Don't Worry – But Anxiety Puts You at Risk
-Exhibit Peers Behind Magazine Covers
-Loving With a Vengeance: Mass-Produced Fantasies for Women
-The Seminole Freedmen: A History
-Systems Leadership: Creating Positive Organizations
-Alums to Receive Cinematography Kudos
-Bravo Tabbed as One of the Nation's Best
-An Introduction He'll Never Forget
-Martin Luther King Event Set for Jan. 24
-Quick Takes
-USC's Links to Africa Explored
-In Memoriam: Peter Staudhammer
-Study Gives Insight Into Hair Growth
-USC Images Help Build Nova Documentary
-Ed. Program Honored in Sacramento
-Fewer Hospital Visits for Young People
-A Better Way to Run Safety Net Hospitals
-Digital Project Updates Internet Trends
-USC Gets $3.2M to Develop Cancer Test
-In Memoriam: Houston 'Hugh' Flournoy
-Jane Pisano to occupy Piper Chair
-USC cancer researchers awarded $3.2 million to improve screening
-USC taps Google Apps to bolster student email
-Medical Faculty Assembly focuses on key issues of Keck School
-Keck School pilot program uses wireless technology to improve care
-USC study in Nature sheds light on stem cell signaling
-Neamati named editor of pharmacology journal
-Success of USC graphic identity depends on key guidelines
-USC School of Dentistry gears up for accreditation with students' help
-Health screenings for area residents are a SNAPP
-HSC NEWSMAKERS
-USC to rename School of Accounting
-USC Advances in Bid for Stem Cell Grant
-Taking a Look at Baby's First Biofilm
-USC Advances in Application for Stem Cell Research Facilities Grant
-Greenhouse Ocean May Downsize Fish
-National Award for Michael Jackson
-Big Daddy: Jesse Unruh and the Art of Power Politics
-The Gospel of Food: Why We Should Stop Worrying and Enjoy What We Eat
-The Witch's Flight: The Cinematic, the Black Femme and the Image of Common Sense
-Chevron Pledges Support for USC Viterbi
-USC Dental Student Sees the Light
-Teach the parents well
-Newsmakers
-Critics Say It's a Jewel of a Book
-Center to Study Korean-Americans
-Scott Mory Meets Alumni Directors
-Schaeffer to Hold Judge Widney Chair
-Brinton Named to Blue Ribbon Panel
-Newsmakers
-Troubled Waters: The Geopolitics of the Caspian Region
-Sundance to Sarajevo: Film Festivals and the World They Made
-The Inner Game of Tennis: The Classic Guide to the Mental Side of Peak Performance
-Lady of the lens
-Injunction Settles Conquest Litigation
-Speaking Up, With Confidence
-Theatrical Internships Yield Opportunities
-USC Viterbi Inks Pact With Korean Air, GE
-USC, IBM Get Serious About Gaming
-Connecting to Literature
-The Science of Hope
-What Is a Stem Cell?
-Charting USC's Stem Cell Progress
-All Over the Map
-How USC helps
-Big Daddy {Jesse Unruh}
-Legacy of a Centrist
-New Compounds May Reduce Health Risks
-Innovation Inside Awards Announced
-Five Extraordinary Professors Recognized
-USC Administration Looks Ahead
-[ Editor's Note ] We're No. 1
-President's Page
-Last Word
-[Last Word] Philological Foundlings - Answers - Winter 2007
-$2.5 million gift endows dean's chair
-Mailbag
-D.C. Workshop Addresses Sexual Assault
-Prostate Cancer Test Vaccine a Success
-Rechenmacher Wins Early Career Award
-Judy Garner named School's senior associate dean of faculty affairs
-William Bartlett tapped as new director of business intelligence
-USC Advances in bid for stem cell grant
-California's Healthy Kids program saves government millions
-USC Norris Medical Library offers access to Community of Science
-CHLA researcher links asthma, family structure
-Books in Print
-Where are they now?
-STATE OF THE ART MRI
-USC expert's healthful 'ExtendBar' snack goes mainstream
-HSC NEWSMAKERS
-USC Center for Excellence in Research to host workshop series on developing grant proposals
-USC Alum Scores at the Big Game
-USC Libraries Script a Perfect Evening
-Studies Urge Fair Portrayal of Females
-Greenberg Marks Holocaust Remembrance
-Jackson Named to Accrediting Commission
-Broadcasts From the Blitz: How Edward R. Murrow Helped Lead America Into War
-USC in the News
-The Segregated Scholars: Black Social Scientists and the Creation of Black Labor Studies, 1890-1950
-The Arrogance of American Power: What U.S. Leaders Are Doing Wrong and Why It's Our Duty to Dissent
-Trojan Lore
-Philosopher Warms Up to Climate Change
-James Bond Legacy Fuels Endowed Chair
-Call for Community Outreach Proposals
-In Memoriam
-p
-Two Keck School professors win top USC honors
-New Web site links journalists with USC experts
-Sex, lies and WWII propaganda
-NIH announces new $190 million initiative in epigenomics
-When drugs fail, implanted device can lower 'uncontrollable' high blood pressure
-He's Off to the Races
-USC to Highlight Women's Health April 19
-British, Trojans Diplomacy at Work in D.C.
-Wright Foundation offers $100,000 research awards
-Proposals sought for Neighborhood Outreach grants
-Salerni Collegium celebrates 50 years of supporting Keck School of Medicine
-USC students lobby on behalf of health care
-HSC NEWSMAKERS
-One big family
-What's New
-Commentary
-Recognizing Those Who Offer Care
-›› DAPPER DON
-Courageous Climb
-Seeds of Hope
-Supporting Players
-[ In Memoriam ] Phyllis Norton Cooper
-[ In Memoriam ] Louis J. Galen
-What Gives Us Fingertip Dexterity?
-Nine Years Later:
-Slavkin Saluted by Peking University
-Newsmakers
-Patient's High BP Treated by Keck Surgeons
-Nikias, Yortsos Earn Prestigious Honor
-Political Activity Restrictions Stated
-Garrett Delivers Budget Policy Research
-Times of Trouble: Violence in Russian Literature and Culture
-Out of the Fringe: Contemporary Latina/Latino Theatre and Performance
-Modeling and Control of Complex Systems
-It Really Is a Small World After All
-Fine line exists between care and research
-Oral Health Screenings Set on Feb. 14
-USC Thornton Pulls the Right Strings
-Greenberg Speaks at Human Rights Forum
-USC Reaches Tentative Deal With Coliseum
-LAC+USC receives stellar accreditation review
-Something to Blog Home About
-Visions and Voices lecturer Sandra Gilbert reflects on death and loss
-HAPPY (LUNAR) NEW YEAR!
-WSCI names Keck School physician-researcher outstanding investigator
-Ralph and Angelyn Riffenburgh Professorship awarded
-Int'l docs visit LAC+USC
-MEDICINE ON TRIAL
-USC research team aims at cancer's weak spot
-HSC NEWSMAKERS
-LAC+USC Receives Full Accreditation
-Artificial Retinal Implant Project Grows
-USC Thornton Pulls All the Right Strings
-Historical Association Meets in D.C.
-Newsmakers
-Condolences to Northern Illinois U.
-Jewell Tapped as Academy Film Scholar
-New device offers hope for epileptics
-Robert Boyle to Receive Honorary Oscar
-Several USC Alums in Oscar Race
-About My Life and the Kept Woman
-Tribal Leadership: Leveraging Natural Groups to Build a Thriving Organization
-Narrative and the Cultural Construction of Illness and Healing
-L.A. Is Courting Disaster, Experts Say
-New Anti-inflammatory Agents Developed
-Health Resources Team Visits USC
-Newsmakers
-USC Marshall Center Becomes Institute
-Etcetera
-USC Marshall Third in Case Competition
-From Parking Lot to Dining Spot
-USC Retirees Surveyed on Financial Health
-Web Whiz Wins Faculty Leibovitz Award
-School of Pharmacy Sweeps State Awards
-He Influences the Lives of Others
-Gender Balance Askew in Oscar Race
-USC Awarded $3.9M for Undersea Lab
-Obesity, Stroke Linked in Middle-Aged Women
-Astor Offers Research on School Violence
-The magic of medicine
-Academy Donates $3M to Cinematic Arts
-What's Up, Docs?
-Preserving Recollections of Genocide
-Engineering Professor Wins NSF Award
-Call for Faculty Master Applications
-The Power of Redemption
-Newsmakers
-Alum Robert Elswit Nets First Oscar
-Armenia: Portraits of Survival and Hope
-It Knows You By No Other Name
-CONVOCTION SET FOR MARCH 9
-People: What we are saying and doing
-Campus Secrets: College Tales of Love and Loathing, Fear and Favor
-Poetry Takes Center Stage
-Washington Post Wins Selden Ring Award
-Donal Manahan Named Wrigley Director
-Elyn Saks' Memoir Wins Inspiration Award
-Harman Named Widney Business Professor
-Sports Business Institute Kicks Off Study
-All School Day Celebrates Diversity
-USC Marshall Events Go the Extra Mile
-Good Neighbors Campaign Tops $1 Million
-50th year for LAC+USC Santa
-Bekey to Get Lifetime Achievement Award
-A Slice of Parisian Life in L.A.
-Newland Explores Ethics in Sacramento
-Keck School receives $11 million gift to fight diabetes, cancer
-School of Pharmacy dominates state association awards
-Sample lauds faculty in annual address to campus
-Center for Community Translation receives $1 million to improve healthcare access
-ETCETERA
-USC artificial retinal implant project readies expansion into Europe
-USC hosts second annual University-Community Dialogue on improving birth outcomes
-Leavey's global housewarming
-HSC NEWSMAKERS
-USC Takes Part in Pan-Pacific Conference
-Breaking Down the Medical Basics
-Tumor Vaccines Developed by Researchers
-Advocating Fair Use in Learning
-'Lazy Eye' Treatment Shows Promise
-Science Journal Lauds USC Researcher
-Architectural Guild Lauds Levin, Olney
-Lowenthal Appointed Brookings Fellow
-Survey Finds Who Tolerates Discrimination
-'Mythic' Tuesdays at the Fisher
-Preventing Premature Birth Through Oral Health
-Engineer Learns How Bats Stay Aloft
-It's So French! Hollywood, Paris and the Making of Cosmopolitan Film Culture
-The Seventh King
-p
-Can Shared Beliefs Clash With Values?
-Reaching the Next Level
-Chai's Designer Mice Spotlighted
-Newsmakers
-Megan O'Neil Unlocks the Maya Code
-Tracking the growth of an urban cancer
-Charting USC Projects in Latin America
-Sound of Body, With Art Talent to Boot
-Ravi Aron Wins Sloan Fellowship
-Ethics Club Promotes High Standards
-Jon Pynoos Delivers Elder Law Lecture
-Doing the Small Things to Go 'Green'
-Good Oral Hygiene Yields Overall Health
-Newsmakers
-USC Law Sets Seminar for Entrepreneurs
-Keck School recruits new dean for research
-The hunger wall
-HSC slates faculty innovators event for March 19
-USC team develops promising vaccine against prostate cancer
-WELCOMING JAE JUNG
-USC scientists use vaccine to thwart key defense of cancer cells
-ETCETERA
-HEART HEALTH
-Health author Andrew Weil to speak at HSC March 13
-“HIV: The Feminization of an Epidemic – Are you at Risk?” March 10
-HSC NEWSMAKERS
-University Endowments and Tuition Costs
-Down at the mouth?
-Katsouleas: Duke's Dean of Engineering
-Lessons in Health From Homer Simpson
-Ku to Direct Continuing Education
-'Click Fraud' a Legitimate Concern
-Seeking Strategies for Metro Areas
-School of Pharmacy Hosts Hemophilia Group
-Hybrid Imaging Helps Lymphoma Patients
-One Day That Could Change a Future
-USC study sees benefit in combining PET, CT scans
-Keck School alumna named California Assembly Speaker
-Dance Week 1995
-Good Neighbors Campaign raises $1 million for local programs
-ETCETERA
-CHLA study illuminates how predisposition to obesity may affect brain's development
-Alumnus gives $100,000 for stem cell research
-USC School of Pharmacy faculty members join Pan-Pacific International conference
-HRSA taps School of Pharmacy to help identify what makes a successful clinical practice
-WELCOME ABOARD
-Childhood obesity forum slated for April 10
-HSC NEWSMAKERS
-USC Honors Remarkable Women for 2008
-X-ray double vision
-Boone Center Dedicated at Catalina
-Challenges of Global Hunger Studied
-Taiwan Elections Observed by USC Group
-Business Leaders to Attend Summit
-Who Intervenes? Ethnic Conflict and Interstate Crisis
-The G Quotient: Why Gay Executives Are Excelling as Leaders … and What Every Manager Needs to Know
-Introduction to Law: Its Dynamic Nature
-A New Lab That's Really Fab
-First Look to Screen Cinematic Arts Gems
-Interactive Ethics Course Gets High Marks
-USC in the Community
-USC Alum Studies Children and Welfare
-$5 Million Gift Names Cancer Day Hospital
-Social Work to Offer Summer Programs
-USC Libraries Mourn Loss of Minghella
-USC Delegation Goes to Washington
-Epstein Gives $4M for New Alumni Center
-Physician-author Verghese stresses value of hands-on healing
-The Doctors of USC-Downtown celebrates a new name—and expanded services
-THE SPIRIT OF TROY
-Childrens Hospital Los Angeles targets vascular anomalies with new center
-BEYOND NEWTON
-BUSINESS SCHOOL ALUMNUS PLEDGES $2 MILLION FOR CONSTRUCTION PROJECT
-Pop meets pre-Columbian in Latino art exhibition
-Genetic tests launched to help tailor cancer therapies
-Mobile Clinic gives kids a smile
-USC study links rising obesity rates nationwide to increase in women's strokes
-School of Pharmacy professor named to NIMH Blue Ribbon panel
-Author hails integrative medicine as key
-HSC NEWSMAKERS
-Architecture Approves New Ph.D. Program
-USC Cellist Earns Rare Green Card
-Report Examines Infant Mortality Rates
-Sioutas Given Grant to Study Air Pollution
-Levine talks AIDS at the White House
-School of Pharmacy Wins National Awards
-Taking Another Spin on Carouselp
-Pottebaum Receives Early Career Award
-Newsmakers
-USC Hosts Nanoscience Conference
-Online Map Gives New Perspective on Campus
-Tyler Environmental Prize Winners Named
-A Match Day that can't be matched
-HSC researchers aim to make impact through innovation
-USC students collaborate with Keck School to deliver anti-AIDS campaign
-Gail Anderson: Champion of the ER
-Impacting Women's Health
-Health group honors former Keck School dean
-April 1 deadline looms for STEM scholarships
-As mentors, Keck School students introduce high school students to world of medicine
-USC professor coaches Congress on OCT
-Virtual patient to help students learn to diagnose
-HSC NEWSMAKERS
-USC Admissions Letters in the Mail
-Walsh Sheds Light on Visual Imaging
-Newsmakers
-Health management center sets Palm Springs seminar
-Downtown Clinic Celebrates a New Name
-Kempe Earns Computer Science Grant
-A New Way to Fight Cancer
-Houses of Los Angeles: 1885-1919
-Houses of Los Angeles: 1920-1935
-The Lemon Tree: An Arab, a Jew and the Heart of the Middle East
-Negotiating the Net in Africa: The Politics of Internet Diffusion
-Neural Stem Cells: Methods and Protocols, 2nd Edition
-Requiem or Revival? The Promise of North American Integration
-Provost Nikias to Hold Currie Chair
-New test detects heart disease non-invasively
-Senator to Speak at USC Marshall Event
-USC to Host International Tolerance Event
-Teen-aged T. rex Gets a Public Bath
-School of Pharmacy Celebrates Partnership
-A Noble Project Full of Possibilities
-Moving Ahead on Conservation Efforts
-Young @ Heart With Young USC Talent
-USC Pharmacy celebrates 50-year partnership with Allergan
-LAC+USC Replacement Facility opening delayed
-Lacrimal gland study awarded $1.6 million
-'Null mutants' help pinpoint gene functions
-HSC serves up longer hours for hot food and coffee
-SALERNI SCHOLARSHIP DINNER
-Study suggests new way to fight cancer
-ETCETERA
-Conference focuses on nanotech medicine
-USC School of Pharmacy students win national honors
-Keck School Professor Emeritus Leslie Bernstein honored for distinguished career
-Keck School students named AMSA leaders
-HSC NEWSMAKERS
-USC Ranked as a 'Dream College'
-People: What we are saying and doing
-In Memoriam: Herbert E. Alexander, 80
-Davison Attends International Conference
-Newsmakers
-SPPD Faculty Present Budget Policy Research
-Diversity Gets Boost at School of Pharmacy
-Music Videos Provide New Creative Paths
-The Virtues of Virtual Patients
-Digging for Peace in the Middle East
-Literary Kudo for Warren Bennis
-Mauch Amir Named USC General Counsel
-School restructuring gets top priority
-USC Honored With Public Diplomacy Award
-A Conversation With Bryce Nelson
-Cheng Earns Guggenheim Fellowship
-Experts Ponder the Meaning of California
-Farewell to His Lovely
-Cox, Dad Surprised at Alumni Awards
-Viterbi Tapped as Finalist for Tech Prize
-Orozco Named Director of Rancho Los Amigos
-USC Annenberg Receives $1.8M in Grants
-Laurie Brand Named Carnegie Scholar
-Four hundred needy children receive toys at LAC+USC annual Christmas Party
-USC Professor and Activist Honored
-USC, Taiwan University Sign New Pact
-Go Ahead, Plug the Competition
-Keck School town hall meeting focuses on School's future
-Keck School town hall meeting focuses on School's future
-ADA's Accreditation Committee wraps up visit to USC School of Dentistry
-USC School of Pharmacy launches student diversity initiative, focusing on youths
-HONORING EXCELLENCE
-School of Pharmacy hosts hemophilia group study
-ETCETERA
-Weingart backs AMRC
-USC School of Pharmacy co-sponsors 'Hidden Hunger Roundtable'
-Dentistry slates talk on oral cancer awareness
-THAT'S THE SPIRIT
-Dental Hygiene Program stresses overall health
-HSC NEWSMAKERS
-News Story Here
-Social Sciences Conference Held in Beijing
-Newsmakers
-Giuliano Chairs D.C. Talk on Transportation
-The Artistic Side of Engineering
-RYAN IS NAMED DEAN, SENIOR VICE PRESIDENT FOR MEDICAL AFFAIRS
-Change imperative to school's success
-Journalist Wins Top Prize at Play Festival
-Service With a Few Marshall Smiles
-Overholser to Lead School of Journalism
-Tenet, USC Reach Tentative Agreement
-Tenet and the University of Southern California Reach Tentative Agreement Regarding USC University Hospital and USC Norris Cancer Hospital
-Tenet, USC reach tentative agreement
-Mullins to Direct Pro Writing Program
-Quake Forecast Spots a Shaky Future
-Study: Gender Differences in Colon Cancer
-USC Davis School Student Honored
-Etcetera
-John P. Stein, USC Urologist, 45
-Social Workers Stand Up for Others
-Survival of the Sexiest
-A Marketing Class That Means Business
-In Memoriam: John Peter Stein, 45
-USC Medallion Goes to Starnes, Waterman
-Improv Festival Celebrates Five Years
-Does the Modern World Still Work?
-USC, Tenet reach tentative agreement on sale of hospitals
-USC opens groundbreaking epigenomics center
-Missing gene wreaks havoc on palate and lungs
-USC researchers associate risk of Hodgkin's lymphoma with immune protein
-DISCUSSING DIABETES
-HSC NEWSMAKERS
-Prime Minister Lauds USC Students
-A Complex Question With No Easy Answer
-Preventing Cancer Through Oral Hygiene
-Verna Dauterive Pledges $25M to USC
-Flynn Talks Social Work, Military
-In Memoriam
-First Regulatory Science Doctorate at USC
-Hughes employees continue support of USC medical research
-The Old World Embraces New Technology
-Knowing How to Get Attention
-Student Art, Research Get Their Day
-KUSC Names Eichenthal Program Director
-Jerrold Green Named Pacific Council CEO
-Getting to the Bottom of Budgetary Woes
-Enrollment Research Center Funds 7 Grants
-On the Battlefield, There Are No Surprises
-A Unique Approach to Dental Care
-Warschaw to Fund Practical Politics Chair
-McDonnell warns against excimer laser overuse
-USC honors outstanding achievement at annual Convocation
-USC creates world's first Ph.D. program in regulatory science
-FUN IN THE SUN
-Division of Physical Therapy ranked first in nation—again
-USC Board of Trustees honors Brian Henderson for leadership of Keck School
-BAXTER FOUNDATION CONTINUES TRADITION OF SUPPORT
-Markland exits scientific affairs post to focus on research
-Advocacy group seeks to aid neurological patients
-National groups laud USC on gay, lesbian issues
-SCIENCE, WITH A TWIST(ER)
-Nurse= mom x 10
-HSC NEWSMAKERS
-Markland exits post to focus on research
-Markland exits post to focus on research
-Markland exits post to focus on research
-Markland exits post to focus on research
-Markland exits post to focus on research
-May You Have an Interesting August …
-Mobster Murders and High Society
-Teamwork Pays Off for Foshay
-Viterbi School to Host Tsinghua University
-Parties with a purpose
-Newsmakers
-Pera Offers Insight on Stem Cells
-Telling an Unfinished Story
-USC College Appoints Diversity Director
-The Fight to End Homelessness
-Laurence Kedes announces resignation as institute director
-Laurence Kedes announces resignation as institute director
-Laurence Kedes announces resignation as institute director
-Laurence Kedes announces resignation as institute director
-p
-Doctor provides legacy for students in need
-Laurence Kedes announces resignation as institute director
-Laurence Kedes announces resignation as institute director
-Laurence Kedes announces resignation as institute director
-In Memoriam: Ahmed Abdel-Ghaffar, 61
-USC Scientist Honored for Bright Ideas
-Students Display Research at Galen Center
-Jay Harris Co-chair of Pulitzer Board
-Study Alcove Selected as 2008 Senior Gift
-Looking at the Millennial Generation
-Gress Appointed Senior Clinical Fellow
-People: What we are saying and doing
-George Chilingar Named Honorary Professor
-New Model for Embryonic Limb Development
-Nanowires Shine in Active Matrix Displays
-Rebuilding California's Infrastructure
-USC Honors WWII-Era Nisei Students
-Launching the Essential Library
-Grant Extends HIV Communication Research
-SPPD Students Sweep Fellowship Awards
-New Directions in Nuclear Energy
-Congressional Vision for Infrastructure Plan
-5 year study investigates role of hypertension and kidney disease
-Campus security systems to get $3 million upgrade
-Laurence Kedes to step down as IGM director
-CHILD'S PLAY
-USC study finds gender differences in colon cancer markers
-ETCETERA
-New policy mandates NIH-funded studies must go on PubMed Central
-USC dental hygienists open eyes as well as mouths at oral cancer screening
-New seminar series focuses on rehabilitation science
-HSC NEWSMAKERS
-New Center to Study Immigrant Integration
-NEW MAJOR PREPARES TOMORROW'S ENVIRONMENTAL PROFESSIONALS
-Von Hagen, former chair of neurobiology
-A Gathering Place
-More Room(s) for Everyone
-Birth of the College Union
-A Snack While You Wait?
-Going Residential
-Caltech President on Green Campus Programs
-New Partnership for Urban Education
-Education Yields Healthy Weight for Women
-Biofilms Behind Jaw Infections
-The Fault Whisperers
-Students will broaden outlooks at new international residential college
-Ready to Rumble
-Scholars of the Information Age - The USC Annenberg Fellows Program
-Legacy of a Genius
-President's Award Goes to Milton Young
-In Memoriam: Harlan Hahn, 68
-Some People Are Up to Old Tricks
-Global Outreach Grows at School of Dentistry
-[ Editor's Note ] Father and Son
-President's Page
-Last Word
-Quick Takes
-[Last Word] Black History Basics – Answers – Spring 2008
-Mailbag
-Record 13 Fulbright Scholars … So Far
-USC Hosts Governance Conference
-M.A. Degree Program in Arts Journalism
-Grant to Fund Projects for Healthy Babies
-USC Receives Nearly $27 Million in Funding for New Stem Cell Research Facility
-Stem Cell Research Facility Nets $27M
-Don't Pigeonhole This Valedictorian
-They're Earning; They're Learning
-Medicine Magic
-A Case Study in Healthy Aging
-Shy No More, Yvonne Tam Serves Others
-Jeffrey Davenport Plays With Heart & Soul
-Two USC Salutatorians Named
-Four to Receive Honorary Degrees
-CIRM awards USC $27 million for new stem cell facility
-Keck School scientist outlines new model of limb development
-School of Dentistry forges strong ties with universities worldwide
-POSTER DAY
-USC School of Dentistry tackles challenge of delivering quality care to autistic patients
-MacRae will lead Personnel Services
-DONIGER GIFT TO FUND PARKINSON'S RESEARCH
-USC physical therapist named CEO of Rancho Los Amigos
-HEAD AND NECK CANCER FUNDRAISER NETS $8,000
-WELCOME BACK
-2008 COMMENCEMENT CEREMONIES
-HSC NEWSMAKERS
-Guiding Students on the Proper Path
-Newsmakers
-Taplin Talks About Ads at D.C. Session
-Technology Prize Winners Announced
-Former dean Rosalind K. Loring dies at 78; memorial services set for Jan 14.
-Waging War Against Polluters
-10,000 Degrees to be Awarded
-Anything Is Possible With Software
-Commencement 2008
-In Memoriam: Charles Goldstein, 87
-USC Names New Dean of Religious Life
-Wiseman to Direct Public Diplomacy Center
-USC Receives $5M for Cancer Research
-Rose Hills Research Fellows Named
-USC Researcher Wins Two Fellowships
-"Country Desk Officer" system will link USC to key nations
-What's New
-USC, Coliseum Commission Ink Lease
-Simon Ramo Honored at Viterbi Banquet
-Keck School Site of Breast Cancer Study
-Science Is In Their DNA
-›› 50-YEAR NOTES
-Alumni Profile - Class of '92
-Alumni Profile - Class of '02
-[ In Memoriam ] Houston “Hugh” Flournoy
-Crimmins, Finch Get W.M. Keck Awards
-Schoenberg journal wins honors from ASCAP
-Oh, the Games They Play
-USC Celebrates Milestone Commencement
-$5 million Whittier Foundation gift to fund new cancer therapies
-School of Pharmacy shares $5 million NIH grant to seek novel compounds
-USC launches stem cell research site
-Public Health faculty among most productive in U.S.
-USC ophthalmologist receives $1.2 million NIH grant
-TRAUMA CARE REUNION
-Charles Meyer Goldstein, 'father of USC School of Dentistry mobile clinic,' 87
-Heritage Lunch celebrates planned giving
-Provost announces international initiatives
-HSC NEWSMAKERS
-Slowing Light to Speed Up Data
-Creating Miracles in the Lab
-Trojans Fight On for Darfur
-Alum Named President of Korean University
-NIH Grant Goes to USC Pharmacy School
-USC Names New Vice Provost
-Keck School Commencement Remarks 2008
-Exiled in Paradisep
-A Few Complex Words to Live By
-Packard endows USC President's Chair
-USC stem cell study sheds new light on cell mechanism
-Testing One's Skills and Stamina
-Cinematic Simians on a Space Safari
-The Journeys to Graduation
-USC's Fulbright Count? It's Now at 15
-USC's Fulbright Count? It's Now at 15
-Another Benefit of High School Education
-Green Named Director of USC Lusk Center
-Green Named Director of USC Lusk Center
-In Memoriam: Dagmar Barnouw, 72
-ILLEGAL DOMESTICS FORM NETWORKS TO FIND JOBS, COPE WITH ABUSE
-Pacific Overtures
-In Memoriam: Dagmar Barnouw, 72
-Annual Charter School Report Released
-Report Sheds Light on Cell Mechanism
-He Has a Passion for Politics
-In Memoriam: Darlene Dufau Reid, 65
-What Makes Life Go in the Tropics?
-Calif. Copes With Energy Issues
-HSC kicks off graduation celebration
-USC taps medical center expert Mitchell Creem as Vice Provost
-USC emergency medicine expert presses state legislators to preserve hospital 'safety net'
-Groundbreaking chemist receives Enrico Fermi Award
-Stem cell study details novel self-renewal mechanism
-Ultrasound-plus-mammography combination boosts breast cancer detection, study shows
-USC Kidney Dialysis Center honors Akmal
-Philanthropist Harlyne Norris receives honorary degree
-HSC NEWSMAKERS
-Richey Takes Aim at Diabetes
-Newsmakers
-Life at Rock Bottom Boosts Bacteria
-Enrollment Center Sets First Conference
-Gender, Colorectal Cancer Survival Linked
-Distinguished Visitors' program will bring world to campus
-Painful Jaw, Pounding Head?
-Brainstorming at Will
-USC Architect Johnson Honored by Peers
-Childrens Hospital Los Angeles Ranked Among Top-10 by U.S. News & World Report Magazine
-Too Close for Comfort
-Gene Regulating Glucose Levels Identified
-USC to Study Mobile Games, Health
-Advancing Aging and Academics in Asia
-Physician-scientist Shelly Lu receives prized NIH RO1 grant—her fifth
-US News & World Report ranks CHLA among nation's best hospitals
-Boomers are great "rockers" according to USC researchers
-Study elucidates role of gene in regulating glucose, may shed light on diabetes
-Researcher Howard Hodis elected to AAP
-HONORING EXCELLENCE
-National search launched for director of Zilkha Neurogenetic Institute
-CLEARING THE AIR
-Bamboo House Built for Quake Victims
-'Healthcare 101' forum stresses importance of customer service in healthcare
-BUILDING RESEARCH BRICK BY BRICK
-HSC NEWSMAKERS
-More in Common Than You Think
-USC in the News
-Surls Set as Interim VP for Development
-Philip Stephens Named to Royal Society
-USC Recruits International Leader from Johns Hopkins
-Public Health Expert to Join USC
-Fresh Updates on Alzheimer's
-Anne L. Peters Receives Clinician Award
-U.N. Ambassador Calls for End to Slavery
-Keck Faculty Receive 2008 USC-Mellon Mentoring Awards
-Keck Faculty Receive 2008 USC-Mellon Mentoring Awards
-Bridging Borders Far and Away
-A Steele toast to the "Grey Ghost"
-Dowell Myers on California Immigrants
-Cowan Named Walter Lippmann Fellow
-In Memoriam: Marilyn Edwards Zumberge
-USC Leads Stroke Survivors Rehab Project
-Keck Faculty Receive Mentoring Awards
-A Great Coup for Literati
-Steurbaut Named Interim VP for Finance
-USC Has 16th Fulbright Scholar
-Olga Solomon Earns Zumberge Grant
-Infosys Funds Research Center at USC
-A new approach to American studies
-Good to the Bone
-Terence Langdon Wins Two Top Honors
-In Memoriam: Zuo-Zhong Wang
-Global Agenda Due on School Violence
-In Memoriam: Zuo-Zhong Wang, 46
-World-renowned expert to lead global health at USC
-NIH awards $12.4 million for USC stroke study
-ADA honors USC diabetes expert
-USC researchers present key findings to American Society of Clinical Oncology
-Keck School of Medicine town hall meeting focuses on key priorities, achievements
-STUDENT GROUP BOOSTS AIDS AWARENESS
-June 26 memorial service slated for USC School of Dentistry's Charles Meyer Goldstein
-Etcetera
-Zuo-Zhong Wang, Keck School and Zilkha researcher, 46
-POSTER SESSION
-HSC NEWSMAKERS
-A Man of Genuine Depth
-USC Group Holds $200K R&D Event
-Shelly Lu Gets Prized NIH Grant – Her Fifth
-Major Project Now in Transit
-Supercomputer Ranks in Nation's Top 10
-New Clinic Offers Fine Needle Alternative to Surgical Biopsy
-Mt. Wilson Solar Tower Turns 100
-Coach Carroll lends his support to Doctors of USC
-USC Hosts U.N. Ambassadors
-Summer Fieldwork Funded in China
-Pilot Program Targets Needs in India
-Conversation With Milind Tambe
-Secrets of Foreign Companies' Success
-In Memoriam: Katherine B. Loker, 92
-USC Creates Generation of Geobiologists
-Weber Appointed Professor Emeritus
-GETTING A HEAD START ON GOOD HEALTH
-$1.5M Goes to Stem Cell Research
-USC a Top Campus for LGBT Students
-She Did the Math
-Oral Health on the Go
-The I's Have It
-Global Research Projects Take Flight
-USC Study ID's Tumor Suppressor
-So Much Data, So Little Time
-Economists, Theologians Tackle Poverty
-Aspirin May Fight Osteoporosis
-RON STEVER, DISTINGUISHED ALUMNUS AND UNIVERSITY PATRON, DIES AT 88
-IOM CELEBRATES 25TH ANNIVERSARY AT USC
-In Memoriam: Joanne L. Mayne, 62
-In Memoriam: Joanne L. Mayne, 62
-USC Mentors Asian Universities
-New Faculty to Join USC Viterbi School
-CIRM awards USC, CHLA $1.5 million for stem cell lines
-New Keck School scholarship spurs research dreams
-John Leedom, professor emeritus of Keck School's Department of Medicine, 74
-USC SHARE Program awarded $187,000
-p
-Etcetera
-NEW KIDNEY DIALYSIS CENTER RISES ON ALCAZAR
-Henrietta Lee, longtime benefactor of USC/Norris Comprehensive Cancer Center, 94
-USC study analyzes use of therapy dogs for rehabilitation of autistic patients
-Keck School pediatrician Francine Kaufman receives 'Physician Humanitarian Award'
-LAB ACHIEVEMENT
-HSC Newsmakers
-USC-affiliated hospitals ranked among 'America's Best'
-USC Viterbi Signs Accelerated M.S.
-Not Quite a Fountain of Youth
-Guidelines Set for Online Videos
-In Memoriam: Henrietta C. Lee, 94
-Luttgens moves to CHLA
-Following in Galileo's Footsteps
-Hot Reviews for The Cold Warp
-In Memoriam: John M. Leedom, 74
-Displaying Skills Across Borders
-Thurgood Marshall's Fight for Rights
-In Memoriam: Madeleine Stoner, 70
-Step by Step
-USC/Norris celebrates naming of Judy and Larry Freeman Cancer Day Hospital
-Two Overseas Partnerships Launched
-USC-affiliated Hospitals Rank Among Best
-"People: What we're doing and saying
-USC/Norris Celebrates Hospital Naming
-Mutant Testis Cells a Survival Advantage
-Cal State Long Beach Honors USC Alumni
-Training the Next Generation
-Amazon Powers Ocean's Carbon Sink
-High Marks for Exchange Program
-Robot Interaction May Help Youngsters
-USC/Norris celebrates naming of Day Hospital
-State-of-the-art radiosurgical tool promises faster, better treatment
-USC/Norris opens new Patient Education and Outreach Center
-RACE FOR THE CURE
-New Doctors of USC Web site adds search features, video tips
-US News and World Report ranks USC affiliated hospitals among nation's best
-Biofilms seen as a cause of jaw osteonecrosis
-LAC+USC officials say its time to take out the trash
-Keck School physicians to speak at 2008 Oncology Conference
-School of Pharmacy research fellow wins pair of prestigious fellowships
-NIH FUNDING UPDATE
-HSC Newsmakers
-Saving the Planet With Carbon Dioxide
-USC Excels in 'Great College' Survey
-Restructuring Medicine: pace of planning picks up
-New Unruh Institute Director Appointed
-Childrens Hospital Gets $2.4M Grant
-Radiosurgical Tool Offers Faster Treatment
-Six Trojans Earn Doctoral Scholarships
-Elders Prefer Care of Daughters-in-law
-Study uncovers genome alteration that contribute to schizophrenia
-Study Finds New Links to Schizophrenia
-ISI to Play Role in Genetic Initiative
-Women End Up Less Happy Than Men
-Daring to Dream
-STANFORD AND UC SAN FRANCISCO SHARE
-Empowering Innovation
-Meet Professor Gadget
-Helping the Medicine Go Down in Ghana
-Making a Good Impression
-Bound for Market?
-John Wayne, an American Icon
-Celebrating John Wayne
-Viterbi Algorithm Takes a Quantum Leap
-Aarons Award Goes to Larry Gross
-Tuning in to the Digital Age
-School of medicine receives $2.2 million HHMI grant
-A Noble Experiment
-[ Editor's Note ] The Class of '08
-President's Page
-Enrollment Under a Microscope
-Mayor Names Kay Song as Senior Adviser
-Last Word
-[Last Word] Olympic Originals - Answers - Summer 2008
-Mailbag
-41 Trojans Compete in Beijing
-Zilkha Neurogenetic Institute boasts $13 million in NIH funding
-WE RAISE A FRIENDLY TOAST TO THOSE WE BOAST
-International consortium pinpoints chromosomal links to schizophrenia
-THE DOCTORS ARE IN
-Quake underscores need for preparedness
-Cardiac electrophysiology director named
-Etcetera
-Keck School pathologist elected to prestigious Taiwanese academy
-p
-Keck School embraces latest technology for faster PET-CT scans
-Keeping it all in the (Trojan) family
-James Le, USC School of Dentistry resident, 30
-LAC+USC DOCTOR HELPS DELIVER 'WHEELCHAIRS FOR HUMANITY
-HSC Newsmakers
-What's New
-Family Ties
->> Baxter and Bard
-Alumni Profile - Class of '08
-Alumni Profile - Class of '91
-Alumni Profile - Class of '08
-[ In Memoriam ] Marilyn Edwards Zumberge
-[ In Memoriam ] Charles Meyer Goldstein
-Marriage May Help Hostile Personality
-Evangeline
-Writing in Exile
-Appealing to the Middle May Not Work
-Palate Formation Problems Studied
-5-Year Renewal for Biomedical Resource
-Breaking Up Is Hard to Do
-Overweight Hispanic children at risk for pre-diabetes
-Soni Wins Silver In 100m Breaststroke
-USC College Agrees to Unique Partnership
-Vendt, Keller Extend Gold Medal Streak
-USC Faculty Receive $8 Million in Funding for Stem Cell Research
-Homeland Security Secretary Visits USC
-Quick Takes
-Faculty Get $8M for Stem Cell Research
-Ph.D. Students Receive National Awards
-Study: Children at Risk for Pre-Diabetes
-In Memoriam: George N. Boone, 85
-Soni Wins Gold in 200-Meter Breaststroke
-Ford Foundation Grant Goes to Center
-Lifelong Libraries for USC Alumni
-Striking a Healthy Balance
-Trojans in Beijing
-Unlocking the Key to Catalyst Mystery
-Organizers putt vision in Martin Luther King Jr. Day celebration
-When the Rude Have a 'Tude
-Toll Roads or Sales Taxes?
-Shakespeare on the Subway
-Legislators Fall for Trojans
-New Wiki Can Improve TA Experience
-USC and Chevron Extend Partnership
-Coach Pete Carroll pitches The Doctors of USC
-USC researchers awarded $8 million for stem cell studies
-Henri Ford named vice dean for medical education of Keck School of Medicine
-George Boone, philanthropist and USC benefactor, 85
-Number theorist Albert Leon Whiteman dies
-Keck School dean opens up his home to fete Class of 2012
-RESTRICTIONS ON RESTRAINTS
-Keck Schools nets $116.5 million in charitable donations to boost programs
-HSC NEWSMAKERS
-Emergency!
-Engineers to Work With HP Labs
-Vicente Fox Meets USC Leaders
-Engineering Faculty Win IBM Awards
-Newsmakers
-KCET Airs Eleonore Schoenfeld Memoirs
-$2.5M gift funds new education dean's chair
-Welcome to Their World
-Professors Win Okawa Research Awards
-A Stellar Showing in Beijing
-In Memoriam: Armond Fields, 77
-In Memoriam: Armond Fields, 77
-Andrew Viterbi Gets National Medal of Science
-Oral Health One Key to Child's Happiness
-Jenova Chen Named a Top Innovator
-Serving Those Who Served Their Country
-Donald Paul to Advise Energy Institute
-New DASH route circles University Park Campus
-New School of Theatre Building Opens
-Gas Shale Research at USC Viterbi
-Auditing Expert Returns to Campus
-Funding for 'Print-a-House' Construction
-Newsmakers
-Weegee and Naked City
-Beautiful Minds: The Parallel Lives of Great Apes and Dolphins
-California Polyphony: Ethnic Voices, Musical Crossroads
-Alum First to Receive New Fellowship
-Moving Targets Takes Aim at Diabetes
-Gerontology School improves with age
-In Memoriam: Edwin O. Guthman, 89
-USC breaks ground on cutting-edge stem cell center
-USC Breaks Ground on Stem Cell Center
-New Promo Campaign Kicks Off
-Jean-Pierre Bardet Visits Quake Region
-Making a Positive Impression
-Alicia Dowd Named CUE Co-director
-Study Looks at Long-Term Cancer Survivors
-Doheny Gets Its Groove on With Album Art
-USC Hosts Workshop on Modeling Method
-Chips with Chops
-In Memoriam
-USC Rossier Launches New Global Center
-Petasis Named Cope Scholar for 2009
-Doheny More in Fashion Than Ever
-Coliseum Improvements a Boon for Fans
-White Coats and Warm Welcomes
-'Destination: The Future' Hits Its Mark
-Emmy Nod for College's Shelley Berman
-From Research to Publication
-USC Experts Monitor Coastal Waters
-Books in Print
-Understanding Philanthropy: Its Meaning and Mission
-Transparency: How Leaders Create a Culture of Candor
-Secret Gateway to Health: The Single Most Important Thing You Need to Know for a Long Healthy Life
-Exporting American Dreams: Thurgood Marshall's African Journey
-God's Heart Has No Borders: How Religious Activists Are Working for Immigration Rights
-Drug Abuse: Concepts, Prevention and Cessation
-SPPD Students Tackle Policy Issues Abroad
-NIH Awards Go to USC Researchers
-A white coat bestows privilege and responsibility on students
-$1.7 million NIH grant awarded to study acetaminophen poisoning
-USC grad captures Prokofiev piano prize
-USC Master of Public Health Program awarded re-accreditation
-ETCETERA
-New campus office aims to help with on-the-job problems
-School of Dentistry offers accelerated orthodontics
-School of Dentistry offers accelerated orthodontics
-USC joins large-scale effort to chart brain cancer genome
-USC joins large-scale effort to chart brain cancer genome
-School of Dentistry offers accelerated orthodontics
-New LAC+USC clinic tower to open Sept. 15
-HSC NEWSMAKERS
-ANNOUNCEMENTS
-Solving an ancient Aramaic puzzle
-Professor receives prestigious Poiseuille Medal
-There's Gold in Them Thar' Guards
-Freshman Class: Diverse, Accomplished
-Lesson of a Lifetime
-Jonathan Samet to chair Clean Air Scientific Advisory Committe
-Ogling the Google Bus at USC
-It's a Wonderful Life
-New USC Center Backed by Infosys
-There Are Ways to Deal With Pressure
-USC Observes Constitution Day
-Friendly Fire
-USC Rossier, 2tor Inc. Offer Online Degree
-LAC+USC emergency room responds to Metrolink crash victims
-Grant for Human Trials of Cancer Treatment
-Doctor Performs Groundbreaking Surgery
-Joining Forces for Faces
-Native Informant: Essays on Film, Fiction and Popular Culture
-Fiscal Challenges: An Interdisciplinary Approach to Budget Policy
-Talent: Making People Your Competitive Advantage
-Newsmakers
-A Melding of the Artful Minds
-Quick Takes
-R&D Funding for University Increases
-Saving Teeth on the Front Lines
-In Memoriam: Kazumi Maki, 72
-Students Help Free Life-term Prisoner
-Light Sport Plane Concept Honored
-LAC+USC Replacement Facility promises state-of-the-art care
-Replacement Facility Facts and Figures
-LAC+USC emergency room aids Metrolink crash victims
-SUPPORTING PROMISING RESEARCH
-Collaboration featuring USC researchers suggests ways to detect, treat glioblastoma
-KUSC airs new international affairs program
-Virtual reality brings real pain relief to kids at Childrens Hospital Los Angeles
-LAC+USC study highlights benefits of epilepsy surgery for uninsured patients
-REMEMBERING RONALD ROSS
-HSC NEWSMAKERS
-D.C. Offices Make Matches
-Meeting and Greeting With Purpose
-John Walsh to Develop Online Tool
-Paul Orfalea Set for 'Conversations'
-Newsmakers
-In Memoriam: Charles H. Whitebread, 65
-The cosmos is their classroom
-New Certificates in Regulatory Science
-Facing Her Fears on Film
-Relax … You're Feeling Into a Deep Sleep
-Online Journalism Review Returns
-LAC+USC offers media a sneak peek into new facility
-More Loan Help for USC Law Graduates
-The politics of health care
-The Pornography of Power: How Defense Hawks Hijacked 9/11 and Weakened America
-Game Design Workshop: Designing, Prototyping and Playtesting Games
-The Al Jazeera Effect: How the New Global Media Are Reshaping World Politics
-Scholarship prompts minorities to pursue grad school
-Studying California's Educational Crisis
-Armed and Ready for Filmmaking
-Daya Perkins Awarded Krown Fellowship
-Good Neighbors Sets $1.1 Million Goal
-Scholars to Examine Supreme Court Term
-Alum Establishes International Project
-Media get preview of LAC+USC's new hospital
-Media get preview of LAC+USC's new hospital
-p
-Media get preview of LAC+USC's new hospital
-Report of the Curriculum Committees
-Physicians start seeing outpatients in new LAC+USC Clinic Tower
-New Student Health Center offers health care, counseling
-Massry Prize honors groundbreaking stem cell researchers
-Geller named vice chair of CHLA's Dept. of Surgery
-HONORING EXCEPTIONAL DEDICATION
-Etcetera
-USC surgeon performs groundbreaking laparoscopic gallbladder removal
-p
-p
-“PRAXIS AND POETRY”
-For biologists and bibliophiles
-Keck School hosts presidential health care debate
-HSC NEWSMAKERS
-Hull Joins USC Stevens Institute
-Newsmakers
-Keck researcher receives grant to study genetic factors in prostate cancer
-Jumping From High School to College
-Postdoc Decides to Take Policy Route
-'Mission: Engineering' Accomplished
-Conversation With Elizabeth Currid
-Ell Earns Distinguished Research Award
-A flair for rhetoric
-Global Bridge Between Business, Society
-Intimacy and Aging
-Study: Genetic Factors in Prostate Cancer
-Months and Seasons
-The Essential Earth
-Adolescent Health Care: A Practical Guide, Fifth Edition
-Gamers Play Against Type
-USC Good Neighbors Campaign
-Mesereau Finds Fulfillment in Public Law
-Mexican Politician Decries Corruption
-USC in the News
-In Memoriam: Frances Feldman, 95
-Preparing for the Drill of a Lifetime
-Drop, Cover, Hold On
-Doors to Open at LAC+USC Hospital
-Getting Down to Real-World Business
-GETTING READY TO MOVE
-Doctors of USC creates center to focus on orthopaedic surgery
-p
-Keck School professor offers expertise to China in run-up to Olympic Games
-USC researcher awarded $210,000 for genome-wide prostate cancer scan
-PROJECTS FOR INNOVATIVE TEACHING - LANGUAGES OF THE WORLD
-Rocket Launchers
-EMERGENCY MEDICINE SYMPOSIUM
-Gerontology Adds a Touch of Tech
-p
-USC study cites danger of pre-diabetes in overweight Hispanic kids
-ETCETERA
-STUDENT LEADERSHIP MEETING
-USC UH Guild to celebrate 15 years of service on Oct. 14
-HSC
-Newsmakers
-L.A. Minority Business Wins National Prize
-Federal budget disputes will not hurt university, officials predict
-Helping Journalists Keep the Faith
-Keck School kicks off campaign with call for greater participation
-Where your GNC contributions go
-In Memoriam: James Karls, 80
-LAC+USC gets a community welcome
-Update: Contagious Gastrointestinal Virus
-In Memoriam: Craig Fertig, 66
-Dean honors new LAC+USC facility at reception
-Greatest Jews of the 20th Century?
-Extinction by Asteroid a Rarity
-Class of '37 grad finds USC was bargain at twice the price
-Can Virtual Reality Offer Actual Relief?
-Don't Stop the Music
-Selsted named chair of pathology department for Keck School
-Gastrointestinal Virus May Have Peaked
-Andrew J. Viterbi Honored at White House
-Record Fellowships for USC Rossier
-Gamble House Celebrates Its Centennial
-Warhol's Jews: Ten Portraits Reconsidered
-Birdlike and Barnless: Meditations, Prayers and Songs for Progressive Christians
-What Blood Won't Tell: A History of Race on Trial in America
-Life saving blood service receives little public attention
-Cultural Sensitivity Tames Tough Customers
-Brain Has Competing Risk and Reward
-Four Trojans Inducted Into Nat'l Academy
-Alzheimer Research Center Honors Founder
-Engineering Research Center Gets Grant
-Keck School dean honors new LAC+USC facility at reception
-County hosts open house for new hospital
-Keck School names Michael Selsted chair of Dept. of Pathology
-Alzheimer Disease Research Center honors founder Caleb Finch
-DINO-MIGHT
-CHLA WINS $550,000 LAB GRANT
-HSC NEWSMAKERS
-University community urged to be earthquake-ready
-Genes Key to Success on Mussel Beach
-From Computer Science to Olympic Gold
-Newsmakers
-Peer Networks Targeted at D.C. Panel
-Economists Weigh Financial Meltdown
-Asian Undecideds Could Sway Election
-Air Marshals Study USC Security Program
-Continued Vigilance Needed on Virus
-ELECTROMAGNETIC FIELDS' CANCER LINK DOWNPLAYED
-The High Ground in Space
-Body's Anti-HIV Drug Explained
-Life and Death Along the Edges
-Sights Set on Higher Ed in Far East
-Norman Corwin's Play Opens at Skirball
-Valero-Cuevas Gets Grip on Study
-Panel Charts Financial Market Breakdown
-Big Ideas Dominate Annual Event
-USC Viterbi Moves Up in the World
-USC Institute Designs Digital Docents
-INSTITUTE OF MEDICINE KICKS OFF SYMPOPSIUM
-The Importance of Doing the Math
-Good Reasons Why Trojans Should Give
-Conference Targets U.S.-China Relations
-USC University Hospital Guild honors Harlyne J. Norris
-Alum Urges College to Boost GNC Efforts
-Missing the Mark on the Campaign Trail
-Conversation With Joe Saltzman
-Hospital Guild Honors Harlyne J. Norris
-Health Science Campus gets ready to hold on and ShakeOut
-NIH awards $8.9 million grant to Keck School researcher to study diagnosis of glaucoma
-STUDY SHOWS LATINOS SUFFER HIGHER RATE OF RARE BLOOD DISEASE
-Nikias named executive vice president and provost
-Lingual Verve to host The House of God talk
-Corporate Therapist
-CHLA researchers ID potential new method to stop tumor growth
-American Board of Pediatrics elects Thomas Keens to Board of Directors
-USC Family Fun Dental Fair helps parents comply with new law
-Good Neighbors Campaign Sets $1.1 Million Fundraising Goal
-Ford officially wecomed to Keck School
-FOOD AND FUN
-USC Stevens appoints new staff leaders
-NIH RENEWS GRANT FOR AIDS CLINICAL TRIALS
-Massive Preservation of Archives
-HSC NEWSMAKERS
-How do you turn 4,200 perfect strangers into Trojans?
-The Highs and Loh of Political Humor
-USC Hasn't Washed Its Hands of Virus Yet
-Fotonovelas Find Validation in Studies
-Holly Speaks About University Startups
-Newsmakers
-Glaucoma Study Gets $8.9M Grant
-Two Nights of 'Chit Chat'
-People: What we're doing and saying
-USC Launches MatchYard on Facebook
-'Cure At The Rock' at the Hard Rock Cafe benefits breast cancer research
-Remaining True to One's Faith
-Research retreat explores future model for physician-engineer collaboration
-When Medical Met Engineering
-Top Researchers to Lecture at USC Davis
-Grant Yields Study of Antibiotic Resistance
-Nostalgia for a Trumpet: Poems of Memory & History
-A Continental Plate Boundary: Tectonics at South Island, New Zealand
-Selling Songs and Smiles: The Sex Trade in Heian and Kamakura Japan
-A CELEBRATION OF WOMANHOOD - PERFORMANCES AND READINGS MARK WOMAN'S HISTORY MONTH
-RYAN REMAINS CAUTIOUSLY OPTIMISTIC ABOUT THE MEDICAL SCHOOL'S FUTURE
-Three Quake Seminars Shake It Up
-Transportation Center Still on the Move
-Hidden L.A. Stories Coming to Campus
-Banking on Uncertainty in Troubled Times
-New Major: Popular Music Performance
-Pop Music Performance Now USC Major
-Legislative Day Unites Key Leaders
-Iris Chi Receives Three USC Grants
-An Open Letter to the USC Community From Michael L. Jackson
-America's Next Top (Role) Model
-TB STUDY REVEALS HIGH INFECTION RATE IN HOMELESS
-New Focus on Military Social Work
-In Memoriam: William H. Perkins, 85
-Business Students Win Case Contest
-Marty Kaplan Leads Report on Immigration
-Research retreat explores future model for collaborations
-LAST CALL–Good Neighbors Campaign draws to a close Oct. 31
-Keck School researchers awarded grants from Arthritis Foundation
-Panel to explore racism's role in infant mortality on Nov. 5
-Research awards available for liver and digestive tract disease studies
-ETCETERA
-Working wonders with wheelchairs
-USC University Hospital Guild honors Harlyne J. Norris
-School of Pharmacy students host annual Legislative Day with elected officials
-Campus security improvements go into effect
-Earthquake preparedness seminar for all
-NEWSMAKERS
-STUDENT SPIRIT DAY
-Juvenile Justice in the Eyes of a Judge
-The Choice Between Cash and Courthouse
-Asia Higher Ed Comes to Forefront
-Study Examines Ulcer Formation
-Water advocate Kent Springer dies
-Watt Now?
-The High Cost of Cancer and Stress
-Ann Thor and Frances Wu Honored
-Governor appoints Puliafito to Stem Cell Oversight Committee
-Puliafito Named to Stem Cell Committee
-[ Editor's Note ] The Great ShakeOut
-President's Page
-Under Duress Behind the Wheel
-Spirituality in Sync With Religion
-Better Safe Than Sticky
-Quick Takes
-New Institute to Enhance Equity
-Last Word
-The Cold War and the United States Information Agency: American Propaganda and Public Diplomacy, 1945-1989
-Networked Publics
-Manufacturing Hope and Despair: The School and Kin Support Networks of U.S.-Mexican Youth
-Four Straight Wins for USC Chapter
-[Last Word] Casus Belli - Answers - Autumn 2008
-Mailbag
-Pediatrics professors honored for overseas work
-Ed.D. Program Thrives at USC Rossier
-New dialysis center
-A Safe Haven of Support
-Across Campus
-Family Ties
-Election Before & After
-SPPD Panel Cites Revitalization of L.A.
-KUSC to be Heard Along Central Coast
-Family Ties
-›› COOL NIXON
-Alumni Profile - Class of '69
-Alumni Profile - Class of '64
-Medical school awarded $2.2M neuroscience research grant
-HSC NEWSMAKERS
-Alumni Profile - Class of '92
-LAC+USC collects art to promote healing
-ETCETERA
-USC Visions and Voices unites the arts and sciences
-[ In Memoriam ] George Nicholas Boone
-THIS IS HALLOWEEN
-[ In Memoriam ] Katherine Bogdanovich Loker
-Holiday shoppers can support USC/Norris
-Medicare Part D information session Nov. 18
-Letter from the President
-Open enrollment for benefits begins Nov. 1
-School of Pharmacy's comic book is no laughing matter
-Governor Appoints Puliafito to Stem Cell Oversight Committee
-Five HSC faculty members named to USC strategic planning group
-Clinical Retreat Focuses on New Vision for USC Medicine
-Grant Goes to Journalism Institute
-Ultrasonic Expert Gets $750,000 Grant
-Student Designs iPhone Trip Planner
-LAC+USC collects art to promote healing
-LAC+USC collects art to promote healing
-Homage to Martin Luther King Jr.
-Shoah Foundation Institute Honors Kirk Douglas
- Caught in a Lie
-Upperman Shares Insight on Emergencies
-Across Campus
-What's New
-The Rivalry on Radio, Web This Weekend
-Cadenas Awarded Tobacco Disease Grant
-Problem Solving Takes Center Stage
-Social Entrepreneurs Deliver a Fast Pitch
-Conversation With Ariela Gross
-Surf's Up! (virtually)
-Crossing the Line?
-Annenberg to Cover Election Night Events
-CREATE Director to Share Expertise
-Abelson Acting Dean of Dental School
-USC Salutes Andrew J. Viterbi
-Racial Disparity in Infant Mortality Rate
-Donate Art for Hospital Hallways
-ShakeOut Drill Arrives Thursday
-Filling Cavities … and the Language Gap
-Shifting From Burden to Benefits
-Indoor Allergies
-Molecular biologists develop better technique for genetic color-coding
-For Him, Life Begins at 90
-Technology Can Transform Health Care
-Brewer Leads Session on Education
-Awards recognize Keck School's best and brightest
-Abelson named acting dean of dental school
-Shake, shake, shake! USC prepares to ShakeOut Nov. 13
-LAC+USC moves inpatients into new facility Nov. 7-8
-Southern California Health Leadership Panel Nov. 14
-Kidney disease awards to be presented to USC researchers
-Upcoming seminar prepares for changes in federal research funding
-17 student-scientists cited for research excellence
-Samet receives 2008 Alton Ochsner Award
-Environmental health grants available
-A refugee camp in the heart of the city
-DIWALI FESTIVAL
-ETCETERA
-HSC NEWSMAKERS
-Tuning Up for a New Software System
-Across Campus
-Let's Play 'Beat the Quake'
-Where Memory Dwells: Culture and State Violence in Chile
-USC in the Community
-Octavia: Attributed to Seneca
-Career Development in Bioengineering and Biotechnology
-Panel Reports on Infant Mortality Rate
-Ancient Art, Modern Lessons
-Making Space for Some Big Plans
-Key Discovery Made by USC Researchers
-Researchers identify key mechanism regulating neural stem cell development
-Immigrants Spur Japanese Democracy
-Viterbi Archive Unveiled at Doheny Library
-A Walk to Remember
-The market value of piety
-Provost Outlines USC Arts Initiative
-School of Theatre Unveils Annual Award
-Deep-Sea Expedition Begins
-Record-Setting Reunion Weekend
-ShakeOut Drill Arrives Thursday
-The Civic Life of American Religion
-Beyond Barbie & Mortal Kombat: New Perspectives on Gender and Gaming
-The Age of Heretics: A History of the Radical Thinkers Who Reinvented Corporate Management, Second Edition
-Keck School establishes Division of Health Sciences Education
-In Memoriam: James C. Warf, 91
-From manuscript to mainstage
-ShakeOut, Disaster Drills at USC
-For Caregivers, It's a Family Affair
-Keck School researchers advance understanding of neural stem cells
-Moving on up: LAC+USC moves into new facility
-Moving on up: LAC+USC moves into new facility
-Keck School forms new Health Sciences Education unit
-Cousineau honored for research on health care access for homeless
-USC School of Dentistry to host Oral Medicine Symposium
-ETCETERA
-USC receives grant to study impact of technology on disability
-Bloom shares passion for brain research in IOM speech
-NIH awards grant to Wong-Beringer for study of antibiotics
-CHLA receives $1.6 million for HIV prevention
-AND THE AWARD GOES TO
-HSC NEWSMAKERS
-Reassessment of Poverty Guidelines Cited
-Two Seminars to Chart Research Trends
-CNN's Larry King hosts discussion of childhood obesity
-Muske-Dukes Named Calif. Poet Laureate
-USC College Biologists Given $3.2M Grant
-New Group Preps Students for Alumni Life
-Doheny tests new surgical instrument
-Pat Levitt to lead Zilkha Neurogenetic Institute
-Larry King Hosts Childhood Obesity Panel
-And the 2009 Alumni Awards Go to …
-Report From the World Economic Forum
-Two Named to Endowed Professorships
-Goad to Head Pharmacists Association
-Gauderman Presents Gene and Asthma Data
-USC Tops International Student Enrollment
-Newsmakers
-USC Annenberg Receives Two Grants
-Applicant puts his best foot forward
-Translating Research Into Action
-Scholarship luncheon unites donors with recipients
-Small Things Make Big Waves
-Anatomy of a Natural Disaster
-Asian Pacific Caucus Hosts First Panel
-Where There's Smoke, There's Toxicity
-Keck School names Inderbir Gill chair of Department of Urology
-Oliver Mayer: Collected Plays
-Modern Bamboo Structures
-The Shadow Catcher
-Jabbour joins liver transplant team
-Levitt named director of Zilkha Institute
-$20 million bequest benefits USC Norris
-USC drops, covers and holds on during Great SoCal ShakeOut
-Jeff Goad to lead California Pharmacists Association
-School of Dentistry offers gentle help for locked jaws
-CNN's Larry King hosts discussion of childhood obesity
-Keck USMLE part 1 scores beat national mean
-ETCETERA
-STUDENT FORUM
-STUDENT FORUM
-Letter to the editor
-Building security upgrades effective Dec. 1
-Record amounts raised for Good Neighbors
-HSC NEWSMAKERS
-Megacities: 'A New Dynamic Organism'
-Pat Levitt Named Zilkha Institute Director
-New USC Restaurant Opens in Radisson
-Preventing Sexual Assault by Peers
-Health Fair Helps East L.A. Residents
-USC researchers advance understanding of prostate cancer development
-Suppressing Prostate Cancer Development
-HANK
-USC IN THE NEWS
-USC University Hospital gains liver transplant team
-Parental Involvement Goes High-Tech
-Old Flies Can Become Young Moms
-Susan Metros Addresses Visual Literacy
-County Board of Supervisors Approves $112 Million for USC Staffing, Education at LAC+USC Medical Center
-Training for Iraq, Virtually
-Healthy Eating for the Holidays
-Newsmakers
-Supervisors OK $112M for LAC+USC
-Supercomputer Rises to 7th Nationally
-The War Against HIV/AIDS Continues
-Medical School strives for shared vision
-New Organization for Future Pharmacists
-USC Researchers Work on Tooth Enamel
-HIV/AIDS' Toll on Oral Health
-Shedding Light on Coral Reef Health
-Election Reflection
-Reforming End-of-Life Care
-Innovations in Manufacturing
-Identifying the genetic risks in psychiatric diseases
-USC to Head Global Genetic Effort
-New Dimension Added to Meetings
-Rapid digital network links doctors to distant patients
-A Closer Look at Ancient Documents
-Nano Initiative Rolls Threes
-The Jewish Past, in Vinyl
-Theatre's Sharp Transforms Holiday Staple
-Half of USC's Trash Recycled, Figures Show
-USC Moves Ahead on Master Plan
-Wilson Joins Obama's Transition Team
-Donald Paul Attends Energy Briefing
-Keck School names Gill as chair of Department of Urology
-Faculty take vision for the future of medicine to Beverly Hills
-People: What were doing and saying
-PHASES OF HOPE
-USC researchers identify novel approach for suppressing prostate cancer development
-BRAND NEW DAY
-Nobel laureate Peter Agre to speak at USC on Dec. 12
-School of Dentistry works to rebuild tooth enamel
-Keck scholarship luncheon connects donors and students
-A TROJAN WELCOME
-ETCETERA
-STORY UPDATE
-A friendly greeting from The Doctors of USC
-Selby joins liver transplant team
-New Theory Helps Explain Economic Crisis
-State's Role in Climate Policy Studied
-HSC NEWSMAKERS
-Teaching Educators to Network
-The Clothing of the Renaissance World
-Genealogical Fictions: Limpieza de Sangre, Religion and Gender in Colonial Mexico
-The University
-Academic Senate Highlights
-In Memoriam: Mitchell Lurie, 86
-Brain Adapts to Signing
-Memorandum
-USC Team a Hit in Case Competition
-USC Marshall Center Honored
-Marshall Extends Impact in Latin America
-Newsmakers
-Testing Glenns story
-Climate Changes the Rules
-MBA Students Discover Gap in Market
-Pharmacists Honored for Innovation
-Spain's National Award Goes to Castells
-Program to be Offered Free Via Internet
-Hoarding Hornbooks
-Raise High the Roof Beams
-In Memoriam: C. Sylvester Whitaker, 73
-Purchasing Power Used for Sustainability
-Urgency of College Board Study Cited
-Key Mechanism of Human Lymphomas ID'd
-Management Strategies Outlined on YouTube
-Newspaper Series Launches Health Project
-Students Win Transportation Scholarships
-USC receives $19 million for genetic research
-Starnes named chair of expanded Department of Surgery
-African American composer series to air on KUSC
-Scientists I.D. mutation found in human lymphomas
-Keck retreat underscores value of teaching
-ASHP honors USC pharmacists for innovative practice
-KIDNEY RESEARCH RECOGNITION
-Faculty and staff to need I.D. cards for after-hours access to campus buildings
-Faculty appointed to AAMC positions
-Students share the holiday spirit with children
-BRINGING JOY TO GOOD GIRLS AND BOYS
-Sample to present State of the School address Feb. 10
-USC Blood Donor Center sponsors drives for Blood Donor Month
-TB rampant among homeless, study finds
-ETCETERA
-HSC NEWSMAKERS
-Starnes Named Chair of Surgery Dept.
-Professors Get Raubenheimer Awards
-Musical Collaborations Flourish on the Web
-Scripter to Name Winner on Gala's Night
-Media Scholar Henry Jenkins to Join USC
-Real-Time Gene Tracking Developed
-Fullerton Installed as Endowed Professor
-AT&T Aids USC Neighborhood Program
-Litigious teens
-Pharmacy Celebrates Renovated Facility
-Posters Stress a Strong Message
-Leaders Fight for Immigrant Rights
-Seeking Advances in Child Mental Health
-Small Gifts, Big Hearts
-The Architecture Student's Handbook of Professional Practice, 14th edition
-No Time to Think: The Menace of Media Speed and the 24-Hour News Cycle
-Playing the Past: History and Nostalgia in Video Games
-Five AAAS Fellows at USC Announced
-A Woman's Touch?
-DIEBENKORN EXHIBIT SPANS 27 YEARS OF FAMED ARTIST'S CAREER
-Evolution of a graphic identity
-Researcher receives presidential honor at White House
-USC Scientist Receives Presidential Honor
-Trojans Assess Solis' New Position
-SPPD Signs Pact With Peace Corps
-Culture: The New Insanity Defense?
-USC Signs Pact With Mexican University
-L.A. County Honors USC Caregivers
-Offering Advice With No Price
-Youngsters Spread Holiday Cheer
-Education Without Borders
-Engineer named alternate on NASA Space Shuttle mission
-Culture and Violence Linked in Chile
-New Leader for USC Rossier Program
-A Quilter Doesn't Quit
-Embryonic Stem Cells Derived From Rats
-USC Tenet
-Prepare to Live Long
-Meet the Class of 2012
-Brushing Up on Oral Health Resolutions
-Data Links Drugs to Jaw Necrosis Risk
-O.R. Downtime Cut at Three Hospitals
-Criminologist Solomon Kobrin dies
-USC Professor Awarded NEH Fellowship
-CREATE Appoints Interim Director
-In Memoriam: Robert Bau
-Good Neighbors Campaign Reaches Goal
-Charter Schools Can Measure Success
-Starnes to lead Keck Department of Surgery
-USC researchers derive first rat embryonic stem cells
-A Special Ceremony, Bar None
-USC scientist receives Presidential honor at White House
-Keck researchers receive grant for new prostate cancer prognostic tool
-Black Like Who?
-A REASON TO CELEBRATE
-Saks' Memoir Named Best in Its Field
-School of Dentistry study links drugs to jaw necrosis risk
-Katkhouda named California chapter president of bariatric surgical society
-January is National Blood Donor Month
-NEW YEAR, NEW LOOK
-Professor receives honor from Queen Elizabeth II
-Newsmakers
-HSC NEWSMAKERS
-In Memoriam: Roy Saari, 63
-USC in the News
-Legal Innovations in a Complex World
-Scripter Finalists Named by USC Libraries
-In Memoriam: Gene Parrish, 82
-USC Viterbi School to Co-host Summit
-What Does It Take to Walk on Water?
-USC Enrollment Center Hosts Symposium
-A Tradeoff for Educators and Students
-Traube to Study Adolescent Drug Abuse
-Debate Squad to Compete at Smithsonian
-Robert Abeles Named a Senior VP
-Upwardly mobile
-Ready for Some Mind Games?
-Meter Rates Going Up on Jefferson
-Fighting for Foreigners: Immigration and Its Impact on Japanese Democracy
-Tall If
-Language Planning and Policy
-New CHLA-USC program offers innovative care to high-risk pregnancies
-USC study uncovers shortcomings in care for advanced liver disease
-BEYOND THE SCIENCE OF DISEASE
-Pharmacy reseacher studies lung damage in former smokers
-USC's nanoscience initiative rolls threes
-Street Law
-CORRECTION
-Panel to discuss value of emotional intelligence in teaching
-Sample to present State of the School address Feb. 10
-ETCETERA
-PLANS FOR THE FUTURE
-Nanoscientist Joins School of Pharmacy
-HSC NEWSMAKERS
-Newsmakers
-Sample to present State of the School address Feb. 10
-Humayun named inaugural holder of chair in biomedical sciences
-Unveiling the new look
-Humayun Holds Chair in Biomed Sciences
-Lawmakers Laud USC Rossier Professor's Study
-U.S.-China Institute Gets Teaching Grant
-Chabon Wins Scripter Achievement Award
-Pharmacy Student Claims National Kudo
-The Hurt Business: Oliver Mayer's Early Works [+] Plus
-And You Shall Know Us by the Trail of Our Vinyl: The Jewish Past as Told by the Records We Have Loved and Lost
-Bullish on Uncertainty: How Organizational Cultures Transform Participants
-USC Housing to Manage 7 Student Rentals
-A Capitalist Ahead of Her Time
-Estrogen replacement may keep teeth healthy
-USC Financial Aid Expected to Increase
-Predictions for New Technologies Released
-Korean Educators Visit USC Rossier
-Plans Announced for College Commons
-USC Gets Grant for Biomedical Research
-Rossier Alum to Head Calif. Education
-Thomas-Barrios Works on School Access
-Newsmakers
-SPPD Celebrates Its 80th Anniversary
-Financial Aid Faces an 'Uncertain Future'
-Genome pioneer tops IOM symposium
-Anti-aging Strategy May be Pointless
-IEEE Elects Three New Fellows From USC
-Beauty Is in the Eye of TV's Beholders
-Diabetes Increases Risk for Dementia
-Difficult Project Nears a Milestone
-Calling All Teachers of the Future
-Provost Offers a Vision for the Future
-Carroll to be Honored for Community Work
-HSC kicks off campus planning process
-Cancer Research Findings Explained
-SIDE BY SIDE BY SONDHIEM MUSICAL REVUE TO OPEN AT BING THEATER
-USC gets new look Changes designed to update university's image
-Relax! Keck School opens new and improved student lounge
-Keck School honors Donald Skinner at retirement celebration
-A SURGEON'S REFLECTIONS
-ETCETERA
-Pharmacy study shows anti-aging strategy may be pointless
-Sample to present State of the School address Feb. 10
-New HR director brings expertise to Keck School
-Humayun named inaugural holder of Pings Chair in Biomedical Sciences
-HSC NEWSMAKERS
-KUSC Transmitting Antenna Damaged
-People: What were doing and saying
-Campus Planning Process Begins at HSC
-City, USC Move Forward on Campus Plan
-Love, West Hollywood: Reflections of Los Angeles
-Dead Pool: Lake Powell, Global Warming, and the Future of Water in the West
-Margaret Mead: The Making of an American Icon
-Newsmakers
-Words Matter for Slumdog Millionairep
-Funds Raised for Quake Relief in China
-Castells Named USC University Professor
-Richard Meyer Receives Art Journal Award
-Pharmacists' network has the right prescription for disaster relief
-How Do You Build a Synthetic Brain?
-Saying 'Open Wide' in a Virtual World
-Former NYC Schools Chief Joins USC Rossier
-USC Surveys Nation's Venture Capitalists
-USC Team Wins Aussie Case Competition
-Call for Community Outreach Proposals
-Green tea blocks benefits of cancer drug, study finds
-SPPD Helps City Officials Face Challenges
-Lincoln Artifacts on Display by USC Law
-Keck dinner focuses on clinician-scientist mentoring
-Restructuring Medicine Forum
-Honors for University Professor Jean Shih
-So You Want to be a Professor?
-From Hospital to Home Care
-Lessons Learned in the Great ShakeOut
-Green Tea Blocks Benefits of Cancer Drug
-New Energy Post for Donald Paul
-Social Work Takes Aim at Military in D.C.
-Past and Present Victories
-Keck dinner focuses on clinician-scientist mentoring
-Alzheimer Disease Research Center marks 25 years
-Six paths lead to New Millenium
-USC researchers find green tea negates effects of specific cancer drug
-FIGHTING AIDS IN AFRICA
-Pharmacy student receives honor for community service
-Acupuncture brings pain relief at Childrens Hospital
-USC Norris to host cancer survivor conference
-Nominations open for staff achievement award
-Sample to give address to faculty Feb. 10
-New campus security measures are in effect
-HSC NEWSMAKERS
-SPRING TRADITION
-Social Work's affairs to remember
-p
-USC researchers find green tea negates effects of specific cancer drug
-p
-p
-Pharmacy student receives honor for community service
-Pharmacy student receives honor for community service
-Varma honored by Glaucoma Research Foundation
-Olah, Scholtz Named to National Academy
-Past Students Advise Future Leaders
-Newsmakers
-Quick Takes
-Iron From the Deep May Feed Oceans
-Children With a Reason to Smile
-SPPD Signs Pact With World Bank
-Rewrite the Future, Change the System
-USC signs agreement to purchase two private hospitals
-USC to Purchase Two Private Hospitals
-Looking Forward to the Sound of Music
-He's Got Algorithm
-That's How They (Honor) Roll
-This Is Your [Digitized] Life
-From the eye of the storm
-Moscow & St. Petersburg 1900-1920: Art, Life & Culture
-The Lean Forward Moment: Create Compelling Stories for Film, TV and the Web
-Investing in People: Financial Impact of Human Resource Initiatives
-The Measure of a Champion
-USC Africa Fund to Help Undergrads
-He Leads the Longevity Revolution
-USC Undergrad Gets Lostp
-USC Annenberg Launches News Site
-Psychology Students Visit USC Rossier
-Prevention: The Best Gift for Loved Ones
-A different beat from Vietnam
-Trojans Lend a Helping Hand
-USC Shines at the Grammys
-The Gamble of a Century
-The Education of Greene & Greene
-Gimme Shelter
-Midcentury Mentor
-All Things Greene
-[ Editor's Note ] Going Global (right at home)
-President's Page
-Newsmakers
-Radically improved rabbit-ears
-Last Word
-Ocean Crust Explorers to Blog From Ship
-Violence Against Women Day Hits Home
-Professors Meet House Science Group
-[Last Word] Island Fever – Answers – Winter 2008
-Social Work Acquires 3 Academic Journals
-Historic Deal
-Mitchell R. Creem named CEO of two private hospitals
-USC President Steven B. Sample sums up annual address: 'A great day to be a Trojan!'
-Keck School dean hails 'transformational news' of hospital acquisitions
-TOULMIN TO SPEAK AT ACADEMIC HONORS CONVOCATION, MARCH 9
-Live from USC
-USC receives $1 million to aid anti-smoking efforts
-Applications sought for Neighborhood Outreach Grants
-HSC NEWSMAKERS
-A Force of Nature: The Frontier Genius of Ernest Rutherford
-Advanced Numerical Models for Simulating Tsunami Waves and Runup
-The Key of Green: Passion and Perception in Renaissance Culture
-Mailbag
-›› NO WHEELS
-Alumni Profile - Class of '85
-Latinos at increased risk for rare leukemia
-Alumni Profile - Class of '77
-Alumni Profile - Class of '76
-Building Partnerships With Safety-Net Clinics
-New Study Shows Enterprise Zones Work
-Doctoral Students and Dissertations
-How Nitric Oxide Maintains Health
-Lecture Series on Folklore Studies Debuts
-SPPD, USC Annenberg Host Holt Lecture
-What's New
-Alum to Say Yea or Nea for Satellite Launch
-Books in Print
-A Celebration of Research
-Spell Your Name to Screen at USC
-Sample Upbeat in Annual Faculty Address
-Star-studded gala benefits Norris cancer research
-Family Ties
-Campaign Reform Key Topic for Garrett
-Newsmakers
-USC Launches Public Diplomacy Magazine
-Sustainability Expert Joins USC
-Educational Visit From Across the Pond
-Mending and tending the safety net
-Another Dimension in Technology Awaits
-Hollins Gets Lifetime Achievement Award
-Selden Ring Award Goes to Newsday Duo
-Computer Exercises Improve Memory
-Singing the Praises of a Long Partnership
-USC Pharmacy Hailed for Community Work
-Diversity in Legal Profession Examined
-Alcohol and hepatitis C are a dangerous cocktail, Keck researchers find
-Thomas Sayles Joins USC Administration
-In Memoriam: Wanda Wilk, 88
-Kotler appointed dean of Graduate School
-USC-led alcoholic liver disease center awarded $8.1 million
-Study shows alcohol consumption boosts cancer risk for hepatitis C patients
-HSC luminaries shine with the stars at cancer research gala
-WELCOME ABOARD, NEW TROJANS!
-USC School of Pharmacy hosts key conference on safety-net clinics
-HONORING EXCELLENCE
-Keck School physicians start up Pediatric Rheumatology Core at CHLA
-European Society of Cardiology honors career of USC Distinguished Professor
-COLORFUL RESEARCH
-USC ophthalmologist wins national honor
-Blood center opens for business
-HSC NEWSMAKERS
-Alcohol, Hepatitis C: Dangerous Cocktail
-Blasting Away Biofilms at Will
-Shedding Light on History's Darkest Hours
-Researchers Receive Sloan Fellowships
-Motivational Speaking
-Law Student Seeks Freedom for Convict
-A Unique Perspective on Margaret Mead
-Marshall Sets Summer Business Program
-Back to School for the Young at Heart
-USC kicks off marketing plan to attract new patients
-Directory Assistance for Everyone
-USC researchers find gene variant that links autism with gastrointestinal dysfunction
-Newsmakers
-Roberta Brinton at NIH for Research Talk
-USC Researchers Identify Gene Variant
-New Global MSW Degree in Taiwan
-Tyler Environmental Prize Winners Named
-USC Rossier Launches New Magazine
-Linking Research to Alzheimer Prevention
-Thai Team Wins International Competition
-Students express optimism about medival school changes
-As Latinos assimilate, sun safety declines according to study
-Can Optimism Lead to Action?
-USC Women's Conference Set for March 13
-Students Learn Leadership From Marines
-USC Well Represented at AAAS
-Religious Roots Go Beyond L.A.
-In Memoriam: George O. Totten III, 86
-Keck School fetes career of environmental health expert John Peters
-GETTING STARTED IN RESEARCH—
-NIH awards School of Pharmacy scientist $1 million for work on brain chemistry
-Campus departments join the rush onto the net
-AACP honors USC School of Pharmacy for 'transformative community service'
-Heart Assn. funds USC research on arterial plaques
-Conference focuses on helping pediatric cancer patients navigate young adulthood
-Keck School surgeons develop new technology to treat gastroesophageal reflux
-Online clinic's virtual patients designed to test dental students' diagnostic skills
-USC opens chapter of Associated Students of Pharmacy
-HSC NEWSMAKERS
-Health Technology Short Courses Offered
-Yortsos Meets D.C. Lawmakers
-Newsmakers
-Restructuring Medicine: Need for shared vision
-USC Roski School Dean Twice Honored
-Play Over There, Girls
-A Novel Way to Treat a Spanish Legend
-Beat the Drum: New Lab First of Its Kind
-USC Davis to Offer New Master's Degree
-Tiny Brain Region Better Part of Valor
-Is California at a Crossroads?
-Biofilms: Even Stickier Than Suspected
-Strong Showing for Pharmacy School
-USC Studies Folic Acid Supplements
-RESEARCHER TRACKS AGING PROCESS, PHYSICAL DECLINE IN OLDER ATHLETES
-Restructuring Medicine Forum
-Celebrating 1,232 Years of Service
-USC Engineer Wins Light Plane Contest
-Conference to Tackle Teacher Pay
-Kids' Day Enlivens Health Sciences Campus
-Science Springs to Life for Students
-THE AMERICANA AT BRAND TO HOST First Annual “RUN 4 HER LIFE” 5K / 10K FOR BREAST CANCER SUNDAY, OCTOBER 18
-She Places a Heavy Accent on Phonetics
-In Memoriam: Leonore Annenberg, 91
-Florence Clark Elected to New Post
-Gene variant linked to autism, gastrointestinal dysfunction
-Calls flood into USC's health access line
-OF MIND, MEDICINE AND MUSIC
-Faculty Innovator Roundtable examines venture capital pros and cons
-As Latinos assimilate into U.S. culture, sun safety declines, according to study
-McDonald House Charities salute Siegel
-ETCETERA
-USC researchers well represented at American Assn. for Advancement of Science meeting
-Salerni Collegium honors key supporters
-HSC
-The Women
-The Politics of Exclusion: The Failure of Race-Neutral Policies in Urban America
-People: What were saying and doing
-Narrow Window for Stimulus Grants
-MySpace Exec to Teach at USC This Fall
-Stumping for Changes in Health Care
-Black Holes: Eternal Prisons No More
-Student Project Explores War's Impact
-International Studies Scholars Score
-The Benefits of Constructive Criticism
-Researchers Study Motivation in Class
-Kennard Appointed Senior Fellow at USC
-Making science really sizzle
-Get in the Running for Grant Money
-Global Immersion Program in Puerto Rico
-Local Port Stakeholders Pack Town Hall
-Hospital staff hear plans for new beginning
-STRIKING A MATCH
-USC study links supplements to a higher risk of prostate cancer
-USC Women's Conference offers hope for future of disease treatment
-Ethics workshop to examine matters of conscience for, and rights of, health care workers
-Medical student forum suggests policies to address tough health ethics issues
-Health Sciences Campus to streamline its computer infrastructure and services
-USC hosts IOM's 25th anniversary symposium
-Retreat brings research into sharp focus
-Town Hall meeting to examine ways to aid education
-HSC NEWSMAKERS
-Researchers identify mechanism regulating movement of blood-forming stem cells
-USC names new dean of Dentistry
-Medical students finally meet their match on one exciting, 'crazy' day
-Clark named president of Occupational Therapy Assn.
-Kidney disease expert William Schwartz, professor emeritus of medicine, 86
-USC researchers uncover mechanism regulating movement of blood-forming stem cells in the body
-USC health experts urge expanded vaccinations
-School of Dentistry launches PBL pilot
-USC School of Pharmacy mixes fun, serious topics during 12th annual Kids' Day
-California Pharmacists Association honors USC School of Pharmacy students, alumni
-ETCETERA
-For cancer survivors, USC is an extended family
-HSC NEWSMAKERS
-USC closes historic deal to purchase two private hospitals
-Mitch Creem becomes CEO of two USC hospitals
-USC buys two hospitals in historic $275 million deal
-Got Spirit? Let's Hear It! — Keck School fetes students on 'Spirit Day'
-USC School of Dentistry marks end of Harold Slavkin era with 'heartfelt gratitude'
-New careers for post-Cold War engineers
-Postdoctoral fellow receives prestigious Giannini Medical Research Fellowship
-USC study links football losses to heightened risk of fatal heart attacks
-CELEBRATING LEADERSHIP
-5k 'Walk for Keck' slated for April 16
-HSC NEWSMAKERS
-Small dietary changes may improve diabetes risk in Latino teens, study finds
-Trojan Family welcomes hospital employees
-New marketing plan to support hospitals
-University creates governing boards to provide oversight, direction for new hospitals
-USC hospitals woo new nurses with residency program
-Long-distance diagnostics
-ON SURGICAL CAPS, A NOD TO USC
-'Swim with Mike' fundraiser slated for April 18
-HSC NEWSMAKERS
-USC University Hospital signs promotional partnership with the Los Angeles Dodgers
-Drug effects on Alzheimer's patients the focus of new study
-USC hosts celebration marking acquisition of hospitals
-Peter Jones receives prestigious award for cancer research
-USC luminaries celebrate hospital acquisition
-Study shows small dietary changes may improve diabetes risk in Latino teens
-Dames and Dice
-USC researchers pinpoint gene key to lupus development
-USC study examines links between obesity and adolescents' social networks
-CIRM to host Town Forum meeting
-Study reveals gene's impact on lung function
-USC neurologist sheds light on rare condition on “The Today Show”
-Neurology symposium to honor Valerie Askanas, W. King Engel
-HSC NEWSMAKERS
-NET PROFITS
-HSC Earth Day Fair slated for April 23
-Martin Pera responds to new stem cell guidelines
-USC in the News
-Peter Jones receives prestigious AACR award
-USC researchers identify strong new anti-cancer compound
-Pharmacy students win $70,000 in research awards
-FIGHTING CHILDHOOD OBESITY
-USC to host patient safety satellite broadcast
-Noted director, USC physician donate art to LAC+USC
-Macular degeneration forum slated for April 29
-WALKING THE WALK... FOR KECK
-HSC NEWSMAKERS
-CARDIOVASCULAR UPDATE
-PRESCRIPTION FOR HEALTH CARE CRISIS?
-New task force to assess efficiency of all USC services
-USC physical therapist and community leaders highlight lack of fresh food in area neighborhood
-Masters of Many Disciplines
-Symposium shines light on macular degeneration
-CIRM Town Forum focuses on stem cells
-USC study suggests stem cell therapy as effective treatment for lupus
-USC University Hospital honors volunteers
-USC Trustee Stanley Gold awarded Presidential Medallion
-Campus embraces 'reduce, reuse, recycle' philosophy on Earth Day
-FIRING UP CHILDREN'S IMAGINATIONS
-HSC NEWSMAKERS
-A child's-eye view of the riot
-STUDENTS SHOW OFF SCIENCE SKILLS
-Consider the Oyster
-Growth Medium
-Hybrid Vigor
-Sea Fertilizer
-Baxter Foundation celebrates 50 years of philanthropy
-New executive team takes helm of USC hospitals
-WELCOME ABOARD
-USC programs top U.S. News grad school rankings
-Symposium shines light on macular degeneration
-Estrogen gives older women something to smile about
-HSC NEWSMAKERS
-Hospital operating rooms run on 'penguin power'
-TAKING THEM OUT TO THE BALL GAME
-Conversations with Frank Gehry
-Oh, the Humanities!
-[ EDITOR'S NOTE ] Stars Aplenty
-President's Page
-Last Word
-[LAST WORD] Out of Africa – Answers – Spring 2009
-Mailbag
-Showing some pluck
-$5 Million Gift Funds New Cancer Research Initiative
-Dean Puliafito featured on cover of industry magazine
-Keck School receives $5 million from Ellison Foundation
-USC School of Pharmacy ranked among best in U.S.
-POSTER SESSION
-Hospitals open up budget process to employee participation
-CELEBRATING 35 YEARS OF ACCOMPLISHMENTS AND LEADERSHIP IN NEUROSURGERY
-Healthcare Marketing Report honors five recent marketing projects
-Graduate students invite teens to consider health-related careers
-Hospitals honor The Nurses of USC
-Performing on the fringe
-SUPPORTING CANCER RESEARCH
-Keck School student named Fulbright Scholar
-CANCER FIGHTING FORUM
-Family Ties
-›› In 1976
-Alumni Profile - Class of '91
-Alumni Profile - Classes of '92, '94
-Alumni Profile - Class of '63
-Alumni Profile - Class of '91
-Grammy's back
-[In Memoriam] Wanda Wilk
-[In Memoriam] George Oakley Totten III
-Dean Puliafito's commencement address
-What's New
-Highlights from Commencement 2009
-How influenza evades the body's defenses
-Health Sciences Campus congratulates the Class of '09!
-Keck School maps its strategic vision for next five years
-Former Korean prime minister at USC
-HSC NEWSMAKERS
-HONORING EXCELLENCE
-Keck School physiologist receives prestigious McKnight Scholar Award
-PRACTICE MAKES PERFECT
-Campus celebrates Hospital Week with style—and smiles
-Michael L.J. Apuzzo Professorship for Advanced Neurological Surgery Announced
-USC Norris Comprehensive Cancer Center one of five teams to receive funding for groundbreaking research
-Renowned breast cancer expert comes to USC
-USC Welcomes Urology Chair at Beverly Hills Reception
-Renowned breast oncologist heads to USC
-USC in the Community
-USC welcomes new Dept. of Urology chair at Beverly Hills reception
-USC scientist receives accolades for research, community service
-Stephen J. Ryan appointed to new term as IOM home secretary
-Gift establishes endowed chair in pediatric urology at Childrens Hospital Los Angeles
-ETCETERA
-USC oncologists present ground-breaking findings at ASCO
-HSC NEWSMAKERS
-IN THE FIGHT
-FIGHT ON!
-USC International Neuromuscular Symposium honors Engel, Askanas
-Computers learn to match wits with humans
-USC Researchers Present Diabetes Findings at American Diabetes Association Scientific Sessions
-Festival of Life Celebrates Cancer Survivors
-USC researchers to present new strategies to prevent childhood obesity
-USC researchers identify a key genetic mutation in lymphoma development
-JAMA features 'Clinic of Tears'
-USC researchers identify key T-cell lymphoma mutation
-USC physician steers 17,000 marathon runners safe and sound (if exhausted) to the finish line
-Cancer survivors, families flock to 19th annual Festival of Life
-Physical Therapy Research Laboratory renamed to honor Jaquelin Perry
-Keck School fetes Tom DeMeester at May 16 retirement party
-50 years of singular sensations
-The Nurses of USC get a chance at bat—at Dodger Stadium
-For USC hospital volunteers, a chance to serve is its own reward
-Pasadena magazine hails 66 USC physicians as 'Top Docs'
-Childrens Hospital Los Angeles among best in the U.S.
-p
-USC welcomes cancer researcher/oncologist Agus
-Study strongly supports many common genetic contributions to schizophrenia and bipolar disorder
-NIH awards $10 million to USC-led virus control study
-USC study uncovers how the flu eludes body's defenses
-The Doctors of USC integrates clinical practices, launches new branding efforts
-THE DOCTOR IS IN - OVER-THE-COUNTER DRUGS
-MOBILE MEDICAL CLINIC TAKES ASTHMA RELIEF TO CHILDREN
-Professional standards policies zero in on patient care
-U.S. News and World Report hails CHLA in 10 pediatric subspecialties
-HSC Weekly honored as 'Best Newspaper'
-Keck School seeks input on LCME process
-USC Neighborhood Outreach awards funds to local programs
-AHA honors USC University Hospital
-Environmental health center offers study grants
-USC welcomes cancer researcher/oncologist Agus
-HSC NEWSMAKERS
-There is a doctor in the house: USC physicians make house calls for home-bound patients
-CHLA lab gets two-year accreditation
-USC TO FETE ITS ACADEMIC LUMINARIES
-IOM SPEAKERS PREDICT FUNDAMENTAL CHANGES IN PRACTICE OF MEDICINE
-NEWS IN BRIEF
-USC/NORRIS SET TO UNVEIL TOPPING TOWER
-Restructuring Medicine Forum
-Strippoli wins President's staff award
-On running for president
-Leading the way
-IMAGING LAB CHALLENGES STUDENTS TO CREATE ART WITH COMPUTER TOOLS
-Fisher Gallery Events
-USC gains first-rate liver transplant team
-Strippoli's style
-Seven new studies target Southland issues
-Presidential Praise
-Pabst takes TA's blue ribbon
-USC in the News
-Lessons in Leadership
-Adleman, Boehm elected to National Academy of Engineering
-Blood feud
-College of Letters, Arts and Sciences To: The Faculty of USC From: President Steven B. Sample Date: March 2, 1993
-Art or propaganda?
-University honors excellence at 15th annual Convocation
-Unique art program paints vivid picture of anatomy for young students
-Bernstein chosen as senior asociate dean for faculty affairs
-DUNNINGTON NAMED SENIOR ASSOCIATE DEAN FOR ACADEMIC AFFAIRS
-RYAN FILLS FACULTY AND ACADEMIC LEADERSHIP POSTS
-GOODALL SPEAKS AT HSC
-LONGTIME LAC+USC SPOKESMAN HARVEY KERN TO RETIRE
-People: What were doing and saying
-RESTRUCTURING MEDICINE : FORUM
-A TIE TO TCHAIKOVSKY
-A TALE OF TWO TREATMENTS: IT WAS THE BEST OF TIMES, THE WORST OF TIMES
-Therapy zaps tumors, spares brain tissues
-Revamped ethics class confronts medical students with tough issues
-Patients repay doctors' care, kindness with gifts to USC
-Doctor bestows USC with rare medical texts
-USC hosts international neurosurgery conference
-PR Staff member to apper on “Price is Right”
-Special Section: Restructuring Medicine
-Shibata peers into evolution of tumor growth
-Stem cell researchers get $5 million grant
-For The Record
-USC IS TEST SITE FOR NEW AIDS DRUG
-Topping Tower's unique garden nears completion; Area offers serenity, a place to reflect
-USC Blood Center Opens
-Quick Takes
-Leavey benefactor J. Thomas McCarthy dies
-Former Lockheed executive tapped to co-direct Asia Pacific Insitute
-"Firing Line" comes to USC
-Norris unveils Topping Tower
-Freshman are multicultural, money-conscious, motivated
-Employees contribute $335,000 to Good Neighbors Campaign
-Books in Print
-ALL IN A DAYS WORK - NICOLE
-Pollution economics
-New institute binds USC, foreign industry
-Mementos of a muse
-Market simulations turn students into Wall Street wizards
-USC Freshmen Fall Survey
-Injury simulations
-"The Envelope, Please": Students learn their fate on match day
-"FEC ponders modifications to Mission Statement
-For millions, Hepatitis C poses silent, serious threat
-Building strong relationships remains crucial to giving
-CRUSTACEANS, CRYSTALS AND CARS
-"USC/Norris opens state-of-the-art Topping Tower
-Vitamin A lies at the heart of his research
-World Wide Web offers wealth of medical data
-In praise of excellence
-Cinema gets $2.5 million in high-tech equipment from Sony
-Stem-cell researhc wins $5 million NIH grant
-Extra-curricular work
-USC in the News
-Trojan Women
-Medical school names new associate deans
-ANNOUNCEMENTS
-Ending a reign of error
-A legal labor of love
-Popular dietary supplement offers no benefit, study shows
-Identifying donors starts with doctors
-Expert predicts managed care explosion
-Non Invasive procedure helps track heart disease
-USC offers $25,000 home subsidy
-Students shoot hoops in a league of their own
-Medical faculty informed of potential reductions
-FEC adopts final version of Mission Statement
-USC AND THE COMMUNITY
-Staffer's nephew heads for olympics
-Pacific Center to honor French Anderson
-The case for restructuring our school
-Urban historian Robert Pierson dies
-Sensible choice
-Russian accolades
-Quick Takes
-Medical info-line rolls out red carpet for HSC callers
-The fine art of human anatomy
-Physicians' marketing campaign sweeps city
-ARCHITECTURE FACULTY REVAMP COURSES TO STRESS COMPUTER-AIDED DESIGN
-No-fuss road to vascular health
-Living history lessons
-Among the very young at heart
-USC in the Community
-Ocean ultra-ecology
-PLANNING IS KEY TO SOLICITATION OF MAJOR GIFT PROSPECTS
-JAPANESE PHYSICIANS RECEIVE AIDS TRAINING AT LAC+USC
-USC STUDENTS HELP YOUNGSTERS PICK UP THE PACE OF ANTI-VIOLENCE EFFORTS
-STATISTICIANS OFFER STUDIES HIGH PROBABILITY OF SUCCESS
-ANGIOPLASTY USED TO REDUCE RISK OF STROKE
-NEW CANCER TREATMENT AT NORRIS CENTER ZEROES IN ON TUMORS
-UPC WELCOMES PUBLIC TO FIRST 'UNIVERSITY DAY'
-CAMPUS OF THE FUTURE: USC UNVEILS A NEW LOOK FOR HSC
-What's University Day?
-A century of art
-Public self-expression
-Crystalized dreams
-World order from chaos
-When global opportunity knocks
-USC in the News
-USC files Schoenberg countersuit
-MEDIEVAL HISTORIAN DALES IS APPOINTED TO HUBBARD CHAIR
-Holy home page!
-Art's history
-MEDICAL STUDENTS PREPARE FOR ONE WILD E-NIGHT
-WEEKEND LEADERSHIP CONFERENCE TO PLOT SURVIVAL OF SCHOOL OF MEDICINE
-RESTRUCTURING MEDICINE FORUM
-MINIMALLY INVASIVE SURGERY TAKES AIM AT CHRONIC BACK PAIN
-STUDENTS WIN PRAISE, AWARDS FOR OUTSTANDING VOLUNTEER WORK
-Thumbs up at USC
-Long-Phinney heads Alumni Association
-Architectural excellence
-NEW CHIEF PROMISES TO ENERGIZE USC TRAUMA SERVICES
-The digital jukebox
-Geode reis, Frans Boerlage
-Earthquake afterthoughts
-Books in Print
-A 'Dream' past the wit of man
-About beta-carotene
-All aboard?
-Celebrities help kick off breast health education program
-Bonnie Bollough: Pioneering researcher, advocate for nurse practitioners
-MAKING MUSIC IN COSTA MESA
-USC/Norris researchers suggest new mechanism for ovarian cancer
-Drug proves cost effective for heart disease
-Nominations sought for IOM award
-FDA Chief Kessler to address graduates
-Leadership conference considers restructuring issues
-Provost and faculty exchange views on budget deficit, tenure
-Restructuring Medicine Forum
-Video teleconference to discuss Medicare billing
-Service with a smile
-Quick Takes
-[Photo:] President Steven B. Sample talks with Joseph P. Van Der Meulen
-COMPUTER SCIENCE MEETS BIOSCIENCE IN QUEST TO SOLVE AIDS PUZZLE
-Larchmont legacy at Doheny
-Japanese physicians study AIDS at USC
-Survival persuasion
-Film producer Frank Price named trustee
-Carrots for mom
-Breathless in Los Angeles
-USC in the News
-Marriage, American Style
-A defense of poetry
-ANNOUNCEMENTS
-LAC+USC Takes aim at drug resistant diseases
-Etcetera
-Norris hospital marks first gene therapy trial
-Harvard ethicist discusses clinical, research
-Program to feed the hungry wins award
-Peking University, USC to collaborate on medical projects
-Peking University, USC to collaborate on medical projects
-Restructuring medicine-Excerpts from presentations at the April 20 trustees meeting
-Restructuring medicine-Excerpts from presentations at the April 20 trustees meeting
-Trustees hear harsh views on future of academic health centers
-A Ruthless Foe
-THE QUIET DISEASE
-ALL IN A DAY'S WORK - ROD FACCIO
-ARTERIAL MOTIVE
-THE DASHING MALCOLM PIKE
-PILL OverKILL
-ON CALL
-DISCOVERIES
-ATTENTION TO PREVENTION
-NOTES AND NOTABLES
-HEALTHOUGHTS
-A SMALE'S PLACE
-CITY ROUNDS: The Art of Anatomy
-BACK TO SCHOOL ON SATURDAY
-A BARGAIN EDUCATION
-Alaskan officials turn to USC to help the elderly
-Anderson gets Pacific Center bioethics award
-Check this out
-Take our daughters to work day
-Faculty to attend restructuring conference
-Historical study 'flesh eating' bacteria shows increase in facial infections
-Outstanding undergraduate scholars honored
-Hoop it up!
-University-wide conference aims at creating Institutute on Disabilities
-ACADEMIC HONORS CONVOCATION PROCESSION
-Nationwide trial steps up efforts to prrevent insulin-dependent diabetes
-Mike Press applies his science to administration
-Medical students honored for leadership and service
-Tenet CEO Barbakow to speak at commencement
-Hand in Hand
-How not to get caught in the world wide web
-Inscribed on the wall
-Health Sciences Programs
-Bonnie Bullough dies
-Valedictorian Kemal Demirciler
-PROJECTS FOR INNOVATIVE TEACHING LEARING STRATEGIES FOR KNOWLEDGE ACQUISITION
-University Park Programs
-The youngest grad
-Surgeons pioneer new stroke therapy
-Per Ingvar BrŒnemark
-Jacquelin Perry
-Eileen L. Mears
-David L. Wolper
-Dating a Caveman
-Commencement Speaker John H. Johnson
-Clint N. Chua
-FILMING CULTURE: NIGERIA, KOREA AND BEYOND MARGARET MEAD ETHNOGRAPHIC FILM FESTIVAL TRAVELS TO THE UNIVERSITY, BRINGING TWO VIDEOS BY USC VISUAL ANTHROPOLOGY GRADUATES
-USC in the Community
-USC in the Community
-Gowned for glory
-USC in the News
-Eastward Ho!
-University ceremonies fete 9,000 graduates
-Heidelberger Scholarship funds available
-HSC Weekly goes on line with World Wide Web site
-Hsueh awarded $7 million grant to study hypertension
-University ceremonies fete 9,000 graduates
-Heidelberger Scholarship funds available
-THE DOCTOR IS IN - PANIC DISORDERS
-HSC Weekly goes on line with World Wide Web site
-Hsueh awarded $7 million grant to study hypertension
-School of medicine faculty leadership meeting; Who was invited; how they were chosen
-Internet newsgroup created to discuss restructuring
-Pasarow Awards honor Knusdon, Chien, and Prusiner
-Pioneering orthopaedist Perry honored for her legacy of care
-Restructuring Medicine
-Ryan meets with students
-School of Medicine faculty debate restructuring program
-Sucov wins $120,000 heart research grant
-USC IN THE NEWS
-Hodis enbarks on Vitamin E study using ultrasound technique
-Banners, balloons, and bottles of champagne
-Commencement '96
-Craft's achievements honored by Eastern Kentucky University
-Faculty discuss Economic Security Task Force report
-Gold named to national aneshtisiology panel
-University Hospital unveils new endovascular surgical suite
-Research space survey ready for faculty input
-Restructuring Medicine Forum
-Siegel honored with endowed chair at CHLA
-BY FAX, BY PHONE, BY FOOT: USC TESTS EMERGENCY COMMUNICATIONS MARCH 24TH
-Something we meant to say last week
-USC publications take three CASE awards
-Squeaky clean?
-Roasting Riordan
-Philosophy librarian Nethery dies
-$2 million gift endows Miller Chair
-Valedictory address
-Teenage social scientists
-Pasarow Awards presented at USC
-Mimicking Mother Nature
-[Photo:] Poet Diane Wakoski, author of Rings of Saturn and The Collected Greed
-SEGAL STEPS DOWN AS DEAN OF COLLEGE CITING EXHAUSTION
-A day to remember
-Anderson receives Genesis Award
-Refining the idea of ripe old age
-Olympic aerodynamics
-Commencement address
-USC in the News
-Partners in progress
-Mexican history retold
-Acute Care Center serves urgent needs around the clock
-1996 School of Medicine Awards
-FACULTY TO VOTE ON CONSTITUTION THAT WOULD STREAMLINE SENATE
-Physician says children need shoes that fit, or no shoes at all
-CHLA researcher wins $511,000 for toxin study
-LAC+USC to be honored for fight against diabetes
-Telecommunications link will let doctors reach out and heal someone
-Liver Disease Research Center: looking for a few good investigators
-Medicine to graduate 111th class
-NIH revamps grant request procedures
-People: What we're doing and saying
-Restructuring Medicine Forum
-Who cares what you think?
-EYESIGHT TO THE BLIND
-Rotating X-rays
-Quick Takes
-Provost names six 'country desk officers'
-Memorandum
-Business edge
-Black excellence
-All-star engineers honored
-$1 million trust for dentistry
-School of Medicine - 111th Commencement
-Policy
-ALL IN A DAYS'S WORK ERIC WARREN
-NIH awards $7 million to USC Latino health study
-New therapy may hold off diabetes
-Cancer patient receives gene-therapy transplant
-Books in Print
-The rebirth of Hanoi
-NSF funds multimedia research center
-L.A. media and presidential politics
-Engineering's multivision
-Dollars and scholars
-A good judge of character
-THE ROLE AND MISSION OF THE UNIVERSITY OF SOUTHERN CALIFORNIA
-Complaint procedures against faculty
-Revised federal guidelines aim at reducing AIDS transmission risk
-Best Doctors in America
-Let Them Eat Cake
-USC gets $5 million for Environmental Health Services Center
-For the Children
-The doctors are out!
-Excellence: expected by students and peers
-Excerpts from David Kessler's keynote speech to graduating medical students
-Festival of life celebrates cancer survivors
-FOR THE RECORD
-Irvine elected president of Society of Ophthamology
-Managed care orientation class offered through USC IPA
-Medical Artist
-People: What we're saying and doing
-Resident honored by Opthalmological Society
-Number of LAC+USC resident physicians to drop by 53 next year
-Restructuring Medicine Forum
-Trauma conference told system must be fixed up or shut down
-Reference librarian Dennis V. Thomison
-Quick Takes
-ANNOUNCEMENTS
-Zapping pollution, not missiles
-VOA chief appointed Annenberg School dean
-USC poised to make waves at Olympics
-Rediscovering the City of Angels
-Nature and nurture
-Landscape architect, urban scholar Emmet L. Wemple
-Geologist, engineer Thomas Clements
-Downtown - everything's waiting for you...
-Cyberspace meets 'Scarface'
-Cloning tooth enamel
-CLUB REPORTERS: FOSHAY STUDENTS TAKE A CRACK AT JOURNALISM WITH HELP FROM USC
-Capital campaign tops halfway mark
-Annenberg honored
-Reviving an Arts and Crafts treasure
-An old-fashioned stroll
-USC in the News
-Bosworth retires, ending a 39- year health care career
-School of Medicine budget nears completion
-First-ever class of physical therapy doctors graduates
-New CEO Domanico sees growth and service as top priorities
-Student election results
-STUDY REVEALS SEVERELY OVERCROWDED HOUSING CONDITIONS IN L.A.
-Ounce of Prevention
-These finders aren't keepers, so losers aren't always weepers
-Robert Wood Johnson Foundation seeks proposal for research grants
-Harrassment policy now on the WWW
-Libraries' HELIX offers new bag of tricks
-Intergrated patient care tops USC Care priorities
-Nursing department fetes it's supporters
-People: What we're doing and saying
-Plane crash claims life of longtime USC consultant
-Stars of the lab
-MARSH AND LEMLECH APPOINTED TO CHAIRS IN SCHOOL OF EDUCATION
-USC/Norris reaches $28 million goal with help of a friend
-Alumnus named to Latino Health Care Post
-CPSA Reducations -- July 16, 1996
-29 LAC+USC physician positions cut
-Can programmatic budgeting change the educational culture?
-New congressional guidelines may increase research costs
-NYU and Sinai to merge
-What others are saying
-Pharmacy program to track drug effectiveness
-People: What were doing and saying
-p
-DEMETRIOU CHAIR IN LAW FUNDED BY GIFTS FROM WIFE AND FRIENDS
-THE NEW AND IMPROVED SOUND OF CLASSICAL MUSIC
-Smoking -related cancer deaths rampant in China, study shows
-Trustees invest funds, balance medical school budget
-Scientist develops viruses as lean gene delivery machines
-Anderson wins second place in U.S. karate finals
-Etcetera
-HIV risk alarmingly high among L.A. teens, study shows
-Huffman named CEO of USC Care
-For information specialists, the odds are good that some questions are odd
-For information specialists, the odds are good that some questions are odd
-Campus medical journals exert impressive international influence
-SONG AND YELL LEADER AWARDS
-Sunscreen offers more than just lip service against cancer
-Liver disease research center seeks proposals
-HSC Trojans go for Olympic gold
-New approach improves common aortic surgery
-CHLA research team develops novel method of halting cancerous tumor growth
-CHLA researcher develops food bar that reduces risk of potentially fatal hypoglycemia
-TRANSLATING RESEARCH TO CARE
-RECYCLING FOR RESEARCH
-ADDRESS UNKNOWN
-RADIATING SUCCESS
-LIBERATING WOMEN FROM 'CONFINING' MYTHS
-ROLL WITH IT
-LINKING LABORATORIES TO LIFE
-CLINICAL TRIALS
-DEVELOPMENT NEWS
-RAISING AWARENESS OF PROSTATE CANCER
-EXPOSURES IN EDEN
-KEEPING THOSE JOINTS PUMPING
-SOLE SURVIVAL
-MOVING FORWARD
-GOOD HEALTH CARE DELIVERED SIMPLY
-ALUMNI AND STUDENTS PAIR OFF
-DEFEATING A DANGEROUS DUO
-CYBERISLAND
-STRONG MEDICINE
-NOTES AND NOTABLES
-HEALTHOUGHTS
-WHEELS FOR HUMANITY
-CONFRONTING NECROTIZING FASCIITIS
-CHLA joins partnership to improve community health
-County still considering LAC+USC cuts
-USC/Norris Dodger night set for Sept. 26
-BREAKING INTO THE 'BIZ' THE SCHOOL OF CINEMA-TELEVISION GETS AN AGENT
-Etcetera
-Feedback
-USC Forms alliance with Japanese clinic
-Massry prize honors biochemist
-Media Frenzy greets gold medalist Richardson
-Practicing safe sun
-Public safety officers keep ever watchful eye on HSC
-Medical students tackle tough cases in new surgery clerkship
-U.S. News and World Report releases annual rankings
-The Art of Medicine
-SUMMER WORKSHOP GIVES RECENT GRADUATES FEATURE FILM EXPERIENCE
-Test chambers offer researchers unique tool for environmental studies
-Crandall named chair of the Department of Medicine
-Researchers study link between EMFs, breast cancer
-Etcetera
-Fountain seeks blueprint for progression of melanoma
-Expectant moms: don't eat those bologna sandwiches
-What others are saying: national developments in health care
-Schechter named assistant dean of student affairs
-First-year students to take oath in premier white coat ceremony
-University Policy Regarding University Contract/ Agreement Authorization
-PRUDENTIAL ADDED TO USC RETIREMENT PLAN
-Schoenberg Archive Dispute Settled
-Countdown at White Sands
-Students, Grads and a Surgeon Bring Back Olympic Medals
-Rabbi Laemmle Named to Newly Created Post
-Quick Takes
-Paleontologist William Easton dies
-It Pays to Motivate
-Ecologist to Direct Wrigley Environmental Institute
-CHLA Team Shows Novel Method to Halt Tumors
-Recollection, Image and Art
-THE DOCTOR IS IN MACULAR DEGENERATION
-Keeping a Close Eye on Neighborhood Kids
-A Genetic Skeleton Key
-USC in the News
-USC Raises $129 Million in One Year
-Orientation Sessions Connect Students to 21st Century
-Earth Memory
-Carnegie Grant to Support Study
-Tough Love Helps Elders
-Religious Holidays
-New Medical Excuse Policy
-IN PRINT
-John M. Peters to Direct HSC's New Environmental Health Center
-ITV Enters Digital Age
-George H. Bauer, Sartre Authority, dies at 62
-Counseling Knows No Age
-A Gusher of Petroleum Data
-Working Hand-in-Hand with the New Neighbors
-USC in the Community
-The Little Robot That Could
-Teams Seek Cost Cuts
-USC STUDY LOOKS AT LINKS BETWEEN LIFESTYLE AND CANCER IN ETHNIC GROUPS
-It's Virtually Reality
-USC/Norris to promote cancer prevention at "Breast Health Day"
-HSC fetes Olympic Gold Medalist Cornell
-"Dodger Night" tickets are going...going...(Don't wait till they're gone)
-Etcetera
-Hospital specialties win praise from American Health Magazine
-Groundbreaking oral insulin trials begin
-Sports medicine pioneer Robert Kerlan, 74, dies of heart failure
-Kid Care Fair
-County approves hospital layoffs affecting more than 400 staffers
-BLOOD-TYPE MATCHING MAY REDUCE CORNEA TRANSPLANT REJECTIONS
-LEARNING TO VOLUNTEER NEW 'COMMUNITY SERVICE' COURSE MERGES ACADEMICS AND PUBLIC SERVICE
-Taking the Oath: Doctors on Day One
-Sample's "State of the University" address slated for Sept. 19
-Scrubs and duds make the OR comfortable, stylish
-President Sample Marks Fifth Anniversary with '1996 State of the University Addr
-Honorary Degree Nomination Process
-William C. White, Theater Professor Emeritus, Dies
-When it Just May Pay to Come in Second
-Laser Organ Plays the Right Tune
-KUSC-FM's New Format Revives Classical Style
-A New Sound System Incubates at EC2
-DOUGLAS STEPS DOWN AS DEAN OF NATURAL SCIENCES AND MATH
-A Call for Honorary Degree Recipient Candidates
-Alumni with Designs for an Industrial Archive
-General Education Tailored for Unique Undergraduates
-USC in the News
-Provost Speaks About the New GEs
-Researcher wants to make taking medicine as easy as breathing
-Chemotherapy patent awarded to Norris researcher
-HSC receives lion's share of gifts to USC in 1995-96
-Hormone replacement may slow Alzheimers
-Government must back basic health insurance'
-CLINTON'S ECONOMIC PLAN DRAWS PRAISE, CRITICISM FROM USC OFFICIALS
-Patient health service takes it's care everywhere
-Sample's address praises university accomplishments, looks to future
-Sample's address praises university accomplishments, looks to future
-USC medical team demonstrates long distance energy
-Provost Announces Funding for Experts on Asia and Latin America
-How to Help New Faculty
-1996-7 Academic Senate Officers Installed
-Assistant professor Nori Kasahara: "With targeted vectors the cell knows what to do with the gene."
-Taking a Close Look at the Tenure System
-Students Find Dorms Freshly Spruced Up
-ALL IN A DAY'S WORK - BEVERLY WATSON
-Occupational Therapy - A New Field Helps to Reclaim Damaged Lives
-Mentoring Junior Faculty Members
-Filmmaker Steven Spielberg Joins USC Board of Trustees
-Clinical Trial on Oral Insulin Begins
-Books in Print
-Taper Goes High-Tech with Major Renovations
-Relativity Bites
-A Center Teaches Excellence
-500 attend "Breast Health Day"
-County supervisors approve outpatient clinic network
-ANNOUNCEMENTS
-Edison wins service award
-$2.4 million grant will fund new hepatitis C research center
-King named vice president of ambulatory services at CHLA
-Kenneth Norris' fight against cancer lives on after his death
-What others are saying
-Tranquada honored for service
-Trauma surgeons warn of increased pressure on emergency system
-Head mounted-imaging system puts data where it's needed most
-Robert E. Tranquada Receives Tribute
-Hormone May Slow Progress of Alzheimer's
-FOCUSING ON ZEITGEIST KADE INSTITUTE STUDIES CULTURE OF THE GERMAN-SPEAKING WORLD- PAST, PRESENT AND FUTURE
-Former Trustee, USC Cancer Center Benefactor Kenneth T. Norris Jr. Dies
-Changing Aspirations
-The Gems Right Next Door
-One Woman's Vision Can Make a Real Difference
-More Than a Little Editorial Surgery
-USC in the News
-1996 State of the University Address
-Quick Takes
-Making Music
-Community Service Awards
-THE DOCTOR IS IN - RUNNERS' INJURIES
-An 'Eclipsed' Campus
-Predicting the Future
-Kelvin J.A. Davies to Hold Birren Chair
-First Endowed Chair in Leventhal School of Accounting
-Composer Buddy Baker Scores a Hit
-Cal Grants Get $25M Windfall
-USC in the Community
-Multimedia That Packs a Punch
-A View Book That Wows Them
-Greeting Cards offer holiday boost to disease research, scholarships
-USC IN THE NEWS
-Students aid local youths through "Project Clean SWEEP"
-CHLA physician champions early intervention to help children with deformities
-A decades-old twist of fate culminates with new chair in orthopaedic surgery
-Nearly perfect: Norris Hospital receives top marks in accredtation
-Making their pitch for cancer awareness
-CHLA pediatrician tackles new wrinkle in old genetic puzzle
-Safety department fights fires with flyers
-Telemedicine group wins $2.8 million award
-Ticket office to open new HSC location
-Real Estate Hall of Fame Established
-TRANSFER STUDENTS PERFORM AS WELL AS NON-TRANSFERS, STUDY SHOWS
-Jumpstart Grants
-Former Israeli Prime Minister Speaks to Capacity Crowd at Bovard
-Call for Nominations - Academic Honors Convocation
-When the Trojan Family Looked Out for Its Own
-Surgical Visions
-Student Opinions Count
-A Dedicated Classroom
-$2.8M Award to Advance Telemedicine Consortium
-USC in the News
-Study Finds Ethnicity a Key Factor for Living Wills
-1992 STAFF RETIREES HONORED
-On-line instruction - From Astronomy to Art to Evolution to Literature
-Vincent S. and Julia Meyer Chair in Orthopaedic Surgery Created
-USC Takes Part in "Faces of L.A." Project, Contributes to Virtual Data Base
-USC's Community Partners
-Annenberg Center Awards Grants
-USC Symphony Soars to New Heights on USAir
-Quick Takes
-Project Clean SWEEP Helps Youth in East L.A.
-Programs That Make a Difference Every Day
-NIH Grant to Fund New Center to Study Hepatitis C
-USC IN THE NEWS
-WHITE ROSE EXHIBIT HONORS UNSUNG GERMAN HEROES OF NAZI RESISTANCE
-Books in Print
-A Persistent Pediatrician Tackles a Genetic Disorder
-Third Annual Good Neighbors Campaign Kicks off on Oct. 21
-The Geritol Effect
-Researchers show hormone reduces AIDS-related tumors
-Cook-off to fight prostate cancer to be held Oct. 26
-Coroner's office makes no bones about 'Skeletons in the Closet'
-Deadlines Approach for student awards
-Celebrities kick offf 'Take-a-Hike' breast cancer benefit
-Letters to the Editor
-JOHNS HOPKINS DEAN LLOYD ARMSTRONG NAMED USC PROVOST
-Liver Center seeks applications for pilot projects, studies
-Good Neighbors Campaign seeks to empower community
-Usc Norris Community gathers to honor Kenneth T. Norris Jr.
-Saturn/USC campus cruiser program expands to HSC
-Tenet initiates a merger worth $1.3 billion
-USC IPA becomes nation's first fully accredited independent practice association
-AAU Presidents Meet in L.A., Tour Campus
-Viet Tran - Changed by the Vietnam Memorial
-The Liquid Crystal Ball
-The Class of 2000 - Academically Strong, It's the Largest in 9 Years
-GHANAIAN INTERNATIONAL RELATIONS STUDENT WINS OUTSTANDING TA AWARD
-Lindsay Harrison - An Extraordinary Debater
-Everett Weiss - Hot on the Ice and Pursuing an M.D.
-DASH in a Flash From USC to Downtown
-Neighborhood Theater to Thrive
-USC in the News
-Of Man and Mortar
-To Touch the Stars
-A Friendship That Was Family
-A Bond of Sharing and Caring
-The Serious Work of Giving
-FOR THE RECORD
-Charting A Course for Cancer Research
-An Indelible Mark of Compassion
-The Kenneth Norris, Jr. Endowed Chairs
-American Icon Kenneth Norris, Jr.
-Clinical Trials Update
-Development News
-Breast Health Day: Educational and Emotional
-Two physicians appointed to faculty
-Day-long benefits fair slated for Nov. 7
-Researcher promotes low dose estrogen
-ANNOUNCEMENTS
-Etcetera
-Internet savvy R.N. urges expanded education for nurses
-What others are saying
-Researcher seeks to predict onset of Alzheimer's
-Students treat local shelter to pumpkin carving party
-Estrogen therapy shown to reduce the risk of Alzheimer's
-Deadly Toxins, panicked parents: all in a days work
-Two Professors Elected Fellows of a Prestigious National Science Academy
-Tips for Faculty - How to Help Students Stay on the Straight and Narrow
-Stronger Steel for Future Quakes
-VIDEO VERITE
-Researchers Show Hormone Reduces AIDS-related Tumors
-$4 Million Gift from Hedco Foundation Funds Two New Chairs in the Sciences
-The Office of Student Conduct Gets the Word Out: the Trojan Family Stands Solid
-Team Plays Key Role in Telesurgery Demonstration
-Quick Takes
-Physicians' Group Receives Accreditation
-Island Explorers Dive Into Marine Sciences
-Information Technology Expert to Hold New CIO Post
-Boone Family Says Thanks to USC
-USC in the Community
-SAFE STUDENTS FIND ELEGANTLY SIMPLE WAYS TO HELP ENVIRONMENT
-The Integrity Campaign
-Open Enrollment Brings Few Changes - Some Costs Are Going Up, Some Down.
-Mapping Memory With Mutant Mice
-USC in the News
-USC in the International Press - the U.K. and Canada
-Poison Specialists are Just a Phone Call Away
-A Scholar and a Poet
-Booting Up the 'Bots
-A Scholar With His Eye on the Dollars... and some card stunts up his sleeve.
-A Fresh Look at the Region's Parks and Gardens
-LAW PROFESSOR CALLS FOR REVISION OF GLOBAL ENVIRONMENTAL PRIORITIES
-Laying a Legal Foundation
-State moves to block Columbia's acquisition of sharp
-Professor teams with blockbuster to deter 'brain attacks'
-Experts to convene World Congress of Bioethics
-Etcetera
-Anti-smoking efforts need to find balance
-Alumnus and former Red Sox pitcher returns to USC as a physician
-Big, fast changes drive medical restructuring
-Great American Smokeout aims to snuff out tobacco use
-Tenet merger may bolster opportunities for USC
-SECURITY EXPERTS GIVE TIPS ON HOW TO AVOID BECOMING A VICTIM
-Violent Crimes
-Quick Takes
-Child Welfare
-On the Horizon - An Internationalized Screening Test for Senile Dementia
-Lowering the Risks of Estrogen While Still Reaping the Benefits
-International Links
-Demythologizing L.A.
-Culture
-Campus History Stations Installed
-Books in Print
-HEALTH SCIENCES CAMPUS SCORES EVEN BETTER MARKS THAN UNIVERSITY PARK ON SAFETY, LOW CRIME RATE
-Waste Not: A Radical Solution to Toxic Waste
-A Guide to History Station Locations
-Latino Artists Who Surprise
-A Mega Atlas for a Megacity
-Powerful new arthritis drugs signal new era of treatment
-National cancer death rate continues to decline
-Chao named vice president for health affairs
-CPSA financial trend continues to decline
-LAC+USC hosts diabetes screening at festival
-Dunnington says students must get their money's worth
-CINEMA'S DOE MAYER BRINGS SOCIAL MARKETING TECHNIQUES TO SURINAME
-ALL IN A DAY'S WORK - Darrell
-Etcetera
-James Paget Henry, developer of pressure suit
-Holiday programs aim to help those less fortunate
-Ticket to ride
-HSC Commentary
-University assails 'frivolous and irresponsible' lawsuit
-Pediatric Management Group established
-Students win $10,000 in scholarships from Governor's Office
-Ticket to ride
-1-800-USC-CARE rings up impressive numbers
-USC RESEARCHERS FIND MOST CITIES IN L.A. COUNTY NEGLECT HOMELESS
-Study shows that vitamin E can slow progression of heart disease
-Tyler Prize Pavilion Dedicated on Nov. 18
-Three Journalists Honored by USC Journalism Alumni Association
-More on the USC History Stations
-KUSC's Happy Birthday Salute to Beethoven
-Join the Posada on Dec. 5, to Help Dedicate the Baca Mural
-How USC's Endowment Growth Compares to Other Research Universities
-USC Tops $1 Billion Endowment
-Sharing and Caring at Holiday Time
-Quick Takes
-SPRING CLEANING
-Medical School Faculty Lawsuit to Prompt a Vigorous USC Defense
-Lutenist James Tyler is a key player in L.A.'s burgeoning early music scene. And
-Kelvin J.A. Davies
-Jay Conger
-Biological Sleuths Find Clue to Master Switch
-USC in the News
-Two share $10,000 award honoring CHLA's Korsch
-USC Health and Medicine Magazine wins two CASE awards
-Etcetera
-Excellence gains honors for medical students
-THE DOCTOR IS IN - Chronic Erectile Dysfunction Syndrome
-FEC hears plans for 'incentivized'research
-HSC Holiday drives continue
-HSC Commentary: How important is the Hippocratic Oath in your medical studies and your eventual practice of medicine?
-Mouse model paves the way for therapy in rare disease
-Protein pinpointed as cause of MS
-Radiation therapy may ease hemophiliacs' pain
-Transitional Care Center opens
-High school students join career program
-Dental School gives faculty and staff something to smile about
-New devices for disabled seek Amigos' approval
-MACDONALD BECKET CENTER DEDICATION
-On campus film service opens in Keith
-Mentors to help unveil new IGM labs
-Nobelist berg tops IGM cast
-Outreach helps USC help self
-Here's help for the over-partied
-PZ opens door to drugs
-"Six weeks" captures spirit of the times for OT
-Former staffer learns giving can be good business
-Stainbrook, retired chair of psychiatry
-USC Now Boasts 18 NAE Members - 14 Are Active
-USC IN THE COMMUNITY
-Pipeline Construction Alert
-New Telephone Number for Modem Connections Will Affect Thousands
-Myron H. Dembo to Hold USC's Crocker Professorship in Education
-Memorandum - Religious Holidays
-Health Economist to Hold USC's Blue Cross Chair in Health Care Finance
-An Iconographic Roadmap to the Mural
-César Chávez Memorial Commissioned
-Study Suggests New Strategies for Treating Multiple Sclerosis
-Oil Technology Center Opens in Hedco
-Formal Dedication for "The Memory of Our Land" at Topping Student Center Draws Crowd Despite Rain
-USC BENEFACTOR CAROLYN CRAIG FRANKLIN DIES
-100 Years of Dental School Highlights
-USC in the Community
-Meet USC's New Health Economist
-Louis M. Brown, Father of Preventive Law, Dies
-Filling In Dental's History
-Surgeon confronts jailed youths with true costs of violence
-CHLA launches surgery Center capital campaign
-LAC+USC professor joins Defense Dept. board
-University approves new undergraduate health degree
-Etcetera
-STEADY AS A ROCK
-The eyes have it: a health fair focusing on vision Jan. 16
-Innovative drug system provides effective treatment for impotence
-Pace of restructuring dialogue accelerates
-Altered p53 gene means better response to drugs for bladder cancer
-Tenure track faculty list concerns over restructuring process
-The English Patient Wins USC's 1996 Scripter Award
-The Atlas Gets More Ink and TV Hits
-Symptoms of Stroke
-Quick Takes
-New Starts
-BUSINESSMAN STANLEY P. GOLD, CHAIR OF HEBREW UNION COLLEGE BOARD OF GOVERNORS, ELECTED UNIVERSITY TRUSTEE
-Documenting Ancient Works Through Modern Means
-Chronicle Digest NowAvailable Via E-mail
-A Pioneer for USC and for Los Angeles
-$2 M Gift From Takefuji Corp. Augments Business School's Building Fund
-Leonard K. Firestone, Past Board of Trustees President, Dies
-POLO Is a Fast Game
-New Grads Meet the Real World
-Free Video Provides Info On What You Must Know About Brain Attacks
-Were Media Reports of the 1992 Unrest Fair or Foul?
-USC In The News
-SURVEY SHOWS USC FRESHMEN CARE ABOUT RACISM, URBAN POOR
-New Center Will Multiply Social Capital
-It Takes A Team to Change the Schools
-Cancer researchers fete 25th anniversary of National Cancer Act
-Inactive enzyme may spur progression of Alzheimers
-Etcetera
-Prolonged exposure to electromagnetic fields may increase Alzheimer's risk
-Genetic medicine building breaks new ground in lab design
-New motion analysis lab aids fight against osteoporosis
-Receptor genes linked to higher prostate cancer risk
-Restructuring Medicine Forum
-STAR STRUCK
-GOODALL CENTER 'S 'HYPERMEDIA' MOVES PRIMATE RESEARCH FROM FIELD TO SCREEN
-SIDS study seeks healthy volunteers
-Quick Takes
-Jan. 24 Symposium Inaugurates Renovated Institute for Genetic Medicine Lab and Research
-James Paget Henry, Developer of the Pressure Suit, Dies
-Internationally, It's a Team Effort
-Celebrating Martin Luther King Jr.
-"The Impact of Genetic Medicine" - Friday, Jan. 24, 1997
-USC's Buying Power Leveraged to Cut Costs
-A Sharp-Eyed Sound System
-A Million Miles to Earth
-FIGHTING CRIME AND WINNING
-A Plethora of Enterprising Entrepreneurs
-$35M Gift to USC Is Largest Ever to a Business School
-USC's 'Project Special Friend' Was a Holiday Hit for South-Central Youngsters
-PZ-Peptide Molecule Acts as "Tour Guide" for Drugs
-Edward J. Stainbrook, Professor Emeritus of Psychiatry, Dies
-Drug Delivery System Offers Hope to 18 Million Men
-The p53 Gene Helps Researchers Predict Which Bladder Cancer Patients May Benefit
-Surgeon Confronts Troubled Youths
-Mirror, Mirror, on the Chip; Laser Sites Make Data Zip
-Interacting with the Yanomamo
-LORE ANNE UNT, POLITICAL SCIENCE AND IR MAJOR, NAMED VALEDICTORIAN
-HSC Outreach Program Gives Healthy Boost to Local Youths
-An Eye on the Future of L.A.'s Immigrants
-USC in the News
-'Touched by an Angel' star sings praises of USC heart study
-Low Doses of controversial drug can boost fertility
-Etcetera
-Hazard Park history is often a mystery to HSC Denizens
-Institute for Genetic Medicine celebrates new facility
-Restructuring Medicine Forum
-USC Students point area teens to careers in medicine
-OUTSTANDING WOMEN
-New Women's Health Program provides effective alternative therapy for incontinence
-PROMOTING RESEARCH OF YOUNG INVESTIGATORS
-CHEATING FATE
-SCIENTIFIC HARMONY
-THE ETHICS OF GENETICS
-FACING HER FUTURE
-THE JOURNEY BEGINS WITH THE PAST
-A QUARTER-CENTURY OF PROGRESS AGAINST CANCER
-CLINICAL TRIALS
-Development News
-A TRIBUTE TO TROJAN VOLUNTEERS
-Supporters Raise $75,000 for Cancer Genetics Unit
-LIFTING THE ROCK
-Blue Gene
-LESSENING THE BURDEN OF LEPROSY
-NURTURING NATURE
-COMMON DENOMINATOR
-ON CALL: The Patient as Partner
-THE IMPACT OF INTERVENTION
-HORMONE ELIMINATES KAPOSI'S SARCOMA TUMORS
-SPACE ODYSSEY
-NEW PROGRAM TO GIVE MID-CAREER JOURNALISTS A GROUNDING IN THE ARTS
-NEW PROGRAM TO GIVE MID-CAREER JOURNALISTS A GROUNDING IN THE ARTS
-HEALTHOUGHTS
-EAST SIDE STORY
-NOTES AND NOTABLES
-HIDDEN TREASURE
-The Tao of Being a Department Chair
-A Final, Total Silence
-The Estrogen Puzzle
-Estrogen and Health
-Weiss on Ice
-A City of Contrasts
-ANNOUNCEMENTS
-Make Your Subconscious Your Partner in the Writing Process and Double Your Creative Power!
-Managing People Is Like Herding Cats
-Highway of Dreams: A Critical View Along the Information Superhighway
-Making the Ocean Bloom
-Feeding Phytoplankton
-Service rewarded
-A Tradition Handed Down
-A Kindness Repaid
-Forecasting the Future of Southern California
-International City
-CORRECTIONS
-Mean Streets
-Culture and Entertainment
-Helping the Children
-The Place to Be
-Swimming for Hope
-Quick Takes
-Director Milos Forman on Film, Flynt and the First Amendment
-A Celebration of Black History Month
-Study Finds Electromagnetic Fields May Increase Risk of Alzheimer's
-Nineteen USC Students Receive ARCS Scholarships
-All in a Day's Work - Ron
-Motion Analysis Lab provides Clues in Fight Against Osteoporosis
-USC in the Community
-Casting a Keen Eye on South Korea's Economic Miracle
-Library Gives Real-World Challenges to Student Software Designers
-Domanico promoted to oversee East L.A. Region for Tenet
-Eastwood's 'Absolute Power' premeire benefits children through USC's VIP program
-IGM Chief touts genetic milestones
-Retirement investment seminars offered for staff, faculty
-Researcher seeks better methods of getting messages to teens
-Communication promotes good health in any language
-HONORARY DEGREE
-USC outreach offers children head start on healthy lives
-Ryan describes Domanico's new role with Tenet/USCUH
-World Wide Web Tele-Robotics--A USC Specialty Since 1994
-School of Music Hosts 'Grammy in the Schools'
-RU-486 May Aid Fertility
-Researchers Show Inactive Enzyme May Spur Progression of Alzheimer's
-Quick Takes
-Family Day at the Fisher
-Drama Students Get Tips From the Pros
-A Request to Faculty for Syllabi
-EMPLOYEE CONTRIBUTION TO HEALTH BENEFITS WILL NOT INCREASE IN 1993
-THE DOCTOR IS IN - Parkinson's disease
-Award-Winning Guitarist Performs with USC Symphony on Friday, Feb. 14
-About Steve Goldberg
-'Black History Month' EventsContinue Through February
-Preventive Medicine Antioxidant Study Is 'Touched by an Angel' - Stroke Survivor
-Kay Kyung-Sook Song's New Book Reaches Out To Korean Women in Their Native Language
-Finding the Heart of L.A.'s Koreatown
-The Net 'Maiden'- Statue Goes On-Line in 3-D
-USC in the News
-USC alumni recognized by Pharmacists Association
-USC/Norris fetes 10th anniversary
-Honoring years of service
-Applications sought for pilot project grants
-Medical student assaulted in HSC parking lot
-Intelligent computer program promises better wound care, anywhere
-Etcetera
-LCME gives student members voting status
-Biologist Lee appointed to top basic science post at USC/Norris
-Magazine cites USC's healthcare leaders
-Mini-grant application offers $10,000 awards
-USC Physicians study Moroccan health care system
-Rancho physician delves into mysteries of bone pathology
-ANSWERING THE CALL
-STOP CANCER awards trio of USC cancer researchers $630,000
-Medical students urge jailed youths to avoid dangers of sex, drugs
-Quick Takes
-Polish Music Treasures
-Researchers Find 'Pregnancy-Induced Slowness' Is Real
-Receptor Genes Linked to Higher Prostate Cancer Risk
-Nursing Students Point Local Teens to Careers in Medicine
-Books in Print
-Philosopher-Scholar Receives Highest Honor from NEH
-Campus Crime Takes a Dramatic Drop
-Riots revisited
-A Questioning of a Fine Mind
-Spring Project Will Resculpt Campus
-Call for Nominations for Outstanding Graduate Students and Seniors
-Exhibition Events at the Fisher Gallery:
-Convocation to be Held Tuesday, March 4, at 2 p.m.
-A Gala Evening at the Scripter Award Banquet
-Engineering Notches Fourth Presidential Faculty Award - Tops in the U.S.
-Celebrating 'Angelenos of Ebony Hue'
-Sharing an Academic Life With Students
-Fueling the Future
-HONORARY DEGREE
-Art That Evokes a Thousand Words
-USC in the News
-Successful 1996 Good Neighbors Campaign Nets a 17 Percent Increase for Neighborhood
-Major grant pays for new asthma-fighting 'Breathmobiles'
-Sheep cloning sparks controversy, debate
-County supervisors mull LAC +USC replacement facility
-Etcetera
-New USC/Norris program to help patients cope with genetic quandries
-Leprosy looms as a public health threat, but LAC+USC clinic fights back
-New Program guides doctors through Medicare's billing maze
-HONORARY DEGREE
-USC shines as host of international statistical computing conference
-The Environment and the Economy
-NASA Chief Drops in on IMSC
-Wound Intelligence System Promises Better Care
-SC2 Awards $155,000 in Grants to Innovative Research
-Quick Takes
-Jerry Wiley, Vice Dean of Law School, Dies
-Coy Hydrogen Atom More Social in Cages
-$10 M in Grants Will Provide Tools to Understand Region's Earthquake Risk
-USC in the Community
-HONORARY DEGREE
-Trustee, Staff Member Win USC's Top Prize
-School of Education Think Tank to Boost Elementary School Science
-Rediscovering a Dead Sea Treasure
-Ancient Rome Lives Again in Taper Hall Basement
-"Never a Backward Step'
-Distinguished Trojans
-AAMC conference examines national changes in tenure, appointments
-USC-Catalina venture saves lives, rescues hospital
-Health Sciences Campus crime rate plummets during 1996
-Dennert named chair of Molecular Microbiology
-HONORARY DEGREE
-Painting a picture of community service
-Parkinson's study seeks patients
-Too many physicians in all the wrong places prompt call for changes in training
-USC study reveals evidence of intellectual sluggishness during pregnancy
-Common gene variant may boost breast cancer danger
-Supporters raise $75,000 for genetic counseling program
-Directory of community outreach programs needs updates
-Education goes hand-in-hand with fighting breast cancer
-Etcetera
-Gene Mutations may lower prostate cancer risk
-Schedule of Commencement satellite ceremonies
-Do you think that the public's respect for the health professions is changing?
-School of Pharmacy ranked among the nation's best
-Congressional proposals request greater funding for biomedical research
-Blizzard of paperwork dissapears under new Radiation Protection Program
-Russell named to regional Cancer Society Council
-USC Urologist Skinner demonstrates new technique for Italian surgeons
-Snooze news: nasal strips won't end snore war
-Don't get burned--not all sunscreens are created equal
-USC Shines as Host of International Statistical Computing Conference
-Story Time With Dr. Solomon
-Health sciences Commencement to focus on health care reform's impact
-Science Teachers Receive Honors
-Memorandum
-Events That Celebrate Exiles
-David A. Coulter, BankAmerica Executive, to Join Board of Trustees
-Britain's Margaret Thatcher Addresses a Sold-out Crowd
-The Eyes Have It
-Marshall School Holds its First International Case Competition
-Hansen's Disease Clinic Is One of 3 in State
-Demographer Kingsley Davis Dies at 88
-1997 Tyler Prize for Environmental Achievement Awarded to Three Wildlife Biologists
-CANCER CENTER'S BRAIN HENDERSON TO DIRECT SALK INSTITUTE
-PAGEANTRY WITH A PUNCH LINE
-When German Exiles Lit up Hollywood's Screens
-USC America Reads Literacy Corps Will Use $2M in Work-Study Funds to Tutor Children
-USC in the News
-The Public Is Invited to Open House at USC's Marine Science Center on Catalina Island
-The Attallahs Endow Chair and Scholarship Fund at the School of Education
-Honoring a Tradition of Excellence at 16th Annual Convocation
-Gene Mutation May Lower Prostate Cancer Risk
-Yang Ho Cho, Korean Corporate Executive, to Join Board of Trustees
-Quick Takes
-Gift Endows Chair at the School of Pharmacy; Also Benefits Dentistry and Itramur
-USC in the News
-Elizabeth McBroom, Professor Emerita of Social Work, Dies
-Books in Print
-Spring Break With a Difference
-Newly Forged Alliance Between Avalon Hospital and USC Benefits Both
-Study Finds Ventura County Coastal Living May Be Risky Business
-LAC+USC AIDS clinic wins award for compassion, dedication
-Hand-in-Hand Breast Health Summit promotes cancer education, promotion
-Daffodil days offer colorful way to fight against cancer
-Etcetera
-Harvard researcher examines impact of tenure on reform
-PRESERVING HITCHCOCK'S LEGACY
-HSC Commentary: What ethical dilemmas are likely to face new doctors?
-Make me a match: medical students get residency news
-Medicare sessions required for all faculty physicians
-Restructuring Medicine Forum: GPSS supports faculty in tenure resolution
-Volunteer medical team serves is Swaziland
-HSC volunteers rewarded as Good Neighbors
-Sidney W. Benson Honored With Russian Kapitsa Medal
-Quick Takes
-Major Grant Funds New Asthma-Fighting Breathmobile
-A Six-Month Plan for a New, Improved Student Services
-UPSCALE NEW ADMISSIONS CENTER GIVES USC A STYLISH FRONT DOOR
-10th Annual Conference on Asia/Pacific Business Outlook Focused on the Pacific Rim
-Survey Reports USC's Freshmen Are Ethnically and Economically Diverse, Political
-New Strategies Bode Well For Student Services
-Meeting the Needs of All Patients
-Central Avenue's Heart
-USC in the News
-50 Years of On-Air Innovations
-Aids clinic open house slated for April 8
-Blue ribbon task force studies medical education
-Chinese physicians get a glimpse of 21st century medicine
-COMMENCEMENT AT A GLANCE
-Playing the fame game: no slowing down for 'Dr. Dot' after Olympics
-Etcetera
-Heart disease study reaffirms value of weight loss and healthful diet
-HSC Commentary: Why do you think alternative medicine and treatments are becoming more popular ?
-Physicians group grants top membership to USC professor
-Department of Neurology gets $1 million in NIH grants
-Red cross health fair scheduled for April 16 on University Park Campus
-William C. Lindsey Named to National Academy of Engineering; USC Now Boasts 19 Members
-Swim With Mike
-Fourth Annual 'Christmas in April' Event Seek Volunteers
-ALCOHOL ABUSE SAPS NATION'S ECONOMY, RESEARCHERS SAY
-The Spirit of Los Angeles
-Researcher Seeks Better Means to Reach Teens
-On Stage at the Bing- 'Mack the Knife' Slices Through Bourgeois Society
-Medical Team Shares Its Skills With Swaziland's MDs
-Dick Cone Honored for His Dedication to JEP's Educational Mission
-USC in the Community
-Giving Campus Transportation a Tuneup
-A Bridge to the Community, JEP Celebrates Its 25th
-Aids clinic celebrates 12th anniversary
-Christmas in April seeks volunteers to help Boys and Girls Club near HSC
-FOR THE RECORD
-Edward Crandall to hold new Norris Chair of Medicine
-Inspector General clears Dartmouth medical center in billing audit
-Drug center's prescription for saving lives is information
-Etcetera
-Insulin-heart disease link examined in diabetes study
-HSC Commentary: What are the advantages and disadvantages of community-based medicine?
-USC safety officers make 'Good Neighbors'
-New Grants Support Neurology Research
-Free 'Arthritis Health Day' Seminar at USC University Hospital
-Bartering the Bride
-ANNOUNCEMENTS
-A USC Treasure Reopens
-A Prime Example--Marshall Students Explore Successful Entry by U.S. Firms
-Quick Takes
-MBA Class Goes on Location in the Pacific Rim
-It's a Very Taxing Situation
-A Concert for the Home Crowd
-USC in the News
-Study Warns Welfare Reform Will Increase Poverty
-New procedure can improve the outcome of bladder surgeries
-Etcetera
-THE DOCTOR IS IN
-To Your Health
-HSC Commentary
-Amy Lee to hold new Freeman Cosmetic Chair in Basic Science
-USC physician examines minority enrollment in clinical trials
-Demand for Pas continues to climb
-National organization urges substantial changes in funding of residency programs
-When counting sheep doesn't bring sleep
-Engineering's Honorees
-Chinese Physicians Tour USC Telemedicine Facilities
-Exercise Science Major Keri Garcia Receives 1997 Extraordinary Community Service
-IN PRINT
-Jack Kemp to Speak and Receive Honorary Degree at Commencement
-Books in Print
-Drug Center's Rx for Saving Lives? It's Information
-Creating Alternatives to 'Peter Pan' Housing
-Research Team Launches $6M Study to Evaluate Insulin's Effect on Progression of Coronary Artery Disease
-Plastics--Not Just for Building Things Anymore
-NSF Renews SCEC Funding
-A Tribute to a Radio Legend
-USC in the News
-A Call for a New Legal Understanding of Multiple Personality Disorder
-A DREAM DEFERRED
-MAKING NETWORK NEWS
-A Quartet of Composers-in-Residence
-RECONSTRUCTING LIVES
-GOING UNDER
-STRAIGHT SHOOTING
-THE TOPIC OF CANCER
-WEIGHTY MATTERS
-SURVIVAL SPANISH
-MELANOMA UNDER HER SKIN
-HEALTHOUGHTS
-TIMING IS EVERYTHING
-COMMENCEMENT 1993
-WHERE THE SPIRIT OF HOPE RESIDES
-NOTES & NOTABLES
-SWING SHIFT
-THE TOPIC OF CANCER
-USC fertility clinic stuns the world with 63-year-old mom
-Schwarzenegger gets new role: patient at University Hospital
-Experts urge Arthritis sufferers to excercise, stay fit
-USC toasts students in groundbreaking BA/MD program
-Jerry Lee Buckingham, former LAC+USC administrator
-Editorial decries Medicare audits
-COLLEGE AWARDS FIRST SCHOLARSHIPS IN HONOR OF 'DEAN JOAN' SCHAEFER
-Etcetera
-HSC graduation ceremonies
-Graduate students receive major cancer research awards
-Oldest mom announcement sparks international media frenzy
-Exceptional news week required exceptional planning
-Nursing students volunteer in Utah
-Vitamin E may slow progression of Alzheimer's
-USC Offers World's First Webcast Commencement
-The School of Theatre Honors Its Talent
-Scholarly Inscriptions
-A PRIZE FOR FIGHTING PREJUDICE
-Santa Catalina Island
-Quick Takes
-Physician Receives Highest Federal Award for Service
-Health Sciences Programs
-Faculty Receive 1997 Guggenheim Fellowship Award
-Edward Blakely Named to Board of Presidio Trust
-A Bovard Family Visit
-When Christmas Came in April
-University Park Programs
-NAI Calls for Excellence--Foshay Answers
-RAILROAD TIES
-Jack Kemp
-Edward Crandall to Hold Kenneth T. Norris Chair of Medicine; Amy Lee Named to Fr
-Congratulations, Class of 1997
-Changing the Senate at the Campus Level
-Wrigley Institute Celebrates Its Grand Opening
-Neighborhood Kids Bound for USC, Thanks to College Prep Program
-1997 Valedictorian--Jing S. Chen
-Honorary Degree Recipients
-USC volunteers spread Christmas cheer eight moths early
-Bites by police dogs plummet after new rules adopted
-ENGINEERING FACULTY GARMIRE, SALOVEY AND TSOTSIS NAMED TO ENDOWED PROFESSORSHIPS
-Egg donation statistics point to a second biological clock
-'Date rape' drug may go undetected in many sexual assaults
-Doctors Without Borders start local chapter, seek volunteers
-Etcetera
-Professor awarded highest U.S. honor for service to crime victims
-Donald Skinner recognized for groundbreaking work at USC/Norris
-Workshops aim to boost medical teaching skills
-Top Chinese health official studies USC's medical system
-County extends CPSA contract with USC through 1997-98
-Etcetera
-USC STUDY DISPUTES LOW CHOLESTEROL AND HIGH MORTALITY LINK
-USC rolls out red carpet for graduates
-USC/Norris receives $1.5 million grant to fund new chair
-HSC Commentary: Should there be an age limit for women seeking in vitro fertilization
-Medical students get a boost from tiny change in matching system
-USC's Neighborhood Outreach grants bolster community, aid children
-Pasarow foundation to honor outstanding researchers
-Vitamin E May Slow Progression of Alzheimer's Disease
-Race and the Media - A Day for Discussion
-Quick Takes
-Commencement '97 Webcast is Worldwide Hit
-IDES OF MARCH DINNER RAISES $310,000
-Bill Bradley, Former New Jersey Senator, Honored by USC
-Valedictory Address
-Two Seniors Receive Mellon Fellowships in Humanistic Studies
-May 9, 1997 - A Day of Celebration
-Mathematician Donald Holmes Hyers Dies at 84
-Hollywood Haven
-Grace Ransom, Reading Specialist, Dies at 80
-Fertility Clinic in Spotlight after 63-Year-Old Woman Gives Birth
-USC in the Community
-The Upside of Immigration
-ALL IN A DAY'S WORK - Betsey
-Building at the Edge
-114th Commencement Address
-Partnerships That Help the Neighborhood to Prosper
-Top Chinese Health Official Studies USC's Medical System
-Study Finds Fewer K-9 Bites
-School of Medicine - 112th Commencement
-Quick Takes
-Pacific Rim University CEOs Convene at USC
-Norris Cancer Center Receives $1.5M Gift
-Networker Wins Silver CASE Award
-CRUSADING FOR MUSIC
-Donald G. Skinner, Holder of Chair in Medical Research, Honored on May 22 at Annual Event
-Awards Presented at Thurgood Marshall Civil Rights Leadership Banquet
-32 Junior Faculty Receive Grants from Zumberge Research and Innovation Fund
-$1.5 Million Domino Film Compositor Donated to School of Cinema-Television
-Study Finds Latina AIDS Caregivers Report High Stress, Low Support
-Physician Examines Minority Enrollment in Clinical Trials
-Frances Wu's $1.5 Million Gift Endows First Chair at the School of Social Work
-Endowed Chair Honors USC's Nobel Laureate
-Donald J. Greene, Noted Authority on Samuel Johnson, Dies at 82
-Demand for Physician Assistants Climbs
-KUSUM
-CONVERSATION WITH LLOYD ARMSTRONG
-World War II and Its Aftermath Viewed Through Many Lenses
-Upstairs, Downstairs, L.A.-Style
-Ruth Weisberg, an artist in Many Mediums, Exhibits Works Worldwide
-Civil Unrest of 1992 Sparked New Generation of Korean American Leaders in Los Angeles
-Contract aims to streamline hospitals' management
-New doctors enjoy graduation celebration
-This family has more USC doctors than some hospitals
-New fiscal year brings reasons for cheer
-Gary Lieskovsky awarded Skinner Chair in Urology
-Survivors celebrate triumphs against cancer at Festival of Life
-BRAVO STUDENTS DON STETHOSCOPES AND LAB COATS AT HEALTH FAIR
-USC Health and Medicine gets new name and new sponsors
-Media campaign lauds USC's care as the best anywhere
-USC honors life of fallen police detective
-HSC Publications narrowly escape budget ax
-Restructuring Medicine Forum
-Photos: Topping dinner and Pasarow
-Quick Takes
-Participants Sought for Study to Determine if Exercise Reduces Cancer Risk
-Memorandum
-Going the Distance
-COLLEGE HONORS FOUR OUTSTANDING FACULTY WITH RAUBENHEIMER AWARDS
-Engineering's ITV to Go Coast to Coast Via Satellite
-Vickers Departs to Head Bryn Mawr; Sally Pratt Named Dean of LAS Curriculum and Instruction
-USC Joins in Creation of New Electronic Superhighway
-USC's Sleep Sleuths Help Patients Find Elusive Zzzzs
-Redondo Beach Educator Gives $750,000 Gift to Andrus Gerontology Center
-Engineering's Excellence
-CEOs of Pacific Rim Universities Forge Alliance
-Cataloging a New Art Form
-Books in Print
-USC's Top Leadership Visits Asian Capitals
-ADMISSIONS NEEDS SPACE FOR OUT-OF-TOWN RECRUITMENT
-The Masculine Mystique
-The 1950s - Powerful Years for Religion
-USC in the News
-Engineering a Brilliant Future From a Proud Past
-For its students, nurse anesthetist program is the stuff of dreams
-USC's $10,000 question: What to do with 300 desks?
-New Medical School Gevernance Document approved by trustees
-To needy children, Herman Epstein was Santa Claus
-Etcetera
-For multi-disciplinary labs, renovation means the 60's are finally over
-NEW AMERICAN STUDIES MAJOR STRESSES CULTURE, POLITICS, URBAN LIFE IN THE WEST
-Letter to the faculty on basic science salaries
-Brenda Maceo named chief of HSC public relations and marketing
-International cooperation helps save bone marrow transplant patient
-Graduation comments from nursing commencement
-Study points to air pollution as major contributor to child illness
-Basic science faculty regains 12-month salary status
-Martin Weiss awarded chair in Neurosurgery
-Women with high-risk pregnancies get door-to-door service with new program
-ASCO meeting highlights USC/Norris research
-Bass new USC/Norris Administrator
-COHEN NAMED INTERIM DEAN OF LETTERS, ARTS AND SCIENCES
-Cancer study seeks downtown women
-USC team brings medical expertise to Cuba
-Second annual USC/Norris Dodger Night set for Sept. 10
-USC epilepsy device nears FDA approval
-Etcetera
-Doheny glaucoma screening catches public's eye
-Kaplowitz named USC Associates/Brem Chair
-Last call for Medicare training
-Medical School gets go-ahead for clinical restructuring
-Junior PGA champ undergoes rare surgery at USC/Norris
-BIG-BAND AID
-Seaver Cafe opens at Doheny
-Smog study finds children don't breathe easy
-Celebrity-filled salute to USC nets $200,000 for USC Parkinson's research
-'Bloodless' Surgery offers crucial option for some patients
-FDA approves brain implant that quells epileptic seizures
-Etcetera
-USC faculty join international forum on obstetrics, gynecology
-Hate Crimes pose special challenges for health care professionals
-Would business training help health profession students survive managed care?
-Kern named new director of Physician Assistant Program
-HARTKE HONORED BY AMERICAN ACADEMY OF ARTS AND LETTERS
-45 graduate management program
-Physician travels to Micronesia to offer surgical care and a helping hand
-USC-affiliated hospitals ranked among the best
-University of California report emphasizes business skills for future physicians
-Longtime staffers retire, bid farewell to USC
-Restructuring Medicine Forum: Faculty size up 160 positions since 1990
-USC team raises $1,000 for stroke education
-Vitamin D gene linked to frail bones
-RESEARCHING SUCCESS
-A SEASON OF SCIENCE
-A CAMPUS TOUR FOR COUCH POTATOES
-CONFIDENT TOMORROWS
-TIME WELL SPENT
-TOPPING DINNER TOPS GOAL
-ANGELS WEST SOARS HIGH
-CLINICAL TRAILS UPDATE
-NORRIS NEWS
-AWARDS BENEFIT STUDENT RESEARCHERS
-A COLLABORATION OF HIGH STANDARDS
-FEED YOUR HEAD
-FEED YOUR HEAD
-HELPING HANDS
-HELPING HANDS
-ANNOUNCEMENTS
-STONE FREE
-THE LANGUAGE OF LIVER
-UNBREAK MY HEART
-UP CLOSE: A CARING APPROACH
-Benchmarks
-HEALTH THOUGHTS
-CITY ROUNDS
-A Quartet of Composers
-Playing to the Home Crowd
-Service to Learning
-FOR THE RECORD
-THE DOCTOR IS IN HEARING LOSS
-JEP’s “Visionary” Leader
-Death Valley Days
-Twenty-six miles across the Sea
-The Island of Romance
-A Very Taxing Situation
-Jekyll on Trial: Multiple Personality Disorder & Criminal Law
-A History of Keyboard Literature: Music for the Piano and Its Forerunners
-Theory & Practice of Writing: An Applied Linguistic Perspective
-World's Oldest Mom
-Caps, Gowns and a Worldwide Webcast
-PARKING FEE HIKE HITS CARPOOLERS AND STRUCTURE A, DAILY PASS USERS
-The Brains Behind the Webcast
-The New Asia
-About The Author
-The Usc School of Dentistry 100 Years Young
-The USC School of Dentistry: A Tale of 10 Deans
-It's a "Prove It" Year for USC
-Building Los Angeles
-USC student named vice-chair of AMA governing board
-Compliance Program Help and Reporting Line established
-First patient received FDA-approved epilepsy implant
-JAIME
-Etcetera
-Judah Folkman wins 1997 Massry Prize for grounbreaking research
-More grants don't necessarily mean more money
-Safety officer's self defense program is a hit (and a kick) with kids
-Letter to the Editor
-Orthopaedics welcomes two new members to Center for Spinal Surgery
-Progestin can stop hormone therapy's uterine cancer risk
-Interim Psychiatry chair named
-Surgery wins $3 million grant
-USC Care sets its sites on the World Wide Web
-BLANKENHORN, USC CARDIOLOGIST, NOTED CHOLESTEROL EXPERT, DIES
-University receives notice of Medicare billing
-School of Medicine's future is 'bright'
-USC/Norris, USC University Hospitals see jump in patient census
-Professor pushes Senate for greater insurance coverage for diabetics
-Olympian Douty helps win first place
-Dunnington: Associate dean's departure leaves large shoes to fill
-Etcetera
-Highest ever percentage of USC medical students pass boards
-Morning sickness may signal increased breast cancer risk
-Give me a sign
-ATTORNEY AND USC LIFE TRUSTEE HERBERT HAZELTINE, 85, DIES
-Chair and professor of ophthalmology wins Tabor Award
-Clinical trial set to study effects of oral insulin
-USC to launch Weight Management Program
-History On the Move
-Cafe '84 Upgrade; USC's Carl's Jr. Wins Company Award
-A USC First - Live Webcast of Art Event
-Years of USC Research Capped by 3-Way Sun Observation From Space
-Trustee Henry Salvatori Dies at 96
-Seniority and Loyalty Are Ancient History
-Quick Takes
-COMPUTER MOUSE MEETS MICKEY MOUSE
-Marilyn L. Flynn to Head USC School of Social Work
-Los Angeles Attorney Gives $2 Million to Law School
-Linda Dean Maudlin to Head Alumni Association
-Linda Dean Maudlin to Head Alumni Association
-Lieskovsky Appointed to New Chair
-Jim Russell to Lead USC's Marketplace Productions
-EC2 Welcomes Mixx Entertainment
-Blue-Sky Numbers Cloud Smog-Control Planning 'Severe Inconsistencies' Found in Environment
-'Date-Rape' Drug Study Puts ER Physicians on Alert
-USC in the News
-University Receives Notice of Medicare Billing Audit
-COMMITTEE TO SEEK TOP UNIVERSITY ADMINISTRATOR FOR ADMISSIONS, FINANCIAL AID AND ENROLLMENT
-Progestin Can Stop Hormone Therapy's Uterine Cancer Risk - 10-Day Dose Is Key
-Neil Kaplowitz Named to USC Associates/Thomas H. Brem Chair in Medicine
-NAI Scholars All Smiles on Move-in Day
-L. A. Dentist Gives $1.26 M to Dental School
-A Major Restructuring Streamlines Personnel
-USC Team Lends Its Surgical Expertise to Cuban Doctors
-USC Care Sets Its Sites on the World Wide Web
-Intel Gives $2.8 Million Grant for Computer Equipment
-Fisher to Showcase Two Artists From Spain
-EC 2 Welcomes Adventure Online Gaming and Performigence Corp.
-SECRET LIFE OF THE NOSE
-Brenda Pennell Named General Manager of KUSC-FM
-USC in the Community
-USC's LawNet Catches Accolades
-The Shaping of Things to Come
-Doing Science at the Bottom of the Sea
-Personnel Restructuring
-Class of 2001 enters School of Medicine
-'Breast Health Day' slated for Sept. 20 at USC/Norris
-Etcetera
-HSC Commentary: Have you ever used the internet to find personal health information?
-URBAN TOTS ENCOUNTER NATURE AT HSC CHILD CARE CENTER
-Popular masters degree in nutrition sciences returns
-Biokinesiology program is one of first in U.S. to offer physical therapy doctorate
-Research center to be renamed in honor of esteemed professor
-Ryan resumes full School of Medicine responsibilities
-Telemedicine link to Catalina wows visitors at hospital reopening
-USC Care promotes customer service through new classes
-Neurosurgeon Martin H. Weiss to Hold Endowed Chair Named in His Honor
-A Labor of Friendship
-Two New Vice Provosts Named
-Los Angeles Philanthropic Foundation Gives $1.5 Million to Law School to Establish Chair
-SALVAGING A FINANCIAL AID FIASCO
-Upward Bound Equals Success
-The Powerful Force of a Mother's Influence
-Steeling Architects to Protect the Natural Environment
-USC in the News
-LAC+USC teams up with Army medical unit
-Academic Affairs dean appointed
-USC/Norris is a hit at 'Dodger Night'
-Roger Egeberg, former School of Medicine dean
-Etcetera
-USC IPA stands on solid financial ground, CEO says
-p
-THE DOCTOR IS IN - BEATING THE HOLIDAY BLUES
-USC in the News
-President Sample's letter to the School of Medicine faculty
-Support for School of Medicine research continues to climb
-Morning Sickness May Signal Increased Breast Cancer Risk
-Incoming Students Welcomed at Minority MBA Reception
-Why Thirsty Rats Won't Eat Until They Drink
-Quick Takes
-General Clinical Research Center to Be Renamed at Sept. 24 Open House
-Estate of Entertainer George Burns Gives $1M to School of Theatre
-Doctoral Degree Program Makes Biokinesiology 1 of 3 in Country
-Books in Print
-1993 MEDICAL SCHOOL, PHYSICIAN'S ASSISTANT GRADS CELEBRATE THE END
-A 'Second Reformation' Transforms Christianity
-Academic Senate Installs Officers for 1997-1998
-Lending an Architectural Hand to Louis XIV's Rochefort
-They Came, They Scanned and They Conquered
-University donates surplus classroom space to school for at-risk youths
-Not just a dream anymore
-New class of drug stabilizes Parkinson's
-Etcetera
-Committee starts search for new chair of psychiatry
-School of Medicine prepares for accreditation survey
-DOUGLAS WILL REMAIN DEAN TWO MORE YEARS TO ENSURE 'STABILITY'
-Spicer named assistant dean for clinical studies
-Physician seeks ways to improve surgical training
-Researcher searches for ways to halt tumor growth
-USDA lauds USC program that helps feed the poor
-Reference Center Celebrates Work of Polish Composers
-Quick Takes
-Astronaut Charles F. Bolden Jr. Honored
-Roger Egeberg, Former Dean of School of Medicine and U.S. Official, Dies at 93
-Loker Chemists Patent Drug Synthesis Shortcut
-Ex-Councilman Braude Joins School of Public Admistration
-EARLY ADMISSIONS FIGURES PROMISE HIGHER ENROLLMENT FOR 1993-94
-Starr's California Dreamin'
-Greatly Uniform Balls of Fire
-An Elegant Piece of History Shines Again
-Exploding the Myths About Black Teenage Motherhood
-USC in the News
-Creation of alternative medicine program considered
-Fund established to honor longtime pharmacology professor David Berman
-Breast Health Day
-Cardiothoracic Surgery Department announced
-Nicoloff honored
-CHILD'S PLAY
-Should the American Medical Association endorse selected health products?
-Institutional Review Board strives for efficiency in approving trials
-Honoring 'Mr. 500'
-Good neighbor campaign seeks support of community outreach efforts
-Plastic surgeon runs at hectic pace to help children and adults
-USC Radio's 'The Savvy Traveler' Is a National Hit
-USC's Pied Pipers of Produce Honored on Sept. 15 at National Summit on Food Recovery
-An Essay Contest to Commemorate National Hispanic Heritage Month
-USC's Good Neighbors Partners
-Quick Takes
-BILLER STEPS DOWN AS VICE PRESIDENT FOR UNDERGRADUATE AFFAIRS
-LAC+USC Teams Up With Army Medical Unit
-HSC Researcher Searches for Ways to Halt Tumor Growth
-USC in the Community
-New Lab Links Geography and Technology
-Graphics Realism Realized
-Contributions That Will Make a Difference
-Chemerinsky on Charter Reform: An Academic Approach to Politics
-Preventive medicine professor helps media understand breast cancer
-Carjacker nabs vehicle at HSC, student not hurt
-Etcetera
-ALUMNI RELATIONS VICE PRESIDENT SHARI THORELL LEAVES USC
-Harvard biologist Folkman to discuss his latest research
-D. Edward Frank, M.D., Plaque Dedication
-For MD/PhD students, the path is long, but rewarding
-Student group examines issues in contemporary medicine
-USC/Norris to participate in 'Race for the Cure' at the Rose Bowl
-Surgical volunteers bring smiles to children worldwide
-New research center seeks better treatment for neurological trauma
-University Donates Surplus Classroom Space
-School of Theatre Receives $100,000 from Doolittle Estate
-Class of 2001-USC School of Medicine
-SANTA'S ELVES
-Welcome, Class of 2001
-Two Freshmen Work Their Magic at 'SC
-Howard Lappin Named California Principal of the Year
-A Poetic Alchemist of Words
-Hunches By Design
-USC in the News
-A Very Long Way From the Mississippi Delta, Endesha Ida Mae Holland, Ph.D., Open
-Benefit for children on both sides of the pond
-Holiday cards available from Project Caring Strokes, CHLA
-Campus mourns surgical resident Jeanine Chalabian
-Beth
-No one complains about this creative outlet for medical students
-USC Offers free counseling for employees, their families
-Etcetera
-Poluski family donates $1 million for cancer research professorship
-New procedure may eliminate need for some hysterectomies
-Study recommends new method for tuberculosis control
-Researchers turn the fight against sarcomas into cold war
-New Good Neighbors project connects USC students, local youths at 'Unity House'
-Two-Day Symposium Highlights Annenberg Faculty Grants
-NSF Funds West Coast Earthquake Engineering Research Center
-For the Record
-Engineering Students Find the Formula for a Car
-$153 Million Raised by USC in Fiscal 1996-97
-USC Shares in $2.4-Million Federal Project to Study Reading in Primary Grades
-Streamlined Admissions On-Line, USC-Style
-Research Team Advances Display Technology for Television and Computers
-Providing a Safe Haven for Neighborhood Kids
-International Smiles
-Books in Print
-Sharing the Joys of Reading
-G—recki Visit to USC Ends on a High Note
-The Trojan Debate Squad
-ANNOUNCEMENTS
-Alumnus, wife establish center to study Alzheimer's disease
-Dementia expert named to new neurology chair
-Masters of Disasters
-Etcetera
-The Gene Scene
-What limits, if any, should exist for those trying to get on organ recipient lists?
-Pharmacy students join national 'Operation Immunization'
-Professor's JAMA article urges better depression treatment for elderly
-Top liver experts to speak at HSC symposium on November 15
-Study shows big benefits from OT
-THE DOCTOR IS IN - Hirsutism
-UCS Adds Modems
-Setting the Record Straight
-Anna Bing Arnold Child Care Center Celebrates Its 20th Year of Helping Kids
-Report On Student Conduct
-Political Scientist William W. Lammers Dies at 60
-A Promising Life Is Cut Short
-42 Faculty Receive Grants From Zumberge Fund
-'Mugspot' Can Find a Face in the Crowd
-Taking A Look Inside 'Fortress America'
-Researchers Find Keys for Predicting Aggressive Acts
-TURNING ON TO TEACHING
-Occupational Therapy Helps 'Well Elderly'
-USC in the News
-Friends, family remember Jeanine Chalabian as inspiring, enthusiastic
-USC Care chief testifies for legislature on managed care
-Juvenile diabetes walk slated for Nov. 16 at Griffith Park
-Herbal medicine expert kicks off pharmacy lecture series
-Dean's Scholar Awards
-Trauma training, without the trauma
-NCI awards USC team $10 million
-Study examines non-invasive way to detect cancer of the breast
-MELLON FOUNDATION GRANTS $200,00 FOR UNDERGRAD MINORITY FELLOWSHIPS
-School of Medicine modifies administrative structure
-Student Volunteers take a turn as language teachers
-What's right with Los Angeles? the LAC+USC trauma team
-Comprehensive Commitment
-Invigorating the Ranks
-Cancer on Trial
-Norris News
-Familiar Faces at the Forefront
-Clinical Trials Update
-Registry Established for Familial Colorectal Cancer
-USC ORIENTATION PREPARES 150 YOUTHS FOR NINE WEEKS OF NATIONAL SERVICE EXPERIENCE
-THE SPINE DIVINE
-CHANGES AHEAD FOR CHANGE OF LIFE
-THE RESURRECTION OF TUBERCULOSIS
-PASSION FOR POISON
-SWEAR BY IT
-BUTT OUT
-DEFUSING DIABETES WITH ORAL INSULIN
-BEASTS OF BURDEN
-HEALTHOUGHTS
-STROKE SMART WITH A VIDEO ADVANTAGE
-MUNTZ TO DIRECT $2.7 MILLION STUDY OF ULTRA HIGH SPEED AERODYNAMICS
-MENDING A MISFORTUNE
-NOTES AND NOTABLES
-Leadership Myths That Hinder Businesses
-Henry Kissinger Addresses Bovard Crowd on America's Unique Role in the World
-A Partnership For Dsaster Readiness
-Quick Takes
-New Chip Keeps Going and Going ...
-Mozart's People's Opera Opens Friday, Nov. 7
-Benefits Open Enrollment Begins on Monday, Nov. 3 to Dec. 5
-USC in the Community
-UNIVERSITY TO ISSUE NEW BROCHURE ON SEXUAL HARRASSMENT POLICIES
-USC Gains a Treasured Chinese Collection
-Students of Architecture Construct a Virtual Museum
-Application deadline looms for Burroughs Wellcome Fund candidate nominations
-Hardships are no hinderance to her
-A step in the right direction for diabetes research
-Etcetera
-USC surgeon's pioneering artery graft shows promise
-USC University Hospital to offer help for aching heads
-Safety officers think ink for 'Kid Print' program
-Pharmacy lecture series focuses on herbal medicine, non-traditional therapy
-EXPOSING THE FLAKE IN KELLOGG
-Nursing faculty member receives informatics scholarship
-USC surgeon helps give local girl the gift of a smile
-Phil Soto, one of the first Hispanic California state legislators
-HSC faculty among Zumberge Research and Innovation Fund recipients
-USC Receives Stock and Research Funds in Organic Thin-Film Display Development
-Study Recommends New Method for Tuberculosis Control
-Quick Takes
-McCarrons Establish Center and Chair to Study Alzheimer's Disease
-USC/Norris Awarded $10-Million Grant to Develop Colorectal Cancer Registry
-Team Silver Is All Business
-ART HISTORIAN POLLINI APPOINTED DEAN OF SCHOOL OF FINE ARTS
-Plasma Surf's Up!
-Helena Chui Named to McCarron Chair
-Grant Funds Pacific Council's Study of Region's Global Ties
-Did the 'Circuit Breaker' System Avert a Serious Market Crash?
-How Little-Known Ethnic Lobbies Influence Policy
-Constructing Images of Serial Killers
-USC in the News
-CHLA lecture series features talk on pediatric AIDS
-USC University Hospital forges alliance with California Cardiac
-Andersons give gift to start fund for emergency medicine chair
-USC STUDY FINDS NO LINK BETWEEN FATTY DIET AND BREAST CANCER
-County: 'Cut beds to 600'
-Doheny celebrates its 50th anniversary
-Etcetera
-USC researchers make complicated search for genetic messages simpler
-USC/Norris employees to be honored for their years of service
-New associate director appointed to USC/Norris Cancer Center
-Outstanding students awarded $108,000 in scholarships
-USC/Norris promotes the 'Great American Smokeout'
-Seminar will discuss role of physician in assisted suicides
-Mother's use of vitamins during pregnancy can protect children from cancer
-W. FRENCH ANDERSON
-USC IN THE COMMUNITY
-Students take doctors' oath in White Coat Ceremony
-NCR Donates System to IMSC; Undergraduates Upgrade Its Software
-LAC and USC Center Will Study Acute Head Trauma
-Quick Takes
-Non-Invasive Technique May Reduce Breast Biopsies
-JAMA Article Urges Better Treatment for Depressed Elderly
-From the Inside Out. State-of-the-Art Emergency Surgery
-20+ Questions to Find Gene Layouts
-'X' Marks the Spot
-A Triple Play
-NORRIS CANCER CENTER'S NEW LOGO UNITES RESEARCH, PATIENT CARE ROLES
-Faculty awards ceremony honors outstanding medical instructors
-Robert A. deLemos, nationally known expert on neonatology
-A shoe-in for Diabetes research
-Doheny celebrates half-century of service and care
-Estelle Doheny's loss of sight gave rise to a different kind of vision
-Medical School leadership considers impact of vote on 600 bed facility
-Medical School undergoes site visit for accreditation
-Pharmacology professor emeritus celebrates 45 years at USC
-National conference to mull managed care, sexually transmitted diseases
-Norman Hawes Topping
-LIBRARY OF CONGRESS CATALOG NOW ON LINE FOR E-MAIL USERS
-Quick Takes
-Norman Topping, 'Father of the Modern USC,' Dies at 89
-Next Door, Science Gets a Boost
-Estelle Doheny's Far-Reaching Vision
-Contractor Ronald N. Tutor Gives $10 Million to Establish Engineering Academic Center
-Building on Diversity to Increase Student Interaction
-$25-Million Popovich Hall Will House Graduate Business Programs
-Satisfying Sex Life Possible for Men After Prostate Cancer Surgery, Researchers Find
-USC in the News
-The Doheny Eye Institute at 50
-CAMPUS BOOKSTORE NAMED FOR ALUMNUS JOSEPH PERTUSATI
-Caring by showing the joy of the season with campus neighbors
-USC/Norris Bob Chandler Award
-deLemos Memorial
-Doheny Eye Institute Gala
-Best treatment for ear infections may be none at all
-Etcetera
-Las Floristas celebrate 60 years of philantropy
-Cancer Genetics Unit offers well-planned cancer management
-State Assembly to hold public hearing on healthcare
-USC prominent in American Heart Assn. meeting
-USC HEALTH SCIENCES SCORES TOP MARKS FOR RADIATION HANDLING
-NIH grant program gets phased out
-HSC phones ain't broke, but they are getting prefixed: (442)
-Don't drink and drive - Santa's sleigh is a phone call away
-USC signs up
-Doctors should 'listen more, talk less' in treating patients
-Adopt-a-Family gives holiday help to those who need it most
-Immunologist seeks way to deter cancer growth
-USC study shows cocaine use can more than double cancer risk
-Second Annual IGM Symposium set for Jan. 23
-After three decades of service, professor gets time to relax
-SUMMER IN THE CITY
-USC's marketing and public relations efforts win awards for excellence
-University promotes top-level administrators key to HSC operations
-Professor elected to Serbian Academy of Sciences and Arts
-Longtime cell and neurobiology professor to retire
-New Procedure May Eliminate Need for Some Hysterectomies
-New Area Code, Prefix for HSC Phone Numbers
-Dec. 15 Is the Deadline for Electing Tax Benefit for Parking
-Annenberg Programs Address Ethnic Media, Foreign Policy Role
-Robert A. deLemos, Noted Neonatologist, Dies at 60
-Public Relations Chief Martha Harris Promoted to Vice President
-RESEARCHER SAYS HOME-BREWED RUM IS AT ROOT OF MYSTERIOUS CUBAN EPIDEMIC
-Private Universities Retain Their Luster
-Prenatal Vitamins May Protect Kids From Cancer
-Newport Beach Philanthropist Endows Public Administration Professorship
-NAI Holiday Baskets
-CNTV Bolsters Animation Program With Studio Upgrade and Professorial Appointment
-A Dual Celebration for the Loker Institute's 20th and Nobel Laureate George A. Olah
-USC in the News
-USC in the Community
-Tracking the Student Aid Game
-Jane Pisano Named Senior Vice President
-MR. SANDMAN
-Exhibition Uncovers an Artful Merging of East and West
-New technique shows promise for infertile couples
-Epidemologists convene meeting to probe puzzles of disease
-World's top geneticists to meet at IGM symposium
-Nursing students ply their skills in trek to Thailand
-Holding Court
-For advisory committee, lab space is final frontier
-USC researchers critique breast cancer study in NCI journal
-'Candle in the Wind' lyrics to be auctioned to benefit CHLA
-Ophthalmologist receives $160,000 Career Development Award
-NANCY POLITO
-Educator steps down after three decades of service
-Etcetera
-Holidays bring a special present to Pasadena girl
-Chih-Lin Hsieh delves into the genetic puzzles of prostate cancer
-Chih-Lin Hsieh delves into the genetic puzzles of prostate cancer
-Peter Ko's trips to China focus on improving health care in remote areas
-Peter Ko's trips to China focus on improving health care in remote areas
-Michael Lieber investigates links between DNA and the immune system
-The Presidential Address to Faculty
-Quick Takes
-Poet Carol Muske Wins Fellowship From Library of Congress
-L.A. Confidential Wins 1997 Scripter Award
-QUICK TAKES
-Annenberg Center Aims for New Digital Horizons
-Tele-Cubicles
-Sediment Study Is Good News for Quake-Prone Southern California
-Morris M. Mautner, Personnel Management Expert, Dies at 85
-Metamorphosis
-Labyrinth
-Annual Genetics Symposium Looks to Future
-Jody Armour, USC Law School
-Challenging Assumptions About Welfare
-USC in the News
-LAX: THE LOS ANGELES EXHIBITION
-COMMUNITY SERVICE ACTIVIST BARBARA GARDNER DIES AT 68
-Practitioners say aromatherapy can make medical scents
-Duke Foundation seeks Scientist Award candidates
-LAC+USC Birth Control Clinic continues to advance contraception
-Etcetera
-USC/Norris has new weapon in the fight against ovarian cancer
-Health Sciences Center offers $150,000 in research grants
-Hearing expert stresses need for prevention, education
-Philanthropist Dorothy Leavey
-Medical Students Poll gives administrators student's-eye view of program
-Taylor promotes new ideas and improved programs
-USC LIFELONG-LEARNING EXPERT PENELOPE RICHARDSON DIES AT 51
-USC's Outstanding Community Volunteers
-Quick Takes
-Neurologist Berislav V. Zlokovic Named to Serbian Academy of Sciences and Arts
-USC Marshall School to Honor Pacific Rim Business Leaders
-USC Faculty Key Players on Council on Contemporary Families
-Time Heals Earth's Wounds
-Surgical Team Provides Care in Qinghai Province
-Supercomputing on Demand
-Puzzling Over the Complexities of Language
-Philanthropist Dorothy Leavey Dies at 101
-POPULATION SURVEY EXAMINES 'VALUE' OF A CHILD
-Books in Print
-Barbara Solomon Honored With Rosa Parks Award
-The Planning Behind L.A.'s Suburban Sprawl
-Sociologist Puts the Family at Center of Gender Role Studies
-Standard Treatment for Ear Infections May Be Best
-Quick Takes
-Celebrating the Legacy of Martin Luther King Jr.
-Annenberg School Launches Welfare Watch Web Site
-Understanding the Importance of the Doctor-Patient Communication Link
-School of Medicine Study Shows Cocaine Use Can More Than Double Cancer Risk
-HEALTH SENSE
-Otolaryngologist Is Ready to Bend Ears About Hearing Loss
-An Economist Looks at How We Make Decisions
-'Marketplace' Awarded Prestigious DuPont-Columbia Silver Baton
-Unraveling the Genetic Code of Cancer
-Mastering an Intellectual Lifestyle for Students
-Geographically Speaking, John Wilson Is on the Map
-USC in the News
-Leslie Bernstein urges U.S. lawmakers to study cancer research well before passing laws that could affect it
-Etcetera
-Operation to save Ethiopian boy's sight becomes a life saving feat
-CHILDHOOD'S END
-Internal Medicine Training Program cited for flawless performance
-Nation's top scientists gather at IGM's annual symposium
-Collaboration is key to new program in the neurosciences
-President Sample extols rapid progress at Health Sciences Campus
-Senior Center
-A game of 'Simmons Says'
-Trustees slate next meeting for HSC
-Students paint for community
-Gone Fishing
-Target: Prostate Cancer
-LOS ANGELES FROM 35 ANGLES
-Ganging Up on Prostate Cancer
-Cancer Education
-Predictable Markers
-Norris News
-A lasting Legacy Promises Hope for the Future
-Clinical Trials Update
-A Rose Blooms at The Norris
-Mother Nature's Dark Side
-The Art and Science of Mammography
-Exercising Her Options
-LARGEST GIFTS TO USC BEFORE ANNENBERG
-Healthoughts
-The Joy of Soy
-How to Talk With Your Doc
-Damage Control
-Breathing Space
-Sherwood Omens to Lead American Society of Cinematographers
-Quick Takes
-Parasitologist Walter Edwin Martin Dies at 90
-Nursing Students Apply Their Skills in Thailand
-Healing the Urban Infrastructure
-L.A. PHILHARMONIC CELLIST RONALD LEONARD TO HOLD PIATIGORSKY CHAIR
-Bringing New Notions of Marketing to USC
-Beyond Pavlov
-USC in the Community
-How Early Films Helped Shape Our Beliefs About Class
-Piece O' Cake
-Festive bouquets are hallmark of Cancer Society's 'Daffodil Days'
-Control of University Affiliates IPA transfers to physician members
-Former University Hospital patient begins new life at USC
-Department of Pediatrics adds innovative new division in forensics
-USC/Norris scientists define new role for cell signaling pathway
-USC IN THE NEWS
-Vaughn Sarnes named chair of Cardiothoracic Surgery Dept.
-Study seeks clues to sleep problems in Alzheimer's patients
-HSC to host tribute to 'father of modern USC,' Norman Topping
-Where There's a Wall There's a Way
-Quick Takes
-Looking for the USC Credit Union? Larger Facility Opens in King Hall
-Kirk Douglas Receives Cinema-TV's Steven J. Ross/Time Warner Award
-Human Factors Expert Mark Van Slyke Dies in Auto Accident
-Eye Surgery Spares a Boy's Life
-USC Scientists Team Up With Museum Creators
-NORRIS THEATRE, FISHER GALLERY SERVE AS VENUES FOR L.A. FESTIVAL FILMS, ART SHOW
-Ronald N. Tutor Joins Board of Trustees
-'Quick Wins'- Keys to Better Advising
-Science Center Blooms in Exposition Park Park Gardens
-Keeping Students Too Good to Lose
-USC in the News
-Multitalented statistician showcases his music on new CD
-Hip Op
-Would you take a genetic test to learn your predisposition for serious ilnesses
-KFWB-AM honors three from HSC During Black History Month
-Curriculum committee gives green light for Master's in Public Health degree
-A HORSE OF A DIFFERENT COLOR
-Kraft gives $425,000 boost to Neighborhood Academic Initiative
-USC Care and Will Rogers Fund partner to expand outreach efforts
-CHLA nets $442,000 in auction of song
-CHLA nets $442,000 in auction of song
-International Medicine Club seeks funding for conference trip
-USC radiation oncologists unveil 'virtual patient' software
-Honors convocation to highlight four outstanding academicians
-Ovid replaces library's MedInfo database, expands access and services
-Vaugh Starnes Starnes plots course for new Cardiothoracic Surgery Department
-Film Critic Leonard Maltin Shares His Expertise With Cinema-TV Students
-Books in Print
-What the Mann Gift Means to USC
-DEANGELO NAMED TO STONIER CHAIR IN SCHOOL OF BUSINESS ADMINISTRATION
-From Footnotes to A Feature Film
-LAS scholars examine the legacy of Kandinsky's doomed experiment in interdisciplinary arts - the RAKhN.
-Rev. Thomas Kilgore Jr., Civil Rights Leader, Adviser to Three USC Presidents, Dies
-Researchers Cast Keen Eyes on Angelenos' Economic Recovery
-A Tribute to Norman Topping
-A $100 Million Boost for Biomedical Research
-Quick Takes
-Public Administration Assembles Experts to Discuss the Future of Managed Care
-William C. Allen Joins Board of Trustees
-Steven B. Sample Elected to NAE
-Blair appointed to head HSC's public relations, marketing
-Southern California's Black Women Are Recovery's Secret Success Story
-Scientific Team Pushes the Nanotechnology Frontier
-Religious Groups Step In to Mend a Torn Safety Net
-Mouse Study Finds Cleft Palate Is Caused by a Genetic 'Short Circuit'
-Hardships Are No Hindrance to This Nursing Student
-Atlas 2 — A Post-Recession Look at Southern California
-USC in the News
-Etcetera
-New institute promotes innovative links between medicine and engineering
-VETERAN TECH DIRECTOR ROBERT SCALES NAMED NEW DEAN OF THEATRE
-Occupational Therapy earns top spot in national rankings
-Telemedicine program boosts first-ever billable MediCal procedure
-The Rev. Thomas Kilgore Jr.
-Sharing a Valuable Los Angeles Resource
-Robert G. Lane, General Counsel, Dies at 66
-Changes Will Make USC Travel Easier, Less Costly
-'Virtual Patient' Software Unveiled
-USC in the Community
-A Website to Help Teachers Talk Up a Storm
-Picturing the Good Life
-STUDY LOOKS AT ECONOMICS, ATTITUDES TOWARD HAVING CHILDREN IN CHINA
-Otolaryngologist specializes in quelling the allergies coming atchoo
-Renowned health columnist to speak at USC on March 30
-Fashion show raises $30,000 for breast cancer research at USC/Norris
-Medical ethics group to honor three top physicians with 'Genesis Awards'
-Robert G. Lane, corporate and antitrust expert, USC general counsel
-Caltech and USC announce joint M.D./Ph.D program
-USC/Norris University Hospital Pathology labs pass certification
-Cancer fighting role for soybeans suggested
-School of Medicine taskforce offers document on governance for the school
-ARCS anniversary celebration
-ANNENBERG FOUNDATION GIVES USC $120 M
-HSC unit of Department of Public Safety wins
-FEC postpones vote on governance document adoption
-USC University Hospital Guild's gala to benefit new Surgical Skills Center
-Expert seeks simple messages to promote public health
-School of Medicine committee mulls development of junior faculty
-Better way to detect ovarian cancers found
-Parkinson's: two new studies to probe cause and treatment
-William Ashton Harris Jr. Dies
-USC's Hillel Receives Elie Wiesel Arts Award
-Suzanne Nora Johnson Joins Board of Trustees
-SHERRIE RAY
-Quick Takes
-Is it News? Or is it Entertainment? Or Both?
-Building a Better Bridge - One Popsicle Stick at a Time
-1998 Engineering Honors to Be Presented on March 20
-Teaching Assistant of the Year: A Budding Writer With a Passion for Pedagogy
-Staff Achievement Award Honors a Quiet Leader in Community Relations
-OT Program Tops Rankings of Graduate Schools
-Network Snafus Are Being Solved, Upgrades Will Address Future Needs
-Veteran Administrator Wins Top Honor
-The Catalina Semester - in Context and Intense
-HEALTH SENSE - Hardening of the Arteries
-Recasting the Figueroa Corridor
-IMSC Juices Up High School Biology With BioSIGHT
-Honoring Academe's Finest
-USC in the News
-Doctors Without Borders seeks help for humanitarian mission
-USC's IPR assists China in new smoking prevention efforts
-High-tech ear implants offer new hope to profoundly deaf
-Etcetera
-Flower Power
-Pioneering Neurosurgeon explores technological frontier of brain surgery
-MEET THE DEPUTIES
-Nursing shortage bolsters high demand for USC nursing students
-Poster Day projects range from studies of hepatitis to review of 109 knee
-Quick Takes
-Ovid Replaces HSC Library's MedInfo Database, Offers Expanded Access and Service
-KUSC-New Faces, Program Changes, Successful Fund Drive
-Budding Architects at the Fisher Gallery
-Vaughn Starnes Plots Course for New Cardiothoracic Surgery Department
-USC/Norris Scientists Shed Light on Anti-Cancer Effects of Soy
-The Profile's Out on the Freshman Class
-Seventeen Faculty Receive SC2 Grants
-QUICK TAKES
-Obsolete Methods Lead to Missed Discoveries
-Neighborhood Outreach Nets a 19 Percent Increase in 1997 Good Neighbors Campaign
-Marshall Undergrads Place Second in Case Competition
-Doing Business on the Electronic Frontier
-Breaking Ground in the History Department
-Alumnus Lloyd Greif's $5 Million Gift Establishes Center at the Marshall School
-School of Medicine gets full accreditation from LCME
-The envelope please: Medical students tear into news of residency matches
-Pharmacy students host health fair for middle school children
-School of Medicine task force proposes system to support clinical education, research, patient care
-THIS WEEK & NEXT
-IN PRINT
-Vegetable vaccines on the horizon: USC's IGM and biotech partner to find cures
-Saluting the University's Finest at the 1998 Convocation
-Quick Takes
-And the Winners Are...
-Andrus Center to Offer First Graduate Gerontology Program on the Internet
-1997 Scripter Award Winner L.A. Confidential Honored at Doheny Gala
-Wuhan, China, Seeks Help for Anti-Smoking Campaign
-Nation's First Law School CIO Post Endowed
-Implants Offer New Hope to Deaf
-Finding a Better Way to Detect Ovarian Cancers
-MARCHING TO A NEW BEAT
-The 1998 Honors Convocation Speech
-Spring Fling With a Purpose
-Setting the Stage for Economic Vitality
-Scholarship and Passion Combined
-A Musical Romance Without Any Angst
-USC in the News
-Bloodless surgery success
-What criteria do you use in choosing a physician?
-County extends CPSA agreement with the medical school for one year
-Professor's career focuses on unravelling secrets of infectious diseases
-CONTEMPORARY ART FROM AN ANCIENT LAND THE FISHER GALLERY HOSTS AN EXHIBIT OF ISRAELI ART
-Governance document goes up for vote
-Etcetera
-Work on OLEDs Earns USC Chemist and Princeton Collaborators a Distinguished Invention
-Wallis Annenberg Wins 'People Helping People' Award
-Quick Takes
-Fudan University's Xide Xie Visits Campus as a Provost's Distinguished Visitor
-A Reminder About the Upcoming Area Code Split
-Vegetable Vaccines Are on the Horizon
-School of Medicine Receives Full Accreditation From LCME
-Nexis-Lexis 'Lite' Comes to a Computer Screen Near You
-The rewards of EEXCEL-lence
-Donations From Alumni, Friends Pay for $8.5 Million Renovation of School of Dentistry Facilities
-USC in the Community
-Greeks Making Strides Toward Academic Success
-A Neuro Navigator Sets Sail
-A Look at Mexico's Rising Architectural Star Emerging Architectural Star
-Tracking the Boom in New Korean American Churches
-USC physician's innovation in angioplasty may greatly boost success rate
-HSC Commentary: What life-style changes have you made for your health?
-LAC+USC treats firefighters injured in helicopter crash
-Etcetera
-LIBRARY SYSTEM INTRODUCES TWO-DAY INTERLIBRARY LOANS
-Local students go ape for USC primatologist Jane Goodall
-Researcher seeks genetic codes that promote hormone-related cancers
-Meeting their Match
-NCI study shows tamoxifen's power to prevent cancer
-Student Wins Top Community Service Award
-Quick Takes
-It's Time to Sign Up for Christmas in April
-Interdepartmental Team Negotiates CPSA Extension With L.A. Supervisors
-Ides of March Dinner April 15
-Annenberg's Selden Ring Award Goes to Baltimore Sun Reporters
-ACCOUNTING SCHOOL RANKED NATIONALLY AMONG TOP FIVE
-'Teaching and Technology @ USC' Conference Showcases New Instructional Tools
-Medical Sleuth Tracks Undiagnosed Allergies
-Keeping a Close Eye on the Nation's Blood Supply
-When Nurture Makes Murder a Mystery, Nature May Offer Clues
-Trojan Visionaries
-Students Give USC Mostly Good Grades
-USC in the News
-Bright light may offer potential treatment for Alzheimer's-related sleep problems
-Bravo student meets challenges at USC and beyond
-Cookies for a cause
-ADMISSIONS DATA PROMISE BIGGER, BRIGHTER 1993-94 FRESHMAN CLASS
-Gattaca: seperating fact from fiction and right from wrong
-MFA decides not to decide on medical school governance document
-NCI breast cancer study shows drug has dramatic preventive power
-Alumnus endows $1 million School of Medicine scholarship fund
-USC team develops $6.4 million plan for upgrading Uruguay's health system
-Rabbi Alfred Wolf Honored for Lifetime of Service
-Primatologist Jane Goodall Talks to Local Kids at L.A. Zoo
-Leavey Foundation Gives Law School $3 Million
-Bill Cosby, Entertainer and Educator, to Deliver Commencement Address
-An Artful Celebration of Ruth Weisberg
-$7 MILLION GIFT BOOSTS GENE THERAPY, CANCER RESEARCH AT HSC
-USC-NIMH Study Links Childhood Sexual Abuse, Teen Pregnancy
-NCI Study Shows Tamoxifen's Power to Prevent Cancer
-Innovative Technique Boosts Success Rate for Angioplasties
-Books in Print
-When Adults Abuse a Child's Fragile Trust
-Student Singers Tackle Challenging Opera
-ISI to Roll Out Internet2
-Degree Navigator Helps Students Set Their Courses
-Student Physician Assistant society named 'outstanding' for fifth year
-Department of Defense offers $111 million for breast cancer research
-PATRICIA TOBEY
-Student groups urge campus to spur greater divesity
-Fun in the Sun
-Whoopi Goldberg to host Revlon's 'Run/Walk' cancer program benefit
-School of Medicine's governance document heads for new votes
-Are you concerned about prescription drug interaction? What can be done?
-HSC launches rape prevention and defense classes
-HSC faculty member named outstanding new teacher of the year by American PT Assn.
-HSC volunteers give local youths science lessons to SMILE about
-A Killer Tan
-No Laughing matter
-USC PSYCHOLOGIST, EDUCATOR HERMAN HARVEY DIES AT 74
-Blood Saver
-Infusion of Hope
-Healthoughts
-Hearing Technology
-The Virtual Patient
-Pathologist seeks causes of Alzheimers disease
-More than 1,000 expected for free Campaign Against Cancer event
-$3.5 million gift to USC/Norris may help fund up to six new chairs
-Community forum seeks practical solutions to stem violence
-FEC passes governance document
-LAX AT USC: FISHER GALLERY JOINS COUNTYWIDE ART COLLABORATION
-GARMIRE'S LASERS ZAP GRAFFITI CLEAN
-Which will have the biggest impact on health care in the next 10 years: the aging population, health care costs, health care access or molecular research?
-Medicare to pay for PET scan cancer screenings
-Tenet names Ted Schreck CEO of USCUH and USC/Norris
-New and improved-USC/Norris unveils renovated Web site
-Mann of the Hour
-Bringing Science to Life
-Visiting Science
-Visit Exposition Park
-Four Lives
-Foshay Learning Center
-USC CREATES FIRST REGIONAL GIFT SHOP IN ORANGE COUNTY
-Howard Lappin’s Vision
-Food for Thought
-USC Team Develops $6.4 Million Plan to Upgrade Uruguay's Health SystemUSC Team
-Three Faculty Receive Guggenheim Fellowship Awards
-Mentoring Budding Scholars
-Korean Heritage Library Receives Video Bonanza
-Honoring USC's Scholars
-Event Raises $425,000 for Scholarships for Public Administration Grad Students
-Commencement Highlights
-Chinese, Japanese and Spanish Text Available at USC's Marshall School Website
-NATIONAL SERVICE WITH LOCAL RESULTS
-Burrill Estate Donates $1M for Medical Scholarships
-A Very Poetic L.A. Event
-Area Code Split That Affects HSC Begins June 13
-William H. Cosby Jr., 115th Commencement Speaker
-Visor That Treats Jet Lag May Help Ease Sleep Problems in Patients With Alzheime
-University Park Programs
-Running Toward a Goal
-Quick Takes
-A Salute to the Class of 1998
-A Milestone Neighborhood Event
-CHEMISTS DEVISE NEW, CHEAPER WAY TO PURIFY 'BUCKMINSTERFULLERENE'
-1998 Valedictorian, Heather Zachary
-Respecting the University's Undergraduates
-Small and Welch
-HONORARY DEGREES
-USC in the News
-USC in the News
-USC in the News
-USC in the News
-USC in the News
-USC in the News
-HEALTH PLAN OFFERS MORE COVERAGE FOR NO EXTRA COST
-USC in the News
-USC in the News
-USC in the News
-USC in the News
-Devastating accident hasn't derailed plans for medical school
-USC researchers among those investigating angiogenesis
-School of Medicine fetes prospective students during "Cuatro de Mayo"
-Dollars for scholars program helps local students attend USC
-School of Medicine governance document sails forward
-Local and national media seek explanation from USC
-SHAPING GLOBAL CITIZENS
-USC physician forsees a 'medical utopia' in the next millennium
-Triumphs in the Making
-Novel approach to cancer research paid big dividends
-First ever PA class joins White Coat ceremony
-Doheny opens Riverside site
-USC professor named editor of national ob/gyn journal
-Glad grads celebrate
-USC researchers to present results and share views at national cancer meeting
-USC/Norris celebrates two anniversaries with lunchtime reception on May 21
-Pasarow awards honor three outstanding researchers
-REMODELED BOOKSTORE TO OFFER NEW SERVICES, STIMULATE CAMPUS NIGHTLIFE
-Teaching the teachers: Medical Education Division kicks off workshop series
-Physical Therapy students help raise $3,000 for wheelchair athletes
-Thurgood Marshall Award
-Flying High With a First-Place Finish
-A WWW USC Commencement Event
-A Sampling of Satellite Speakers
-A Lively Symposium Honors a Master of Robotics
-$3.5 Million Gift to USC/Norris to Establish Six Endowed Chairs
-High-Tech Tools for Low-Tech Transportation: Systems Analysis Gives Bus Service
-Heather Zachary, 1998 Valedictorian
-GRANT OFFERS CHANCE TO COORDINATE FAMILY SERVICES IN INNER CITY
-Engineers Trade Old Careers for New - 27 Earn Master's Degrees
-USC in the Community
-Strengthening the Bond Between USC and Hebrew Union College
-Physician Foresees a 'Medical Utopia'
-Annenberg School's On-line Journal Steps Up to the Electronic Plate
-With Good Humor and Wisdom, USC's 115th Commencement Speaker, Bill Cosby, Delver
-Good Neighbors Campaign Funds 14 Community Partnerships
-A Joyous Day of Academic Celebration - USC's 115th Commencement, May 8, 1998
-The 'Right' Way to Downsize a Business
-High-Tech Teaching
-ENGLISH FACULTY'S IDE NAMED INTERIM DEAN OF HUMANITIES
-Charles Noel Waddell, Nuclear Physicist, Dies at 75
-Art Historian Delivers Getty Lecture
-An Education in Problem-Based Learning
-Study Urges Changes in Postdoc Training
-Motion Picture Producer Ray Stark Funds New Chair for School of Cinema-Television
-On the Road to Malaysia
-Many Who Work Lack a Medical Safety Net
-Inner-City Students Get an Academic Lift
-Credit Union a 'One-Stop Shop' for Students Now
-Accident Hasn't Derailed Student's Med School Plan
-QUICK TAKES
-USC in the News
-HSC agencies recognized for promoting campus
-HSC Organizers spearhead effort to bring health books to China
-CHLA Pediatrician honored as a 'Treasure of Los Angeles'
-School of Medicine celebrates its 113th graduating class
-Guilds' members play vital role in hospitals' success
-Cardinal Mahony announces diagnosis of cancer
-USC/Norris celebrates two anniversaries
-Program promotes reading as a healthful habit for kids
-USC physician helps develop tuberculosis education program
-GRANT OFFERS CHANCE TO COORDINATE FAMILY SERVICES IN INNER CITY
-KAREN MURPHY
-Beckman Young investigators program offers grants up to $200,000
-Katherine B. Loker Gives $17 Million
-Smart Filter Promises Wide Applications
-Edward Schreck Appointed CEO of University Hospital and USC/Norris Center
-Robert A. Naslund, Pioneer in Curriculum Theory and Assessment, Dies at 84
-QUICK TAKES
-Gala Event at the Gamble House Announces New Endowment Fund
-Down-to-Earth Football Star Tackles Some Unfinished Business
-Making the Case for a Truly Equitable Justice System
-School of Medicine Celebrates Its 113th Graduating Class
-USC IN THE COMMUNITY
-A Poetic Undergraduate Wins a Prestigious Prize
-In Defense of Profit-Sharing Hollywood Contracts
-Looking at Solutions to Violence
-Annenberg School’s Broadcast Journalism Program Goes Digital
-USC Gets TB Education Grant
-Scientists Find a Toxic Form of Protein in the Brains of Alzheimer’s Disease Patients
-New Facsimile Brings Oldest Hebrew Bible to Light
-Building on Excellence Drive's New Goal: $1.5 Billion by 2000
-USC IN THE NEWS
-USC IN THE COMMUNITY
-POST-DOCS ON THE DOCKET
-BOOKS IN PRINT
-Eighty-six the (213)-new area code is (323) for HSC
-Birds of a feather park together
-USC researchers unveil innovative strategies to fight cancer
-Etcetera
-Festival of Life recalls triumphs of the spirit
-University vice president Denny Hammond celebrates four decades of service
-Molecular marker offers insight into prostate cancer progression
-Ob/Gyn Chair Daniel Mishell receives prestigious service award
-Revisiting Vietnam, plastic surgeon finds he's made a difference
-QUICK TAKES
-USC researchers patent treatment that fights AIDS-related brain damage
-USC researchers get $1 million to seek causes of heart defects
-USC diabetes expert makes managing the disease child's play
-Etcetera
-USC hosts genetics conference for Los Angeles Jewish community
-A golden opportunity
-Helen Hislop, chair of Physical Therapy, retires after 30 years of service
-Prostate cancer screenings a big success
-Medical students get the point: Practice with hypodermic needles, nasal tubes prepare them for patients
-Wayward traffic signal on Alcazar reset to eliminate massive congestion
-USC NETS CHERYL MILLER
-Epidemologist builds treasure trove of data linking diet, cancers
-USC geneticist wins national karate championship
-Conquering cancer, one mile at a time
-CHLA resident recounts her experiences in AWoman's Path
-Molecular test may reveal likelihood of cancer relapse
-Medical dummy is one smart teaching tool
-Fund for biological scientists offers grants of up to $574,000
-Gene therapy to combat genetic immune disease shows mixed results
-Physician assistant program honors 55 graduates
-Tackling Prostate Health While Talking Football
-USC IN THE NEWS
-Physical therapy instructor wins prestigious scholarship award
-Purchasing department relocates to UPC during office renovation
-U.S. News ranks USC-affiliated hospitals among best in the nation
-Web site provides one-shop stop for grants information
-The March on Washington
-In Defiance of Breast Cancer
-Prescription for Prevention
-Tumors Under Siege
-Take This Job and Love It
-Landmark Gift Establishes Harold E. and Henrietta C. Lee Breast Center
-CRIMINALITY MAY BE A PSYCHOLOGICAL DISORDER WITH BIOLOGICAL, SOCIAL ROOTS
-Norris News
-25/15 in 1998
-Clinical Trials Update
-Speeding Toward Cancer Containment
-Joy in Trojanville
-The Art of Craft: A Visit With Randell L. Makinson
-Rebirth of A Landmark: The Robert R. Blacker House
-Norwood Reads!
-Norwood Reads: A Gift For Life
-1998 Football Preview
-BONITA MATTHEWS
-True Trojan Believer
-A Star Coach is Born
-When faith demands 'bloodless' surgery, USC delivers
-CHLA and China formalize pediatric medicine collaboration
-CHLA throws its doors wide open on the World Wide Web
-Etcetera
-Foundation awards $350,000 to young USC researchers
-USC/Norris receives $5 million gift for Breast Center
-Finasteride does not prevent prostate cancer, USC study finds
-Rare honor awarded to researcher-twice
-Quick Takes
-Ophthalmologist receives international honor
-USC takes aim at 'Year 2000 Bug'
-CHLA's reputation lands it on magazine's 'Best Hospitals' list
-USC hosts conference on the future of Medicare
-Researchers find diabetes risk with some birth control pills
-HSC fetes Faculty Center's anniversary
-Massry prize goes to molecular genetics experts
-Cancer researcher seeks ways to speed transformation of medical discoveries into cures
-USC selected as federal research site for children's health
-Researcher asks why smog chokes some kids, spares others
-SYMPHONIC CHOPS
-Veteran veterinarian joins USC as new director of Animal Resources
-A Tsunami Wreaks Havoc
-Public Administration, Urban Planning Combine Forces
-Steven B. Sample to Lead APRU for Second Term
-Bill Allen to Lead USCAA
-Leo Buscaglia, Educator and Author, Dies at 74
-Los Angeles Attorney Gives $1.8 Million to USC Law School
-Epidemiologist’s Database: A Gold Mine of Info
-West Meets East to Learn About Culture
-Quick Takes
-TRAIN TIME
-INVENTOR OF 'SLIP METHOD' ENDOWS PRODUCTIVITY CHAIR
-USC’s Front Door to the Internet Gets a Lively New Design
-USC/Norris Hosts Genetics Conference for Los Angeles Jewish Community
-USC IN THE NEWS
-George A. Olah Elected to Royal Society
-Library System Moves Toward a More Streamlined and Digitized Future
-USC to Serve as Federal Research Site for Children’s Health
-Bekey, Minton, Named Fellows of AAAI
-Irvine Foundation Grant Bolsters USC Think Tank
-USC/Norris Receives $5 Million; Gift Establishes Harold E. and Henrietta C. Lee Breast Center
-Accolades for CSP staff members
-BUSINESS SCHOOL NAMES SIEGEL TO C.C. CRAWFORD PROFESSORSHIP
-L.A. Cancer Surveillance Program Turns 25
-USC to House Archives of Behavior Therapy Pioneer
-USC and Stanford Among 5 Schools Chosen as Models to Improve University HIV/AIDS Intervention Programs
-A Collaboration Between Art and Medicine
-An Artist’s Passion for Life
-Researchers Ask Why Smog Harms Some Kids, Spares Others
-Quick Takes
-Researcher Receives Rare Honor — a Second Time
-USC IN THE NEWS
-USC IN THE COMMUNITY
-INSPECTOR GENERALISTS IMPROVE SAFETY PROGRAM'S EFFICIENCY
-Etcetera
-Faculty Center celebrates anniversary with blast from the past: 1978 prices
-School of Medicine faculty approve Governance Document
-American Pshychiatric Association honors USC professor for advocacy on behalf of mentally ill
-Is there a doctor in the house?
-Nurse practitioner wins $104,000 grant to combat teen smoking
-Pediatrician honored for work to help abused women and children
-School of Pharmacy gets $300,000 for renovation
-Ph.D students seek new knowledge, tangible returns in field of medicine
-Red Ribbon Day
-LIFE SUPPORT TRAINING CENTER PREPS STUDENTS, FACULTY FOR EMERGENCIES
-Anatomical Clue to Origin of Speech Located
-New Center to Explore Legal Issues in Communication
-William R. Faith to Head Emeriti College
-Diabetes Expert Makes Managing the Disease Child’s Play
-Building for the Future
-The University’s Works in Progress
-Founding Fathers Sprouted Roots of Old Boy Network
-USC IN THE NEWS
-BOOKS IN PRINT
-Computer system for translating languages wins $1.5 million grant
-Advanced surgical techniques offer patient a new lease on life
-Ceremony honors top teachers, new class of doctors-to-be
-USC physician's life-saving act foretold long ago
-An artist's fusion of science and art unveiled at IGM
-Grants available for novel cancer research projects
-Etcetera
-For cancer caregivers, the job can be heart-wrenching, but also rewarding
-Urban Education Gets a $20 Million Boost
-The Rossiers’ Commitment to Education Is Unparalleled
-Classics Scholar Greg Thalmann Leads Faculty Senate
-ECONOMIST, SOCIAL SCIENTIST TIMUR KURAN TO HOLD KING FAISAL CHAIR IN ISLAMIC THOUGHT AND CULTURE
-Pediatrician Honored for Work in Helping Abused Women, Children
-Using Orchids and DNA, USC Assists California’s Science Teachers
-Watching Practice Makes a Perfect Day
-USC Cellists Hone Their Skills With a Master
-Quick Takes
-FOR THE RECORD
-BOOKS IN PRINT
-USC sponsors symposium on 'successful aging'
-SOMweb version 2.0
-Rachel's Daughters
-CONGRESS' BUDGET RECONCILIATION SPELLS RELIEF FOR HIGHER EDUCATION
-Innovative surgery gives young girl a life more ordinary
-Internet2 meeting to get an eyeful of USC technology
-IGM hosts medicine-themed art exhibit
-Researchers hope there's not a dry eye in the house
-Etcetera
-Dean calls on faculty to help draft new plan
-NIH committee debates future of in utero gene therapy
-Advanced Surgical Techniques Offer Patient a New Lease on Life
-Fulfilling Multimedia Dreams
-Y2K? How to Survive After December 31, 1999
-HSC HOSTS FREE PROSTRATE CANCER SCREENING CLINICS
-As Part of a Delegation in Moscow, a USC Physician Is in Place to Save a Life
-Quick Takes
-Working on Stan, a Very Simulating Patient
-Marshall School Study Finds 1 in 6 Small Businesses May Opt to Leave S. California
-Success Magazine Names USC’s Lloyd Greif Center Nation’s Top B-School Program in Entrepreneurship
-Volumes of S. American History Enrich USC Libraries
-FOR THE RECORD
-USC IN THE NEWS
-Eye Spy sees USC everywhere
-School of Medicine launches strategic plan update; report due in November
-SOLOMON APPOINTED INTERIM VICE PROVOST FOR MINORITY AFFAIRS
-USC gets $6 million for Latino eye study
-USC/Norris nets lion's share of state breast cancer funds
-Pioneer Cardiologist Joel Heger makes the move to USC
-Etcetera
-USC/Norris Auxiliary efforts recognized
-USC Establishes Institute for Study of Jews in American Life
-USC Scientist Proposes a First — Gene Therapy In Utero
-Morton Owen Schapiro Appointed VP for Planning
-A Musical Coup — Thelonious Monk Jazz Institute Heads to USC
-Molecular Marker May Help Identify Bladder Cancer Patients Who Are Likely to Relapse
-USC IN THE COMMUNITY
-A Small Pouch Makes a Big Difference in the Life of One Little Girl
-Rossier School: 90 Years of Education Innovation
-Highlights in 90-Year History of USC’s Rossier School of Education
-DigitalXpress, USC Forge Partnership
-A Creek Runs Through It
-USC IN THE COMMUNITY
-School of Medicine strategic plan review gains momentum
-HSC's 'Good Neighbors' contributions pay off for local children
-New treatment enables body to perform its own heart bypass
-Etcetera
-ALL IN A DAY'S WORK
-EDITOR'S NOTE
-HSC community sees the benefits from having 'Good Neighbors'
-CHLA's child care program called one of the best in the nation
-USC researchers help media better understand breast cancer
-Breast Health Day '98'focuses on hope and healing
-OT students go ape over famed primatologist
-1998 Good Neighbors Campaign Aims High
-Class of 2002 Is Strong
-NSF Grant Funds Study of Urban Sustainability
-Prestigious Jazz Institute to Make Its Home at USC; Vice President Gore Hosts Group
-The Future: Not a Dry Eye in the House
-DRIVE-IN DENTISTRY
-International Student Numbers Are Up
-Students, Check Out Your Portfolio
-1997 — 1998 USC-Community Partnerships
-School of Theatre Co-Hosts International Symposium
-KUSC-FM Sets a Lofty Goal, Then Exceeds It
-A New Class of Doctors-to-Be
-Quick Takes
-FOR THE RECORD
-USC IN THE NEWS
-Good Neighbors Brings ‘S’mores Experience’ to Kids
-PHYSICIAN HUMANISTS
-Latino Eye Study Gets $6 Million Grant
-Fred W. O’Green, Life Trustee, Former Litton CEO, Dies at 77
-Marshall School Cracks Business Week’s Top 25
-QUICK TAKES
-Some Fine Art in Very Public Places
-Architecture Students Set Their Hopes Afloat in Marina del Rey
-HSC’s Nurses Share Valuable Know-How
-International Relations Shares in Grant to Establish EU Center
-USC/Norris Nets Lion’s Share of State Breast Cancer Funds
-USC Alums Cross Swords With Zorro in Hong Kong
-BELL LABS PHOTONICS EXPERT ANTHONY LEVI JOINS SCHOOL OF ENGINEERING
-New USC Chef Is Adding Spice to Campus Menus
-BOOKS IN PRINT
-Transportation Services moves office to a new location
-Division of plastic and reconstructive surgery offers service with a smile
-Being Good Neighbors
-USC Norris hosts forum on cancer in 'New Millenium'
-USC surgeons perform liver transplant to save infant's life
-Medical student strives to turn a traumatic accident into an asset
-USC gene therapy spurs national debate on ethics
-Bad Boys, Bad Boys, Whatcha Gonna Do?
-THE REBIRTH OF POP'S PLACE
-Breast cancer experts and survivors to gather for USC/Norris 'Breast Health Day'
-FOR THE RECORD
-Asian Libraries Get a New Home With a Past
-Neighborhood Outreach Gets Kids Excited About Science
-Jon Postel, Internet Pioneer, Dies at 55
-Raymond Malvani, Humane Scholar, Dies at 72
-QUICK TAKES
-A Shoe-Leather Reporter Looks at Today’s Media
-Celebrating a Face-Lift for Exposition Park and University Park
-USC Jazzed It Up at the Watts Festival
-NCAA RULES EVERY TROJAN FAN SHOULD KNOW
-Appreciating Staff and Trojan Family on Game Day
-USC IN THE NEWS
-Researcher teases out secrets from surprisingly 'intelligent' viruses
-Strategic planning for School of Medicine in data-gathering phase
-USC researchers help formulate guidelines for treatment of ear infections, blood clots
-Reach out and Read L.A. seeks books for children
-Las Floristas Headress Ball raises $295,000 for clinic
-LAC+USC celebrates program's success in maternal-child HIV management
-Leading L.A.-area cardiologist joins USC
-Grants available to infectious disease researchers
-MORE FINE-TUNING FOR CAMPUS EMERGENCY NOTIFICATION SYSTEM
-Don't let a virus flu you over-get vaccinated
-Medical research fellowships available
-Etcetera
-Caregivers
-New cardiothoracic specialists join pioneering department
-Breast Health Day '98
-New title is one of many for new dean of medical admissions
-A Clearer View
-Defending Against Cancer's Spread
-Good News For GI Cancer Patients
-JESS HILL, LEGENDARY TROJAN PLAYER, COACH, ATHLETIC DIRECTOR, DIES AT 86
-Silver Lining
-Targets for Therapy
-Conquering Cancer in the New Millennium
-Inside The Toolbox
-WHICH CAME FIRST: THE CHICKEN OR THE CANCER VIRUS?
-The New Face Of Plastic Surgery
-HEART ON FIRE
-Painfully Clear
-Hope Chest
-Street Wise
-UC SANTA CRUZ¹S JOSEPH ALLEN NAMED TO JOINT POST IN ADMISSIONS, ENROLLMENT
-Healthoughts
-TEACHING TOLERANCE
-Ojo!
-Go for the Golden Years
-The Disease that cries Wolf
-A failproof method
-Brainstorm
-Neuronavigator
-Healthoughts
-Advancing Technology for Breast Cancer Detection
-LIFE SKETCH - Sherry Banks
-Good Sports
-There's a New School in Town
-Excellence In Urban Education
-Barbara and Roger Rossier Commitment to Education
-A Focus on Urban Education
-Dean Guilbert Hentschke Talking Out Of School
-The Collector: The Legacy of Elizabeth Holmes Fisher
-Robert LIpsett: Apothesis of the Violin
-The Lipsett Protoges
-An Election News Milestone Turns 50
-p
-FOR THE RECORD
-Strategic Planning
-A New Wellness Feature HighlightsUSC’s 1999 Employee Benefits Package
-Kids, a Maestro and a Couple of Musical Mice Meet for Mozart in the Park
-Richard H. Lawrence, Former Trustee, Dies
-Webcast Memorial Nov. 5 for Internet Pioneer Jon Postel
-Add an Extra Place Setting at Your Thanksgiving Table
-Cultivating the Entrepreneurial Spirit in the Community
-Having Your Digital Cake and Eating It, Too
-Reforming Schools: Setting Higher Standards for Students
-A Pioneering Cardiologist Makes the Move to USC
-The President’s Distinguished Lecture Series: Sen. George J. Mitchell, Negotiator of Peace
-Memorandum: Invitation to Meet the 1994 Zumberge Fellows
-USC IN THE COMMUNITY
-Passion for high-stakes medicine pervades LAC+USC trauma team
-Top nursing students to be inducted into honor society
-International conference on neurosurgery taps USC professor as principal speaker
-Etcetera
-No lie: Honest Herbal author to speak at HSC
-USC conference hosts nation's top environmental health experts
-USC/Norris forum recounts major milestones in cancer fight
-USC's physical therapy experts in high demand in Brazil
-USC fertility expert's book explores the path of post-menopausal pregnancy
-QUICK TAKES
-Collaborating on Better Teaching
-Family Man Wins Gerontology’s Triple Crown
-Gump Director Funds CNTV Digital Arts Facility
-School of Cinema-Television Appoints Entrepreneur Mark Pesce Director of Interactive Media Program
-QUICK TAKES
-Collaborative Learning 101
-Annenberg Hosts a Pioneer, a Forum and Women of Courage
-A Dramatic Look at the Price of Bigotry
-USC to Honor Software Manufacturer Pamela Lopker as Entrepreneur of the Year
-Medical Student Strives to Turn Traumatic Event Into an Asset
-DAPKUS NAMED TO WILLIAM M. KECK CHAIR IN ENGINEERING
-Symposium Honors Distinguished Professor
-USC IN THE NEWS
-USC joins Great American Smokeout
-Where there's smoke, there's dire risk of heart and artery problems
-USC researcher finds ways to quell mutant bullies
-Funds available for liver disease pilot studies
-Local humanitarian group seeks aid for victims of devastating Hurricane Mitch
-Hormones, vitamins may lower levels of potentially damaging amino acid
-USC faculty play an integral role in groundbreaking, gay-focused medical group
-Etcetera
-FACULTY GIVE RESIDENTIAL LIFE THE OLD COLLEGE TRY
-Enzyme may play a significant role in Alzheimer's disease
-'Doctors of USC' marketing campaign wins national recognition
-Benefits changes bring new options for staff and faculty
-SEH-3: The Hitchhiker in Discovery’s Baggage Compartment
-New Smiles in Morocco
-Martin L. Levine, Vice Provost for Faculty, Minority Affairs
-USC Physician a Volunteerin Honduran Relief Efforts
-Playwright Edward Albee Shares His Talents and Tales
-A Final, High-Flying Farewell for Internet Pioneer Jon Postel
-QUICK TAKES
-FIXING UP THE FREEMAN
-Industry Diversity Empowers Communities
-Having His Way With Words
-LAC+USC Celebrates Program’s Successes in Maternal-Child HIV Management
-New USC On-Line Calendar Will Track Public Events
-Barbara Solomon Receives a Touching Send-Off
-BOOKS IN PRINT
-For the victims of violence, VIP program offers refuge and hope
-Physical therapy instructor receives research honor
-Swede taste of success for USC neurosurgeon
-Like father, like daughter: A generation apart, both are now NCAA champions
-USC in the News
-Pathology faculty win national leadership posts
-USC neurologist helps honor longtime caregiver
-Open House for Maternal-Child HIV unit draws 150
-Nursing awards to be hosted by star of "ER"
-USC physician assistants win accolades at conference
-For USC team, crisis in the air is prelude to medical marathon
-Restoring Order in the Courts
-USC/Norris Celebrates 25 Years of Research
-Disney Executive Joins USC Board of Trustees
-The Unruh Institute Presents a Champion of Civil Rights
-WATCHDOG FOR THE PAC NOEL RAGSDALE KNOWS THE RULES OF THE GAME WHEN IT COMES TO NCAA AND PAC-10 COMPLIANCE
-USC IN THE NEWS
-Working to Outsmart Smart Viruses
-Microbiologist Douglas G. Capone Named to Wrigley Environmental Studies Chair
-QUICK TAKES
-ISD Wires the Neighborhood for the ‘Net
-CST Offers New Service for Faculty Dec. 2
-Kick-Off for Mentor Program
-Mozart’s ‘Paragon’ Opera Dissects Matters of Class
-Transportation Services offers tips, presents for the holidays
-USC researchers offer tips on Surviving Modern Medicine
-MORRISON JACKSON
-Supporting Cancer Survivors
-'Suicide by Cop': Disturbing new trend revealed by USC study of fatal shootings
-USC opens innovative cancer program for seniors
-New LAC+USC head takes the reins
-Fine art students commissioned to paint pharmacy-themed mural
-HSC Magazine wins regional award
-USC to help and develop 'Next Generation Internet'
-Gynecologic oncology abstracts and case studies sought
-Cosmetics gala benefits USC/Norris
-Charities seek donations to give this holiday story a happy ending
-QUICK TAKES
-LAC+USC promotes video on early HIV detection as part of World AIDS Day
-USC’s Master Builder
-USC Vice Provost Promotes APRU in Kuala Lumpur
-President Steven B. Sample’s Annual Address
-2 Alums Give Generously to USC’s Law School
-Paul Bloland, Counseling Psychologist, Administrator, Mountaineer, Dies at 75
-Gwendolyn Koldofsky, Accompanist, Dies at 92
-USC IN THE COMMUNITY
-USC IN THE NEWS
-Neurosurgeon Apuzzo to Receive Prestigious International Award
-ANNOUNCEMENTS
-BOOKS IN PRINT
-A Salute to Distinguished Careers
-Hormones, Vitamins May Lower Levels of Potentially Damaging Amino Acid
-Softbots Help Students to Learn in Cyberspace
-Law Student’s Ambitious Final Project: a Film
-QUICK TAKES
-A Supreme Court Justice Reflects on the Law
-Mideast Reform Movements Fail to Help Women
-CHLA pediatrician hails new study
-MD/PhD student builds bridges between students, faculty, campuses
-USC surgeon lights up immune system to aid transplant recipients
-SOUTH CAROLINA AT USC
-USC study adds insight into how device helps ward off seizures
-Occupational therapy chair named to NIH rehabilitation panel
-Nursing honors its own at third annual dinner
-Fred Lapsys, 47, former USC family medicine professor and volunteer
-Herbs as medicine
-When grad students need a trouble-shooter, Oralia Gonzales plays hired gun
-NURSING IN THE COMMUNITY
-1998 was a very good year for USC researchers
-Former med student becomes new administrator
-USC-affiliate recieves $2 million grant to study inherited hearing loss
-USC's Latino Teacher Project nurtures a much-needed crop of bilingual teachers
-Lounging Around...
-School of Medicine starts new year with approved governance document
-One in a million: New tool may help pathologists find rare cancer cells
-Two new chairs awarded in field of cancer research
-USC wins $7.9 million grant to see how alcohol harms the body
-An Artful Celebration for the Fisher
-Astronomer Studies the Flashy, Complex ‘Be Star’
-Fred Lapsys, Family Medicine, Dies at 47
-Kinko’s Founder Paul Orfalea to Endow Chair in Entrepreneurship; Thomas J. O’Malia Named to Hold New Chair
-USC Links With Universities and Research Centers in Test of ‘Next Generation Internet’
-HUNGRY BACTERIA CAN TAKE A BITE OUT OF SMOG, USC RESEARCHER SAYS
-USC in the News
-QUICK TAKES
-Ratlas Offers a Road Map to a Rat’s Gray Matter
-Nursing Pays Tribute to Its Ownat 3rd Annual Scholarship Dinner
-A Dean’s-Eye View of the School of Social Work
-Egging on the Lego Robots
-Elizabeth Holmes Fisher, USC’s Patron of the Arts
-Researchers Offer Tips in Surviving Modern Medicine
-Civic and Community Relations Honors Local Students and Community Activists
-Study Reveals How Device Helps Ward Off Seizures
-RAMONA HILLIARD'S BEQUEST WILL ENDOW CHAIR IN BUSINESS SCHOOL
-USC Jazz Students Help Open New Club
-Mural Commissioned to Brighten Renovated Pharmacy
-A Legal Scholar Who Crosses Boundaries
-FOR THE RECORD
-Calcium and cancer
-New course bridges media and science
-Etcetera
-HSC dental researchers close to synthesizing tooth enamel
-$3 Million gift endows 2 research chairs at USC/Norris Cancer Center
-New microsurgery offers hope for blinding disease
-BLOWING OFF SMOKE
-USC physician relieves shepherd's pain with injections of cement
-Seed grants for junior faculty meant to help ideas grow
-Marketplace: A Decade of Business News Not as Usual
-Doheny Library to Close for Seismic Retrofit
-Richard S. Ide, English Scholar and Administrator, Dies at 55
-A Civil Action Wins USC’s Scripter Award
-BOOKS IN PRINT
-Is There a More Perfect Time to Be in Southern California and at USC?
-QUICK TAKES
-Nature’s Hardest Puzzle: Researchers Close in On Making Tooth Enamel
-ALTERNATIVE CHURCHES ARE BOOMING AS ESTABLISHED RELIGIONS LOSE FOLLOWERS
-Study Measures Scope of ‘Suicide by Cop’ Cases
-Surgeon Lights Up Immune System to Aid Transplant Recipients
-Innovative Cancer Program for Seniors Opens at USC/Norris
-1998 Was a Very Good Year for USC’s Researchers
-How Universities Can Stand Out From the Crowd
-FAMILY SQUABBLES
-Learning the Business of ‘the Business’
-Vale Appointed Interim Dean of School of Dentistry
-Crosstown Scientists Unite to Unravel Molecular Mystery
-Scientists Named to Newly Endowed Chairs
-CONNECTING MUSICALLY WITH 'MRS. DALLOWAY'
-USC in the News
-Marshall School Program Provides Model for New PPD International Program
-3 From USC Will Lead Major College Health Organizations
-Quick Takes
-A Trove of Short Stories for Boyle Fans
-USC and Natural History Museum Forge Partnership
-Study Shows Breast Cancer Patients Adjust
-Going for the Goal
-Etcetera
-New chair in cancer research dedicated at USC/Norris
-HOUSING OFFICE PUTS A PHONE IN EVERY STUDENT RESIDENCE
-Pharmacy to host second annual 'Kids Day'
-Pregnant women sought for neurology study
-President Sample charts course for university
-Three cheers for volunteers who help bolster patient care
-Double duty: Twin surgeons perform kidney transplant on twin patients
-Young USC/Norris researcher wins top state honor
-Candid Talk about Cancer
-Cancer Care at the Senior Level
-Under Surveillance
-A Positive Proclamation
-BING THEATER OPENS SEASON WITH SAROYAN CLASSIC ABOUT HOMELESS
-More Than Skin Deep
-Mixed Signals
-Cell Rest May Reduce Risk
-A Deadly Silence
-Norris News
-FINAL Clinical Trials
-FORGET ME NOT
-SKELETON CREW
-FOCAL POINT
-SO LONG, SUGAR!
-MUSIC TO GO
-ENGINEERING, CINEMA-TELEVISION LAUNCH NEW ENTERTAINMENT TECHNOLOGY CENTER
-THE POWER OF COMPASSION
-HEALTHOUGHTS
-ILLUMINATING REJECTION
-ART FOR LIFE
-Center’s Research Bears Fruit in Community
-New Life for Old Bones
-$3 Million Gift Endows 2 Research Chairs at USC/Norris
-Environmental Law Expert to Hold J. Thomas McCarthy Trustee Chair in Law
-APRU Launches New Website
-USC in the Community
-Ester Ramirez
-Dramatic Growth for the Center for Religion and Civic Culture
-QUICK TAKES
-18th Annual USC Celebration Honors Martin Luther King Jr.
-A Master Nurtures Violin Prodigies
-Cinema Meets Science
-Health Communication Course Bridges Media and Science
-Newman Recital Hall Is a Gem
-Being Jewish in the West
-The Summer of ‘98: Breaking History
-USC’s Boys of Summer
-QUICK TAKES
-Coach of the Year: Mike Gillespie
-Trojan Memories: Where Have You Gone “Wahoo” Crawford?
-Rod Dedeaux: A Coach For the Century
-New Weapons in the War on Breast Cancer
-New Weapons in the War on Breast Cancer: What is Your Risk Factor?
-New Weapons in the War on Breast Cancer: From the Laboratory to the Bedside
-Bringing Art To Public Places
-Jonathan B. Postel: 1943-1998
-Baxter Foundation offers $150,000 research award for junior faculty
-Research to Prevent Blindness honors USC Department of Ophthalmology
-USC IN THE NEWS
-Promoting Breast Health
-Bryn Mawr offers summer institute for women administrators
-USC program helps teens achieve 'Excellence in Athletics'
-The Eyes Have It
-NIH symposia on gene therapy examine crucial ethical issues
-Doctor donates rare medical texts to Norris Medical Library
-NIH awards $1.15 million to researchers
-New program to promote specialized care for women patients
-A Key Gender Difference Vanishes in Cyberspace
-USC’s Scientists Join Fellows for AAAS Meeting
-CRIME RESEARCHERS FIND ACTIVE GANGS IN 1,130 AMERICAN CITIES
-Todd R. Dickey Is Appointed General Counsel
-USC in the News
-Annual Address to the Faculty — January 1999
-USC Student Video Demystifies State Board
-A Search for Self Through the Bonds of Friendship
-Honoring Shared Memories
-One in a Million: New Tool May Help Pathologists Find Rare Cancer Cells
-QUICK TAKES
-Cohen Appointed New Faculty Mediation Officer
-Home Modification Project Debuts
-CHASING AWAY THE DOCTORAL DOLDRUMS
-A Very Classical On-Hold Experience Comes to a Phone Near You
-Two women turn their passion for helping others into an art form
-Richard Baker, 88, emeritus professor and pioneer of electron microscope
-Spring comes early to HSC with start of annual Daffodil Days
-Known for unorthodox lessons, faculty member is honored for teaching expertise
-New chief takes charge of LAC+USC Burn Unit
-'Coroner to the stars' Noguchi retires from county after 38 years
-City Human Relations Commission Needs Reform, USC Study Finds
-Seeing Double in the O.R.
-Richard Freligh Baker, a Pioneer of the Electron Microscope, Dies at 88
-ART THAT NURTURES AIDS BABIES
-The USC Fisher Gallery Welcomesthe Descendants of Its Founder
-Books in Print
-Presidential Commission Appointed to Study Distance Learning
-NIH Awards $1.15 Million to Researchers
-NIH Symposium on Gene Therapy Examines Crucial Ethical Issues
-USC Students Rev Up Careers With Transportation Internships
-Alumni Group Celebrates 25 Years of Opening USC Doors to Latinos
-Victims of Violence Find Refuge and Hope in LAC+USC’s VIP Program
-Outstanding, Hardworking and 17 Years Old — Young USC/Norris Researcher Wins Top Award
-The History of L.A. Through the Stories of African Americans
-FALL FRESHMAN ENROLLMENT UP TO 2,474, REVERSING FOUR-YEAR TREND
-A New Age for Burn Care in L.A.
-Discovery May Enhance Memory and Lead to Treatment for Alzheimer’s Disease
-Grammy in the Schools Brings 1,500 to Campus
-William F. Crum, Accounting Professor, Dies at 87
-1999 USC Good Neighbor Volunteer Awards CALL FOR NOMINATIONS
-Doctor Donates Rare Medical Textbooks
-USC in the News
-NAI Receives $450,000 Irvine Foundation Grant
-Gerontologist Predicts Increase in Poor and Disabled Seniors Unless Aging Research Increases
-Neurobiologist Is Named a CET Faculty Fellow
-USC/NORRIS CENTER ANNOUNCES TRIALS OF NEW VACCINE AGAINST BREAST CANCER
-17th Annual Ides of March Dinner Honors Gen. Colin L. Powell
-Study Says Generation Gap WeakensSafety Net for Aging Mexican Americans
-Quick Takes
-An Artist Who Shares Her Gifts
-USC scientists reveal new anti-angiogenesis agents
-To help cancer research 'Gift of Love' auction raises $150,000
-Good Neighbors campaign contributions total $517,000 for 1998
-USC/Norris researcher Brian Henderson receives university's highest honor
-Nominations sought for Lienhard Award
-USC Scientists awarded more than $100,000 for MS research
-HEALING ART
-Study suggests new way to fight cervical cancer
-Quake Strategy: Motivate, Don’t Frighten
-1998 Good Neighbors Campaign Surpasses Last Year’s by 14 Percent
-USC in the Community
-Q & A: Vice Provost Neal Sullivan on NSF Research Support
-Model U. N. Conference Takes Place at USC
-Academic Honors Convocations Through the Years
-Highlights From the President’s Distinguished Artist Series
-A New Director for USC’s Career Planning and Placement Cente
-1999 Parkinson Spirit of Urbanism Award
-NOVELIST RICHARD YATES, CALLED 'BRILLIANTLY DISMAL,' HAS DIED AT 66
-SOLAR ENERGY FOR THE SLOVAKS
-‘Art for Life’ — Mexican Folk Art at the Doheny Library
-$330,000 available for disease research
-Experimental surgery gives women with cervical cancer new chance at motherhood
-Institute for Genetic Medicine to host art exhibit
-USC professor honored for her work against AIDS
-USC approves MD/MBA dual degree
-Neuroscientists' findings explain estrogen's ability to boost memory
-Michael Siegel named president of American College of Nuclear Medicine
-Neurology professor awarded prestigious NIH MERIT award
-Ob/Gyn department lauded as 'outstanding'
-USC CHRONICLE GOES ON LINE
-Congressional panel recommends $827 million for diabetes research
-Gift will create chair in colorectal diseases
-University names new trustee with background in medicine
-USC/Norris joins 'Yoga '99' fundraiser to fight breast and ovarian cancers
-Accolades for the University’s Brightest
-Presidential Early Career Awards Go To Two USC Engineers
-B. Wayne Hughes Joins Board of Trustees
-Mathematician Dennis Ray Estes Dies at 57
-QUICK TAKES
-USC IN THE NEWS
-THE YEAR OF THE LIBRARIES
-Sea Grant Study Says It’s Time to Test Water for More Than Just Bacteria
-Top Teaching Assistant Inspires a Loyal Following
-Brian E. Henderson to Receive 1999 Presidential Medallion
-Barbara J. Solomon to Receive 1999 Presidential Medallion
-Debra T. Ono: An Examplethe True Trojan Spirit
-Grant Furthers Search for Multiple Sclerosis Cure
-Exhibition Explores Civic Identity Through Museum Design
-CHLA hosts national conference focusing on developmental biology
-Department of Public Safety warns of suspected thief targeting HSC offices
-CHLA plans $65 million expansion
-PUTTING THE 'CANON' UNDER THE GUN
-Etcetera
-Severe cut in dietary fat may reduce breast cancer risk
-USC study exposes hazards Air pollution linked to chronic health problems in children
-Presidential Honor
-KUSC music to soothe those put on hold
-Student nurses hold raffle for Hollywood youth shelter
-USC study examines selenium as potential prostate cancer inhibitor
-Transportation Services announces new programs
-Professorship in Neurology dedicated
-Testimony From the Youngest Witnesses
-MERCHANTS, HOMEOWNERS COULD REDUCE CRIME BY 40 PERCENT, RESEARCHER SAYS
-Operation Smile Launches World Journey of Hope ‘99
-Educator Barbara J. Rossier Joins Board of Trustees
-William Wrigley, Businessman and Environmentalist, Dies at 66
-Gift Will Create Chair in Colorectal Diseases
-Books in Print
-Peer Review Begins for Eight Academic Units
-Two USC Publications Receive CASE Excellence Awards
-USC Ranks Tenth in Number of Freshman Merit Scholars for 1998
-Why Art Does Have Something To Do With It
-Washington Post’s Investigation Into Reckless Gunplay by Police Wins 10th Annual $25,000 Selden Ring Award
-ELIZABETH J. DAVENPORT, THE UNIVERSITY'S EPISCOPAL CHAPLAIN SINCE 1991, HAS BEEN NAMED DIRECTOR OF THE OFFICE FOR WOMEN'S ISSUES.
-A Show of Force at NSF Conference
-Convocation Honors the University’s Finest
-Quick Takes
-@Annenberg: Investigative Reporting Now
-USC professor and author's schedule is all booked up
-Etcetera
-Harry C.H. Fang, 74, former director of neurological sciences at Rancho Los Amigos
-Levine to address those honored
-After years of hard work, medical students meet their match
-Norris Medical Library unveils colorful new web site
-QUICK TAKES
-Ob/Gyn Department honored for outstanding research
-She's country, he's rock 'n' roll, but they're both fans of USC OT
-USC study suggests workplace stress harms men's hearts, but not women's
-USC Medical school makes the grade in U.S. News survey
-Philanthropist Gifts School of Music — to the Tune of $25 Million
-Neurology Professor Receives NIH MERIT Award
-Joseph M. Boskovich Joins Board of Trustees
-1999 USC Engineering Honors to Be Presented on April 9
-USC Approves M.D./MBA Dual Degree
-USC in the News
-FOR THE RECORDMEMORANDUM Academic dishonesty
-Quick Takes
-Exploring Mars: the Midterm
-Helping Low-Income Families Find Health Care
-Early Detection Can Mean Surviving Cancer
-For the Record
-A Bevy of Grimm Characters Goes Into the Woods
-It’s Time to Sign Up for Christmas in April Projects
-Robotic Antics
-GE Program Gets High Marks
-Air Pollution Linked to Chronic Health Problems in Children
-MARK CERVENAK
-Filmmaker Gives $1.5 Million to Cinema-TV School
-Business School Students Hone Competitive Edges
-USC in the Community
-Marshall Students to Visit Five Nations in PRIME 99 Program
-Sen. Dianne Feinstein to Speak
-Students Take an Altruistic Spring Break at Navajo Nation
-‘Art for Life’ Exhibition of Folk Art Bringsin Funds, Visibility for USC Research
-QUICK TAKES
-Proteins Halt Growth of Cancer Cells in the Lab
-Schedule of USC Professorand Author Is All Booked Up
-PLAN AHEAD TO 'RETHINK'
-USC’s New East Asian Library Is Dedicated
-Etcetera
-Foundation offers USC chance at $3 million award
-Hindsight shows department's founders had vision: USC ophthalmology celebrates its 25th anniversary
-Pharmacy professor receives $180,000 grant for insulin study
-L.A. approves $158.7 million redevelopment project near campus
-Long Distance Learning
-Program offers cancer patients chance to 'Look Good, Feel Better'
-OT house relocates to Centennial Apartments near UPC
-Annual Stephens Lecture to address doctors' empathy
-RUSSIAN MUSEUM CURATOR SEEKS TO FILL CHASM LEFT BY DEPARTING ARTISTS
-USC IN THE NEWS
-School of Medicine to stress case-based curriculum
-Women's genes may shade their decision to undergo hormone therapy
-Engineering Rises to 12th in U.S. News Ranking
-Severe Cut in Dietary Fat May Reduce Breast Cancer Risk
-Students Apply Social Theory, Report on Real-World Results
-L.A. Attorney Gives $1 Million to USC Law School
-Corwin Denney, USC Trustee, Dies at 77
-USC in the News
-QUICK TAKES
-Second Teaching and Technology Conference Scheduled for May 5
-THE TRUTH ABOUT ANAIS NIN
-Helping Newest Teachers Learn the Ropes
-Honors for Reading and Writing
-Women With Invasive Cervical Cancer Have a Chance to Become Mothers
-An International Partnership Takes a Look at Prevention of Domestic Violence
-USC Earth Scientists Verify One of World’s Largest Gold Nuggets
-Norris Medical Library Website Gets Colorful Overhaul
-A Banner of Sadness and Pride
-Cancer Society alters grant policy
-Did We Say That?
-HEY, NEIGHBOR
-CONVOCATION AWARD NOMINATIONS
-IGM explores evolution 'From Genes to Machines'
-Nancy Reagan to help celebrate cancer program's 10th anniversary
-Federal Research Council formed to better poise USC for funding
-Transportation Department slates April 21 forum
-USC gynecology faculty members to headline neonatal conference
-USC professor helps police wage war on illegal pharmaceuticals
-How Sharing Meat Led to Sharper Minds
-Warren M. Christopher to Speak at Commencement
-Brian Mulroney on NAFTA and the Euro Challenge
-Women’s Genes May Shade the Decision to Undergo Hormone Therapy
-SAFE-SEX AWARENESS TO BE PROMOTED AFTER EACH SHOW
-Books in Print
-Annual Stephens Lecture to Address Doctors’ Empathy
-Ensuring the Best Possible Education for All
-Background Art: ‘Open House West’
-Marshall School Partners With Caliber Inc.on Ambitious Distance Learning Project
-Quick Takes
-Historian Sifts the World’s Oldest PrintedMedical Books for Clues to the Riddle of Gender
-Volunteer Activists Honored
-A Postcard From Morocco Arrives at the Bing
-Learning Communities: Helping Students Navigate a Maze of Choices
-'SPRING AWAKENING' TACKLES TEENAGE SEXUALITY IN 19TH-CENTURY COSTUME
-$7 million USC study delves into causes, prevention of cancer
-USC scientists close to universal blood type breakthrough
-Breast cancer study finds no added benefits from bone marrow transplants
-From Cell to Transplantation:: HSC research hits the presses
-Deadline approaches for research fellowships worth $332,500
-Diving event to help raise money for USC's hyperbaric chamber
-USC physicians educate West-side alumni on breast cancer issues
-USC laureate lauds NIH decision favoring research using fetal cells
-Two lung transplant surgeries bring families together
-Mural, Mural on the Wall
-STUDY SHOWS BABY BOOMERS ARE BETTER OFF THAN PARENTS
-Smile when you say that
-Professor's book surveys sex, gender and tradition in Chinese medical history
-Etcetera
-Grape expectations: Wine may be source of anti-cancer agent
-$1.3 Million in SC2 Grants Goes to 26 Researchers
-From Genes to Machines: IGM Explores Evolution
-Mass-Production of Miniature Devices
-Quick Takes
-USC in the News
-$1.4 Million Grant to Examine Selenium
-USC/NORRIS TESTS NEW DRUG TO PREVENT PROSTATE CANCER
-The Thematic Option Program Sponsors ‘The Meaning of the Millennium’
-Celebrating Latino Culture in L.A.
-James F. Haw Holds USC’s Irani Chair in Chemistry
-Take a Dive Off Catalina on May 5 Chamber Day
-For the Record
-Keeping Their Eyes on the Academic Prize
-Celebrating the Topping Scholars
-Helen Hay Whitney Foundation offers $93,000 research fellowship
-Keith Administration Building doubles as faculty art gallery
-Student volunteers offer helping hands to patients in rural Mexico
-USC TO HOST DEBATES ON 'RETHINKING LOS ANGELES'
-Nancy Reagan urges women with cancer to 'Look Good, Feel Better'
-Nursing student named 1999 co-salutatorian
-White Coat Ceremony to mark Physician Assistants' progress
-A Performance Pearl
-Will America Age Gracefully?
-Metropolitan Bound
-Gender Bender in Cyberspace
-Why Rotate?
-Growing Teeth
-The Court Jester’s Tales
-RANDOLPH WESTERFIELD NAMED BUSINESS ADMINISTRATION DEAN
-A Flourishing Yin: Gender in China’s Medical History, 960-1665
-Leading With Knowledge: The Nature of Competition in the 21st Century
-Finding Fran: History and Memory in the Lives of Two Women
-Latino Leverage
-A Stiff Upper Back
-More Jail if you Fail
-Consult the Ratlas
-Why Rocco Can't Read
-To Scan or to Slice?
-Seeing Double in the O.R.
-PORTRAITS OF GRIEF
-A Catalytic Force
-24- Theater of the Absorbed
-Koenig: The Master Builder as Master Teacher
-Koenig: The Coffee Table Koenig
-For Art Sake
-For Art Sake: Art in the City of Angels
-For Art Sake: Educated Guests
-For Art Sake: Click If You Love Michelangelo
-The Professional’s Professional
-Program to halt violence gets $250,000 boost
-BRAIN CELLS' IMMUNE RESPONSE MAY HOLD ALZHEIMER'S KEY
-QUICK TAKES
-Medical colleges association warns of fallout from federal budget cuts
-Funding Opportunities
-USC bioethicist rejects criticism of 'discriminatory' patient-consent guidelines
-HSC adopts new zip code to speed mail service
-IGM hosts 3rd annual Symposium
-LAC+USC gets accreditation from JCAHO-first in nation to do so
-USC professor honored with prestigious diabetes lectureship
-Statistician's music sounds like a hit
-Neurosurgeon receives $6.5 million for Alzheimer's study
-USC joins major national memory impairment study
-MEET THE FAMILY
-USC fetes 116th graduation ceremonies on the web
-Researcher puruses understanding genetic signals from outside a cell to its nucleus
-A Day of Celebration
-The Youth Arts Festival Acts Up on Campus
-Commencement Highlights
-Microsoft Gives $2.1 Million to School of Engineering to Fund Computer Science Lab, Enhance Undergraduate Curriculum
-New Renaissance Scholars Prize to Reward Undergraduates for Breadth and Depth of Study
-USC IN THE COMMUNITY
-USC IN THE NEWS
-University Park Programs
-BOOKS IN PRINT
-Warren M. Christopher 116th Commencement Speaker Doctor of Humane Letters, Honoris Causa
-Honorary Degree Recipients
-Salutatorian: Allison Marie Martinez
-1999 Valedictorian: Alaina K. Kipps
-Salutatorian: c
-Ophthalmology Department’s Founders Had Vision
-QUICK TAKES
-Discussion Lights Up What’s Next for Electricity
-Honoring the University’s Finest
-USC and Christmas in April/South Central Work Hand in Hand on April 17
-MEASURING MICRO-TEMBLORS OFFERS CLUES TO THE BIG ONE
-Breast cancer findings: Common radiation treatment may be unneeded, study shows
-University creates office to monitor compliance of ethics, standards
-USC completes groundbreaking screening of lupus-related genes
-Merrill Lynch Forum offers $150,000 grants to researchers
-Nerve cells live long and talkative lives in silicon chip colonies
-Rare adult-to-adult liver transplant a success.
-Six glasses of water a day may keep bladder cancer away
-USC's volunteer clinic in Calexico is sight for sore eyes
-After 17 years at USC/Norris, administrator Adrianne Bass to step down
-Good Neighbors Campaign Funds 21 Partnerships
-LIFE SKETCH - Ramon Delgadillo
-School of Medicine celebrates 113th commencement
-Good Neighbors Campaign Funds 21 Partnerships
-Caution Urged in Use of Radiation Therapy
-Couple Gives $2 Million to School of Gerontology
-Donald E. Hudson, Earthquake Engineering Pioneer, Dies at 83
-Golf Coach Stan Wood Dies at 79
-USC in the News
-‘Freedom and Responsibility — That’s the Deal’
-A Few Tips for Achieving the Impossible
-1999 Valedictorian: Alaina K. Kipps
-FAST RESULTS FOR HIGH-TECH SHOPPERS
-A Day of Diplomas, Congratulations and Family — Graduates Head Toward the 21st Century
-The USC School of Medicine Sends Forth New Physicians, Masters and Ph.D.s
-Office of Compliance to Assist University in Adhering to Rules and Regulations
-The Late Jonathan Postel Named ‘Internet Plumber of 1998’
-Sloan Foundation Partners With University to Develop 4 New Masters Programs
-Patient-Consent Guidelines Defended
-Quick Takes
-Helping Medical Students to Learn to Let Go
-Health Fair Draws Community to Campus
-New chair in orthopaedics honors memory of alumnus Robert Kerlan
-NAFTA DEBATE OUTDATED, SAYS CALIFORNIA-MEXICO TRADE EXPERT
-Could the Columbine tragedy have been prevented? Study seeks predictors for teen violence, drugs
-Estrogen-lowering regimen may substantially reduce breast cancer risk
-At popular Childrens Hospital gift shop, profits aid patients
-Unique fair offers hope to patients
-1999 Norman Topping Cancer Research Dinner honors Arnold Beckman
-Save the date for USC/Norris Festival of Life: a celebration of cancer survival
-Teaching the teachers: Program aims at bolstering training of students, residents, fellows
-USC joins launch of massive breast cancer prevention study
-New center turns up the volume on voice disorder treatments
-A Confident Class of 2002
-USC GEARS UP FOR FALL UNITED WAY CAMPAIGN
-$6.5M Funds USC Neurosurgeon for Alzheimer’s Study
-United Airlines Adopts Class at Family of Five School
-QUALCOMM Founder Gives $2M to Endow Chair
-Alfred C. Ingersoll, Former Dean of Engineering, Dies at 78
-Books in Print
-USC in the News
-Department of Public Safety Kicks Off a Year-Long 50th Anniversary Celebration
-Law School Confers Degrees on 200
-HSC Adopts New ZIP Code
-Nerve Cells Live Long and Talkative Lives on Silicon Chips
-ADMINISTRATION OPENS INTERNAL SEARCH FOR VICE PROVOST FOR UNDERGRADUATE STUDIES
-Globe-Trotting Researchers Look at Churches With Vision
-El Centro: Latinos’ Home Away From Home
-Flashing the Race Card
-Quick Takes
-Beating the Heat
-For the Record
-A Sociologist Explores the ‘Culture of Fear’
-21 Programs Receive Neighborhood Outreach Grants at May 21 Ceremony
-A Message About the Doheny Library Retrofit
-USC/Norris to host free prostate screenings
-USC WELCOMES SOME 2,500 VISITORS FOR 1993 TROJAN FAMILY WEEKEND
-It's a Wonderful Festival of Life
-New Marengo Bar and Grill serves up good food in an inviting atmosphere
-Nobel winner to speak at pharmacy conference
-Ross takes the helm of preventive medicine department
-Evolutionary genetic tools used to trace cancer development
-USC urologist presents state-of-art lecture at conference
-School of Medicine unveils new recruitment video Lights, camera, medicine
-Whitney fellowship application deadline is Aug. 15
-Brainstorm software pinpoints cortical activity in space and time
-USC/Norris to unveil Breast Center on June 28
-Discussion Of The Current Health Care Crisis
-NEW SOFTWARE FOR RLA GIVES LOCAL MERCHANTS BUSINESS EDGE
-CHLA ophthalmologist is improving prognosis for rare eye disease
-Etcetera
-June fundraiser makes $2 million for CHLA
-Master's Thesis Award competition announced
-New osteoarthritis drugs are something to crow about
-Citing 'fairness,' officials hike parking fee for Norfolk Lot
-Pfizer offers $50,000 health literacy grants
-USC researchers announce in Science discovery of a fundamental new protein
-Two-year fellowships available for study of STDs
-Pharmacology professor praised, honored by Swedish university
-ART THAT CELEBRATES WORDS
-Distinguished Visitor Program promotes international exchanges
-USC/Norris, Wellness Community-Foothill team up to aid women at risk for cancer
-Ophthalmologist honored with major vision award
-Available Awards
-A new era for Breast Center treatment
-Burroughs Wellcome offers $574,000 research award
-CHLA sports psychiatrist examines student aggression in schools
-HSC Academic and Scientific Citations
-A new era for breast cancer treatment
-Etcetera
-LOS ANGELES: CAPITAL OF THE 21ST CENTURY?
-Etcetera
-Francis Fellowship aims to aid career in pulmonary research
-USC researchers rack up major funding in May
-USC-affiliated hospitals make the grade in new US News rankings
-Heart Assn. seeks research proposals
-In a first, USC scientists show how Hepatitis C dodges medicinal firepower
-USC researcher shows common virus appears to boost lethality of HIV
-HSC Academic and Scientific Citations
-Low blood supplies trigger urgent plea for donors; blood drive underway
-Medicare approves new use of diagnostic PET scans
-NEW NEIGHBORHOOD RESOURCE CENTER LINKS NEEDY FAMILIES WITH AVAILABLE PUBLIC SERVICES
-NIH renews $5 million grant for Research Center for Liver Diseases
-Pharmacology award of $210,000 announced
-USC-affiliated hospitals make the grade in new US News rankings
-USC researchers rack up major funding in May
-Ophthalmologist honored with major vision award
-Board of Overseers will advise Keck School of Medicine
-Keck Gift underscores success of USC 'Building on Excellence' Campaign
-W.M. Keck Foundation gives $110 million to School of Medicine
-Keck School Neurogenic Institute will seek cures for neurological diseases
-Notable achievements for the Keck School of Medicine
-USC NETWORK PLAN MEMBERS CAN GET FREE ON-CAMPUS HEALTH CARE AT UNIVERSITY PARK
-A Gift for Life
-HAROLD E. AND HENRIETTA C. LEE BREAST CENTER DEDICATED
-EVOLUTIONARY GENETIC TOOLS TRACE CANCER BEGINNINGS
-He's The Boss
-Inroads Against a Formidable Foe
-HARD WORK PAYS OFF IN TOP SCORE
-Drop Kicking Cancer
-NORRIS NEWS
-Clinical Trials Update
-LIFE BEYOND AIDS
-HAPPY BIRTHDAY, COMPUTER VIRUS
-THINK BEFORE YOU DRINK
-COMMON SCENTS
-NOURISHED BY TEARS
-House With a Mission
-Students for All Seasons
-The Renaissance’s Fairest
-David Wolper-L.A. Influential
-David Wolper-L.A. Influential: The Producer as a Trojan
-Science by the Sea
-LIFE SKETCH - Angela Counts
-Taking the Plunge
-Live and Learn
-Treasured Island
-Trojan Football 1999 Preview
-Trojan Football 1999 Preview
-Tickets?
-USC surgeons perform world's first living-related bloodless liver transplant
-Norris Foundation funds lab of Pharmacy's Brinton
-Researcher seeks ways to alleviate complications of gestational diabetes
-Etcetera
-REACHING OUT WITH OPEN ARMS
-The best things in life-like research grants- are free to those who apply themselves
-IGM honors million-dollar trust donors
-Announcement of Keck gift sparks major media coverage
-Remember this: volunteers sought for memory study
-USC/Norris' second annual Grand Rounds highlights HSC's top talent
-USC surgeons perform world's first living-related bloodless liver transplant
-Take traffic tips from those who know
-Lincoln Park once housed lions, tigers and bears (oh my)
-Time/Princeton Review selects USC as College of the Year
-Etcetera
-PHARMACY RESEARCHER LINKS GENE TO AGGRESSIVE BEHAVIOR
-Medical School examines move to 'evidence-based medicine'
-Don't take research grants for granted-apply for them
-Massry Prize awarded to cellular protein researcher
-NIH awards $2.5 million to HSC researcher for study of strokes
-Not just a place to live, Occupational Therapy House offers unique learning experience
-Pfizer urology grant goes to USC physician
-Baseball great Frank Robinson heads home
-Researchers delve into deep blue sea for anti-cancer agents
-Ophthalmologist Ronald Smith receives chair for vision research
-Time Magazine Honors USC for Outreach Effort
-OPEN ENROLLMENT FOR EMPLOYEE HEALTH, DENTAL PLANS STARTS NOV. 8
-USC, Army Create High-Tech Pact With Hollywood
-Medical School Gets $110M Gift
-Trustees Elect CEO of Feeling Fine
-Crombie Taylor, Architect-Historian, Dies at 85
-USC in the News
-Cross-Cultural Expert Named to Frances Wu Chair
-A Student of Higher Education Leads Academic Senate
-Faculty Handbook On-Line
-Board of Overseers Will Advise Keck School
-Record-Setting Gifts to USC
-THE DOCTOR IS IN - HOLIDAY DRINKING
-QUICK TAKES
-Institute Will Target Neurological Diseases
-It’s Official: L.A. Weather Gets Measured Here
-FOR THE RECORD
-Fisher’s 60th: From Rubens to Gronk, This Gallery Has It
-QUICK TAKES
-Al Kildow Leads USC News Service
-USC Offers a Spirited ‘Thanks’
-USC Experts Study the Devastation in Turkey
-Students Make Friends in the Neighborhood
-$1 Million Gift Endows Chair in Genetic Medicine
-USC IN THE NEWS
-Carlfred B. Broderick, Noted Sociologist, Dies at 67
-Philanthropist Daris Zinsmeyer Dies at 87
-Clarification
-New Director Has Big Plans for J-School
-Quick Takes
-USC in the NEWS
-Computer Tools Track Cancer Development
-Ross Takes the Helm at Preventive Medicine
-Making Soap Operas for Social Change
-New Chair Brings Focus to Vision Research
-HABITAT FOR HUMANITY, USC PLAN BUILDING BLITZ
-Getting to Know You
-Lewis, Popovich Halls Open for Business
-USC-UCLA center spearheads $7.9 million study on alcoholic liver diseases
-Los Angeles Times Festival of Health at USC Oct. 16-17
-Michael Goran, expert in childhood obesity, joins Keck School faculty
-Millions in grant money awaits qualified applicants
-Rancho Los Amigos renamed
-Largest USC medical school class takes doctors' oath
-Health Sciences Campus Launches Schools Initiative
-Wrigley Sponsors Annenberg Event with N.Y. Times Science Editor
-NURSES ON THE LINE
-New Alumni President Counts on Family Ties
-Bert MacLeech, Advocate for Disabled, Dies at 90
-USC in the NEWS
-Biggest Foe of Public Aid to Elderly? Seniors
-Motion Perception Is Colorblind ...
-QUICK TAKES
-Take a Stroll Through USC’s History
-Student Affairs Appoints Directors to 3 Key Offices
-Clot-Busting Is Key to Stroke Outcome
-Norris Foundation Funds Pharmacy Lab
-QUICK TAKES
-University Park Health Center, Student Counseling Services Earn Accreditation
-USC Purchases Nearby University Village Mall
-As a Teacher, Rossier Student Is a Winner
-Researchers Delve Into Deep Blue Sea for Anti-Cancer Agents
-NY Times Science Editor Cory Dean to speak at USC
-Gene mutation ups cancer risk in African-American, Latino Men
-Picture perfect
-Fight on!
-USC/Norris earns highest rating in hospital review
-HSC launches new partnership with Murchison and Bravo schools
-LIFE SKETCH - DON LUDWIG
-Ultrasound training available Oct. 13-16
-Anti-violence program receives $244,200 grant
-USC/Norris receives grant of $3.8 million
-Researchers Probe Dangers in Urban Runoff
-A Legal Hand Extends to Moldova
-USC in the NEWS
-Paul D. Saltman, Biologist, Nutritionist, Dies at 71
-Books in Print
-Childhood Obesity Expert Joins Keck School
-Symposium Looks at Ageless Species
-DANGEROUS CURVE
-Legal Scholar’s Role in Charter Reform Wins Praise
-Exhibit Presents Life and Times of USC’s ‘Grand Dame’
-Time is running out for end-of-the year grant opportunities
-'Take-A-Hike' fundraiser aims to promote anti-cancer efforts
-New graduate student advocate, ombudsman named
-USC formally dedicates Keck School of Medicine
-USC multiple sclerosis vaccine begins $3.5 million clinical trial
-USC medical student one of only 26 in nation to be honored with prestigious fellowship
-USC formally dedicates Keck School of Medicine
-Time/Princeton Review selects USC as College of the Year
-WHEN CAN YOU TRUST A MARKET STUDY?
-Students Tap Wisdom of Emeriti
-L.A. Times-USC Health Fair Expected to Draw 30,000
-APEC Invites APRU to Begin a Dialogue
-USC, UC Berkeley to Join in New Journalism Center Funded by $1.3M Gift
-Time to Nominate Colleagues for Convocation Honors
-BOOKS IN PRINT
-USC in the News
-QUICK TAKES
-USC, CSULB Join Forces to Study Transit Issues
-$3.8M Gift Will Support Gene Therapy Programat USC/Norris Center
-USC TO CUSTOMIZE TOADS SOFTWARE FOR IBM NETWORK
-USC/Norris Earns Highest Rating
-A Sloppier Copier
-Hope Floats, and So Do Most Boats, at Annual Regatta
-USC study shows Asthmatic kids hardest hit by air pollution
-Breast Health Day '99 a success
-Etcetera
-HSC to host community forum on hepatitis C on Oct. 2
-Internal Medicine kicks off Complementary Medicine Program
-New smoking cessation program helps smokers butt out
-USC surgeon survives dangerous run-in with a rattlesnake
-ELECTRICAL ENGINEERING'S YOUNG SUPERSTARS
-STAR program boasts impressive results in aiding youths
-USC’s Y2K Efforts on Track
-Horne Sings ‘So Long, Farewell, auf Wiedersehen, Adieu’
-New Creative Technologies Get $1 Million Boost
-QUICK TAKES
-USC in the News
-Lab Pulses With Radio Research
-Paving Paradise: How Good Intentions Went Awry
-Annenberg Center Launches Holocaust CD-ROM
-Young Scholars Shine in USC Summer Seminars
-SHINING STARS OF BRAVO SCHOOL CAST THEIR LIGHT ON THE FUTURE
-USC IN THE COMMUNITY
-Researcher reveals tamoxifen risks in Journal of NCI
-Epidemiologist Duncan Thomas named to Richter chair in cancer research
-University Park Campus to host LA Times health fair
-HIV peer counselors to train other colleges' health outreach workers
-Money don't get everything it's true... but it does fund research
-Good Neighbors Campaign set for Oct. 18 - Nov. 12
-Pharmacy students to give lawmakers health screenings to boost awareness
-USC, Local 11 Settle Dispute
-Tamoxifen Found to Increase Risk of Endometrial Cancer
-Good Neighbors Campaign Gears Up for 1999-2000
-RETIRED ASSOCIATE PROVOST HENRY BIRNBAUM DIES
-$3.5M Clinical Trial Begins on USC MS Vaccine
-Taiwan Couple Gives $500,000 to Engineering
-Paramount TV’s Richard Lindheim to HeadNew USC Institute for Creative Technologies
-USC in the News
-Motion Picture Academy Salutes Cinema-Television’s 70 Years
-Paging for Pages
-75 Years Later, School Still Tracks a Changing World
-New Institute Hosts a Meeting of Minds at USC
-Fun With the Folks at Fisher Gallery
-USC Dedicates Keck School of Medicine
-HONORING THE URBAN SPIRIT IN ARCHITECTURE
-Henderson Trust Creates Journalism Scholarship
-Hispanic Business Ranks Two USC Schools in Top 10
-Is ‘Home’ a Four-Letter Word?
-QUICK TAKES
-Etcetera
-Genes examined for clues $2.8 million USC study targets childhood lupus
-Health expert notes risks of carbon monoxide poisoning
-Murals, tours offer new way to know L.A.
-New HSC outreach chief stresses coordinated efforts
-Speech recognition machine demonstrates superhuman ability
-JOURNALISM SCHOLAR FAULTS MEDIA'S POOR JUDGMENT IN WACO TRAGEDY
-Good Neighbors Campaign Kicks Off Oct. 18, Aims High
-USC Machine System Demonstrates Superhuman Speech-Recognition Abilities
-Four Movie Execs Give $3.5M to Cinema-TV
-International Architect Panos Koulermos Dies at 66
-USC IN THE NEWS
-Books in Print
-Oh, to Live Long and Prosper
-Free Flu Shots at USC Benefits Fairs
-QUICK TAKES
-Calanche to Lead HSC Community Outreach
-SCRIPTURE SLEUTHS
-Mann Institute Gets First Faculty Appointment: Gerald E. Loeb
-Legal Expert Works to Prevent Cross-Cultural Clashes
-Marilyn Horne: A Standing Ovation at Bovard Farewell Recital
-LA Convention 2000 Taps USC Trustee Monica Lozano as Co-Chair
-USC Bids to Host Presidential Debates
-USC Receives $12.8M to Study Teen Smoking
-New Events Center to Combine Culture, Sports
-Nursing Students Make Good Reading Neighbors
-Epidemiologist Duncan Thomas to Hold Richter Chair
-USC Sea Grant Progam Names New Director
-MEMORANDUM
-2 Professors, 3 Students Receive Fulbright Grants for Travel Abroad
-USC in the News
-Quake Researchers Conduct Underground Explosions
-Boys Get a Violent Message From Televised Sports
-Survey Shows STAR Program Shines Bright
-Jenny Holzer Sculpture to Convey Essence of First Amendment in Stone
-A Gala Ceremony Opens Popovich Hall
-Computational Finance Expert Joins Math Department
-Mutation Increases Prostate Cancer Risk in African-American, Latino Men
-USC Student Is One of 26 to Win Fellowship
-FOR THE RECORD
-USC Looking for Exceptional Individuals for Degree Honors
-Ballet Steps Into the Community Via a USC Volunteer
-Founder of Yugoslavia’s Radio B-92 Accepts Annenberg Dean’s Award for Courage in Journalism
-USC gets $12 million grant to study teen smoking
-Big changes ahead in how medical students are taught
-Festival of Health draws 20,000 to University Park Campus
-Good Neighbors campaign bolsters important projects for kids near HSC
-Taking a hike for health
-Medical Faculty Wives welcome new faculty
-Here's more grant news that researchers can use
-QUICK TAKES
-Breast Cancer: Evolving Answers to Complex Diseases
-Jones and Levine Named Distinguished Professors
-Talk the Talk
-Genetic Mutation Ups Prostate Cancer Risk
-Verna R. Richter Chair in Cancer Research
-Simple Clues
-Up to the Challenge
-A Custom Cure
-Norris News
-Clinical Trials Update
-LIFE SKETCH - Tammy Anderson
-TURNING THE TIDE
-ARTERIAL TRAFFIC JAM
-FAT FROM THE FIRST
-PERSONAL BEST
-LIFE BEYOND AIDS
-THE FINAL FRONTIER
-HealThoughts
-HIV'S VIRAL PARTNER
-REACHING THE STARS
-A Class Act: Bright Freshmen
-GEOGRAPHY SCHOLARS END 10-YEAR STUDY ON CAUSES, EFFECTS OF HOMELESSNESS
-NIH Funds USC to Find Genes for Childhood Lupus
-Benefits Open Enrollment Begins Monday, Nov. 1
-KCET’s ‘Life & Times’ Reviews USC’s Accomplishments
-Set Some Extra Plates — Share the Holiday With International Students
-Explore Historic Lincoln Heights on Sunday, Nov. 7
-USC in the News
-CDC Suggests Freshmen in Dormitories Consider Meningitis Vaccination
-HIV Peer Counselors Turn Model ProgramInto Training Resource to Help Other Colleges
-‘Trojans Cluster’: Piles of PCs for Scalable Supercomputing Are Ready for Action
-Seven-Week Cessation Program Helps Smokers Butt Out
-Los Angeles Times Electronic Newsroom
-WILY WOMEN KNOW THE SCORE
-Faculty Members Receive Raubenheimer Awards
-Ex-Occidental President Joins Rossier School
-Doris Kearns Goodwin to Assess ‘Moral Authority of the Presidency’
-Faculty Named to Renaissance Scholar Panel
-Hidden Danger in the Home: Colorless, Odorless Carbon Monoxide
-Docents Needed for Historic Gamble House
-USC Commuters Get Some Good News on Costs
-Julie’s Trojan Barrel Closes, Ending a ColorfulChapter in USC Lore
-Beta All That You Can Be
-Reaching For A High Note
-SALUTING A FRIEND OF THE LOKER INSTITUTE
-Reaching For A High Note: What’s In A Name
-Reaching For A High Note: THE GOOD DAYS THAT WEREN'T
-Reaching For A High Note: STRIKE OUT THE BANDS
-Reaching For A High Note: JAZZED ABOUT USC
-Reaching For A High Note: THE TRILL OF VICTORY
-A Gift For the Future
-Doctors-Make-It-Happen
-Triple Challenge For A Dynamic Duo
-Bravo, Bravo
-Extending the Family
-LUNCH, ANYONE?
-Admission-Past, Present, Future: The Past
-Admission-Past, Present, Future: The Present
-Admission-Past, Present, Future: The Future
-Young patients share their 'Dream'
-USC receives $3.2 million for drug-delivery research
-School of Pharmacy to host herbal medicine expert
-Home-buying seminar at UPC to be held Nov. 13
-Keck School bucks recent statewide trend Minority enrollment jumps 71% at School of Medicine this fall
-Nobel Laureate lectures at HSC
-Depressed patients less likely to finish treatment when drug choices restricted by HMOs
-USC IN THE NEWS
-Student scholar chosen to join prestigious NIH research program
-Reception for new women faculty slated for Nov. 10
-Good Neighbors Campaign Gears Up for Final Week
-Andrus Gerontology Center Wins $2.5M Grantto Start Home Modification Center at USC
-Classical Composer Robert Linn Dies at 74
-Hedco Neurosciences Celebrates 10th Anniversary With Symposium
-Political Philosopher Speaks on Thursday, Nov. 11
-Calendar Events Submissions to Change
-USC in the News
-Conference Examines the Impact of the Internet on Society
-NORRIS TEAM STUDIES SEA URCHINS IN SEARCH OF GENE CAUSING SKULL DEFORMITIES
-Run-in With a Rattlesnake
-Faculty and Staff Have Until Dec. 3 to Select or Change Benefit Options
-Women Journalists of Courage Saluted
-Athletes Plié Their Way to Better Performances
-USC Community House Invites Visitors to Take a Tour and View a Photographic Display
-Videotaping the University’s Rich Personal Histories
-CCR Offers College Preparation Guide
-USC Begins Complementary Medicine Program
-Changes Ahead in the Way Med Students Are Taught
-QUICK TAKES
-USC-DEVELOPED PLASTIC HOLDS PROMISE OF 10,000-CHANNEL CABLE TELEVISION
-‘Techno-MBA School’ Honor Goes to USC
-U.S. Rep. Dixon to Award Prizes for METRANS ‘Next Millennium’ Transportation Contest
-First USC/L.A. Times Festival of Health Is a Robust Success
-Allen Mathies named Keck School Dean Emeritus
-Study shows drug boosts survival rates for certain childhood cancers
-Etcetra
-Destroyed by fire, but rising from the ashes
-No flu for you-free shots available for staff and faculty
-MAN'S BEST FRIEND
-University to provide way for employees to to compare health plans
-RESURRECTING THE SOUL OF SARAJEVO
-Keck School receives $150,000 for MS research
-USC gets $200,000 for basic research on alternative treatments for liver disease
-New surgery lectureship honors longtime surgery chair
-USC neonatologist wins top national group's top honor
-Workshops Benefit Area Churches
-USC Receives $3.2 Million for Drug-Delivery Research
-Kid Watch Wins Kudos
-Philanthropists Give $750,000 to School of Social Work; Barbara J. Solomon to Hold Stein/Sachs Professorship
-USC Honors CPB’s Frank Cruz
-books in print
-PROVOST'S OFFICE STEPS UP STRATEGIC PLANNING WITH ON-LINE DEBATE
-USC in the News
-Researcher Seeks Ways to Alleviate Complications of Gestational Diabetes
-QUICK TAKES
-Selma Holo Surveys the ‘Spanish Miracle’
-Keck School of Medicine Bucks StateTrend; Minority Enrollment Rises
-Website to Show Performance Measures of Health Plans
-‘American Clock’ Tick-Tocks on USC’s Main Stage
-Carbon monoxide health risk can increase during cold months
-Family Medicine to open new center
-Local charities urge campus to spread holiday cheer to the needy this year
-PISANO TO FILL NEW EXTERNAL RELATIONS VICE PRESIDENCY
-Researchers seeks remedies on molecular level
-USC experts assess state of health care in Southern California
-Flu shot cost is not a lot
-Center for Alcoholic Liver Diseases to hold first-ever symposium
-In Remembrance
-Study will gauge effectiveness of alternative headache therapies
-Craniofacial Birth Defect Research Gets $5.5 Million Boost
-Atlas 3: Experts Look at Southland’s Health
-Social Policy Expert Rino J. Patti to Hold Endowed Professorship
-USC Staff Earn Year-End Bonus
-ARCHIVING THE RIOT
-USC License Vendors Agree to Safeguards
-Fisher Gallery Director Selma Holo to Sign New Book
-USC in the News
-Student Scholar Chosen to Join NIH Research Program
-Students Build Character While Helping Others
-Law and Business Students Advise Local Entrepreneurs
-QUICK TAKES
-Where You Live Matters to Your Health
-Straussian Shenanigans: Batty Operetta Opens at the Bing
-Success of Learning Communities Leads to Expansion
-USC LIBRARIAN WINS FULBRIGHT TO WORK ON EL SALAVADOR BIBLIOGRAPHY
-QUICK TAKES
-QUICK TAKES
-USC-UMR Team Wins Boeing Contract
-USC: Stops on the Campaign 2000 Trail
-Year 2000 Calendar: Changes in Submission of Events
-Fisher Fun House
-NeuroGenetic Institute building poised to open in 2001 with space for new labs
-Actor Kirk Douglas and wife give Murchison School new playground
-U.S. Senator Harkin tours HSC
-Nursing students return from two week trip to Thailand
-USC physician fills many roles, but aims to help children in all of them
-Anthropologists Reclaim Images of a People’s Past
-BOOKS IN PRINT
-BOOKS IN PRINT
-USC, French Researchers Discover How Memories of Fear Work
-Doheny Library to Close Dec. 15 for Seismic Retrofit
-Brain Science Is Booming
-USC in the News
-Eight Win Grants to Foster Innovation in Instruction
-Holiday Notes: Book Drive, Credit Union Message, Annual Tree Giveaway
-1999 Anti-Graffiti Poster Contest Winners Announced
-QUICK TAKES
-‘Nacho’ Nurtures Exposition Park’s Roses
-A ‘Weisberg’ Whirls Through Space, Time in San Marino
-USC BRINGS HOLIDAY CHEER TO LOCAL KIDS, SENIORS, LOW-INCOME FAMILIES
-USC enjoys fruits of partnership with 110-year old Hollenbeck Home
-Bereaved Mother urges awareness of firearm safety
-Police officer siblings head home after one gives the other a kidney
-Researcher explores possible diabetes -Alzheimer's disease link
-USC unveils new occupational therapy center
-When it comes to Y2K , be prepared
-Alumnus earmarks $1 million for the fight against cancer
-Recent New England Journal of Medicine highlights two studies by USC researchers
-Conference on Jewish heritage highlights genetic cancer risks
-LIFE SKETCH - JERRY JENKINS
-Chemist Ralf Langen joins Keck School of Medicine
-Tina Vanderveen visits USC-UCLA Research Center for Alcoholic Liver and Pancreatic Diseases
-USC University Hospital unveils state-of-the-art MRI machine
-Keck School overseer Simon Ramo honored by NASA
-QUEEN OF HEARTS
-Ho-ho-ho and gifts to go
-RECOGNIZING SUCCESS
-HSC Y2K OK
-USC’s Occupational Therapy Department Unveils New Center
-Harold Slavkin to Head USC School of Dentistry
-WHEN LAW AND CULTURE CLASH
-Breakfast With President Sample
-Business Leader Joan Payden Named to Board of Trustees
-Joseph Roos, Anti-Nazi Activist and USC Adviser, Dies
-AAAS Elects 3 USC Faculty as Fellows
-USC in the News
-David Caron Studies Life at Bottom of the Food Chain
-KUSC’s New Transmitter and Antenna Boost Power to Classical Music Fans
-Exposition Explores the ‘Global in the Local’
-Few Y2K Problems Seen at USC
-USC Ranked No. 3 in Foreign Enrollments
-GREETINGS FROM CINCINNATI
-QUICK TAKES
-USC Student Wins Marshall Award
-Keck School Board of Overseers holds inaugural meeting
-Researchers get $100,000 to fight causes of blindness
-Family Medicine opens new facility in Pasadena
-Keck researchers show clot-busting agent is good for strokes
-Multimedia lets teachers turn classroom into a dimension of sight, of sound and of mind
-NIH awards USC researchers $2.6 million to study effects of air pollution
-Jones and Levine honored as distinguished Professors
-USC physicians will discuss cancer on national radio call-in show
-SOLOMON TALKS TO MINORITY FACULTY AND STAFF GROUPS
-USC, UCLA Join in Study of Aging
-3-D Mapping Project Could Help Find New Oil Fields in California
-Trustee, Top Fund-Raiser Carl E. Hartnack Dies
-Jumpstart Program Seeks Applicants
-Racing Robots
-‘The Hurricane’ Wins Annual Scripter Award
-Spring 2000 Holy Days Listed
-BOOKS IN PRINT
-USC in the News
-Alumnus Pledges $1M to Fight Against Cancer
-SELMA HOLO HEADS FOR SPAIN IN SEARCH OF INTERNATIONAL MODEL FOR MUSEUM STUDIES
-Honors for Local Students, Residents
-New Arts Publication Highlights USC
-QUICK TAKES
-USC Students Collaborate on New Park
-Slaughter to Speak at King Day Event
-Conference on Jewish Heritage Highlights Genetic Cancer Risk
-USC Care CEO takes new role in Keck Medical School
-Keck researchers find estrogen ineffective against Alzheimer's disease
-LAC+USC Healthcare Network honored with prestigious McGaw Prize
-NIH awards USC researchers $3.6 million to study genetic 'glitch'
-FRESHMAN GREGORY LEWIS WINS NATIONAL AWARD FOR ALCOHOL ABUSE ACTIVISM
-HSC parking pointers
-Safety office bids farewell to veteran officer
-Play on: Humanity is the soul 'W;t'
-ANOTHER SUCCESSS STORY
-Robert J. Pasarow, 82, philanthropist, USC supporter
-Sample sees 'extraordinary opportunity' in years ahead
-Architecture, Arts Students Create Designs to Nurture a Neighborhood
-Schapiro Departs to Head Williams College
-USC Honors 7 for Their Achievements
-USC in the News
-THE CONFOUNDING ART OF EDGAR EWING
-QUICK TAKES
-Power to the Pupils
-L.A. Architects’ Group Honors 3 USC Faculty
-Multimedia Art in Motion Festival to Show Jan. 28
-USC Keck School Board of Overseers Holds Its Inaugural Meeting
-Entertainment Center Debuts
-Dean Bice Will Return to Teaching
-USC Disability Plans Simplified, Improved
-KUSC Needs Volunteers
-Former Dean, Historian, Tracy E. Strevey, at 97
-IN PRINT
-USC TO SHARE IN $4 MILLION GRANT BEEFING UP MANUFACTURING ENGINEERING PROGRAMS
-USC IN THE NEWS
-Remembering King’s Dream
-Profile of Domestic Abusers Underscores Alcohol Link
-Celebrating African American Pioneer Fay Jackson
-Family Medicine Opens New Facility in Pasadena
-Researchers to Assess Youths at Risk for Joining Gangs
-A ‘Nutty Professor’ Comes to USC Campus
-Marshalling His Forces
-Quake-Up Call
-What Is an earthquake
-TAKING A LOOK AT RARE BOOKS
-Catastrophic Waves
-Scaling Back
-A Trojan Tremblor?
-USC Cinema-TV at 70: Industrial Strength
-USC Cinema-TV at 70: Freeze Frame
-USC Cinema-TV at 70: Dial M For Mafia
-USC Cinema-TV at 70: Virtually Reel
-Doheny: The Very Heart of the University
-Pop Goes the Theatre
-Pop Goes the Theatre: A League of Their Own
-HARBOR TRANSITWAY HOLDS PROMISE OF TRAFFIC RELIEF FOR USC COMMUTERS
-Pop Goes the Theatre: A Dramatic Re-entry
-A Clean Sweep
-LAC+USC Chief of Staff Ron Kaufman steps down Accepts position in UC system
-Etcetera
-USC program brings folic acid education to local teens
-Synagogue receives $30,000 for restoration
-Self-esteem is important, too
-Hormone therapy may raise breast cancer risk
-Size of brain region linked to violence, antisocial behavior
-Snowless skiing helps folks get back on the slopes
-ESTROGEN MAY REDUCE RISK OF ALZHEIMER'S IN WOMEN
-Slavkin returns to USC to serve as dentistry dean
-International Residential College to Rise on Parkside Complex Site
-McGaw Prize to LAC+USC Healthcare Network
-SC/W Event to Focus on Global/Local Junctures
-Frank Cruz, Andrew J. Viterbi, Join Board of Trustees
-Junior Faculty Members Win $70,000 in Grants
-Annual Address to the Faculty — January 2000
-Size of Brain Region Linked to Violence
-School of Social Work Honors First Lady of the Republic of Korea
-Top California Legal Adviser Talks to Political Science Class
-DIAL 'S' FOR SERENDIPITY
-Another Success Story
-‘Thornton Center Stage’ Airs on KUSC
-USC IN THE NEWS
-W. French Anderson to Discuss Gene Therapy
-USC and Caltech Pull Strings in Theoretical Physics
-Two Named to Higher Posts
-Got Art? USC Graphic Identity Program Opens Phase II
-Arias named to Keck Admissions Committee
-Bravo, students
-Wong named interim chief of staff at LAC+USC
-QUICK TAKES
-Valentine's Day marks beginning of National Heart Failure Awareness Week
-USC ethics expert hosts international biology conference
-Golf clinic to raise funds for USC/Norris
-USC/Norris physician's lab named to commemorate patient
-A harrowing plunge
-Program at USC bolsters success for minorities in medicine
-Baseball star McGwire helps LAC+USC fight child abuse
-As cancer survivor, USC trustee's goal is to help others fight disease
-Heightened Breast Cancer Risk Tied to Hormone Replacement Therapy
-NIH Awards USC Researchers $3.6 Million to Study Genetic ‘Glitch’ Behind Diseases
-LECTURES AND SEMINARS
-Harlyne Norris Joins Board of Trustees
-Symposium to Explore Sight Restoration
-BOOKS IN PRINT
-CCR Wants to Honor Top Volunteers
-USC in the News
-Annenberg School Honors Ex-Times Publisher
-IMPACT Lab Rethinks the Way We Design
-QUICK TAKES
-Study Finds Estrogen Ineffective Against Alzheimer’s
-Tyler Prize for Environmental Achievement Goes to Harvard Professor John P. Holdren
-CALENDAR
-USC Unearths Time Capsule
-USC Announces New Travel Program
-Biologists to Gather at Asilomar Conference
-USC Care CEO Takes New Role in Keck Medical School
-Taiko Tuesday
-Director Gives $750,000 to Cinema-TV
-Sundance Showcases Works of USC Students
-James Haw Receives Olah Award From the American Chemical Society
-Ford Foundation Gives $200,000 Grant to Annenberg School
-American Cancer Society kicks off "Daffodil Days"
-RAMP CHAMPS
-Campus Cruiser program gets new hours
-NCI announces cancer deaths plateau despite population growth
-NIH revises salary limitations on grants
-Cancer-fighting nose drops show promise
-Schools spur reading to celebrate life of Dr. Seuss
-Foundation provides seed money for ovarian cancer research at Norris
-Medical students plan free clinic for the homeless
-Study suggests way to improve managed care of alcoholism treatment
-Volunteer some information: Who's a "Good Neighbor?"
-‘Vignettes: Ellis Island’ to Premiere at USC
-LIFE SKETCH: GREG BROWN
-Bold New Construction Plan Is Launched; The Face of the USC Campus Will Change
-Grammy in the Schools Comes to Campus Feb. 22
-Student Film Airs on KCET
-USC in the News
-Teen Pregnancy Study Finds New Factors
-Academics Meets Real Life in Service Learning
-USC Faculty Hold Panel Discussion on Service Learning
-QUICK TAKES
-Researchers Track Violence From A to Z
-Simpson to recieve award
-GWYNN WILSON, WHO BEGAN NOTRE DAME RIVALRY, HAS DIED AT 95
-USC IN THE NEWS
-SPECIAL EVENTS
-IGM's annual symposium examines 'hot topics' in biomedicine
-HSC luminaries to be honored at Annual Academic Convocation
-Medical students gain valuable insight from the play 'W;t'
-USC Norris will host national radio show on colorectal cancer
-School of Medicine joins $6.2 million hernia study
-Too much of a good thing? Large doses of vitamin C linked to atherosclerosis
-Study Shows Nose-Drop Drug Helps Fight AIDS-Related Cancer
-Gerontology Center Unseals Its Time Capsule After 27 Years
-Kaufman Leaves LAC+USC; Wong to Serve as Interim Chief
-HOLIDAY GIVING AT USC
-Distance Learning Conference Takes Place March 8-10
-19th Annual USC Honors Convocation on March 7
-QUICK TAKES
-USC University Hospital Unveils a State-of-the-Art MRI Machine
-USC in the News
-Asilomar Conference Charts the Course of Biological Research
-PASSINGS
-New Report Analyzes a Decade of Senior Surveys
-Farewell to NAI’s James Fleming
-Volunteers Use Their Muscles to Make a Clean Sweep
-MEMORANDUM
-USC Marathoner Goes the Distance for Neighborhood Youths
-Conference Celebrates ‘The Reappearing American Jew’
-USC Program Brings Folic Acid Education to Local Teens
-Students Organize Youth Volunteer Workshops
-‘Grease’ Rocks ’n’ Rolls at the Bing
-Convocation to Celebrate Excellence in Trojan Family
-Blumenthal to Lead USC Alumni Association
-USC Medical Students Plan Free Clinic
-NSF Renews Funding for USC’s Integrated Media Systems Center
-USC Bond Rating Raised
-DEVELOPING A LASTING BOND
-QUICK TAKES
-Corrections
-USC in the News
-Restructured Alumni Association Is Poised to Meet the Needs of USC’s Graduates
-Staff Achievement: Gloria Reyes Works to Make Lives Better
-Teaching Assistant of the Year 2000: Thomas Cantwell
-A Presidential Medallion for an Interdisciplinary ‘RoboProf’
-A Presidential Medallion for a Scientist Seeking Answers
-Lynne Cohen Foundation Provides Seed Money for New Ovarian Cancer Research at USC/Norris
-USC Scholar George Sanchez to Serve as First Haynes Foundation Fellow
-CONGRESS DEFEATS LATEST BILL TO CAP INDIRECT RESEARCH RECOVERY COSTS
-In Appreciation of Corwin
-Opening at the Fisher: Liudmila Ivanova, Portrait of the Artist as a Young Soviet
-Cancer Survivorship Council brings patients perspectives into focus
-Distinguished scientists empaneled as Neurogenetic Institute advisors
-THEY'RE ALL EARS
-Etcetera
-Keck School scholars recognized for achievement
-LAC+USC Healthcare Network's McGaw prize stemmed from community service
-In Memorium
-Tobacco initiative goes up in smoke
-USC BIOLOGIST, EXPLORER JOHN GARTH DIES
-USC cancer experts go on the air nationwide
-Colorectal cancer forum slated for March 27
-Deadlines loom for two cancer research grants
-Etcetera
-Experimental treatment may stop leading cause of blindness in those over 50
-A HUNDRED AND FORE
-USC physicians plan medical trip to Ghana
-Presidential honoree discusses balancing family, career
-Just the right type...
-MIT biologist, leader in gender equity issues, to speak at HSC
-ROBERT LANE APPOINTED USC'S GENERAL COUNSEL
-USC/Norris receives $175,000 gift to study cancer in elderly
-Program director wants to know what med students' diaries know
-Study suggests high diabetes risk in African American kids is unrelated to diet
-TOWN AND GOWN
-2000 Census Undercount Would Hurt University Communities, Study Warns
-PR Student Wins National Award
-Philadelphia Inquirer, Washington Post Share Selden Ring Award
-Promising Minority Ad Students Named
-Outside Endeavors
-Books in Print
-NEW STAFF COMPENSATION SYSTEM TO TAKE EFFECT AT UPC IN MARCH
-Presidential Medallion Recipient Bekey on Crossing Boundaries
-Thornton School of Music Students Get a Lesson From a Master Conductor
-USC in the News
-Hearty Applause, Please, for the University’s Finest
-Chiara Nappi: New Physics Professor Follows a String of Successes to USC
-Christmas in April Needs Volunteers
-USC and the Community 2000 Directory Debuts
-QUICK TAKES
-USC Undergrads Win Business School Case Competition
-Loss and Recovery Take Center Stage in a New Play
-BREATHING LIFE INTO DOWNTOWN
-Etcetera
-Keck School of Medicine receives $900,000 for hernia study
-Match Game 2000
-Outreach programs should reach out to directory
-Physical Therapy clinic fetes move to Marengo St. locale
-After 30 years, summer fellowship program still inspires young students
-Pharmacologist Jean Shih wins prestigious national honor
-Sperm counts unchanged over 50 years, USC study finds
-Department of Surgery unveils groundbreaking new way to teach
-Students Create a Charitable Alternative to Spring Break Revelry
-'SCHINDLER'S LIST' TAKES SCRIPTER AWARD
-1999 Good Neighbors Campaign Exceeds Goal of $600,000
-Panel of Scientists to Advise Neurogenetic Institute at USC
-Realtor Edward P. Roski Joins Board of Trustees
-John W. Stallings, School Finance Expert, at 76
-Teaching and Technology@USC Proposals Due by April 3
-8th Edition of USC and the Community Seeks Entries
-Med Student Help Sought for New Book
-USC in the News
-Presidential Medallion Recipient Bernstein on Perseverance
-Mann Institute Symposium Explores the Challenge of Helping the Blind to See
-FACULTY SENATE POLL ENCOURAGES COMMENT ON GOVERNANCE REFORM
-SINGLE CHOLESTEROL-LOWERING DRUG CAN HALT ATHEROSCLEROSIS, USC STUDY FINDS
-Environmental Posters Show at California Science Center Through March
-Family of Five’s Foshay Center Ranks Among the Best
-Keck School and Engineering Scholars Recognized
-Large Doses of Vitamin C Supplements Linked to Atherosclerosis
-USC/Norris Receives $175,000 Gift to Study Cancer in Elderly
-QUICK TAKES
-Online Journalists Look at a Medium in Motion
-USC Scripter Awards Honors ‘The Hurricane’
-School of Medicine Joins $6.2 Million Hernia Study
-USC’s First LOVE Conference Promotes Student Volunteerism
-CITY COUNCIL HONORS HISSERICH'S CIVIC SPIRIT
-Bone densitometer provides crucial early warning of osteoporosis
-Etcetera
-February Grants
-IGM symposium sets sights on hottest issues in genetics
-Bone marrow drive slated for April 5
-Preventive medicine researcher receives $3 million from NIH
-USC/Norris to serve as South Los Angeles cancer- and AIDS-fighting resource
-Pharmacy students gear up for community health fairs
-Pregnant mother's smoking promotes damage to child's lungs
-Preventive medicine researcher honored for pioneering studies
-QUICK TAKES
-$40,000 grant for traditional medicine study
-USC Sea Grant Program Closes in on Beach Pollution
-USC Physicians Plan Trip to Ghana
-PT Clinic Moves to Marengo St. Locale
-‘Match Day’ Ceremony Reveals Futures of Graduating Keck Students
-The Savvy Traveler Wins ‘Gracie’ Award
-USC in the News
-PASSINGS
-APRU Experts Seek Creative Uses for Telecommunications Technologies
-USC Architectural Guild Honors Los Angeles Conservancy
-LIFE SKETCH
-From Empty Containers to ‘Boom Town’
-Student Leader Tyler Kelley Wins Luce Award
-Experimental Treatment May Stop the Leading Cause of Blindness in Those Over 50
-Study Suggests That High Diabetes Risk inAfrican-American Youths Is Unrelated to Diet
-Study Finds Sperm Counts Unchanged Over 50 Years
-Sky Dayton, EarthLink Founder, Will Keynote April 7 Engineering Awards Luncheon
-QUICK TAKES
-Running Full Speed Toward Life
-Oncologist awarded prestigious Young Investigator prize
-Keck School names interim dean of research
-BARRY BOEHM NAMED TRW PROFESSOR IN SOFTWARE ENGINEERING
-Former Russian ambassador accepts USC physician's invitation to campus
-Keck and Public Policy Schools map plans for a USC Health System
-Richard N. Lolley, neuroscientist and dean for research, 66
-Norris Foundation gives $15 million for new tower
-Nursing students savor chance to make a difference during spring break
-USC receives $778,000 grant for alcohol studies
-U.S. News lists Physical Therapy among the best
-Pharmacologist Jean Shih Wins Research Achievement Award
-Scientists Create ‘Virtual Travel Agent’
-Swim With Mike Celebrates Its 20th Fund-Raiser
-CRASH LANDINGS
-Richard N. Lolley, Neuroscientist, Dies at 66
-John P. Holdren, 2000 Tyler Prize Laureate, to Speak
-USC in the News
-Meeting to Explore Faculty’s Distance Learning Concerns
-Urban Planner Richard Berry Dies at 74
-Research Exposes Inequities in TV’s Hiring of African-American Actors
-Film-Scoring Greats and the Trojan Marching Band to Conquer Cerritos
-Department of Surgery Unveils Groundbreaking Way to Teach
-$40,000 Grant for Traditional Medicine Study
-SITI-Inspired Tales of Our City
-USC FIRST AMONG 105 UNIVERSITIES IN ENDOWMENT GROWTH
-QUICK TAKES
-Musicians, Mentors Carry on Jazz Tradition at Annual Fest
-After 30 Years, Summer Fellowship Program Still Inspires Young Students
-Calendar Highlight
-Architecture Students Help Create a New Vision for Museum
-Program Explores Anti-Gay Bias in the Media
-Data Speed Gets a Big Boost
-MPR Acquires USC Radio’s ‘Marketplace’
-USC/Norris to Serve as South Los Angeles Resource for Cancer and HIV/AIDS
-Philanthropists Katherine B. Loker and Flora L. Thornton Join USC Board
-USC IN THE COMMUNITY
-Ragan to Read His Poetry at Carnegie Hall Festival
-USC IN THE NEWS
-Freshman Nuclear Web Site Is Still the Only Game in Town
-Pregnant Mothers’ Smoking Promotes Damage to Children’s Lungs
-U.S. News & World Report Ranks Graduate Schools
-Sheeja Pullarkat Wins Young Investigator Award
-Economist to Help Put a Price Tag on Southern California Beaches
-Neighborhood Gets a Lift From USC Volunteers
-Device Provides Early Warning of Osteoporosis
-Calendar Highlight
-STOOPSES CREATE $1.25 MILLION TRUST FOR SCHOOL OF EDUCATION
-Former Russian Ambassador to Speak on U.S.-Russian Relations
-BAA Benefit on April 27
-Mexican Immigrants in U.S. Keep Close Ties With Their Hometowns
-The Robin Hood of Library Books Delivers the Goods
-Schools collaborate to track cells that provide craniofacial blueprints
-Community service volunteers recognized
-Flora Thornton named honorary trustee of university
-Keck School looks to collaborate with Engineering
-MS Comprehensive Care Center receives grants totaling $501,000
-Radiopharmacy pioneer lauded for lifetime accomplishments
-NORRIS INTERIM DIRECTOR PETER JONES TO BE CANCER CENTER'S PERMANENT CHIEF
-Revlon Run/Walk aims to raise millions for cancer research May 13
-Keck School finanical officer to resign June 30
-Norris Foundation gives $15 million for new tower
-Disney’s Michael D. Eisner to Speak May 12 at 117th Commencement
-John C. Argue Elected USC Board Chairman
-ISI Helps Set Internet2 Land Speed Record
-Keck and PPD Schools Map Plans to Develop a USC Health System
-Cabinet Member Donna Shalala to Deliver Hays Lecture April 27
-BOOKS IN PRINT
-USC Undergraduates Win Truman, NSEP Scholarships
-CLARIFICATION
-A SELF-MADE WOMAN
-Meningitis Vaccine Available to Students on April 26
-USC in the News
-Old-Fashioned Neighborly Conversation Is Best
-Scholar Traces U.S.’ Secular, Religious Threads
-Calendar Highlight
-NIH Awards Grant to Preventive Medicine for Atherosclerosis Study
-Genetically Tracking Cells From Embryo to Adult
-Keck School Names Interim Dean
-QUICK TAKES
-Banquet Honors Those Who Brighten Neighborhood
-QUICK TAKES
-Board of Overseers examines space needs
-Firm chosen for $2.5 million Doheny expansion
-March Grants
-Keck, Annenberg schools map plan to improve public health
-Orthopaedic surgeon named to national leadership post
-Pathologist receives $1.2 million NCI grant to find way to track cancer cells
-Photo project aims to recapture Boyle Heights past
-THAI BEAUX
-USC Neurologist lobbies Congress on behalf of patients, researchers
-Funding the Future
-LIFE SKETCH - LOUIS KITAOKA
-Tour de Force
-Looking on the Bright Side
-Taking It to the Streets
-Positive Health
-Getting the 4-1-1 on Cancer
-Growing Gains
-Norris News
-SMOKE SIGNALS
-THE PROMISE OF PRESERVATION
-HOW SWEET IT IS
-TAKING THE BUNGEE LUNGE
-Shrouded In History
-OUT-PACING CANCER
-SHE GOT GAME
-IN CARING HANDS
-HEALTHOUGHTS
-CITY ROUNDS HOME SWEET HOME
-ESTROGEN AND ALZHEIMER'S
-What's Entertainment
-32nd Street: A Kaleidoscope of K-Through-12 Learning
-The Naked Truth About Money
-USC IN THE NEWS
-A Boom With View
-Building The Tradition
-New and Improved Health Science Campus
-New and Improved University Park Campus
-One Hundred Years of Law and Ardor: 1900-2000
-100 Years of USC Law: Bringing Suits in Dresses
-100 Years of USC Law: Going Public
-100 Years of USC Law: You Be the Judge
-100 Years of USC Law: The Fruits of Philanthropy
-100 Years of USC Law: IN RETROSPECT: THE BICE YEARS
-WHO'S FILLING THE REST HOMES?
-USC researcher receives medical Fulbright award
-New chair in Parkinson's disease research established
-NurseWeek magazine lauds USC professor's teaching excellence
-Presentation points out ways to deter workplace violence
-'Safety first' is message of Pharmacy's 'Kids Day 2000'
-Three schools work to support start-up business ventures
-Top diabetes researchers flock to USC colloquium
-TRES DE MAYO
-University gears up for 117th commencement ceremonies
-USC to host conference exploring intersection of neuroscience, art, creativity
-HANDTMANNS' $500,000 GIFT LETS USC OPEN CENTER LINKING NEEDY WITH SOCIAL SERVICES
-A Day of Celebration, 2000
-Norris Foundation Gives $15 Million for Tower
-New Prize Honors ‘Renaissance Scholars’
-Creative Writing and Literature Ph.D. to Begin in 2001
-USC in the News
-Michael D. Eisner 117th Commencement Speaker — Doctor of Humane Letters, Honoris Causa
-Honorary Degree Recipients
-2000’s Salutatorian Jenny Huiju Yiee: A Gifted Undergraduate
-Nursing Students Who Made a Difference
-HEDCO FOUNDATION FUNDS $1.2 MILLION MOLECULAR BIOLOGY LAB
-Valedictorian Jacob Chacko Is No Stranger to Awards
-USC Scholars to Spend Summer in Siberia in Russian-American Expedition
-For the Boyds of La Ca–ada, Commencement Is a Family Affair
-Archiving ‘Cold War/Hot Climate’
-Bill Cosby Receives Cinema-TV’s Steven J. Ross/Time Warner Award
-Calendar Highlight
-President Bush Comes to Campus
-QUICK TAKES
-Rossier Course Helps Students Help Themselves
-‘I Swam With Mike’
-USC MEDICAL RESEARCHERS LINK PARKINSON'S DISEASE AND HEREDITY
-Student Achievements Are Honored on Wall of Scholars
-Commencement Highlights
-Commencement Webcast
-Satellite Ceremonies
-Commencement Parking Alert
-Top Stories of 1999-2000
-Top Stories of 1999-2000
-Top Stories of 1999-2000
-Top Stories of 1999-2000
-Top Stories of 1999-2000
-REMEMBERING MARTIN LUTHER KING JR.
-Top Stories of 1999-2000
-Top Stories of 1999-2000
-Top Stories of 1999-2000
-Top Stories of 1999-2000
-Top Stories of 1999-2000
-Top Stories of 1999-2000
-Top Stories of 1999-2000
-USC hematologist seeks causes, potential cures for bone death
-DIMINUTIVE DONOR
-Etcetera
-CHESTER A. NEWLAND IS NAMED TO DUGGAN PROFESSORSHIP
-USC'S RECRUITING CZAR LEAVING THE REDWOODS FOR THE FREEWAYS, ADMISSIONS DEAN AND ENROLLMENTS VICE PROVOST JOE ALLEN BRINGS A FRESH PERSPECTIVE TO THE UNIVERSITY.
-GETTING TO KNOW YOU
-HSC celebrates the start of the Healthy Communities Network'
-Johns Hopkins honors two Keck School faculty as University Society Scholars'
-New Dept. of Pediatrics chair named
-Pharmacy School named as U.N. Center of Excellence
-USC student's work rewarded with research scholarship
-Vanoff family establishes hematology fellowship
-Blood Center reaches out to Latino community for donors
-Cancer fundraiser hits the ground running and walking
-Commencement 2000
-EARLY ADMISSIONS FIGURES PLOT STEADY COURSE FOR 1994-95 ENROLLMENTS
-A day to remember
-Deadlines approaching for grant opportunities
-East L.A. group to honor USC leader for community service excellence'
-Elsbeth Kahn, emeritus associate professor of family medicine, 79
-Keck School honors its top scholars
-Longest survivor of double-lobar lung transplant graduates from USC
-DON'T GET LOST
-Deadlines approaching for grant opportunities
-Treatment of potentially dangerous aneurysms safer, easier
-Kudos to Campaign Chairs
-PUBLIC DEBATE ON L.A.'S FUTURE CONTINUES
-New Pediatrics Chair Hails From UNC School of Medicine
-Wrigley Institute Receives NSF Biocomplexity Grants
-QUICK TAKES
-Walter Wolf Receives Second Nuclear Pioneer Award
-USC in the News
-‘Venture Beyond Your Comfort Zone’
-A Lyrical Send-Off for Poetry Month at Carnegie Hall
-Eisner: You’ve Got E-Mail, So Use It Wisely
-How Dentistry Is Changing Lives One Smile at a Time
-Renaissance Scholars Are Saluted
-EARTHQUAKE LEAVES ONLY MINOR DAMAGE AT USC
-Boyle Heights Project Unites Past and Present
-USC Class of 2000 Celebrates a Milestone With Pageantry and Purpose
-Actor Poitier to CNTV Grads: ‘You Must Set the Goal’
-Commencement Webcast’s Cast of Characters
-USC’s Summer Programs Expose Students to Science, Art and More
-SC2 Sponsors Meeting on Neighborhood Councils
-Local Youths Invited to Take Part in USC Sports Program
-Calendar Highlight
-Campbell Meets With Info Tech Colleagues
-Researcher Patricia A. Riccio Wins Medical Fulbright Award
-CURRENT BUDGET ALLOTS ENOUGH FUNDS FOR LIBRARIES TO ORDER NEW JOURNALS
-OUTSIDE ENDEAVORS
-Newest Rotary Scholars Are at Home in the World
-April Grants
-Doctor uses Spanish language media to bring his message home
-Engel lauded at Academy meeting
-Etcetera
-Good Neighbors contributions to aid community jump 16 percent
-Keck School researcher hails new hepatitis C treatment option
-USC leaders mull outreach plan to bolster community health
-A treasure map that leads to USC
-QUICK TAKES
-MUSICAL INTERLUDE
-Survivors to celebrate Festival of Life
-USC transplant team makes possible a life-saving gift to a stranger
-Diabetes study focuses on possibility of prevention
-Grants Opportunities
-Keck School set to restructure how medicine is taught
-USC researchers buttress argument for more regular mammograms
-Renovation work to close Seaver cafeteria for summer
-Undergrad Symposium Highlights Artistic, Scientific Achievements
-Researchers Find Unique Nuclear DNA Structure
-BOOKS IN PRINT
-East L.A. Group to Honor Jane Pisano
-Composer Ellis B. Kohs Dies at 84
-Elsbeth Kahn, Emeritus, Family Medicine, at 79
-NDA II: The Story of America’s Second National Dental Association
-Comptroller Fermin Vigil Resigns
-BOOKS IN PRINT
-QUICK TAKES
-USC in the News
-Trimble to Attend Summer Institute
-University Professsors Gather at Second Annual Dinner
-SOCIOLOGY'S BOOK BONANZA
-U-M’s Mazmanian Is Named Dean of theSchool of Policy, Planning, and Development
-Matthew L. Spitzer Selected to Lead USC Law School
-College of Letters, Arts and Sciences Elevates Joseph Aoun to Deanship
-News Service Wins 2 Awards
-Graduating Boyds Are Hometown News
-Longest Survivor of Double-Lobar Lung Transplant Graduates from USC
-HSC Bids Farewell to the Class of 2000
-Talking Science: Biologist-Filmmaker Offers Advice on Presentations
-Treating Injured Athletes
-Neurosurgery Meets With Music, Architecture, and Film to Tackle Creativity in Academia
-UNIVERSITY OFFERS EARTHQUAKE VICTIMS FLEXIBLE HOURS, HOUSING, LOANS, COUNSELING
-Healthy Communities Network Kicks Off
-Trustee Pat Haden Feted at Gala With Champion of Children Award
-Calendar Highlight
-Becket Professorships to Facilitate Studies in School Design and Educational Governance
-MacDonald and Diane Becket
-Schools Collaborate, Share Ideas for Entrepreneurial Ventures
-Making It Legal at USC
-You Be the Judge
-Going Public
-Cancer Toolbox' wins praise, awards
-MICROBIOLOGISTS UNLOCK MYSTERY OF 'REPRESSORS' USING SIMPLE VIRUS
-Pediatrics Chair Dale Garell steps down after notable career at USC
-USC telemedicine expert Frederick George III, 76
-Festival of Life 2000
-Grant Opportunities
-USC radiologist honored as outstanding young investigator
-New studies delve into causes and possible prevention of heart attacks
-OT faculty ink one of 1999's top health publications
-Reach of Doctors of USC extends to Spanish speakers online
-USC study seeks link between diet and breast cancer
-Anesthesiologist Zelman honored in Russia
-UNIVERSITY HOSPITAL PERFORMS ITS FIRST DOUBLE-LUNG TRANSPLANT
-LIFE SKETCH
-CHLA fundraiser nets $2.3 million
-Etcetera
-FAREWELL TO USC'S FINANCIAL VIG-IONARY
-CHLA first to gain newborn hearing test certification
-Grant Available
-Hospital unveils new, improved Gamma Knife
-Lung tissue recipient breathes easier with a little help from friends, family
-Norris Medical Library director steps down
-Physician retires after 50 years at USC
-Service locates tough-to-find cancer information
-HEALTH CENTER OPENS AT UNIVERSITY PARK
-TEACHING TOMORROW'S LEADERS
-USC medical team calls teaching tour in Ghana 100% success
-U.S. News ranks USC-affiliated hospitals among nation's best
-Baxter Foundation awards $350,000 to USC researchers
-Classes a must for new NIH grants
-Department of Nursing program names Waugaman interim chair
-Despite construction crunch, a buncha places to get lunch
-First USC conference for dialysis patients leaves attendees asking for more
-Former medical student returns as assistant professor of otolaryngology
-Getting online answers to parking and transportation questions just got easier
-GURU OF GASTRONOMY
-Grants Available
-Maureen Reagan to host hospital guild benefit
-Pharmacy names Hamm-Alvarez to Biles Professorship
-Physical Therapy recruits 'gifted teacher' as new chair
-Researcher known for aging research joins Pharmacy School
-USC/Norris patient transport overcomes obstacles to cancer treatment
-Making a difference at the USC/Norris
-Golden to the Core
-A Welcome Feeling
-Searching for the Silver Bullet
-CONGRESSMAN MOORHEAD MAKES THE ROUNDS
-A TAILORED PLAN
-All the Buzz
-Norris News
-The Kindest Cut
-RAYS OF LIFE
-Something to Chew On
-THE NEW CHOLESTEROL
-Vanquishing the Virus
-TEST OF NERVE
-JUST DOING IT
-BATTLER FOR GENE THERAPY FRENCH ANDERSON'S OBSESSION HAS TURNED FANTASY INTO REALITY.
-HEALTHOUGHTS
-SCARCE AS HEN'S TEETH
-MISSION SCIENCE: 2
-Multiple Degrees of Preparation
-All Abroad
-Overseeing Overseas Study
-Travelling Business Class
-Two-Way Street
-Second Sight
-Leading Man A Festschrift for Warren Bennis
-WILL YOU BE READY FOR THE BIG ONE?
-Bennis On Making Change
-The Air Up There
-Bennis On Cats and Dogs
-The Art and Adventure of Collaborating With Warren Bennis
-Medicine: Blood Center reaches out to Latino community for donors
-Medicine: CHLA fundraiser nets $2.3 million
-Student Aid: In Some Federal Aid Programs, Not All Campuses Are Treated Alike
-Medicine: Diabetes study focuses on possibility of prevention
-DNC: Overview
-DNC: Convention’s outreach programs headed by USC alumna
-HUMANITIES DEAN IDE TO FILL NEW UNDERGRADUATE STUDIES VICE PROVOST POST
-DNC: Safety measures are prime concern
-Annenberg Center: EC2 incubator hatches digital commerce meta-site
-Good Neighbors: Employees build partnerships with 20 USC-community projects
-Engineering: Spring retreat honors faculty
-Education: 9 win Gates Millennium scholarships
-Medicine: Hospital unveils new, improved Gamma Knife
-Obituary: Judith Grayson, teacher educator, 62
-Education: Karen S. Gallagher named dean of Rossier School
-Loker Hydrocarbon Institute chemists receive honors
-Medicine: Lung tissue recipient breathes easier with a little help from friends, family
-BEATING LANGUAGE BARRIERS ON THE JOB
-Engineering: Northern California Couple Give $2 Million
-Pharmacy: UNESCO names school a U.N. Center of Excellence
-Engineering: San Marino investment banker funds USC Student Center
-Business: Technology companies lack effective knowledge management
-Medicine: Treatment of potentially dangerous aneurysms safer, easier
-Medicine: U.S. News ranks USC-affiliated hospitals among nation's best
-Libraries: Nelson J. Gilman, Norris Library Director, Retires
-The college: USC faculty collect Haynes grants by the handfull
-Medicine: USC medical team calls teaching tour in Ghana 100% success
-Administration: USC purchases Midtown Radisson Hotel
-USC IN THE NEWS
-Medicine: Study seeks link between diet and breast cancer
-Obituary: Telemedicine expert Frederick George III, 76
-Cinema-TV : School aligns with Avid Technology
-Cinema-TV: Universal Studios funds new lab at Zemeckis Center
-Gerontology: Wilber holds Mary Pickford gerontology chair
-On the move: USC people, making news, making an impact (8/7/2000)
-DNC: Web sites provide latest traffic information, maps
-Obituary: Benjamin Landing, 80
-Administration: Facilities wins award for excellence
-Administration: Marcia Wood, Rob Johnson are promoted
-CUTTING WASTE WON'T CONTROL HEALTH CARE COSTS, USC RESEARCH SHOWS
-Cinema-TV: Warner Bros., NBC, Cinema-TV join in talent diversity program
-Construction: 90 projects, $85 million in construction on campus
-Human subjects research: University moves aggressively to protect patients in research protocols
-Newsweek/Kaplan College Guide selects USC as a "hot school"
-Fine Arts: Flicks and cheese and a whole lot more
-Health Festival: L.A. Times/USC event to draw 30,000 to campus
-Fine Arts: Program for migrant children brings 250 students, teachers to campus
-DNC: Norman Lear opens ‘Democracy Row’ at USC
-DNC: Message to university campus community
-AND YOU THOUGHT REMODELING YOUR KITCHEN WAS TOUGH
-THIS WEEK
-EMBRACING ISLAM-
-Available Grants
-Education program protects humans in research
-Emergency phones installed at HSC
-Etcetera
-USC gears up for Festival of Health, slated for Sept. 16, 17
-USC shows its neighborly side with grants worth $548,000
-Health and dental education helps children
-HSC Research Awards for May and June 2000
-Students honor STAR mentor
-Up-to-date and online
-USC RADIO AIRS BLACK HISTORY MONTH SERIES
-Urology resident honored with Pfizer Scholars Grant
-USC enhances oversight for research programs
-DNC: USC experts on call
-Annenberg Center: EC2 project opens door to DNC press corps
-Medicine: Keck School revamps medical curriculum
-Fine Arts: One-of-a-kind Hitchcock festival debuts 101 years after his birth
-HSC: Homeboy Bakery getting a fresh start
-HSC: STAR Program Mentor of the Year Named
-People on the move: USC people, making news, making an impact (8/17/2000)
-Black Alumni Association sponsors political forums to empower community
-SCREENWRITER, AUTHOR, SURVIVOR UNITED
-People on the move: USC people, making news, making an impact (8/21/2000)
-Student life: Diving into fun before diving into studies
-Medicine: Diabetes starting earlier, teens and 20s, especially among Latinos
-Health Festival: 2nd L.A. Times/USC event to draw 30,000 to University Park
-Student life: Daily Trojan starts year off with a huge — I say, huge — first issue
-Theater: USC Night at the Pasadena Playhouse honors Velina Hasu Houston
-Bakery destroyed by fire resurrected in East Los Angeles
-CHLA researchers get $6.7 million to combat neuroblastoma
-Etcetera
-Diabetes expert urges more screening, prevention
-WANTED: JAZZ PRODIGIES
-Administrator named ACMPE fellow
-FIRST-YEAR THINGS FIRST
-USC gears up for Weekend of Wellness' health fair
-$2 million gift will establish Plastic Surgery Center
-Grants Available
-HSC hospitals catch football fever
-Keck School curriculum getting revised from the ground up'
-New construction will affect parking options
-Students learn science by making cotton candy, electric model cars
-Professor wins grant to aid developmentally disabled
-NEW DIRECTOR AIMS TO BRING USC BOOKSTORE UP TO STANFORD'S LEVEL
-Football: Trojans get off on the right foot, beat Penn State 29-5 in Kickoff Classic
-We’re a School That Verily Sizzles
-The DNC Brought Out the Best of USC
-San Marino Investment Banker Funds Student Center
-USC Purchases Nearby Radisson Hotel
-Judith Grayson, Teacher, Educator, at 62
-USC in the News
-Pharmacy School Named as One of Five U.N. Centers of Excellence
-Teacher-Education Reform Expert to Lead Rossier School
-USC Blood Center Reaches Out to Latino Community
-LIFE SKETCH-WENDY QUINN
-Good Neighbors’ Grants Fund a Host of Programs
-QUICK TAKES
-Calendar Highlight
-Black Alumni Association Sponsors Political Forums to Empower Community
-An Excellent Team, Indeed
-USC Faculty Collect Haynes Grants by the Handful
-Hosts of DNC Volunteer With Family of Five
-USC in the News
-Hitch 101: A One-of-a-Kind Hitchcock Festival
-USC Students Win Gates Millennium Scholarships
-QUICK TAKES
-People on the move: USC people, making news, making an impact (8/30/2000)
-USC Builds for the 21st Century
-Friends and Neighbors Join Forces
-Northern California Couple Give $2 Million to USC Engineering
-Telemedicine Expert Frederick George, Dies at 76
-USC, L.A. Times, Team Up for Second Annual Festival of Health
-USC in the News
-Gerontologist to Hold Mary Pickford Foundation Professorship
-USC Night at the Pasadena Playhouse Honors Houston
-KUSC-FM Calls for Volunteers
-BOOKS BY THE BUSHEL
-Calendar Highlight
-Warner Bros., NBC and CNTV Join in Talent Diversity Program
-QUICK TAKES
-Loker Hydrocarbon Institute Chemists Receive Honors
-California Dreamin’ From Canvas to Computer
-Mircheff Named STAR Mentor of the Year
-The Olympics: Trojans run for many nations
-Obituary: Rena Sivitanidou, teacher, researcher
-The College: TV coverage of women’s sports falls far behind men’s
-On the move 9/6/2000): USC people, making news, making an impact
-USC IN THE COMMUNITY
-Health: Fitness, cooking, fun agenda for LA Times Festival of Health
-Dentistry: New program targets poor oral health among poor, elderly, children
- Annenberg: Media Fail to Focus on Day-to-Day Gay & Lesbian Issues
-Gerontology: ‘AgeWorks’ takes masters students on line; most find there’s no distance in cyberspace
-Academic Senate: New president, William Dutton, wants to focus on distance learning
-The College: Race and wealth determine who lives where in Los Angeles
-The College: Scientists puzzle over 54-year-old tsunami; size of waves underestimated
-CHLA researchers get $6.7 million to combat neuroblastoma
-Music: Thornton School dean appointed director of USC's Arts Center Project
-Provost: Mike Diamond focuses on raising quality of graduate-level programs
-QUICK TAKES
-Medicine: $2 million gift will establish Plastic Surgery Center
-Fisher Gallery: California dreaming draws artists, and Fisher has them on exhibition
-Festival of Health Returns to Campus
-Trojan Olympians: The Cardinal and Gold Aim for More Gold in Sydney
-USC’s New Students Meet the President
-Technology Rich Companies Fall Short in Management of Knowledge
-Passings
-USC in the News
-QUICK TAKES
-“Kindertransport’ Documentary Opens Sept. 15
-"A DAY WITHOUT ART" DRAMATIZES AIDS TRAGEDY
-SPARKING YOUNG HEMINGWAYS
-Media Cover ‘Hot-Button’ Stories But Fail to Focus on Day-to-Day Gay and Lesbian Issues Says USC Survey
-New Dean of School of Dentistry Speaks at CDA Event
-Calendar Highlight
-Realizing Academic Excellence Is His Mission
-Medicine: Keck School in study that activates a long-dormant developmental pathway
-Olympics: Keck School physician shepherds diabetic swimmer Gary Hall to the platform — ‘the swimming is up to him’
-Medicine: USC partners with 5 universities to provide up-to-date medical information for doctors.
-We got signs: New campus signs point passersby in the right direction.
-Trustees: Robert S. Rollo Joins USC board; alumni president-elect also heads worldwide executive recruiting service
-Honors: Myron F. Goodman wins MERIT award from NIH for excellence of his research
-LIFE SKETCH- JEFF MURAKAMI
-Human subjects research: USC enhances oversight, focuses compliance efforts
-USC-UCLA rivalry turns into a blood feud - but that's good
-L.A. Times Magazine features President Steven B. Sample on its cover
-Olympics: USC’s amazing Olympic gold medal streak stays alive
-Medicine: Tenet names Paul S. Viviano as USC/University Hospital CEO
-Medicine: New USC-Caltech eye test can spot diseases — even brain tumors — in five minutes
-Service: USC-UCLA rivalry turns into bloody good thing
-Health: ‘Festival of Health’ draws throngs to University Park campus
-Groundbreaking ‘AgeWorks’ Program Gets High Marks From a Distance
-Distance Learning Expert Leads Academic Senate
-STUDY FINDS BASIC EARTHQUAKE-SAFETY HARDWARE MISSING IN 40% OF BUILDINGS
-CHLA Researchers get $6.7 million to Combat Neuroblastoma
-Executive Robert S. Rollo Joins Board of Trustees
-BOOKS IN PRINT
-TV Coverage of Women’s Sports Still Lags Behind Men’s
-Race and Wealth Determine Who Lives Where in L.A.
-A Top Resident We’d Like to Woo Back
-Universal Studios Funds New Lab at Zemeckis Center
-Calendar Highlight
-USC in the News
-Quick Takes
-UNIVERSITY INTRODUCES TOUCH-TONE REPORT CARDS
-Signs for the 21st Century
-Larry J. Livingston to Direct Arts Center Project
-August Arts Academies Nurture the Talents of Migrant Workers’ Children
-Education: A strong commitment to urban education drives this dean
-About USC people: in motion, in action; honors and efforts
-Annenberg: South Africa internships introduce students to the real world of journalism
-Movies: Digital cinema lab to test new movie technology
-White Coat oaths: medical and dental students pledge to place patients before all else
-HSC Research Awards for July 2000 (part 2)
-Conference examines deadly legacy of breast cancer in African-Americans
-GRADING 101: A REFRESHER COURSE FOR FACULTY, STAFF
-Festival of Health draws 20,000 to USC
-Grants available
-Longtime USC veteran returns to helm Keck School finances
-More up-to-date than any text, web site offers doctors latest diagnostic information
-Anyone who wants to raise money for breast cancer can Take a Hike
-USC and Caltech researchers create pioneering computerized vison test
-Medicine: Mysteries abound in death rate of African-American women diagnosed with breast cancer
-Cancer march: ‘Take-a-Hike’ event will raise funds for USC/Norris, UCLA
-J-Students Go Global
-Myron F. Goodman Wins MERIT Award
-EARTHQUAKE-PHOBIC RATS HELP EXPLAIN HUMAN FEARS
-USC Endocrinologist Goes the Distance for an Olympic Swimmer
-Six-University Partnership to Provide Up-to-Date Medical Information for Doctors
-A ‘Supercomputer’ Comes to USC
-USC in the News
-Two USC Schools Rank in Hispanic Top 10
-Plastic Surgery Center Established With $2 Million Gift
-Medical and Dental Students Pledge to Place Patients Before All Else
-Testing New Digital Technology
-Calendar Highlight
-Quick Takes
-EARTHQUAKE DAMAGE YIELDS DESIGN LESSONS FOR ARCHITECTURE STUDENTS
-Reception Introduces Hillel’s Rabbi Jonathan Klein
-EC2 Annenberg Incubator Hatches Digital Commerce Meta-Site
-Massry Prize Goes to UW Cancer Specialist
-A Strong Commitment to Urban Education Drives This Dean
-Annenberg: L.A. students gain a voice in city mayoral election
-Health: Festival of Health brings Maureen Reagan, Jack LaLanne to center stage
-Provost: Keeping track is only half the fun; the rest is crucial
-For adults who never had chickenpox, the disease can be a killer but a vaccine can help
-Breast Health Day 2000: In fight against cancer, knowledge is power
-Brochure from the 1930s boasts of capacity of new' General Hospital
-DRIVE-BY SHOOTINGS NOT RANDOM, STUDY SHOWS
-Etcetera
-Outstanding volunteers represent USC to community at Festival of Health
-HSC gets access to USC's new supercomputer
-Keck School kicks off construction of new Neurogenetic Building
-Transportation Services adds new shuttle to HSC
-Atherosclerosis researcher studies amino acid as potential risk
-D.C. Summit Explores Breast Cancer’s Mysteries
-ICT Dedicates Headquarters With Fanfare, Star Power and Army Power
-A Groundbreaking Milestone
-Tenet Names Viviano USC University Hospital CEO
-QUICK TAKES
-Keck School Researchers Examine Role of Stem Cells in Organ Regeneration
-Join USC’s Team to Hike for Breast Cancer Research
-USC in the News
-Diagnosis: Second Festival of Health Was a Robust Success
-World-Class Words From the Provost’s Distinguished Writers Series
-Come and Join a Discussion On the Oct. 3 Debate
-Researchers Work to Boost High-School Student Interest in the Mayoral Race
-Calendar Highlight
-CNTV’s First Look Festival Showcases Students’ Short Films
-Just the Facts, Ma’am, for This New Officer
-BE IT EVER SO HUMBLE
-Diabetes Expert Recommends More Screening, Prevention
-Olympic Wrapup: USC athletes win 15 medals - including 8 golds - at 2000 Sydney Olympics
-People on the move: USC in the news, making news, making waves
-Culture: Arts writer Barbara Isenberg’s California 'State of the Arts' headlines fall literary luncheon
-Student enterprise: Undergraduate entrepreneurs make ‘Trojan Antenna Balls’ a bestseller
-USC TV: Trojan Vision uses Internet to link viewers near and far
-‘Blood Bowl’: Trojans, Bruins square off in a game that produces nothing but winners
-Gerontology: Can an end to ‘geezerhood’ be nearing?
-Obituary: H. Dale Hilton, former Alumni Association head, Emerti lecturer
-Earthquake Science: Tom Jordan goes deep — very deep — in quest to understand earthquakes
-ALL IN A DAY'S WORK
-USC IN THE NEWS
-Kid Watch: USC neighborhood program spreads throughout the city
-Director of USC’s Center for Black Cultural and Student Affairs adds personal touch in helping students
-Medicine: Ron Kaufman returns to Keck School to head administration
-HSC Research Awards for August 2000
-HSC Faculty in Print
-Take a Hike' needs hikers to fight cancer one step at a time
-NURSING
-Panel urges action on AIDS research and care
--USC offers visitors a Passport to Good Health' at Nov. 4 fair-
-Gerontology: Dorian Gray on the doorstep of science
-RINGING IN THE YEAR OF THE DOG
-USC-UCLA rivalry spurs race to donate blood by Nov. 18
-Entrepreneurial Spirit Spells Success for Undergrads
-USC’s Kid Watch Program Spreads Citywide
-Keck School Kicks off Construction of $45M Building
-H. Dale Hilton, Former Administrator, at 87
-Giving for a Very Good Cause
-USC in the News
-Ron Kaufman Returns to USC
-Conference Examines Senescence
-QUICK TAKES
-LIFE SKETCH - DAVID BLACKMAR
-Tom Jordan Goes Deep — Into the ‘Belly of the Beast’
-$5,000 Gift From Atherton Couple Will Benefit USC’s Family of Five Schools
-Calendar Highlight
-Arts Writer Delivers California ‘State of the Arts’: Barbara Isenberg Headlines Fall Literary Luncheon Oct. 25
-Center Director Adds a Personal Touch
-USC Athletes Win 15 Medals — Including 8 Golds — at 2000 Sydney Olympics
-Academic Culture Initiative: Picture a campus abuzz with intellectual fervor
-Social Work: Funding strategy pays off as $9 million in grants increases options
-Francisco Bravo Magnet: STAR student wins top science honors
-Finance: Fiscal year ends with 40% gain on USC investments
-COOLING THEIR ENGINES
-The College: Joseph Aoun aims to make USC’s College one of nation’s ‘Top Ten’ (Part I)
-Obituary: Ennis C. Layne, cell and neurobiology, dies at 73
-Technology born at USC may take guesswork out of chemotherapy
-Ennis Layne, professor of cell and neurobiology, helped review tenure system
-CHLA becomes part of Children's Oncology Group
-County workers' strike hits HSC
-Etcetera
-Available Grants
-Keck School's Overseers mull future development of HSC
-Outside reviewers describe USC/Norris as a study in excellence'
-USC RECALLS BLACK HISTORY WITH SOUL FOOD, FILM, AFRICAN DANCE
-USC researchers get $3.5 million to study triggers of type 2 diabetes
-USC welcomes new Mohs surgeon
-The College: New International Relations professor puts economic theory into real-world practice
-Trustees: Alan I. Casden joins USC Board of Trustees
-New Program for Excellence Emerges
-Fiscal Year Ends With a Stellar Investment Return
-Symposium Honors Richard F. Thompson
-Ennis Layne, Neurobiologist, Emeriti Adviser, Dies at 73
-USC’s Annual Security Report Now Available
-BOOKS IN PRINT
-UNIVERSITY TO CLOSE EMBASSY COLLEGE DUE TO EARTHQUAKE-SAFETY CONCERNS
-Education, Job Opportunities Are Keys to Latino Home Ownership
-Annenberg TV Delivers On-the-Spot News While Students Learn the Ropes
-New IR Prof Puts Economic Theory Into Real-World Practice
-QUICK TAKES
-Calendar Highlight
-USC in the News
-New Partners to Produce Play Festival
-LAS Dean Crafts the Future of the College
-Recent Appointments in the College
-Law: Former Dean Scott Bice and wife give $1 million to scholarship endowment
-BANKAMERICA CHAIR NAMED USC TRUSTEE
-Art: USC’s John Bowlt joins in curating major exhibit at New York’s Guggenheim Museum
-Journalism: Discrimination, poverty, inequity are targets of new Institute for Justice and Journalism
-Engineering: Salamander slithers across a computer screen in bid to solve 350-million-year-old mystery
-College: ‘Into the realm of greatness’ — how LAS will elevate its graduate programs (Part II)
-Actors doubling as patients set a new standard for medical teaching
-CHLA pediatrician receives $350,000 NCI grant to study childhood tumors
-Department of Occupational Therapy sets annual symposium for Oct. 26-27
-Etcetera
-Available Grants and Awards
-Hikers raise funds for USC/Norris
-A KINDER, GENTLER TRAFFIC REPORT
-Keck School faculty invited to breakfast
-NIA awards USC researchers $9 million to study dementia
-USC smog study spanning a decade underscores health risk for children
-Strategy Pays Off for School of Social Work
-STAR Student Wins Top Science Honors
-Call Goes Out for Honorary Degree Nominations
-Alan I. Casden Joins Board of Trustees
-Bices Give $1 Million to USC Law School
-USC in the News
-24th Street Theatre’s Halloween Party
-STANLEY FUNDS $1.5 MILLION CHAIR IN BUSINESS SCHOOL
-Annenberg School Aims to Make Social Justice a New Beat
-A Robotic Amphibian’s Journey Begins
-Calendar Highlight
-The Amazing ‘Amazonki’: Around the World in Eight Decades
-QUICK TAKES
-Richmond Joins Annenberg Center for Communication
-Aoun Outlines Opportunities and Challenges
-Obituary: Peter Swerling, radar expert, instructor, 71.
-Medicine: Dean Stephen J. Ryan honored with ‘Fight for Sight’ award
-Cinema-Television: Virtual cinema to be taught at USC in collaboration with Hyperbole Studios
-USC HOSTS MASTER CLASSES FOR MUSICAL TEENS
-Medicine: 100 emeritus faculty renew auld acquaintances, forget not
-Good Neighbors: Campaign to support outreach programs begins
-Community medicine: USC/Norris patient transport overcomes obstacles to cancer treatment
-Obituary: Vern Wolfe, USC track coach and innovator, 78
-Women in science, engineering: $26.5 million gift aims to increase number of women faculty
-Center Stage: new arts initiative promotes USC's role in Southland's cultural life.
-The Arts: new partners to produce festival of new American theater and symposium on the arts
-Open enrollment for employee benefits continues through Dec. 1
-USC/Norris takes breast health education to community with 'Breast Health Day 2000'
-Cancer survivors, USC/Norris leaders gather to celebrate NCI core grant renewal
-p
-For The Record
-QUICK TAKES
-USC group shows there' s more than meets the eye at telemedicine conference
-Heger honored for work with abuse victims
-HSC-area programs reap the benefits of USC' s giving
-USC/Norris patient gives $1 million for research
-USC gets $2.2 million for prostate cancer study
-NO TRICKS, BUT LOTS OF TREATS
-USC employees show they're very good neighbors
-Philosophy: Oxford’s James Higginbotham takes reins of department
-Smog Stunts Lung Growth in Children, Study Finds
-Benefits Open Enrollment Begins Wednesday, Nov. 1
-For the Record
-Good Neighbors Campaign Kicks Off
-Peter Swerling, Radar Expert, Dies at 71
-Luncheon Honors Newly Retired Faculty
-USC in the News
-$26.5 Million Gift Gives Women in Science and Engineering a Boost
-QUICK TAKES
-Calendar Highlight
-A Trojan Family Hosts International Students
-New Prof Blends Philosophy and Linguistics
-Four Women of Courage Honored @Annenberg
-LIFE SKETCH- BOB HOLBROOK
-Education: Etta Hollins has something important to say: the quality of learning is linked to the quality of teaching
-Names & people: USC up and about, making news, making waves
-If You Build It, They Will Come
-In Pursuit of a Dream
-On the Straight and Marrow
-A Moment for Mentors
-Norris News
-Quintessential Shorter
-Scoring Points: The 300 Alumni of this tiny, elite USC program dominate an entire industry.
-WRITING ON CUE
-JACK BORSTING APPOINTED TO STANLEY CHAIR
-Troy 101: Intro to College Life
-Summer Seminars: Goodnight’s Midsummer Dream
-Summer Seminars: Camp USC
-Living Beyond AIDS
-The Specter of Complacency
-The Class of 2004 Rates High
-School Vouchers Debated at USC Symposium
-Good Neighbors Funds Kids at Fisher
-USC/Norris Van Eases Patients’ Rides to Cancer Treatment
-BOOKS IN PRINT
-THE SECRET BEHIND A FASTER TRANSISTOR
-A Prof Devoted to Top-Flight Teacher Training
-Dean Stephen J. Ryan Honored With Inaugural ‘Fight for Sight’ Award
-Calendar Highlight
-USC in the News
-USC and UCLA Square Off in ‘Marketing Bowl’
-QUICK TAKES
-Anger Management Class Funded at Family of Five Schools
-Medicine: USC’s Helena Chui heads $9.2 million dementia study
-Annenberg: Lear Center hosts "politics as entertainment
-Making News! USC’s Kid Watch wins police journal’s praise for helping make neighborhood safe
-ONE YEAR AFTER THE MIRACLE
-Good Neighbors: A ‘didjeridoo’ makes its way from the outback to out in back of USC
-Philanthropy: Alan Casden gives USC $10.6 million
-Faculty Residents: Search begins for Residential Faculty for USC’s Internationally Themed Residential College
-Dentistry: New Dean Harold Slavkin charts and academic, personal journey
-HSC-hosted health fair is a hit in Boyle Heights
-'Good Neighbors' program aims for safer, healthier community
-NCI awards help USC oncologists foster careers of younger peers
-Pasarow Award foreshadows Nobel Prize for three recipients
-Alfredo Sadun to hold chair
-Fight for Sight honors Keck School Dean Ryan as a true man of vision
-RX FOR EXCELLENCE
-Trustee Alan Casden Gives $10.6 Million
-‘Politainment’: Will It Deep-Six Democracy?
-The Arts Take Center Stage
-Good Neighbors Helps Students Tame the SATs
-NIA Awards $9.2 Million to Study Dementia
-USC in the News
-USC/Norris Is Designated a Study in ‘Excellence’
-Marine-Creature Murals to Be Installed at Catalina’s Wrigley
-Heger Honored for Work With Abuse Victims
-Calendar Highlight
-NEW ICU FOR NEUROSCIENCES
-Learning About History and the Holocaust in a Freshman Seminar That Makes It Personal
-Search Starts for Fellows to Live in New College
-The Journey: Dean Harold Slavkin Has Miles to Go
-QUICK TAKES
-Is it live or is it ‘Virtual Microphone’?
-Good Neighbors: Fuente Initiative uses USC employee outreach funds to save lives
-VOX POPULI: What USC people have been up to lately
-Good Neighbors: Outreach funds help neighborhood students tame the mighty SAT
-Honors: Four USC scientists elected fellows of AAAS
-PPD: Conference welcomes new PPD Dean Mazmanian to USC
-BOOKS IN PRINT
-USC and Patricia Saukko announce pact that assures future of famed mascot horse ‘Traveler’
-HSC Research Awards For September 2000
-Comedy and auction night for USC staff is no joke
-Etcetera
-G. Denman Hammond named Cancer Fighter of the Year
-Elizabeth Brem, 86, widow of long-time medicine chair
-All at HSC urged to give to Good Neighbors campaign
-RACING FOR A CURE
-Bergman gives Schwartz lecture
-New director brings passion for public health
-13TH HONORS CONVOCATION SCHEDULED FOR MARCH 8
-Symposium to spotlight alcohol research
-USC finds estrogen halts atherosclerosis progress
-Football: Paul Hackett Relieved Of Head Coaching Duties
-Thematic Option: USC’s best and brightest do it for love — of learning
-Me & Isaac Newton: Film on creative process features USC computer scientist
-Message from the President: Speak out against bigotry and hatred
-People: Awards, grants, honors, elections — USC people in the news (11/30/00)
-Obituary: Brooks Smith, 88, was accompanist for Jascha Heifetz
-Culture: Academic Culture Initiative advances
-Parking: You can store that car for free over the holidays
-WHO SURVIVES CANCER?
-JEWISH, MUSLIM STUDENTS GATHER TO FOCUS ON BOSNIA
-USC beats UCLA in 'Blood Bowl'
-Gene linked to breast cancer could hold key to stopping it
-DeMeester named to hold $2 million Jeffrey P. Smith Chair in Surgery
-USC physician gets $360,000 to write on future of medicine, society
-HSC Research Awards for October 2000
-USC joins health summit in South Los Angeles
-Keck School students honored for academic acheivement
-Prostate cancer study may help ease difficult choices
-Many suffer from incontinence-needlessly
-Snake venom clot-buster nears patent approval
-USC URBAN PLANNER, PHYSICIAN STUDY HEALTH CARE IN SOUTH CENTRAL
-Department of Neurology recieves $1.7 million gift
-Thematic Option Attracts the Best and Brightest
-Good Neighbors Program Aims for Safer, Healthier Community
-Speak Out Against Bigotry and Hatred
-Thornton Foundation Endows Chair in Vision Research
-Brooks Smith, Noted Accompanist, at 88
-Parking Savings, a Survey, Perhaps a Trip
-USC in the News
-Poetically Speaking at the Newman
-Is It Live or Is It ‘Virtual Microphone’?
-THE SATIRIC ART OF CRUIKSHANK
-Four USC Scientists Elevated to Rank of Fellow in AAAS
-Calendar Highlight
-Holiday Book, Food and Toy Drives for the Community
-Guthman Is Tapped
-Conference Welcomes New PPD Dean
-Regina Schwartz Examines Monotheism’s Legacy of Violence as USC’s 20th Nemer Lecture
-QUICK TAKES
-President Sample praises, rewards university staff for doing good work
-Cinema-TV: A fable-maker joins the animation faculty
-Medicine: What’s my motivation?
-LIFE IS STILL A CABARET
-Law: Dualisms pervade legal and historical examination of slavery
-Trustees: Noted L.A. attorney Crispus Attucks Wright named honorary USC trustee
-New treatment for hepatitus C more effective, published study shows
-Diet and exercise may prevent osteoporosis, broken bones
-Faster Food
-Campus, local groups aim to make holidays happy for the less fortunate
-Cancer Society honors USC/Norris staffer with 'quality of life' award
-Top-notch researchers attend liver and pancreatic disease symposium
-Governor Davis appoints Rancho CEO to state panel on rehabilitation
-USC employees rewarded for 'year of phenomenal success'
-ELECTRONICS AND MEDICINE
-Ideas Abound as Students Brainstorm About Campus Intellectual Life
-Film on Creative Process Features USC Computer Scientist
-Making the Move From Volunteer to Community Leader
-Special Paid University Holidays for Staff
-Noted L.A. Attorney Crispus Attucks Wright Named Honorary Trustee
-QUICK TAKES
-Doheny Privileges for Family of Five Teachers
-USC in the News
-Family of Five Kids Take Part in Anti-Graffiti Poster Contest
-What’s My Motivation? Actors Aid Med Students
-QUICK TAKES
-A Fable-Maker Joins the Animation Faculty
-Touch Named Director of ISI’s Postel Center
-Calendar Highlight
-BOOKS IN PRINT
-USC Files for 78 Patents in Fiscal 1999-2000
-Looking at a Shameful Era in Legal History
-Air safety: Old fighter pilots don’t fade away — they teach aviation safety
-Family of Five: Blossoming into community leadership
-Save the date: Campus to gather in February for State-of-the-University event
-Annenberg Center: EC2 welcomes ReelMall.com
-FOR THE RECORD
-Annenberg Center: Out of the Labyrinth, two fiction-on-CD projects chosen for Sundance
-Cinema-TV: William Morris Agency builds ‘Green Room’ at Zemeckis Center
-Libraries: USC opens Doheny Library to teachers at Family of Five Schools
-NCAA volleyball: Trojan women meet their match in volleyball, lose to Wisconsin Badgers
-Engineering: Tsunamis 50 feet high could hit Southern California
-The Arts at USC: Arts administrator Lars Hansen joins USC as executive director of cultural relations
-Allogeneic Bone Marrow Transplant Program gets new chief
-Royalty visits cancer center
-Antibiotics overprescribed in ERs?
-$5 million gift clears the way for expansion of USC/Norris
-SMART & FINAL JOINS THE NEIGHBORHOOD
-Holiday carols bring cheer for patients
-Keck School names new chair in anesthesiology
-Nobel Laureate pharmacologist to speak at HSC Jan. 11
-Study: Critical care pharmacists are best defense against drug interactions
-Football: Pete Carroll named USC head football coach
-Theatre: Scholarship fund will honor late actor David Dukes
-Basketball: USC men turn back challenge from BYU-Hawaii
-Computational Biology: Michael Waterman’s imprint is all over the Human Genome Project
-USC to celebrate Martin Luther King Jr.’s birthday today at noon
-People in the news: USC experts are quoted everywhere (01/01/01)
-RAHIMTOOLA APPOINTED DISTINGUISHED PROFESSOR
-Chemistry: USC enzyme scientist homes in on a fundamental question
-The College: Pace of intellectual fervor quickens from new Humanities Initiative
-Staff personnel policy changes
-Graduate Students, Faculty Bridge Intellectual Disciplines
-Old Fighter Pilots Don’t Fade Away, They Teach Aviation Safety
-New Football Coach Sets His Sights High
-Arts Administrator Lars Hansen Joins USC as Executive Director of Cultural Relations
-Ross Berkes, International Relations Expert, Dies at 87
-Headache Study Seeks Volunteers
-Changes in Personnel Policy
-USC IN THE NEWS
-Trojan Women Meet Their Match
-QUICK TAKES
-NOTICE OF CLASS ACTION SETTLEMENT
-USC in the News
-Law Scholar Links Civil Rights to Cold War Embarrassment
-Theater Scholarship Honors Actor David Dukes
-Calendar Highlight
-BOOKS IN PRINT
-Campus to Gather in February for State-of-the-University Event
-A Trailblazer Aids in Decoding the Human Genome
-THE DOCTOR IS IN - NEW YEAR'S RESOLUTIONS
-MERCHANT APPOINTED DEAN OF ACCOUNTING SCHOOL
-Recent Works by Ron Rizk at L.A.’s Koplin Gallery
-Medicine: Art helps heal the patient — and the healer
-State-of-the-University event set for Bovard, Trousdale Plaza on Feb. 27
-Obituary: Philanthropist Ione L. Piper, 79
-Gerontology: $2 million gift aids school
-Honors: USC named ‘Leadership Institution’ by Assoc. of American Colleges and Universities
-Annenberg: The eye has it
-Chicano/Latino student group 'adopts' local fifth grade to encourage scholarship
-USC immunologist testifies with Erin Brockovitch on drinking water
-Successful Friends & Neighbors Program expands to two days
-USC, STANFORD, CALTECH OBJECT TO DIVERSITY RULES FOR ACCREDITATION
-Rare liver transplant performed to treat patients
-USC University Hospital first to use patient documentation system
-AIDS expert finds solace in canvas, easel and paints
-Tissue from barnyard beast helps healing process
-University Web site becomes official source for policy information
-Save the Date
-Smog shown as major cause of kids' sick days
-Young violinist brings life to USC cancer center
-Another Feather in USC’s Cap
-$5 Million Gift Clears Way for Expansion of USC/Norris
-IN SEARCH OF L.A.'S ARCHITECTURAL IDENTITY
-Calendar Highlight
-USC to Celebrate Martin Luther King Jr. Day
-Surgeon Tom DeMeester to Hold the Jeffrey P. Smith Chair in Surgery
-$2 Million to Gerontology School
-Show of Swiss Artist Sigg Travels to USC
-BOOKS IN PRINT
-USC Study Finds Estrogen Halts Atherosclerosis Progress
-QUICK TAKES
-Go LEGO Robots, Go
-The Eye Has It
-ACADEMIC CONVOCATION SALUTES UNIVERSITY'S BEST
-A Chemist Challenges Hypotheses on How Enzymes Work
-Campus to Gather in February for State-of-the-University Event
-USC in the News
-New Director Assumes NAI Helm
-Matthew Carabasi Is New Chief of Allogeneic Bone Marrow Transplant Program
-Community outreach: New director assumes leadership of NAI
-USC people: Who’s been in the news, who’s been doing what (1/16/01)
-Medicine: When smog gets bad, school kids stay home
-Health Sciences Campus: Friends & Neighbors Day doubles up
-Medicine: USC medical students ‘adopt’ neighborhood children
-BORN TO BE BAD?
-Seismic hot spots charted in Southern California
-Marshall School: Management expert reveals secrets of ‘execs-on-the-rise’
-Medicine: New exercise may boost women’s bone mass
-Earthquake Center Identifies Seismic ‘Hot Spots’ in Southern California
-Being Prepared for an L.A. Seismic Event
-Smog Shown as Major Cause of Kids’ Sick Days
-Philanthropist Ione L. Piper Dies at 79
-Save the Date, Feb. 27, for a Special Campus Event
-USC Panel Analyzes the 2000 Elections
-USC in the News
-LIFE SKETCH — Jo Raksin
-Management Expert Reveals How Execs-on-the Rise Rely on ‘Secret Handshakes’
-QUICK TAKES
-Calendar Highlight
-Two Labyrinth Project CD-ROMs Chosen for Sundance Festival’s Digital Salon and Online Festival
-New Exercise May Boost Women’s Bone Mass
-HSC’s Friends & Neighbors Day Expands
-‘Student Voices’ Project Gears Up for Mayoral Campaign
-Awards: Scripter goes to ‘Wonder Boys’ writers
-PPD: Poverty declines among immigrants, USC study finds
-USC people: News, opinions, books engage people in the news (1/24/2001)
-USC FILMMAKERS PAN FOR OSCAR GOLD
-Annenberg: School investigates campaign finance reform with $867,000 grant
-Obituary: AARP founder, philanthropist Leonard Davis, 76
-Obituary: Robert C. Packard, lawyer; chair he endowed is held by USC President Steven B. Sample; at 81
-USC Hosts its 2nd Annual Jewish Student Film Festival
-HSC Research Awards for November 2000
-USC study points to bladder cancer risk from long-term hair dye use
-Campus to gather for State-of-the-University event
-Robert Wood Johnson Foundation offers grants for drug use prevention research
-Etcetera
-American Liver Foundation to honor USC hepatologist
-CULTURAL INITIATIVE TO SOLIDIFY USC'S LINKAGE WITH LATINO COMMUNITIES
-Occupational therapy appears to offer lasting benefits to seniors
-President's Cancer Panel forum slated for Feb. 1-2 at HSC
-Chair of Radiology James Halls to step down
-Nobel Prize winner speaks to packed crowd
-Leonard Rosoff, Sr.; LAC+USC Surgeon
-HSC volunteers set to improve local community with two days of projects
-Animal Tissue Helps Healing Process
-‘Wonder Boys’ Wins 13th Annual USC Scripter Award
-Keck School Students Mentor 5th Gradersas Part of ‘Educaci—n Primero’ Project
-Retired Los Angeles Trial Attorney, Philanthropist Robert C. Packard, 81, Endowed President’s Chair
-USC HOSTS EARTHQUAKE FOLLOW-UP CONFERENCE
-Philanthropist, Founder of AARP, Leonard Davis, 76
-Faculty, Students, Staff and Alumni to Gather for Special Program
-USC in the News
-Center for Excellence in Teaching Seeks New Faculty Fellows
-A Celebration of Martin Luther King Jr. Day, in Words, Songs and Dance
-Annenberg to Study Federal Campaign Finance Disclosure
-Jewish Film Festival Opens Feb. 4
-ITRC Senior Commons Room Named for Tatsuro Toyoda
-Calendar Highlight
-USC Addresses Issues of Workplace Violence
-SEMINARS TO EXPLAIN NEW COMPENSATION PROGRAM
-A Tsunami 50 Feet High Could Hit Southern California
-‘Domino’ Liver Transplant Performed at USC University Hospital
-Annenberg: Dean Cowan, Ghiglione deliver messages to students, faculty
-Loren Ghiglione named dean of Medill School at Northwestern University
-Perfecting the View
-Patch Work
-About Face
-Modern Art
-Be Careful Out There
-Whisper Sweet Nothings
-USC IN THE NEWS
-EMERGENCY MEDICINE AL FRESCO
-The Aging Brain
-Healthoughts
-City Rounds
-Benchmarks
-What’s New
-Our Man In Vietnam
-Westward Ho
-Nixon In China
-Siberia: Back to the Past
-Siberia: The Evil Eye
-USC IN THE COMMUNITY
-The Russian ‘MacGyver’
-Siberia: Trinity With A Pagan Twist
-Flora, Fauna, and Family Fun
-USC/Norris staffers now taking orders for 'Daffodil Days'
-Funding Opportunities
-Black-tie USC/Norris fundraiser slated for Feb. 14
-Construction begins on Neurogenetic Institute
-USC physician receives $1.5 million 'distinguished scientist' award
-Like a good neighbor, USC is there
-Neurosurgeon to be awarded profession's highest honor
-STUDENTS FEAST ON RICE, WATER TO RAISE CONSCIOUSNESS ABOUT WORLD HUNGER
-Pharmacology professor recognized for developing anti-cancer drugs
-Volunteers sought for Read Across America
-USC develops program to defuse, preempt violence in the workplace
-Help recognize USC volunteers on April 11
-Next issue: Feb. 9
-Eureka! Students discover professors are human
-For some, education begins at 40 — or even later
-USC professor: ‘I kept my mouth shut’ — but he didn’t remain silent on Vietnam
-Engineering: ISI, ISD link up to stream video to a half-million southern Californians
-USC people making news (2/5/01)
-UNIVERSITY LAUNCHES AMBITIOUS ETHNIC STUDIES PROGRAM
-Obituary: Robert L. Friedheim, 66; his scholarly research influenced Law of the Sea, whaling policies
-Seasoned by Life Experiences, Mature Students Turn Their Attention to Higher Education
-Weemes Students Help L.A. Angel Project Take Flight
-Students, Profs Chew the Fat and Find Commonality
-Home Builder, Philanthropist Ralph M. Lewis, 81
-Need a Good Job? This USC Program Offers Solutions
-ISI and iBEAM Team Up to Stream Audio/Video
-Awards Ceremony Honors Local Volunteers
-Poverty Declines Among Immigrants, USC Study Finds
-Faculty, Students, Staff and Alumni to Gather for Special Program
-SCRIBBLINGS FROM THE MAESTROS
-A.J. Langguth Searches for the Truth
-QUICK TAKES
-USC IN THE NEWS
-Calendar Highlight
-USC freshman dies from rare bacteria
-Physical Therapy: How do you get an arm to move? Practice, practice, practice
-Medicine: Super Bowl Giants perform under watchful eye of USC neurosurgeon
-Irving Reed: The legend is still growing
-Medicine: Hair dyes pose heightened cancer risk
-Study abroad: 50 USC students will be offered chance to serve internships with companies in Asia
-QUICK TAKES
-USC weathers California’s energy crisis under DWP’s umbrella — and a plan
-President to deliver annual address Feb. 27
-New protease inhibitor shows promise in fighting AIDS
-New USC neuro-oncologist seeks new ways to fight brain cancer
-Freshman dies from rare bacterial infection
-USC neurosurgeon is a Giant on the field and off
-HIV/AIDS expert joins USC as new director of 5P21 Clinic
-USC/Norris hosts President's Panel
-Physical therapy trial aims to bolster stroke recovery
-50 USC Students to Intern in Asia
-HEALTH SENSE
-Shelter From the Storm
-Study Points to Bladder Cancer Risk From Long-term Hair Dye Use
-Freshman Dies From Rare Bacteria
-Robert L. Friedheim, Ocean Policy Expert, 66
-A New Venue for President’s Faculty Luncheon on Feb. 27
-Leonard Rosoff Sr. LAC+USC Surgeon, 88
-Senior World Bank Economist to Discuss Bank’s Future
-Books in Print
-Web Site Launched for Purchasing Airline Tickets
-Mellon Funds Web Project Experiment
-BREAKING OUT OF THEIR DISCIPLINES
-USC in the News
-Nominate a Volunteer for a USC Good Neighbor Award
-Artful AIMing
-QUICK TAKES
-Calendar Highlight
-The Hot and Cold Lines: UPC 0-6833; HSC 4-7001
-A Mathematical Formula for Life That Spells Success
-Hamovitch Research Center Opens at USC School of Social Work
-Is it nature or nurture?
-International students find friendship, opportunity and experience
-FINE ARTS WELCOMES NEW GETTY CENTER DIRECTOR
-Finance academy students more than meet USC’s challenge
-Charles C. Hirt, founder of USC’s department of choral music, 89.
-USC physician receives $1.5 million 'Distinguished Scientist' award
-Bravo High School to host week-long health fair
-Self-defense classes available
-USC Center for Diabetes now open in West L.A.
-USC's electricity plan keeps the lights on despite state's mounting energy woes
-Etcetera
-Calling on the hotline-or is it the cold line?
-Men need to be aware of osteoporosis
-MEDICAL RESEARCHER NAMED TO WHITE HOUSE COMMITTEE ON HUMAN RADIATION EXPERIMENTS
-School of Pharmacy creates new degree program in regulatory science
-Pomona area residents now have new commuting option
-USC Center for Diabetes now open in West L.A.
-USC professor elected president of Uveitis group
-The State-of-the-University Address, Tuesday, Feb. 27
-International Students Find Friendship, Opportunity and Experience at USC
-Physician Receives $1.5 Million ‘Distinguished Scientist’ Award
-Charles C. Hirt, Founder of USC’s Choral Music Department, 89
-Merit Award Goes to USC Student in Construction Management Contest
-Michael Parks Is Interim J-School Director
-EOPC HARNESSES VOLUNTEER POWER TO HELP FIX UP ITS NEW QUARTERS
-ISI TO DESIGN SOFTWARE FOR NEW TRAUMA CARE COMPUTER SYSTEM
-An Earthquake Posed Challenges for International Students Far From Home
-Seeing Double, Researchers Ask ‘Is It Nature or Nurture?’
-An Evening With Mark Harris and a Screening of ‘Into the Arms of Strangers: Stories of the Kindertransport,’ on Feb. 22
-Students in the Finance Academy More Than Meet USC’s Challenge
-Warren Bennis Receives Lifetime Achievement Award From ASTD
-Reach Out and Touch Some Thing
-Occupational Therapy May Offer Lasting Benefits to Seniors
-Nobel Laureate Signs ‘Life of Magic Chemistry’
-MBA Students Host Charity for Special Olympics
-USC IN THE NEWS
-USC IN THE NEWS
-Calendar Highlight
-Medicine: New AIDS clinic director came here through Australia, Indonesia, Nigeria, Brazil and upstate New York
-Marshall school: International case test draws 76 undergraduates from 19 schools, nine nations
-Annenberg: Ex-L.A. Times editor to become interim director of journalism
-Fisher Gallery: Exhibit uncovers ‘lost and found’ photographs
-Engineering: USC student wins annual construction management competition
-Music: He tells it like it is because he can; he’s Isaac Stern, after all
-0bituary: Robert L. Brackenbury, educational philosopher, 83
-USC statement regarding labor dispute at manufacturer for Nike
-TONIGHT’S PUBLIC LECTURE SOLD OUT: Stephen Hawking views ‘Universe in a Nutshell’
-FACULTY, PROVOST DEBATE STRATEGIC PLAN BEFORE REVIEW BY TRUSTEES
-‘Decade of Distinction’ video highlights State-of-the-University address Feb. 27
-Engineering: Rocket science takes off in USC astronautics program
-Dentistry: Coveted NIH MERIT award goes to molecular biologist Malcolm Snead
-The College: Geographer Christopher Williamson charts how census undercount costs cities needed funding
-Annenberg: 45 seconds of fame: That’s all the time TV news had each night for the political campaign
-Medicine: USC opens diabetes center in West L.A.
-Dentistry’s Malcolm Snead Receives MERIT Award
-‘Decade of Distinction’ Video Highlights State-of-the-University Address on Feb. 27
-Some Stern Notes: Violin Virtuoso Shares 65 Years of Musical Wisdom With Students During USC Thornton School of Music Residency
-Neurosurgeon Honored for Pioneering Contributions
-CABARET CAST BIDS SAMPLE 'WILLKOMMEN, BIENVENUE'
-Robert Brackenbury, Educational Philosopher, 83
-Biomedical Pioneer Alfred E. Mann Elected to NAE
-USC in the News
-USC Westside Center for Diabetes Opens on San Vicente Blvd.
-Census Undercount Costs Cities Needed Funding
-HIV/AIDS Expert Joins USC as New Director of 5P21 Clinic
-Calendar Highlight
-Broadcasters Failed to Cover Candidates, Lear Study Says
-Astronautics Program Takes Off at USC
-Talking Digital at Davidson Get-Together
-USC LAW STUDENTS MONITOR ETHIOPIAN HUMAN RIGHTS TRIALS FOR AFRICA WATCH
-Education: Bilingual ed is alive, well and living in USC Rossier School
-Mark A. Stevens joins USC board of trustees
-What's in a name? Free tickets to a musical, for one.
-State of the University: President Sample tells packed house of university’s historical gains
-Obituary: Sy Gomberg, professor, screenwriter, producer, activist, 82
-Our Neighborhood: State picks USC’s BEN as a small bsiness development center for central LA
-USC people doing things: 4 from Cinema-TV among top 10 in hunt for Coca Cola honors (2/28/01)
-Academic Honors: Two awarded Presidential Medallions, 24 others to gain honors at 20th Academic Convocation
-Libraries: Scripter Awards to be webcast this Saturday, March 3
-AACR honors four USC grad students
-THE ANTHROPOLOGY OF SEXUAL ORIENTATION
-Center for Athletic Medicine receives $179,000 grant for aiding students
-Free needles appear to curb risky practice of sharing them
-Neighborhood Outreach grants going...going...
-Heart failure drug studied at USC may bolster survival
-USC physician honored by American Liver Foundation
-NIH slates $2 million for Neurogenetic Institute
-Poluskys fund new chair in cancer research
-Teen's research at USC lauded
-University Hospital launches new catheterization lab
-USC hosts national cardiology forum
-NEW URBAN PLANNING DEAN RECRUITED FROM UC BERKELEY
-20th Annual Convocation Honors Exemplary Faculty, Staff and Students
-It’s Been a Dynamic Decade for USC
-Mark A. Stevens Elected to Board of Trustees
-CNTV Students in Running for Film Award
-Screenwriter, Activist Sy Gomberg, 82
-Physicist Stephen Hawking Discusses ‘The Universe in a Nutshell,’ in Bovard on Tuesday, March 20
-USC in the News
-BEN Selected Ninth Small Business Development Center in California
-Parker Jenkins Goes to Bat for Recreational Sports
-This T.A.’s Sections Are Standing Room Only
-THE SURPRISING FACTS ABOUT DRUGS AND GANGS
-Reluctant at First, This Teaching Assistant Uncovers Her Calling
-‘Eyebrows Arched in Wonder’: Warren Bennis Talks About His Lifelong Curiosity and the Dangers of Successful Habits
-For Malcolm R. Currie, Quality Is Number One
-Calendar Highlight
-USC’s Latino Teacher Project Thrives, So Do the Kids
-German Opera Director Leads Aria Master Class at Newman Recital Hall
-Three USC Professors Earn Top Honors
-23 Presidential Medallions in 20 Years of Convocations
-QUICK TAKES
-Photographic Roots: USC Fisher Gallery Exhibition Rediscovers Daguerreotypes, Ambrotypes and Tintypes
-HEALTH SENSE
-Calling All Coiners — Arts Initiative Secures Space in University Village
-Libraries: Scripter Award honors the indispensible writers
-Dentistry: International students program brought into mainstream of school
-Medicine: When you’re 73, your thoughts turn to muscle — and thinking
-State of Alaska turns to USC task force for guidance on assisted living
-FIGHTING DIABETES
-Etcetera
-Physicist Stephen Hawking to speak at USC
-IGM molecular biologist charts new territory in fight against cancer
-Parking update: AQMD surveys due
-SECURITY KICKS OFF 'GOTCHA' CRIME AWARENESS PROGRAM
-USC study of androgens for seniors
-Study seeks causes of frailty in elderly to help prevent it
-T.A. impresses students and peers as 'everything a true teacher should be'
-USC recognizes two HSC researchers for outstanding achievementh
-Engineering: DoD provides major funding for two USC programs
-The College: Which comes first, fat or sugar? A kinesiologist’s dilemma
-Medicine: On the great gene chip battleground, he dives into cancer research
-Marshall: A record 19 business schools compete in 5th International Case Competition
-Obituary: Arthur Gutenberg, management and organization expert, 80
-The College: Service learning weaves real-world experience with academic theory
-MARK KANN IS FIRST HENRY SALVATORI PROFESSOR OF AMERICAN STUDIES
-A symposium on the work of ethnographic filmmaker Timothy Asch
-Brookings, USC probe impacts of urban sprawl on Southern California
-Cinema-Television: Hollywood turns out big time for Zemeckis Center opening
-Fine Arts: Lazzari show, ‘Embodied States,’ draws critical review at Marymount
-Religion: USC hosts discussion on President’s faith-based initiative
-Washington Semester students get front-row seats at seat of power
-Washington Semester gets richer, more varied — and locates in nice digs
-Once over lightly: A summary of news briefs, some new, some merely dusty, some old (3/15/01)
-People: USC folks make news, share opinions, give advice (3/15/01)
-BULLETIN-- USC DROPS BOSTON COLLEGE, 74-71 Basketball: Trojans cruise past Oklahoma State, 69-54, in NCAA first round
-American College of Cardiology honors two physicians from USC
-NEW MASTER'S IN CONSTRUCTION MANAGEMENT
-New HSC Research Awards for December 2000 and January 2001
-Breast cancer 'visionary' recognized for life's work
-A Hole Lot of Contruction
-Etcetera
-IGM researcher breaks new ground in bone preservation
-Research suggests that estrogens may protect against rare cancer
-USC/Norris fundraiser nets $70,000
-Fine Arts: Fisher Gallery exhibition resurrects ancient photographic arts
-PPD: Eli Broad honored at Ides of March event as ‘Premier Citizen of Los Angeles’
-Service Learning Weaves Real-World Experience With Academic Theory
-ENGINEERING'S CHIEF ENGINEER
-The Washington Semester Just Got Better
-How to Apply for the Washington Semester
-The Washington Semester: Views From Two Students
-2000-2001 Asian Pacific American Scholarship Recipients Named
-Books in Print
-USC in the News
-Alice Yee Homes in on the Burn
-Margaret Lazzari’s Work Shows at Loyola Marymount’s Laband Art Gallery
-CNTV’s Zemeckis Center: Hollywood Turns Out for the Country’s First Fully Digital Training Facility
-Calendar Highlight
-ACADEMIC HONORS CONVOCATION
-Dentistry’s New PBL Model to Include International Students
-Quick Takes
-And the Marshall Cup Goes To
-Religion: A place to learn about poverty, helplessness, hunger
-!!!NOW!!! Cinema-Television: 28 short films by students will screen April 3-6 and 7-8
-George Olah: A Nobel laureate takes a long, positive look at the energy crisis
-Gerontology: A 30-year study challenges concepts of the American family
-Sports: Students first, athletes second; but when academic pressure grows, USC tenders a supporting hand
-Stephen Hawking: Famed scientist wows sold-out Bovard
-Good Neighbors: Campaign increases funds for neighborhood programs
-BOOKS IN PRINT
-Law: A pioneer returns and finds pride in his university
-Academy Awards: And the winner is. . . Mark Jonathan Harris of USC
-A Community Place Helps Out
-2000 Good Neighbors Campaign Adds Up
-NIH Gives $2 Million to Neurogenetic Institute
-Arthur Gutenberg, Management and Organization Expert, 80
-Spirits in Action 2001 Springs to Action March 31
-13th Annual USC Scripter Award Dinner Honors Writers of ‘Wonder Boys’
-USC in the News
-Stephen Hawking Shares His View of the Universe
-CHRISTMAS IN APRIL RETURNS TO USC
-GPSS Book Drive Yields 800 Volumes for Young Readers
-April 2 Forum at USC to Debate ‘Charitable Choice’
-Contentville.com Names Squire a U.S. ‘Academic Expert’
-Urban Sprawl Hits the Wall
-Univision.com Features USC
-Grammy in the Schools Comes to Campus
-The 20th Annual Academic Honors Convocation
-How Sweet It Is
-Calendar Highlight
-Eli Broad Honored at Ides of March Event as ‘Premier Citizen of Los Angeles’
-SCHAPIRO NAMED LAS DEAN
-USC's La Raza Honors Judge Armendariz
-Multigenerational Ties Bind More Closely Than Ever
-Quick Takes
-Academic Services Director Helps Athletes Succeed in the Classroom
-Provost's Writers Series: Inaugural year closes with Carol Muske-Dukes !!!TONIGHT!!!
-CHLA gene therapist receives $1.5 million research grant
-Etcetera
-CHLA receives $9 million grant for pediatric unit expansion
-Griffin Elementary wants volunteers for career fair
-Physical exertion on the job appears to offer no heart benefit
-AN ALTERNATIVE TO CABO SAN LUCAS
-Mother saved by children's organs at University Hospital
-Pharmacy School to put local students in 'Jeopardy'
-Research support available
-Retirement Fair slated for April 2-4
-USC surgeon lauded for teaching excellence
-Norman Topping Dinner expected to raise $1.5 million for USC/Norris
-'60 Minutes' to tell trauma surgeon Juan Asensio's story
-Study points to a lower resting metabolism for African-American youths
-Joe Allen’s condition continues unchanged from stroke
-Flowers lift spirits at USC cancer center
-ABDO TO FILL NEW POST AS ASSOCIATE VICE PRESIDENT FOR UNIVERSITY ADVANCEMENT
-Oh-2 be studying antioxidants
-Etcetera
-HSC students use Science Expo to reach out to local youths
-More medical students choose subspecialties, but are they enough?
-Parking Update
-Study mulls pregnancy risks to women with heart valve disease
-A secret no more: computer and internet service center unveils new Web site
-It's a match-ical day for medical students
-News & opinion makers: Michael L. Jackson heads national administrators association
-Awards: NSF honors five with career development awards
-LIFE SKETCH - Josephine Hinds
-Medicine: Researchers find vitamin A may boost red blood cells
-Spring break: 70 USC students eschew partying for service in Alternative Spring Break
-Former Educators Give $1.5 Million to Rossier School + Gift to Medicine
-Putting Muscle Into Spring Break
-And the Award Goes to ‘Into the Arms of Strangers’
-Two Engineering Projects Receive MURI Awards
-Vice Provost Joe Allen Suffers Stroke, Is Being Cared for in New York City Hospital
-Brazilian Theater Activist to Discuss ‘Theatre of the Oppressed’ April 3
-USC in the News
-USC’s MAST Team Takes Second in the FIRST Regional Robotics Contest
-IRVINE FOUNDATION MAKES CAPSTONE GIFT TO TEACHING LIBRARY
-HEALTH SENSE
-High School Senior Wins Science Contest While Working in USC Researcher’s Lab
-Provost’s Writers Series Closes Inaugural Year With Muske-Dukes
-Switch in Red Blood Cells’ Production May Lead to New Anemia Treatment, a Gene Called ‘Epo’ May Hold the Key
-Calendar Highlight
-USC’S Michael L. Jackson Named President-Elect of NASPA
-First Look Festival to Screen CNTV Student Films
-George Olah: Methanol, Nuclear Power and ‘Magic Chemistry’
-Jazz: Horace Silver receives USC Thornton's first West Coast Jazz Legend Award
-Swim with Mike: Annual fund-raiser expands to aid non-USC students
-The College: Role of domestic workers expands as wives, mothers enter global labor markets
-HAIL, PRESIDENT DENNIS
-Education: New course helps teachers extend classroom learning into the field
-Medicine: CHLA gene therapist receives $1.5 million research grant
-Theater: Dramatic readings for Dukes Memorial draw 500, raise $75,000
-Annenberg: AOL/Time Warner chief to speak at symposium April 12
-Beckman Foundation gives $10 million toÊDoheny Eye Institute:Ê Notes strength of Keck School faculty in creating Macular Research Center
-Distinguished professor and cell biologist to speak April 23
-Hopping, and Hoping, for a Cure
-Keck School to host regional Institute of Medicine meeting
-IGM to team with heart foundation for public lecture on April 25
-Keck School receives $554,000 for rheumatoid arthritis research
-USC IN THE NEWS
-Kay Rhoades, longtime USC employee
-Female smokers appear more susceptible to bladder cancer than male smokers
-Study of gene that regulates red blood cells may lead to anemia treatment
-Occupational Therapy program is best in U.S. - again
-Keep on Truckin’
-Joseph P. Allen, Dean and Vice Provost, 53
-Researcher Brings the Plight of Domestic Workers Into the Open
-Annual Fund-Raiser Expands to Aid Non-USC Students
-5 Junior Faculty Receive NSF Early Career Awards
-Passings
-STAFF RETIREMENT RECEPTION
-AOL Time Warner CEO to Speak at Annenberg Event
-USC in the News
-Research Suggests Androgen Therapy May Boost Strength in the Elderly
-Educator Aims to Make Science an Out-of-Classroom Experience
-‘Hardbop Grandpop’ Honored: Horace Silver Receives USC Thornton’s First West Coast Jazz Legend Award
-Calendar Highlight
-Director John Singleton Toasts USC Black Alumni
-Long-Lived Yeast May Hold a Key to Human Longevity
-Third Annual Undergraduate Symposium at UPC April 18
-Quick Takes
-HORMONAL CONTRACEPTIVES MAY CUT RISK OF BREAST CANCER, STUDY SHOWS
-Joe Allen: Memorial fund established to honor popular dean, vice provost
-Commencement ’01: Barry Munitz to deliver address at 118th graduation ceremony
-Tyler Prize: Conservation biology pioneers share Tyler environmental award
-Education: Rossier School undergoes sweeping changes under Dean Gallagher
-People: What USC folks have been up to (4/12/01)
-TONIGHT! Senator Lieberman to deliver USC’s Warschaw Lecture
-Everything’s rosy near USC in April
-Demonstrated fact: a helping hand really helps
-Science: On ‘Frankenstein, GATTACA & gene therapy’ (THURSDAY, HEALTH SCIENCES!)
-Jazz 2001 blows into town — NOW!
-SAMPLE TO CHAIR AAU COMMITTEE REVIEWING POSTDOCTORAL EDUCATION
-Rossier School Retools
-Getty Chief Barry Munitz to Deliver 2001 Address
-CHLA Gene Therapist Receives $1.5M Duke Award
-Enrichment Works — It Really Works
-USC in the News
-Books in Print
-Senator Lieberman to Deliver USC’s Annual Warschaw Lecture
-Pioneers in Conservation Biology Share 2001 Tyler Environmental Prize
-Poulenc’s ‘Dialogues of the Carmelites’ Opens at the Bing
-Public Forum on Charitable Choice, the Faith-Based Initiative and Resources Brings Out a Crowd
-SOLOMON'S JOB EXPANDED
-‘Frankenstein,’ ‘GATTACA’ and Gene Therapy: Sci Fi’s Role in Science
-Calendar Highlight
-Quick Takes
-All That USC Jazz + More Pros
-Joe Allen Tributes Pour In
-Engineering Awards Luncheon Slated, School Rises in U.S. Rankings
-Freshman seminar gives students an insider’s look into historic USC neighborhood
-On an elite track: USC ahead of pace for 80% retention rate
-Famed Trojan John Ferraro dies at 76
-Annual banquet honors exemplary community service
-DOCUMENTING THE EMOTIONAL TOLL OF LIFE ON THE STREET
-USC Web: Director of web services named; will lead effort to redesign and update
-Gerontology: A new way of looking at Alzheimer’s points to new research directions
-PPD: Community partnership aims to reduce health disparities
-USC/Norris launches Lynne Cohen Clinic to fight women's cancers
-USC Hospital’s longest-living lung transplant patient still breathing easy
-What-E.R. you looking at?
-Etcetera
-Discussing the ethics of Frankenstein
-Symposium for treatment of epilepsy held at Keck School of Medicine
-NIH impressed by quality of USC's physical therapy applicants
-CHAOTIC VISION
-Noted electrophysiology pioneer delivers lecture at HSC
-Research grants available, but deadlines loom
-Tenet Board approves major University Hospital expansion
-Long-lived yeast may hold a key to human longevity
-O-negative, other blood types needed to combat dire shortage
-Study Considers Pregnancy Risks to Women With Heart Valve Disease
-Retention: It’s Good News
-ROTC Marches In to Help Boost Reading at Weemes
-Distance Learning Expert Appointed Web Director
-John Ferraro, USC Gridiron Great, PPD Supporter, 76
-QUICK TAKES
-USC in the News
-USC’s Engineering Writing Program Fosters Leadership, Improves Communication and Includes Outreach
-Lending Able Hands at the Sunshine Mission
-PPD School/Community Partnership Aims to Reduce Health Disparities
-Quick Takes
-Public Service Nets Truman Scholarship for Paul Miller
-USC Garners Two Luce Scholarships
-Calendar Highlight
-Annual USC Banquet Honors Exemplary Community Service
-Free Needles Appear to Curb Risky Practice of Sharing Them
-HAPPY HOLIDAYS
-SCHOOL OF THEATER'S STARS
-AOL Time Warner CEO Levin Addresses Capacity Crowd at Inaugural Walter H. Annenberg Symposium
-Local Entrepreneurs Flock to Campus for Business Opportunity Networking Event
-News About USC Authors
-New Explanation of Alzheimer’s Disease Fits the Facts Like a Glove
-Weisberg’s ‘Heightened Realities’ at Seattle’s Frye
-Good Neighbors: Annual banquet honors exemplary community service
-PPD: USC/community partnership aims to reduce health disparities
-USC announces mandatory health insurance requirement for all students
-USC/Norris: 600 honor pair at annual Topping Dinner
-Medicine: Some of nation’s best scientists are headliners at IGM event (TUESDAY!)
-HEALTH SENSE
-Medicine: Beckman Foundation grants Doheny eye researchers $10 million
-Teaching Future Doctors
-Celebration to honor community leader Frank Duarte on May 10
-Hundreds flock to first public rheumatology conference
-$1.2 million grant to bolster cancer imaging
-Fifth Annual IGM Symposium examines genes' role in disease, behavior
-Hundreds flock to first public rheumatology conference
-Paul Kaye, LAC+USC administrator
-Memorial blood drive held at HSC
-USC begins gradual phase-out of bachelor of science in nursing program
-WHAT CAN A FORMER SCHOOL TEACHER DO?
-USC pharmacy student group wins national honor
-Redesigned medical school curriculum to debut this fall
-Star-studded Topping Dinner honors HSC luminaries
-HSC research awards for February 2001
-Commencement Information
-House Ear Institute gets $3.5 million DOD grant
-Etcetera
-USC physicians offer trauma seminar in Ghana
-What's really in herbal products? Pharmacy School leaders help companies find out
-THEY JUST LAVA SCIENCE
-MARKEY TRUST SUPPORTS GENE THERAPY AT NORRIS WITH $1.8 MILLION GRANT
-Study suggests prostate cancer rate jumped due to improved detection
-Revlon Run/Walk slated for May 12; participants wanted
-Robot named 'da Vinci' puts USC at the forefront of surgery
-Women faculty invited to public speaking seminar
-Annenberg: Cronkite Awards honor best TV political reporting
-Commencement ’01: ‘Quicksilver’ valedictorian wants to pack as much into life as possible
-Commencement ’01: Truman Scholar devalues monetary award
-Commencement ’01: Al Mann: humbled, honored - and in a hurry
-Annenberg: TV’s portrayal of Jews doesn’t reveal an authentic range, Lear Center finds
-The College: Mike Waterman elected to National Academy of Sciences
-A NEW LINK WITH JAPAN
-Getting Involved in the Cancer War
-Topping Dinner Honors Cancer Visionaries
-Scanning the Genetic Horizon
-Analyzing the Genetic Blueprint
-Selective Surgery
-Cancer Drug Catalyst
-Outliving a Legacy
-Norris News
-NOTHING TO LAUGH AT
-Fluid Movement
-NOW YOU SEE IT, NOW YOU DON'T...
-The Good, the Bad and the Slimy
-Below the Belt
-Raising His Voice Against Violence
-Marrow Minded
-Down in the Mouth
-Healthoughts
-Benchmarks
-CITY ROUNDS: Mentor de Force
-Mail
-What’s New
-USC IN THE COMMUNITY
-Attacking Diabetes
-Blood Sugar and Guts
-Snack and Play
-Warning Signs
-Urban Legend
-Where Angelenos Fear to Tread
-Architecture by the Book
-The Kids Are All Right
-A Decade of Distinction: Introduction
-A Decade of Distinction: Undergraduate Education
-TAPPING A SCHOLAR ATHLETE
-A Decade of Distinction: Faculty Research
-A Decade of Distinction: Disciplinary Strengths
-A Decade of Distinction: Fund Raising
-A Decade of Distinction: The Community
-A Decade of Distinction: A Stronger Trojan Family
-Nasty Mother Nature
-The College: Giant tubeworm babies kept cold, starved and crushed
-Obituary: Kenneth L. Trefftzs, investment and stock market expert
-Commencement ’01: Salutatorian Neelu Arora wears a Trojan T-shirt on her way to UCLA medical degree
-Commencement ’01: 137 Renaissance Scholars honored May 10
-LUPUS ANTIBODIES CAN BLOCK HIV INFECTION, STUDY SHOWS
-One Institute: New home for gay and lesbian historical collection opens near USC
-Undergraduates show they have what it takes
-Commencement ’01: Barry Munitz, a kid from Brooklyn who heads Getty Trust, is USC’s 118th Commencement speaker
-Neighbors: How do you make a freeway a thing of beauty?
-Commencement ’01: Some reach this fork in life’s road against all odds
-Guggenheim: Five faculty named 2001 fellows
-A: This category easily stumps ‘Jeopardy!’ contestants. Q: What is (fill in the blank)?
-Journals: Nature publishes three USC papers in one issue
-2001’s Joyous Occasion
-Beckman Foundation’s $10 Million Grant Funds Macular Research at DEI
-FUND RAISING FOR USC'S LATINO CULTURAL INITIATIVES
-Commencement Highlights
-USC Surgeon Lauded for Excellence
-Kenneth L. Trefftzs, 89, Investment and Stock Market Expert
-One Institute & Archives Opens
-Hasu Houston’s “Tea” Returns
-USC IN THE NEWS
-‘Quicksilver’ Valedictorian Wants to Pack as Much Into Life as Possible
-Salutatorian Neelu Arora: A Trojan T-shirt Under Her Bruin Sweats
-Giant Tubeworm Babies: Keep Them Cold, Starved and Crushed
-Renaissance Scholars To Be Saluted
-LANDERS EARTHQUAKE ADDED STRESS TO SAN ANDREAS
-CURRIE ELECTED CHAIR OF TRUSTEES
-National Academy Elects Waterman to Its Ranks
-Chemerinsky to Receive Award
-Freshman Seminar Gives Students an Insider’s Look Into USC’s Extended Neighborhood
-‘In the Flesh’
-Undergraduates Honored for Research and Creativity
-Academic Team Honors for USC Students
-Heart Failure Drug May Bolster Survival
-Al Mann: Humbled, Honored — and in a Hurry
-Barry Munitz, 118th Commencement Speaker, Doctor of Humane Letters, Honoris Causa
-Lieberman Delivers Third Annual Warschaw Lecture
-STAFF COMPENSATION PLAN GOES INTO EFFECT AT UPC
-BAA Honors Trojan 2001 Role Models
-University Park Programs
-Health Sciences Programs
-USC, UCLA and Stanford Researchers Bend Beams of High-Energy Particles as Though They Were Light Waves
-USC Project Helps Hook Kids on Reading
-Two USC Faculty Members Will Be Honored With Doctorates This Month
-PPD Masters and Specialties Ranked in Annual Guide
-Seeing Huntington Park in a New Light
-The Fabric of History
-Students and Area Residents Erase Blight, Beautify the Neighborhood
-SPEAKING 'SPANGLISH'
-QUICK TAKES
-Outstanding Students Succeed Despite Obstacles
-USC Begins Phase-Out of Bachelor of Science in Nursing Program
-USC Requires Health Insurance for All Students
-Five USC Faculty Receive Guggenheim Fellowships
-Top Stories 2000-2001
-Top Stories 2000-2001
-Top Stories 2000-2001
-Top Stories 2000-2001
-Top Stories 2000-2001
-WHAT'S A SAMPLE FELLOW?
-Top Stories 2000-2001
-Top Stories 2000-2001
-Top Stories 2000-2001
-Top Stories 2000-2001
-Top Stories 2000-2001
-Top Stories 2000-2001
-Top Stories 2000-2001
-Top Stories 2000-2001
-Top Stories 2000-2001
-Top Stories 2000-2001—Annual Report
-WONDERFUL YUAN
-Top Stories 2000-2001
-Top Stories 2000-2001
-On reason: A conversation with Stephen Toulmin, and a review of his new book, ‘Return to Reason’
-Rossier: USC project helps hook kids on reading
-USC-Caltech survey finds strong support for election reform
-Medical ethics: Frankenstein, ‘Gattaca’ and gene therapy help frame moral issues
-Keck School students help young men to stop cycle of abuse
-Student-sponsored AIDS conference examines HIV risks on streets of L.A.
-Baby monitors may go out with the bath water
-21st CENTURY SURGERY
-SAMPLE TO SPEAK AT HUC CEREMONIES
-$38 million gift to CHLA is largest of its kind in U.S.
-Keck hosts IOM: meeting extols research, ethics
-In Memorium
-USCards to be required for some parking lots
-Scientific advances improve care for pregnant women and their infants
-Medicine: USC team performs region’s first robotic heart surgery
-A Robot Named ‘da Vinci’ Puts USC at the Forefront of Surgery
-It’s a Triple Play in Nature
-A Molecular Biologist Frames Moral Issues
-Student Affairs Opens Satellite Office at HSC
-USC RESUMES GIVES TROJAN JOB-HUNTERS ELECTRONIC EDGE
-Four Stars to Site
-Nathan B. Friedman, Pathologist, 90
-USC in the News
-USC’s Tribute to Joe Allen Celebrates His Life
-2001 Valedictorian: Paritosh Prasad
-Study Finds Support for Election Reform
-Reconciling Theory and Practice, ‘Philosopher’ Stephen Toulmin’s New Book Calls for a Return to Down-to-Earth Reasonableness
-USC Thornton School of Music Hosts the 16th Piatigorsky Seminar for Cellists
-Cheers, Flowers and Wise Words Send 2001 Grads Into the World
-‘Jeopardy!’ Writer Uses USC Education to Stump Quiz Show Contestants
-SIX USC GRAD SCHOOLS GET HIGH RANKING IN U.S. NEWS AND WORLD REPORT GUIDE
-Timeless Advice for USC’s New Graduates:
-Calendar Highlight
-Lear Center Finds TV’s Portrayal of Jews Doesn’t Reveal an Authentic Range
-Study Points to a Lower Resting Metabolism for African-American Youths
-Quick Takes
-Annenberg’s Cronkite Awards Honor Best TV Political Reporting
-The University Honors Its 2001 Scholars
-Annenberg Institute Aims to Help World Leaders Fight Injustice
-The Mission Rehearsal Exercise, a Virtual Reality Tour de Force
-Images of USC: Past, Present and, Perhaps, the Future
-On April 9, U.S. secretary of commerce Ron Brown addressed a town hall meeting for small-business owners.
-Commencement ’01 wrapup: Munitz advises graduates to serve society as teachers and (perhaps) find oil
-Annenberg: Conference targets racism, discrimination, xenophobia and intolerance
-Engineering: USC team advances a virtual reality ‘tour de force’
-Philosophical Society elects two from USC
-Cinema/TV: Cannes festival and Academy honor two USC student films
-Fisher Gallery: Out of the shadows of storage rooms, USC art will hang everywhere
-Good Neighbors: campaign funds 19 community programs
-The College: 1688 turns out to have been a very eventful year
-Doheny Library sets grand reopening
-Engineering: Computer cool means being in control while far away
-HEALTH SENSE
-JEP: Peace begins right down the street at Norwood Elementary
-Commencement '01
-NACURH 2001, "Becoming a Star"
-Aresty family gives $5 million to Department of Urology
-Arthritis pain pill also shows promise against colorectal cancers
-CHLA fetes 100 years of service
-Con-grad-ulations, class of 2001
-Gene therapist discusses 'How much science is too much science?'
-Event held to honor employees
-Keck School bestows inaugural medical ethics award
-DOHENY EYE INSTITUTE COMPLETES $31.75 MILLION CAPITAL CAMPAIGN
-THE APPRENTICES' SORCERER
-60,000 participate in Revlon Run/Walk fundraiser
-Risk of heart failure need not deter some women from pregnancy, USC study shows
-Engineering: Max Nikias succeeds Len Silverman as dean
-Education: Rossier School honors four contributors and advocates
-Medicine: 100 years and $65 million for children
-Medicine: Cancer patient gives $10 million to USC/Norris
-Medicine: Keck School ‘big brothers’ tackle domestic violence
-Medicine: Team USC/Norris captures the spirit of Revlon’s Run Walk for Women
-Sociology: Study examines gender roles of children with gay parents
-Libraries: Two years’ work and a lot of scrubbing make Doheny Library strong and squeaky clean
-VALEDICTORIAN LAURA JOHNSON
-People: What USC folks have been doing these past few weeks (5/31/01_
-Architecture: The lunatics' colony — space architect-engineer charts a 'synthetic' course to the moon
-Advanced tools and concepts for lunar extravehicular activities
-Environmental/regional planning and site plan
-Lunar colony architectural systems for confined public spaces and work areas
-S.O.S.: Solar Observatory System; phase 1-- a lunar solar telescope in the south polar region
-Solar storm and emergency cache shelters for the lunar base
-Sports: Women of Troy win it all, capture NCAA track crown
-Sports: Trojans go to baseball’s College World Series
-The first mosque on the moon
-HONORARY DEGREES
-New Center in Paris Forges Links With USC’s Arts Initiative
-Engineering Goes to the Max; Nikias Succeeds Silverman
-19 Neighborhood Projects Funded
-Pat Haden, Kathryn Sample Honored at Alumni Awards Celebration
-Trojans Elected to America’s Oldest Learned Society
-Books in Print
-Quick Takes
-Corwin Honored
-Study Suggests Children of Gay Parents More Likely to Depart From Traditional Gender Roles
-An Engineering Student’s Senior Project Soars
-HEATHER ROSS: EXTRAORDINARY STUDENT, EXTRAORDINARY COMMUNITY ACTIVIST
-Maxworthy Is Elected an AAAS Fellow
-Graduate Computer-Science Students Learn to Do at a Distance
-The President Calls Upon the University Community to Conserve Energy
-Keck School Celebrates the Class of 2001
-Keck School Bestows Inaugural Medical Ethics Award
-‘Swim With Mike’ Is a Splashing Success
-Time Magazine International Edition Singles out IMSC
-Putting a Sharp Focus on a Single Year: 1688
-New Construction Will Create Campus Green Space
-Calendar Highlight
-During the past year, USC volunteer programs directly affected or served up to a quarter-million people, including some 20,000 children.
-USC Student Films Win Coveted Industry Awards
-The Lunatics’ Colony: USC Space Architect/Engineer Charts a ‘Synthetic’ Course to the Moon
-USC in the News
-Structurally Sound, the Doheny Shines
-2001 ECCLA/USC Teacher Recognition Awards Presented
-Sports: We are the champions
-Sports: USC baseball heads to College World Series
-Some Summer Orientation Program checks stolen; USC phones, advises those who wrote stolen checks to stop payment
-The College: International Relations students teach peace in elementary school’s new conflict resolution program
-USC People: What they’ve been doing for us lately (6/7/01)
-SCHOOL SATELLITE CEREMONIES
-Arts Initiative: USC forges links with French-American Center in Paris
-Transport, logistics and communication support for a lunar base in the south polar region
-USC professor receives clean air award
-HSC Research Awards for March 2001
-Celebrating the lives of those who fight cancer
-Colon cancer patients' genetic makeup can help determine better treatment
-Early warning of cancer risk may help save patients' lives
-Maynard Levenick, clinical faculty member
-USC study examines peer pressure, other factors of teen smoking
-Quality of life issues
-PLAN AHEAD TO BEAT THE PARKING SQUEEZE
-Worthy programs get funds from USC's Good Neighbors
-Obituary: John McKay, led USC to 4 national football titles, 77
-College World Series: Trojans lose to Miami, 4-3; face Tennessee on Tuesday, 4 p.m.
-Obituary: Bernard Strehler, pioneering biogerontologist, 76
-College World Series: Miami tops USC 4-3 on center fielder’s heroics
-College World Series: Trojans lose, 10-2, exit series
-Medicine: Keck School oncologists lead research parade at major cancer meeting
-Medicine: LAC+USC health network gets new chief
-Medicine: Trauma surgeons answer high-profile question
-Pharmacy: STOP CANCER group backs USC researcher
-ISLAMIC CENTER CHAIRMAN TO GIVE BACCALAUREATE ADDRESS
-HSC Research Awards for April 2001
-Baxter Foundation gives $350,000 for fellowships
-Let them eat cake--they've earned it
-$20,000 neurology research grants available
-Neamati bridges science at Pharmacy School, USC/Norris
-New LAC+USC chief takes the reins
-USC/Norris oncologists make strong showing at national conference
-USC study in Trauma recommends alternative to colostomies
-USC People: What they've been doing for us lately (6/26/01)
-Arts: L.A. family gives Zuniga sculpture to USC School of Cinema-Television
-FOR GRADUATES IN THE HEALTH SCIENCES
-Construction: New projects reshape USC campuses
-Engineering: Pasadena industrialist gives $7 million to USC school
-Environment: USC scientists look for source of Huntington Beach contamination
-HSC Research Awards for May 2001
-USC researchers present latest findings at national diabetes meeting
-Etcetera
-Festival of Health slated for Oct. 6, 7
-Hematologist Alexandra Levine to serve as holder of Bloom Chair
-One more reason to eat lots of fruits and vegetables: lutein
-NIH awards USC team $22 million to seek cancer-causing genes
-USC IN THE NEWS
-New PET scanner is 'critical step' for USC imaging
-Hundreds flock to free USC diabetes seminar
-USC to host national meeting on protection of human subjects
-Honors: 2002 Kaplan/Newsweek guide lauds USC for helping students financially
-Medicine: USC University Hospital celebrates 10 years
-USC People: What they've been doing for us lately (7/17/01)
-Construction: New projects reshape USC campuses
-Engineering: U.S. State Department honors USC pair for Cyprus workshop
-LA’s new mayor zeroes in on biotechnology at USC
-USC glassblower: The hottest job on campus
-A Quest to save laughter
-ALL IN A DAYS WORK
-JOURNALISM'S RING AWARD GOES TO ALBUQUERQUE TRIBUNE REPORTER
-Engineering: Graduate students survey deadly tsunami in Peru
-USC hosts mayoral forum on expanding biomedicine opportunities
-Ophthalmology receives $1.3 million National Eye Institute grant
-Shut-down of Johns Hopkins clinical trials underscores safety concerns
-New logo has the Keck School look down to a 'K'
-U.S. News ranks USC-affiliated hospitals among the best
-New PET scanner is 'critical step' for USC imaging
-Pot-bellied people may be at greater risk for type 2 diabetes
-Microbiologist Ebrahim Zandi becomes Keck School's first Pew Scholar
-Zeroing in on causes of type 2 diabetes requires new testing methods
-COMMENCEMENT AT A GLANCE
-Business: ‘Regulation FD’ does not harm markets, USC report says
-Medicine: USC surgeons use robot to remove tumor
-Getting to know USC
-Photo essay: Freshman orientation 2001
-USC People What they've been doing for us lately (8/1/01)
-Sports: Pete Carroll’s basic instinct
-Sports: The comeback of a cornerback
-Variety May Lead to Victory
-Pill Harmonic
-Scholarly Treatment
-COMMENCEMENT: 25,000 WILL CONVERGE MAY 6 AT ALUMNI PARK TO CELEBRATE AS 8,000 USC STUDENTS GRADUATE.
-Genetic Twist
-Brain Trust
-A Quiet Calm
-The Matter of the Bladder
-Norris News
-INSULATING AGAINST RESISTANCE
-THE FRANKENSTEIN SYNDROME
-The Prerogative of Women
-PROTECTIVE PUNCH
-Kohn’s Advantage
-REMARKS FROM USC'S 111TH COMMENCEMENT HONORARY DOCTORATE RECIPIENTS
-AIDS IS 20
-A SURGICAL MASTERPIECE
-Healthoughts
-NATIVE NATURE
-Bench Marks: CLOSE TO THE BONE
-Mail: Letters to Editor
-Giving Back to the Future
-Editor’s Note
-President’s Page
-Mailbag
-FRESHMAN CLASS: DIVERSE, MODERATE, COMMITTED
-What’s New
-John H. McKay 1923-2001
-Hooked on Classics
-Mathematics of Life
-In Support
-Class Notes
-Marriages, Births and Deaths
-Aural Surgery
-The Secret Word? Groucho
-The Prize Is Right
-PRESIDENTIAL COMMENCEMENT REMARKS
-John Ferraro
-Mongrel Words
-Medicine: NIH awards USC team $22 million to seek cancer-causing genes
-Astronomy: Here comes the sun; USC researchers shed light on solar waves
-Clear sky, stable night air - Mount Wilson is an astronomer’s dream
-Alumni: LAUSD honors a beloved educator and USC pioneer
-Photo essay: National Youth Sports Program
-The College: Biologist gets $2.7 million to study weed’s genetic variation
-Medical Center Replacement Project is now underway
-USC surgeons on Discovery Channel
-1994 COMMENCEMENT
-USC researchers show drug may spur ovarian cancer growth
-Pulmonary research fellowships available
-Drugs that decrease insulin resistance may delay disease onset in women
-Overhaul of Keck School curriculum to debut
-USC biologist says data point to life on Mars
-Is there a robot in the house?
-Diabetic teens face greater risk of atherosclerosis
-USC People What they've been doing for us lately (8/13/01)
-USC graduate Chandra Levy still missing
-Administration: A Parent’s View of Orientation and Registration
-USC FALL FRESHMAN SURVEY 1993
-Medicine: 100 faculty participate in debut of new Keck School curriculum
-Fine Arts: The big and the bold L.A.’s Middlebrook stays away from the middle ground
-Sports: John McKay Memorial service postponed
-Medicine: USC’s ‘video microscope’ allows pioneering research on diabetes
-Medicine: USC researchers present latest findings at national diabetes meeting
-Libraries: A 'reinvigorated' Doheny reopens its doors
-Provost’s Office: USC’s Summer Seminars adds a scholarship program
-Medicine: USC surgeons remove tumor with da Vinci robot
-Summer of learning
-Sports: NCAA places USC on probation for academic violations
-QUICK TAKES
-USC responds to NCAA findings
-Cardiologist Vincent DeQuattro, professor of medicine, 67
-Research implicates protein in type-2 diabetes
-Students laud faculty for dedication to classroom
-Keck School neurosurgeon receives top international honor
-Pharmacologist mixes research, teaching with native American wisdom
-USC/Norris joins international prostate cancer study
-$1.4 million grant targets tobacco use
-Magazine names three from USC as 'top black physicians'
-Microscope video supports protein-diabetes link
-FIVE PROFESSIONAL SCHOOLS JOIN FORCES TO AID FAMILIES
-Trustee’s Gift Lets Teens From Urban Schools Sample USC Life
-A 'Reinvigorated' Doheny Reopens
-NIH Awards USC Team $22 Million
-Family Matters
-USC Scientists Look for Source of Huntington Beach Contamination
-Surgeons Use Robot to Remove Tumor
-L.A.’s New Mayor Zeroes in on Biotechnology and USC
-USC Alumna Still Missing
-Kid Watch Picnic Celebrates Volunteers
-LAUSD Honors Mary Chun Lee Shon — Her Pioneering Spirit Started Here
-FOR THE RECORD
-L.A. CHURCHES ANSWER THE CALL OF A MULTIETHNIC CITY
-USC Community Meets the Coach
-Summer Sports Draw Neighborhood Youngsters
-100 Faculty Participate in Debut of New Keck School Medical Curriculum
-Calendar Highlight
-USC’s ‘Video Microscope’ Allows Pioneering Diabetes Research
-Researchers Present Findings at Diabetes Meeting
-Freshmen Learn the Ropes
-A Parent’s View of Orientation and Registration
-Perspectives
-IR Students Will Teach Peace in Elementary School’s New Conflict Resolution Program
-LIFE SKETCH - Melrose Hardy
-Here Comes the Sun: USC Astronomers on Mount Wilson Shed Light on Solar Waves
-USC’s Bovard Brokered Mount Wilson’s First Telescope
-USC Rossier School Honors Contributors
-Theatre: Dispatch from the Fringe of Edinburgha>
-
Medicine: Doctor who reattached shark victim’s arm is a Trojan booster
-Accounting: New dean steers Leventhal School
-The College: Better teaching through Web chemistry
-Passings: John D. Soule, John E. Elliott, E.J. Safirstein
-Perspectives: 2nd looks from the 2nd floor of Kaprielian Hall
-USC People: What they've been doing for us lately (9/3/01)
-HEALTHSENSE
-New Accounting Dean to Steer Leventhal School
-Family Matters
-‘Get Moving’ Aims to Find Out Why Girls Stop Exercising at Age 10
-L.A. Family Gives Zuniga Sculpture
-M.C. Gill Gives $7 Million to Engineering
-Useless Weed Sprouts Value as a Model
-Big and Bold: Middlebrook Gains the Top
-Perspectives
-Calendar for Sept. 3 to Sept. 10
-Top Teachers Hailed, Will Share Good Works
-WARNING: U.S. PRESIDENCY MAY BE HAZARDOUS TO HEALTH
-Wallis Annenberg Gives USC $11.5M
-All-Trojan Doc Mends Shark-Maimed Boy
-Jane Pisano leaves USC for greener, more natural pastures
-Family Matters: What’s going on with the Trojan Family
-The College: New International Relations head has national relationships
-USC’s School of Theatre Wows the Scots Again
-Jane Pisano Tapped to Lead Natural History Museum
-Pharmacogenetics: Big Word, Big Difference
-Aresty Family Gifts Total More Than $10M
-Students Make Good Neighbors
-BOOKS IN PRINT
-USC-based Group Awarded $1.4 Million for Anti-Tobacco Efforts
-USC Chemists Teach Better Teaching Through Web Chemistry
-Dental School Streamlines into 5 Units
-New IR Head Has National Connections
-Pharmacologist Mixes Research, Teaching With Native American Wisdom
-Learning from Peru: Tsunamis Can Strike Here
-He Has USC’s Hottest Job
-Out of the Shadows: Fisher Gallery Offers Long-stored Art
-Constrained or Unconstrained, That Is the Equation
-It Takes More Than Calcium to Build Better Bones
-USC UPGRADES THE INTERNET
-NCAA Places USC on Probation for Violations
-Medical Center Replacement Project is Underway
-New Library Quad Adds Green Space to Campus
-Family Matters
-Perspectives
-Calendar Highlight
-USC is open for normal business
-Emergency administrative advisory
-Statements from USC’s Steven B. Sample, Michael Jackson, Joseph Aoun
-Terrorist strikes cause ripples across the campuses
-LARRY R. DALTON TO HOLD MOULTON CHAIR IN CHEMISTRY
-Open letter to USC community from Michael L. Jackson
-Terrorist strikes cause ripples across the campuses
-HSC Research Awards: for June and July 2001
-CHLA program suggests how to promote kids' healthful eating, exercise habits
-White Coat Ceremonies fete students' entrance into health professions
-Renowned ophthalmologists join Keck School of Medicine
-Keck School to create Retina Institute to help avert vision loss
-Keck School to create Retina Institute to help avert vision loss
-Study suggests age-related weakness may be avoidedBy
-Campus responds to terrorist strikes
-INDUSTRIALIST BLAKE QUINN JOINS TRUSTEES
-Philanthropy: Wallis Annenberg gives USC $11.5 million
-Health: USC offers meningitis and flu shots
-Albright to give President's Distinguished Lecture on Oct. 9
-Be on guard against campus crime
-Campus Mirrors World Reactions to Terror With Vigils, Blood Drive
-USC Co-Hosts L.A. Times Festival of Health
-Seaweed and Squid and Everything Nice
-USC/Norris Joins International Study of Prostate Cancer
-Scientists May Be Right About Life on Mars
-USC Offers Meningitis and Flu Shots
-CAAS, JOURNALISM TO MERGE JULY 1 INTO EXPANDED ANNENBERG SCHOOL
-Substance Found in Fruits and Veggies Packs Protective Wallop
-Extended Day Care
-Calendar Highlight
-Chance Favors the Prepared Thief
-USC Encouraged to Take a Hike
-Budget Bungling, Skewed Priorities Squander Trillions
-‘Eye Chip’ Group Moves to USC From Hopkins
-Retina Institute: ‘Only in Los Angeles’
-Perspectives
-Family Matters
-150 USC VOLUNTEERS ROLL UP THEIR SLEEVES FOR CHRISTMAS IN APRIL
-Books in Print
-Trojan Family pulls together to support victims, families
-East Coast events change Thornton Wind Ensemble’s opening concert
-The College: Seaweed and squid and everything nice
-Student Affairs: Minds meet, thoughts flourish under new program
-Medicine: USC co-hosts L.A. Times Festival of Health
-Medicine: ‘Eye Chip’ group moves to USC from Hopkins
-Medicine: The aging needn't bid biceps farewell
-Asia scholar Peter Nosco leads Academic Senate
-Cinema-TV: Helping rural African women to connect, campaign
-ANNOUNCEMENTS:
-SAMPLE HONONRED AT HEBREW UNION COLLEGE
-Response to Terror: Campuses pull together, give blood, raise money, mourn
-PPD: L.A. - a tough place to make things happen, but a great ‘living lab’
-President Sample tells mosque crowd that tragedy was 'a hate crime against humanity'
-Social Work: Federal budget bungling squanders trillions of dollars
-USC to share $6.6 million drug study grant
-Etcetera
-Festival of Health slated for Oct. 6,7
-Ground Floor... Going up
-USC/Norris seeks hikers for breast cancer fundraiser
-IGM receives $8 million for gene therapy initiative
-A VISUAL APPROACH TO MIDRASH
-Latino issues loom as serious challenge to diabetes treatment
-Occupational science researchers examine management of pressure sores
-Photo Essay - Political Violence Initiative announced at teach-in
-Minds Meet, Ideas Flourish
-Albright to Give President's Distinguished Lecture on Oct. 9
-Campus Pulls Together in Crisis
-Campus Events in Response to the Acts of Terror
-USC Researchers Find That Aging Needn’t Bid Biceps Farewell
-Trojans Trudge the Road — And Tell You How They Do It
-Dean Nikias Finds Ancient Words Respond to a Modern Tragedy
-QUICK TAKES
-Asia Scholar Peter Nosco Leads Academic Senate
-On a Paddle and a Prayer: Student Architects Launch ‘Floating Machines’
-Helping Rural African Women to Connect, Campaign
-Courses Enhance the Workplace
-Spend a Health-Filled Weekend at USC on Oct. 6 and 7
-Dean Daniel Mazmanian Leads PPD in Tackling Dilemmas, Finding Solutions
-High-Tech Higher Ed at Lewis Hall
-Perspectives
-Family Matters
-Calendar Highlight
-PANIC ATTACKS MAY BE LINKED TO BALANCE DISORDERS
-Architecture: On a paddle and a prayer - students launch ‘floating machines’
-Trojans trudge the road and tell you how they do it
-PPD: High-tech higher ed at Lewis Hall
-18-month initiative on political violence begins
-Response to Terror: Anti-violence teach-in draws Trojan community together to learn, explore, understand
-The College: Famed French economist joins USC faculty
-Photo Essay — Response to Terror: Bovard packed for 'Coming Together' ceremony
-Festival of Health and Fitness:The Doctors of USC Stage Schedule of Events
-Third annual Festival of Health slated for October 6 and 7
-Counselors available to HSC faculty, staff, families
-MATHEMATICIAN, USC PROFESSOR BUSEMANN DIES
-Research growth key to lifting Keck School to top 10 in nation
-Protein found to fuel tumor growth
-USC study seeks answers on why girls stop exercising in teen years
-USC job a dream come true for learning-disabled youth
-The College: Matching grant proposal could net Korean studies $2 million
-Marshall School of Business: Freeman interns find no substitute for doing business abroad
-Engineering: Television, like the earth, isn’t flat
-‘A September like no other’
-Students, Faculty, Courses, Seminars — All Are Affected
-Teach-in Draws Hundreds to Share Ideas, Opinions, Fears and Hopes
-GAMBLE HOUSE ENDOWMENT REACHES $1 MILLION MARK
-Mosque Hosts Neighborhood Dialogue
-Speak Out Against Hatred and Bigotry
-Freeman Interns Find No Substitute for Doing Business Abroad
-USC Job a Dream Come True for Learning-Disabled Youth
-Television, Like the Earth, Isn’t Flat
-Pharmacy Students Join White Coat Ceremonies
-Matching Grant Proposal Could Net Korean Studies $2M
-It’s the Challenge That Fuels Laffont
-Emergency Doc to Leave on Medical Mission to Liberia
-Perspectives
-HELPING ROBOTS TO HELP THEMSELVES
-Family Matters
-Calendar Highlight
-Engineering: ISI gets a $2.1 million ‘shot in the Grid’
-First Trojan Parents’ Weekend set for Oct. 11 to 14
-Board of trustees: Trucking exec Reginald Lathan elected
-USC Libraries: Grand re-opening of Doheny scheduled for Oct. 10
-Medicine: NCI grant will help make cancer cures a reality
-For your good health: Substance in fruit, veggies packs protective wallop
-Medicine: Anne Peters’ fight against high diabetes rates in Latinos includes listening to patients
-Medicine: Joint research effort seeks to uncover genes’ role in drug effectiveness
-SUPPORTING MIRACLES AT CHILDRENS HOSPITALS
-Medicine: USC hair dye study spurs European Union query into product safety
-Panel calls for biopsy changes
-Keck School tracks significant growth in research funding
-Researcher seeks causes of repetitive gene sequences
-Massry prize awarded to Hershko and Varshavsky
-Angiogenesis protein also found to promote cancer cell growth directly
-Meet the Queen
-More than $1 million for research funding now available for investigators
-The College: Undeterred by Ugandan terrorism, USC researcher makes a startling discovery
-Culture Initiative Opens to Raves
-MED STUDENTS EXPOSED TO FAMILY VIOLENCE
-Law Dean Plans to Step Up Research, Recruitment
-Undeterred by Ugandan Terrorism, USC Researcher Makes a Startling Discovery
-A Message From President Sample
-A Student Finds Interfaith Dialogue Aids Understanding
-NCI Grants Aim to Make Cancer Cures a Reality
-Doheny Library Sets Oct. 10 Gala
-Newest Trustee Wants to Motivate Youth
-Still Scarlet, but Starker
-Two Talks by Stanford
-Education Puts Diabetes Patients at the Helm
-HEALTHSENSE
-Center Stands at Heart of Media Debate
-The News Prompts Changes at USC Today
-DPS Security Report Now Online
-Family Matters
-Perspectives
-Calendar Highlight
-A poem honors a tragedy — and a husband lost
-Madeleine Albright gives capacity crowd a wide-ranging briefing on terror
-For Arifa Chaudhry, gaining diversity far outweighs the loss of snow
-Student Affairs: Culture initiative kicks off to acclaim
-ANNENBERG GRANT SUPPORTS FUND FOR WOMEN 35 AND OLDER
-COMMENCEMENT FOR MDs, PAs
-The College: Undeterred by Ugandan terrorism, USC researcher makes a startling discovery
-Law: Dean steps up research centers and recruitment
-Theatre: Still scarlet, but starker
-Cinema-TV: Marilyn Monroe, from baby to blonde bombshell
-The College: Students document interfaith dialogue in wake of attacks
-Medicine: Keck School maps plans to become Top 10 medical school
-PPD: Survey examines why some Latinos spurn health insurance
-Law: Center stands at the heart of media debate
-DPS: Explorers join up, then make a difference
-DPS: Annual security report ‘Street Smart’ released
-RETHINKING THE ENVIRONMENT
-Engineering: $1 million grant will give biomedical industry a boost
-Fine arts: SoFA, doing their part with art
-Butler recieves award
-Child Care Center to host Crafts Fair Oct. 26
-School of Dentistry reorganizes into five divisions
-Festival of Health draws healthy-sized crowds
-Study linking hair dyes and cancer trigger policy changes in Europe
-IGM exhibit melds the disparate disciplines of art and science
-New technique boosts protein marker detection
-Top scoring NIH grant proposal nets USC immune researcher $270,000
-THE ART OF SUSTAINABLE ARCHITECTURE
-Nominees sought for Distinguished Emeriti Awards
-Volunteers needed for Nov. 10 Health Fair
-Albright Asserts American Values
-Muslim Student Finds Kindness, Not Taunts, After Sept. 11 Attacks
-Survey Examines the Status of Uninsured Latinos
-Explorers Join Up, Then Make a Difference
-Information Sciences Institute Program Gets $2.1 Million Shot in the ‘Grid’
-$1M Grant Will Give Biomed Industry a Boost
-Keck School Charts Path to Top 10
-A poem by Carol Muske-Dukes
-LAW V. CULTURE
-1,000 Cranes
-Nobel Coincidence, But Perhaps Not
-From Baby Belle to Blonde Bombshell
-It Was a Weekend of Health
-New Show Combines Science and Art
-Family Matters
-Perspectives
-Calendar Highlight
-Books in Print
-Engineering: A day to celebrate NAI
-GERONTOLOGY RESEARCHER BOLSTERS TOXIC WASTE THEORY OF BRAIN AGING
-Trojan Parents' Weekend draws a crowd for classes and more
-Trojan Parents' Weekend draws a crowd for classes and more
-Magnesium plays important role in building strong bones
-Top Chinese official visits Keck SchoolTop Chinese official visits Keck School
-John D. Soule, School of Dentistry researcher
-Keck Foundation Web site points to funding opportunities
-Globe-trotting physician plans medical mission to Liberia
-These trailblazers are money-raisers
-USC Pediatrician honored by Johns Hopkins
-Keck Board of Overseers mulls BioMedicine Park
-USC IN THE NEWS
-USC/Norris retains prestigious 'comprehensive cancer center' designation
-Jordan Weitzman, pediatric surgeon, 69
-Pharmacy students to raise money for terror attack victims
-Randy Sherman named first chair in plastic surgery
-There is no time like the present to get vaccinated for the flu
-Student events planned for National Pharmacy Week
-$30,000 available for liver research
-People With Schizophrenia Are Often Targets for Criminals
-The 21st Century Redefines Literacy
-Trojan Parents’ Weekend Draws a Crowd for Classes and More
-FROMSON NAMED INTERIM DIRECTOR OF JOURNALISM
-Panel Calls for Biopsy Changes
-‘Contrarian’s Guide’ Aids Scholarships
-It Was Grand, Indeed
-Keck Scientist Finds Key Protein That Regulates Angiogenesis
-Artists Create for Terror Victims
-Perspectives
-Family Matters
-Calendar Highlight
-Social work: Schizophrenic individuals victimized by crime, study finds
-Medicine: USC expert co-authors paper backing less-invasive biopsies
-DOMESTIC LIFE IN THE DOMES
-Medicine: Keck scientist finds key protein that regulates angiogenesis
-Libraries: Doheny celebrates with a grand reopening
-Fine arts: Students doing their part with art
-‘Contrarian’s Guide’ aids scholarship
-Political Violence Initiative: Afghan teach-in provides antidote to anxiety
-Social Work: School sponsors Oct. 31 public forum on Islam
-Official outlines U.N.’s 3-part response to terror attacks
-Engineering: Dean Nikias addresses 250 Orange County execs
-Cinema-TV: The 21st century redefines literacy
-Good Neighbors Campaign kicks off
-A BOOST FOR BILINGUAL CLASSROOMS
-Medicine: Bioinformatics unites computers, math and biology
-PPD: Planning on a common vision for the California Dream
-USC expert discusses anthrax, bioterrorism threats
-Family and youth policy expert joins CHLA
-Ophthalmologist John Irvine to hold chair named for father
-Popeye's favorite food may hold key to restoring sight
-L.A. dignitaries recognize IGM art exhibit
-Nomie Shore, emeritus associate professor, 77
-STAR program hails dentistry professor as mentor of the year
-Study suggests steps to deter early onset of diabetes
-ON THE SAME WAVELENGTH
-CHLA gets $9 million grant to train pediatric specialists
-Etcetera
-Football coach John McKay's memorial service set for Nov. 13
-Good Neighbors Campaign targets HSC-area schools, programs
-Pharmacy grads pass licensing exam at rate unprecedented in state
-Neurogenetic Institute awarded $2 million
-HSC Research Grants for August 2001
-Keck School Overseers examine BioMedical Park progress
-Yoga class for cancer survivors aims to relieve stress
-PPD’s Miller Forum Explores the Future of the California Dream
-THE DOCTOR IS IN - GLAUCOMA
-DER ROSENKAVALIER COMES TO DOHENY
-Good Neighbors Campaign Kicks Off Nov. 1
-'Breaking Bread' Encourages Interaction and Learning
-Afghan Teach-in Provides Antidote to Anxiety
-Oct. 30 Social Work Forum to Discuss Islam
-Official Outlines U.N.’s 3-Part Response to Terror Attacks
-‘Bioinformatics’ Unites Computers, Math and Biology
-Network Plan to Increase Drug Co-Payments
-USC Engineers Herald New Internet Technology
-Flu Vaccinations to Become Available as Season Approaches
-Alumni to Meet in Hong Kong
-POLICY ON SEXUAL HARASSMENT
-Family Matters
-Calendar Highlight
-Academic Culture Initiative: 'Breaking Bread' encourages interaction and learning
-The College: Brain databases make a mountain of research easier to mine
-Annenberg: ‘We’ll laugh again,’ says Art Buchwald in return to USC
-The College: SCEC opens new offices in renovated North Science Hall
-Political Violence Initiative: Alumnus offers a ground-level view of Iraq
-Saving His Life
-Selective Surgery
-Getting the Dirt on Germs
-THE LONG VIEW OF EARTH TIME
-Gland Masters
-Haile's Comment
-Stroke Smart
-Saving His Life
-Healthoughts
-Fair Weather Friends
-Before a Good Gene Goes Bad
-Editor’s Note
-President’s Page
-Mailbag
-QUICK TAKES
-What’s New
-Thinking Gray & Free: A Contrarian’s View of Leadership
-Redesigning Lives
-Grand Jewry Investigation
-In Support
-Right-Arm Giver
-Early Birds
-Hold the Salt
-An Egyptian Star Is Born
-Ashley Stewart Orr
-MEDICAL SCHOOL NETS $5.5 MILLION GRANT TO STUDY STROKE
-Literary One-Liners
-The College: New history professors tackle different eras as a team
-We’ll Laugh Again, Says Art Buchwald in Return to USC
-USC’s Brain Databases Make a Mountain of Research Easier to Mine
-Neighborhood Outreach Gets Schoolchildren Into the Swim
-Kumi Comes Back to Campus to Give a Ground-Level View of Iraq
-Popeye’s Favorite Food May Hold the Key to Restoring Sight
-USC Expert Discusses Anthrax, Bioterrorism Threats
-SCEC Opens New, Improved Offices in Renovated North Science Hall
-Frenzen Fears Application of Anti-Terror Bill to Immigration Law
-LIFE SKETCH - LYNNE TJOMSLAND
-CAST Helps Trojans Lend a Hand
-USC Mailing Department on High Alert
-New History Professors Tackle Different Eras as a Team
-USC Rossier School to Begin Ed.D. Program in Fullerton
-AIDS Walk Draws a USC Crowd
-Family Matters
-Calendar Highlight
-Passel of poets to raise their voices for peace on 11/11
-Winter recess holidays for staff every year
-Rossier School: Program helps new teachers blossom
-WELL-ROUNDED SCHOLARS
-Social work: Students urged to explore other faiths
-Political Violence Initiative: Doctoral student suggests ways to cope with bioterror
-Pharmacy: USC expert discusses anthrax, bioterrorism threats
-Law School: Frenzen fears application of anti-terrorism bill to immigration law
-Architecture: Gamble House raising funds for $3.5 million renovation
-First USC International Alumni Conference set for Hong Kong
-Administration: PR chief Martha Harris promoted to senior vice president
-Breast Cancer Research Foundation awards USC researcher $110,000
-Emergency contraception drugs to become more widely available
-Etcetera
-LAS HONORS ITS BEST TEACHERS WITH RAUBENHEIMER AWARDS
-Homecoming game features HSC health care exhibit
-Keck School strengthens international ties
-Martha Harris named senior vice president for external relations
-Department of Occupational Therapy chair honored by peers for lifetime achievement
-New outreach chief boasts deep roots in local community
-Student-led project to create free clinic for poor nears fruition
-HSC Research Awards for September 2001
-Good Neighbors’ Campaign Enriches Community, Continues Through Nov. 30
-New Teachers Blossom in Rossier Education Program
-Doctoral Student Suggests Ways to Cope With Bioterror
-HEALTHSENSE
-PR Chief Harris Promoted to Senior Vice President
-Glassner Faults Media for ‘Fate of False Fears’
-Third Academic Culture Event Takes Place Nov. 20
-CCR Entrepreneurs Draw National Attention
-USC Pharmacy to Offer New Morning-After Pill
-Hammer Show Has USC Art Treasures
-ISI Is Making Robots More Lifelike, Sociable
-USC’s Archival Research Center Launches Web Site
-Gamble House Raising Funds for $3.5 Million Renovation
-Family Matters
-EDUCATING THE WORLD
-Books in Print
-Medicine: Students, agency for homeless to open free clinic
-Rossier School: New program to offer Ed.D. in Fullerton
-Medicine: Popeye's favorite food may hold the key to restoring sight
-CAST helps Trojans lend a hand
-USC mailing department at ‘high alert’ for suspicious items
-Neighborhood Outreach gets schoolchildren into the swim
-International relations: New Red Cross workshop inspires students to help globally
-Family Matters: What’s going on with Trojan students, faculty, staff
-CCR entrepreneurs gain national attention
-ENDOSURGERY: NEW, "CUTTING EDGE" TECHNIQUE REVOLUTIONIZES SURGERY
-ENTREPRENEUR, SCHOLAR BUSKIRK DIES AT 67
-After Sept. 11: The fate of false fears
-President Sample speaks at Town Hall L.A.
-Scholarship created in honor of USC Trustee Ed Zapanta
-Etcetera
-USC-sponsored Boyle Heights health fair draws hundreds
-Good Neighbors Campaign runs through Nov. 30, so donate now
-Chair of neurology plans to step down
-Keck School lauds its outstanding scholars
-USC researchers' innovative ophthalmologic surgery system makes its way to market
-USC veteran returns to Vietnam to help heal the sick, aid the poor
-USC JAZZ PRODIGY: THE NEXT OSCAR PETERSON
-Scholarship created in honor of USC Trustee Ed Zapanta
-Political Violence Initiative: Religious leaders tell how congregations respond to tragedy
-Political Violence Initiative: U.S. urged to help restore women's rights in Afghanistan
-Etcetera
-Despite therapy, HIV-positive women still at risk for transmitting virus
-Political Violence Initiative: Afghan activist describes a human rights tragedy
-Medicine: Scholarship created in honor of USC trustee Ed Zapanta
-Medicine: Keck School strengthens international ties
-Medicine: CHLA gets $9 million grant to train pediatric specialists
-Student groups launch holiday toy and book drives
-CREATURES FROM THE DEEP
-Annenberg: USC school, London School of Economics offer master’s program
-Annenberg: USC, London School of Economics offer jointly taught master’s program
-HIV family clinic sharpens focus on teens
-Ghanaian physician begins emergency medicine fellowship
-Holidays are the season for giving, and HSC groups are ready to do just that
-Symposium on liver disease slated for Dec. 7
-'Impressed' with NGI progress, advisory group visits campus
-Radiation Oncology department chair to step down July 1
-Raymond Arbuthnot, longtime Trojan booster
-HEADS UP!
-USC IN THE COMMUNITY
-Groups launch holiday food and toy drives
-Groups launch holiday food and toy drives
-Groups launch holiday food and toy drives
-Estrogen may protect artery walls
-Physician-researcher sees her work as best of both worlds
-USC promotes high-tech eye screening system
-HSC Research Awards for October 2001
-Nobel laureate Ferid Murad delivers lecture at IGM
-Anesthesiologist joins program that aims to ease chronic pain
-Mary McMillen Stimmler, Keck School physician, 49
-SCHAPIRO RESTRUCTURES LAS
-The College: SC2 begins series of seminars on urban policy issues
-WISE gift is making a difference for women faculty
-Have Guin, Will Tally
-International Residential Hall Opens Soon
-Winter Recess Holiday to Be Permanent
-The Class of 2005 Excels
-CHLA Gets $9M Grant to Train Pediatric Specialists
-SC2 Begins Series of Seminars on Urban Policy
-Webb de Macias Named Vice President for External Relations
-Scholarship Created in Honor of USC Trustee Edward Zapanta
-A USC PREMIERE
-New Outdoor Grill at HSC Is a Hit With Customers
-‘Representing Women’ Show to Open Dec. 12 at USC’s Fisher Gallery
-How to Make a Hawk, American-Style
-USC Researchers Find Estrogen, Memory Link
-New Red Cross Workshop Inspires USC Students to Help Globally
-Students Urged to Explore Other Faiths
-Religious Leaders Tell How Congregations Respond to Tragedy
-U.S. Urged to Help Restore Women’s Rights in Afghanistan
-Afghan Activist Describes a Human Rights Tragedy
-Holiday Spirit of Giving Sweeps the University Campuses
-QUICK TAKES
-Keck School Strengthens International Ties
-Students, Agency for Homeless to Open Free Clinic in Hollywood
-WISE Gift Makes a Difference for Women
-Family Matters
-Calendar Highlight
-Admissions: The Class of 2005 raises the bar
-Administration: Webb de Macias appointed vice president for external relations
-Fisher Gallery: ‘Representing Women’ show closes Feb. 9
-The College: USC researchers find link between estrogen and memory
-Passings: George Scharffenberger, Dorothy H. "Dotty" Pin
-JOURNALISM SCHOOL REACCREDITED
-Family Matters: What’s going on in the Trojan Family
-Students moving into Parkside International Residential College
-U.S. Senator, County Supervisor tour BioMedical Park site
-Keck School surgeons perform medical first with complex Whipple operation
-Maceo named associate vice president
-Carolyn Webb de Macias named vice president for external relations
-Pet scans help doctors better evaluate women with cervical cancer
-Anesthesiology professor named preseident of critical care medicine society
-Pharmacy students make valuable connections at annual Career Day
-Study hints joint supplements’ benefit might come from sulfates
-OT WINS MAJOR GRANT TO STUDY WELLNESS IN ELDERLY
-A Gift from the Heart
-Political Violence Initiative: How to make a hawk, American-style
-Administration: Have Guin, will tally
-Medicine: Despite therapy, HIV-positive women still at risk for transmitting virus
-Medicine: HIV family clinic sharpens focus on teens
-Medicine: Ophthalmologic surgery system makes its way to market
-The College: Poli sci prof turns his course - and a national debate - into a book
-Business Affairs: Tom Moran retires as head of division
-Medicine: Keck School surgeons achieve a first
-University Park: ‘Dove Market’ offers the community art, food and hope
-CANCER SURVIVORS REJOICE AT NORRIS FESTIVAL OF LIFE
-Keck School recruits top cardiologist for division of cardiovascular medicine
-USC researchers link muscle disease to ‘Alzheimer’s enzyme’
-Robert T. Koda, professor and former associate dean, School of Pharmacy, 68
-USC researcher underscores the benefits bacteria can provide
-Bioinformatics collaboration unites computers, math, and biology
-Neurogenetic Institute’s construction now viewable online
-Study show that lungs develop better in kids who move away from pollution
-Spinal arthritis sufferer visits Keck School during ride of his life
-Keck researcher joins NCI cancer outcomes study
-Scholarship program created to assist Latino students
-USC IN THE NEWS
-USC LAUNCHES CYBERSPACE'S MOST VERSATILE ON-LINE EXPERTS DIRECTORY
-Signs of the Times
-USC student to carry Olympic torch today
-USC Senior Awarded Marshall Scholarship
-Tom Moran Retires as Division Head
-Keck School Surgeons Perform Medical First
-HIV Family Clinic Sharpens Focus on Teens
-Jeffrey H. Smulyan Joins USC Board of Trustees
-King Celebration Is Jan. 24
-USC Announces Scripter Award Nominees
-Oasis East of the 110: ‘Dove Market’ Offers the Community Art, Food and Hope
-MANAGED-CARE CONFERENCE
-Poli Sci Prof Turns His Course — and a National Debate — Into a Book
-Annenberg, London School of Economics Offer Master’s Program
-The College Bestows Honors
-DNA Makes a Tasty Meal for Biology’s Most-Studied Organism
-Family Matters
-Calendar Highlight
-USC student to carry Olympic torch today
-Passings: Julie Kohl, Trojan booster and restaurateur, dies at 98
-Passings: John A. Russell, 88; Harrison Kurtz, 76
-Percival Everett reads at Distinguished Writers Series on Jan. 30
-MASTER OF THE CODE
-Family Matters: What’s going on in the Trojan Family
-‘A Beautiful Mind’ wins Scripter Award
-Passings: Crispus Attucks Wright, honorary trustee, USC benefactor, 87
-USC plans King Day ceremony on Jan. 24
-Four scholars honored for outstanding careers
-An open letter from John Argue, chairman of the USC board of trustees
-Edward Grant recruited to take the helm of Radiology Department
-Keck physician named ‘distinguished professor’
-Keck School gears up for third new research building
-Etcetera
-LEAVEY DIRECTOR CHRIS FERGUSON AWAITS THE BIRTH OF HIS NEW LIBRARY
-Managed health care often a factor in missed diagnoses of depression
-Laparoscopic procedure offers new way to treat severe obesity
-Minimally invasive gastric bypass offers patient new lease on life
-Students attend AIDS and Violence Intervention Conference
-Robert T. Koda Memorial Service slated for March 5
-Keck School seeks applicants for grants worth $150,000
-SCEC Gets $10M Grant to Do Earthquake Science Online
-A Tribute to Outstanding Careers
-USC Student Joins Olympic Torch Relay
-One Little Enzyme Has Given Shih a ‘Life of Surprise’
-AUTUMN LEAVEY
-Todd R. Dickey Is Appointed Vice President and General Counsel
-Brenda Barnes Named President of KUSC Radio Station
-HPCC Powers USC Research — and Sets Macintosh Supercomputing Record
-‘A Beautiful Mind’ Wins Scripter Award
-USC to Celebrate King Day Jan. 24
-Keck School Recruits Top Cardiologist for Cardiovascular Medicine Division
-Concert Pianist Probes the Structure of Music With Engineering and Mathematics Tools
-Music of Changes Promotes Contemporary Classical Music
-Achievement Expert Joins USC Rossier School
-Egging on Those Lego Robots
-HEALTH SENSE
-Researchers Link Muscle Disease to Alzheimer’s Enzyme
-Lighting the Way to Salt Lake City
-Anesthesiologist Joins Program That Aims to Ease Chronic Pain
-Author Percival Everett Readsat Writers Series Jan. 30
-Family Matters
-Despite Therapy, HIV-Positive Women at Risk for Transmitting Virus
-Calendar Highlight
-Books in Print
-Pharmacy: One little enzyme has given Shih a 'life of surprise’
-Student Affairs: Web registration makes schedule building a snap
-A TROJAN TOUR DE FORCE
-The College: Thompson's findings would make Pavlov proud
-Brenda Barnes Named President of KUSC
-Journalism, justice and the Wen Ho Lee case
-Findings That Would Make Pavlov Proud
-USC Appoints New Dean of Admission
-Online Registration Debuts — With a Bonus
-A Legend Passes: Julie Kohl, Trojan Booster and Restaurateur, 98
-A Geographic Solution for Kids’ Lungs Affected by Pollution
-Journalism, Justice and the Wen Ho Lee Case
-Researcher Underscores the Benefits of Bacteria
-FLESH-EATING STREP HYSTERIA
-JEP Marks 30 Years as a Pioneering Service-Learning Program
-Public Service Guru Dick Cone Bids JEP Adieu
-Thinking Big on a Very Small Scale
-Juilliard String Quartet Works With USC’s Thornton Students
-Family Matters
-Calendar Highlight
-The College: SCEC gets $10 million for online laboratory
-Administration: Todd R. Dickey named vice president and general counsel
-The College: Joint Educational Project marks 30 years
-Enrollment Services: J. Michael Thompson named dean of admission
-ECCLA HONORS BEST TEACHERS
-Engineering: Thinking big on a small scale
-Rossier School: Achievement expert joins USC
-‘Common Ground’ film series puts a spotlight on political violence
-State of the Heart
-Muscle Bound
-Better Living Through Chemistry
-Joint Chiefs
-Tear Engineer
-Child's Play
-NO PARKINSON'S ZONE
-EARLY ADMISSIONS FIGURES BODE WELL FOR FALL ENROLLMENT COUNT
-Healthoughts
-City Rounds: Teen Time
-Benchmarks
-Making the Keck Strategic Plan a reality
-Genetic detectives track down new clue to successful cancer treatment
-Carol Freeman oversees day-to-day operations at USC/Norris Hospital
-USC University Hospital names new chief operating officer
-Flipping Out
-Environmental summit seeks comments from community on concerns over health
-November 2001 Grants
-ADDTION OF WOMEN'S SOCCER TEAM HELPS CLOSE EQUITY GAP IN ATHLETICS
-USC IN THE NEWS
-USC study shows air pollution may trigger asthma in young athletes
-Looking Eastward
-Rock of Aging
-Next-Generation War Games
-A Voyage Through Time
-Editor’s Note
-President’s Page
-Mailbag
-Violence Protest
-Awards of Honor
-PAPAZIAN NAMED TRUSTEE, SEVEN OTHERS REAPPOINTED
-Class Notes
-Marriages, Births and Deaths
-Cannes Do Spirit
-Everything’s Coming Up Roses
-Painting A Thousand Words
- Singing Coffee Slinger
-Crispus Attucks Wright
-Raymond Arbuthnot
-George Scharffenberger
-Mystery Maestro
-MEDICAL SCHOLARSHIPS
-Pioneering Geobiologist to Launch New Program
-Urban Education Center Helps Colleges Better Serve Minorities
-Salons Let Students Mingle With Faculty Stars
-PET Scans Help Doctors Better Evaluate Women With Cervical Cancer
-Heitman, Maceo, Cornell Promoted to Associate Vice President
-Black Alumni Programs Earns CASE Award
-New Tools Bring Math Instruction Into the 21st Century
-Carl Franklin Dedicates Library Garden to His Late Wife, Carolyn
-Jazz Artist McCurdy Returns to Teaching and Finds It ‘Fresh’
-Voices Are Raised in Song and Tribute
-PUTTING STUDENTS FIRST
-‘Common Ground’ Film Series Spotlights Political Violence
-Family Matters
-Calendar Highlight
-Common Ground Film Series
-Passings: Trustee Edward Zapanta, 63, neurosurgeon and community leader
-The College: USC lures pioneering geobiologist to launch new program
-Rossier School: Center for Urban Education helps schools better serve minorities
-Thornton School: Jazz artist McCurdy returns to teaching and finds it 'fresh'
-Academic Culture Initiative: Salons let students mingle with faculty stars
-Medicine: Keck School recruits top cardiologist to lead division
-MANNING RESIGNS TO TAKE UNIVERSITY OF ILLINOIS POST
-Phil Manning to be honored for 48 years of service to USC
-Vitamins play crucial role in lung health
-ARCS Foundation continues its decades-long tradition of student support
-Lung health in children linked to magnesium, potassium intake
-Nominate a ‘Good Neighbor’ Volunteer
-Daffodil Days order deadline is Feb. 21
-HSC Newsmakers
-Edward Zapanta, 63, respected neurosurgeon, community leader
-Exercise Caution: USC Study Shows Air Pollution May Trigger Asthma in Young Athletes
-Downtown Faculty Staff Health Center Opens Feb. 19
-"JUST SAY NO" CAMPAIGN GIVES KIDS WRONG IDEAS ABOUT DRUGS, ALCOHOL
-Study Hints That Joint Supplements’ Benefit Might Come From Sulfates
-Celebrating Black History
-First-Ever ‘Agents School’ Attracts Overflow Attendance at USC
-Diagnoses of Depression Are Often Missed, Keck Experts Say
-Daniel J. Epstein Joins USC Board of Trustees
-Edward Zapanta, M.D., 63, Neurosurgeon, Community Leader and USC Trustee
-Street-Life Serenade
-USC Virus Hunter Stalks an Elusive Ocean Prey
-Looking to the Future
-Family Matters
-SURGEON GENERAL AT LAC+USC CENTER OPENING
-Calender Highlight
-Annenberg: New book examines the journalist's image in pop culture
-USC researcher’s study of alcoholic liver disease gets $1.9 million boost
-On the Outside Looking In
-USC/Norris physician offers new second-chance leukemia treatment
-Future of medicine may include drugs designed for individuals
-L.A. County government recognizes work of USC Tobacco Center
-Deadline extended for $500,000 in grants
-Volunteers sought for 2002 Health and Science Expo
-Sample annual address slated for Feb. 28 on Health Sciences Campus
-VENERABLE DOHENY
-HSC Newsmakers
-Parkside Offers Students a Global At-Home Experience
-It Takes a Team to Run Parkside
-Not Your Father’s Sprawl
-‘First Thursdays Salon’ a Hit With Students
-President’s Annual Address to the Faculty on Feb. 27, 28
-Polish Music Center Bestows Wilk Prizes for Essays
-Laparoscopic Procedure Offers New Way to Treat Severe Obesity
-Minimally Invasive Gastric Bypass Offers Patient New Lease on Life
-From Sob Sister to Mary Richards — the Changing Image of Journalists
-QUICK TAKES
-Family Matters
-Books in Print
-Calendar Highlights
-Sociology: Boomers keep a tight rein on their children
-Boomers Keep a Tight Rein on Their Teens
-Genetic Detectives Track Down New Clue to Successful Colon Cancer Treatment
-Nominees Sought for New USC Teaching Award
-Grammy in the Schools 2002
-USC Gets $100,000 Grant for School Literacy Program
-Looking for Innovative Solutions to Urban Challenges
-FOR THE RECORD
-The President’s Annual Address to the Faculty
-USC Community Outreach Programs Expanded
-USC Gives 2002 Selden Ring Award to New York Daily News Reporters
-Foundation Gives USC $2 Million to Expand Asian Studies
-Beauty Lies in the Pleasure Cells of the Beholder, Says Neuroscientist
-Not Business as Usual for Two Books
-Home Is Where the Art Is
-Family Matters
-Calendar Highlights
-Phil Manning to Be Honored for 48 Years of Service to USC
-USC Music Students
-SCENES FROM THE STAFF APPRECIATION PICNIC
-The College: Beauty lies in the pleasure cells of the beholder
-Architecture: Building for education is not child’s play
-Housing: Parkside dedication draws an international crowd
-University trustees greenlight new research building
-Mothers’ attitudes toward children’s eating linked to children’s obesity
-USC/Norris team begins allogeneic BMT program
-Latino conference honors USC tobacco prevention expert
-Grants of up to $20,000 now available for cancer research
-Physician’s medical mission to Liberia underscores profound need
-Edward Harnagel, Keck School physician, 84
-MARSTON TO FILL FACULTY MEDIATOR POST
-Nominations sought for teaching award
-HSC Newsmakers
-Family Matters: What’s going on in the Trojan Family
-Medicine: Study of alcoholic liver disease gets $1.9 million grant
-Schoolhouse Savvy
-Researcher’s Study of Alcoholic Liver DiseaseGets $1.9 Million Boost
-Loker to Celebrate Its 25th
-ARCS Foundation Awards $193,000 to USC Students
-Vitamins Play Crucial Role in Lung Health
-Keck Researcher Joins NCI Patient Care Study
-SCHEDULE OF OPENING EVENTS
-Lip Reading Doesn’t Activate Primary Auditory Cortex, Study Finds
-Up-Close Look at the Music Business
-Symposium Draws Educators, Architects
-LAUSD Design Advisory Council Members
-Parkside Dedication Draws an International Crowd
-Culture Initiative Adds Benches to Kaprielian Hall
-Lab Developing Virtual Patients for Dentists, Surgeons
-The President’s Address: 2002
-Family Matters
-Calendar Highlights
-REBIRTH OF THE COLISEUM
-PPD: Not your father’s sprawl
-President Sample lauds faculty in annual address
-USC professor to head American Psychiatric Assn.
-USC/Norris offers new advanced option for breast biopsies
-Deadline looms for Neighborhood Outreach proposals
-One little enzyme has given Shih a ‘life of surprise’
-Heidelberger Memorial Fund offers $4,500 research grant
-HSC Newsmakers
-PPD: USC’s 20th annual Ides of March honors Sen. John McCain
-Engineering: Using 'nature's toolbox,' a DNA computer solves a complex problem
-A YEAR TO REDISCOVER USC HISTORY
-Passings: Rita Polusky, Thomas Shelley Duvall
-Family Matters: What’s going on in the Trojan Family
-Convocation: USC salutes its best
-Convocation: Simon and Virginia Ramo receive Presidential Medallions
-USC’s Cecilia Mo picked for USA Today honor
-Convocation: Marine biologist knows how to navigate in a classroom
-Convocation: Commitment, cooperation, creativity - and a little chihuahua - make a recipe for success
-USC unveils new medical office building plans
-USC construction chief builds on experience
-USC researchers show both sides of NHEJ pathway
-MCCLINTOCK STREET CLOSED TO TRAFFIC
-USC neurosurgeon tapped for Nobel forum on consciousness
-USC/Norris to begin clinical trial of vaccine for colon cancer
-Janet Bickel, expert on women’s leadership development, slated for April 4 lecture
-HSC Newsmakers
-USC Salutes Its Best
-USC’s Cecilia Mo Makes USA Today’s Top 20
-Focusing on the Chemistry of Life, the Loker Institute Turns 25
-University Trustees Greenlight New Research Building Phase
-Marine Biologist Knows How to Navigate in a Classroom
-Staff Award Winner Is a Problem Solver for Annenberg Students, Faculty
-HEALTH SENSE
-Simon and Virginia Ramo Honored With Presidential Medallions
-From Sports to Public Policy, USC Economist Does the Numbers
-USC’s 20th Annual Ides of March Honors Sen. John McCain
-Family Matters
-Calendar Highlight
-Medicine: USC/Norris team begins allogeneic bone marrow transplant program
-The College: Grant makes USC a center for interdisciplinary research on religion
-Annenberg: Michael Parks named to lead journalism school
-President announces $100 million fund-raising campaign for graduate programs
-L.A. conversational: A talk with the city about itself
-A PLUG FOR ELECTRIC CARS
-Embracing art and life
-Faculty hears specifics of expansion plan
-Simon and Virginia Ramo awarded Presidential Medallions
-Butler receives $406,000 grant for diabetes study
-USC radiologist receives molecular imaging grant
-Bernstein named to NCI scientific board
-Latino Eye study shows benefits of Spanish-speaking clinicians
-Poison prevention program aims to educate children
-HSC Newsmakers
-Annenberg: Norman Lear Center/CDC project will help set storylines straight
-USC HOSPITALS, MEDICAL FACULTY CITED FOR EXCELLENCE
-$100 Million Campaign for Grad Programs Announced
-Using ‘Nature’s Toolbox,’ a DNA Computer Solves a Complex Problem
-$2.4 Million Grant Makes USC a Center for Interdisciplinary Research on Religion
-USC/Norris Team Begins Allogeneic Bone Marrow Transplants
-March 29 Deadline for Neighborhood Outreach Grant Proposals
-Alumni of Merit
-School of Engineering Honors ARCS Scholars
-Latino Conference Honors USC Tobacco Prevention Expert
-USC’s Michael L. Jackson Heads National Student Affairs Organization
-Parks Named to Lead Annenberg’s J-School
-MOLDING YOUNG MEDICAL MINDS
-USC Dietitian Serves Up Information on Healthier Choices
-IMSC Business Conference on March 25, 26
-New USC Centers Give Caregivers a Hand
-The Business of Proper Dining
-Doheny Event Honors Writers of ‘A Beautiful Mind’
-Calendar Highlight
-Family Matters
-Books in Print
-The College: Girl power props up depressed teens, USC study finds
-Cinema-TV: Academy honors USC alumnus Ron Howard
-TED DANIELEWSKI, HIGHLY REGARDED TEACHER OF ACTING, DIES OF CANCER AT 71
-THOMPSON NAMED PRESIDENT OF AMERICAN PSYCHOLOGICAL SOCIETY
-The College: A ‘Fantastic Menagerie’ in Doheny Library Treasure Room
-Passings
-Cinema-Television: First look at fresh film talent
-Keck School faculty praise, critique aspects of expansion plan
-USC physicians prominently featured in new surgical oncology text
-22nd annual Swim with Mike fundraiser slated for April 13
-Playing with matches: Medical students learn their fates
-Dept. of Emergency Medicine chair announces plan to retire
-Wright Foundation offers $500,000 in grants
-HSC to host annual ‘Kids’ Day" April 12
-MEET THE NEW VICE PROVOSTS
-HSC Newsmakers
-Writers Series to Feature Selma Holo on April 10
-‘An Amazing Coup’ Brings Major Chinese Collection to USC
-USC/Norris Physician Offers Second-Chance Leukemia Treatment
-Calendar Highlights
-USC Now Attracting a Different Kind of Freshman, Survey Finds
-CDC/Annenberg Project Helps Set Storylines Straight
-USC Professor to Head American Psychiatric Assn.
-USC Unveils New Medical Office Building Plans
-Ulrich Neumann Named Director of USC’s Integrated Media Systems Center
-USC IN THE NEWS
-Writer Sandra Cisneros to Speak at Distinguished Artists Series
-Celebrating USC’s Best at 21st Annual Academic Convocation
-Pioneers in Global Climate Change Share Tyler Environmental Prize
-Academy Honors USC Alumnus Ron Howard
-USC’s Hancock Museum Opens for Tours During Annual Arts Festival
-$2M Keck Foundation Grant Fuels Evolutionary Research
-L.A. Conversational
-Latinos Hit Harder by Leukemia Variety
-‘Fantastic Menagerie’ Opens in Doheny Library Treasure Room
-A Bravura Performance of Verdi’s Requiem
-SURVEY REGISTERS SATISFACTION AMONG USC CHRONICLE READERS
-Family Matters
-Academic Culture Initiative: Artful designs win awards at WebFest 2002
-Student Affairs: USC attracting a different kind of freshman, survey finds
-Office of the Provost: Writers series to feature Selma Holo on April 10
-Engineering: Ulrich Neumann named director of Integrated Media Systems Center
-Engineering: Seven junior USC faculty win NSF Early Career awards
-The College: USC scientist sees new solution to methanol conversion puzzle
-The College: $2 million Keck Foundation grant fuels evolutionary research
-Service learning: Alternative Spring Break adds Uruguay, Catalina trips
-Community: The play’s the thing for kids near USC
-USC SETS RECORD WITH $222 MILLION FUND-RAISING YEAR
-Medicine: Polyphenols in tea may reduce risk of stomach, esophagus cancers
-It’s the Bugs, Not the Bang:USC Scientist Sees New Solution to Methanol Conversion Puzzle
-Girl Power Props Up Depressed Teens, USC Study Finds
-Lung Health in Children Linked to Mineral Intake
-The Play’s the Thing for Youngsters Close to USC
-Artful Designs Win Awards at Annual WebFest
-NSF Early Career Awards Go to Seven Junior Engineering Faculty
-L.A. Latino Eye Study Shows Benefits of Spanish-Speaking Clinicians
-‘Message Store’ to Deliver Better USC E-Mail
-The Bloom Is on the Rose April 18-21
-PROVOST'S OFFICE RESTRUCTURED
-Thematic Option Students to Present Papers at Annual Conference
-Islamic Awareness Week
-Spring Break Finds USC Volunteers in Death Valley, Navajo Nation, Catalina, Salinas, Los Angeles — and South America
-USC/Norris Offers Advanced Option for Breast Biopsies
-Scientists on Film: Panel Wrestles With Hollywood’s Limitations
-Poison Prevention Program Aims to Educate Children
-Kings Goalie Scores a Different Kind of Hat Trick
-Calendar Highlight
-Family Matters
-Medicine: Genetic connection in permanent hair dye use, bladder cancer risk
-ENTER THE GATEWAY TO IDEAS
-Law: Tax Expert Says He’s Found the Fairest Method of All
-Passings
-Family Matters: What’s going on in the Trojan Family
-Commencement: David Halberstam to Speak at May 10 Ceremony
-USC Black Alumni Association Announces 2002 Award Winners
-The College: Economics - as much as religion - may explain the Middle East crisis
-Henrietta Lee makes new $5 million gift to USC/Norris
-CHLA residents and physicians boast perfect pass rate for pediatric test
-Polyphenols in tea may reduce risk of stomach, esophagus cancers
-Adams Foundation funds new chair
-BEWARE THE DREAD TSUNAMI
-Keck faculty offer encouragement, critiques on research expansion plan
-Blood center seeks donors
-Virtual reality lab aims to simulate craniofacial surgery
-HSC NewsMakers
-Road leading to cure for neuromuscular disease may run to the top of Kilimanjaro
-County program gets first-of-its-kind certification
-Journalist David Halberstam to Speak at 119th Commencement
-Oil Man: Petroleum Engineer Adds Two More Awards to His Collection
-Microsoft’s Richard Rashid to Speak at USC on April 17
-Law Expert Says He’s Found the Fairest Tax of All
-M E M O R A N D U M
-Economics — as Much as Religion — May Explain the Crisis in the Middle East
-Polyphenols in Tea May Reduce Risk of Stomach, Esophagus Cancers
-USC Physicians Featured in New Surgical Oncology Text
-Dinner and Diplomacy
-Black Alumni Association Announces ‘02 Award Winners
-Genetic Link Between Permanent Hair Dye Use, Bladder Cancer Risk
-Calendar Highlights
-Family Matters
-Future of Medicine May Include Drugs Designed for Individuals
-Using Theater to Tackle Global Social Issues
-M E M O R A N D U M
-Reflections
-Frank to Deliver Warschaw Lecture
-Books in Print
-Curiosity Today, College Tomorrow
-USC Researchers Find Ozone Lowers Sperm Counts
-Scientists Push Back Primate Origins to 85 Million Years
-Identifying gene variants may help evaluate colon cancer risk
-USC staffer receives Congressional honor
-BMT staff members donate pay bonus to buy laptops for patients
-Keck School climbs in U.S. News rankings
-USC's 12th annual Martin Luther King, Jr. Birthday Celebration Program
-WHY BOYS PLAY ROUGH
-Revlon Run/Walk slated for May 11 at the Coliseum
-Recognizing outstanding alumni
-Using art to teach science—or is it the other way around?
-Genetics influences link between hair dye and bladder cancer
-HEALTHY START
-HSC Newsmakers
-McClure Receives First ‘Teaching Has No Boundaries’ Award
-Curiosity Today, College Tomorrow
-USC Researchers Show Both Sides of NHEJ Pathway
-Faculty Staff Health Center Hosts Open House May 1
-LIFE SKETCH - Carolyn B. Williams
-Campus Prepares for Commencement
-La-Di-Da Land? Los Angeles’ Character Debated
-‘Swim With Mike’ Was a Splashing Success
-High School Students Can Explore Architecture This Summer
-Students Celebrate Armenian Dance and Culture
-Medical Students Learn Their Fates on Match Day
-Volunteers Who Go Above and Beyond Honored at April 15 Award Ceremony
-A Culinary Challenge Lets USC Chefs Show Their Creativity
-Sign Up to Handle Conflict
-USC Engineers Look to the Brain for the Next-Generation Computer Chip
-GOV. WILSON APPOINTS HISTORIAN KEVIN STARR STATE LIBRARIAN
-$3 Million Gift From Weingart Foundation for Neurogenetic Institute
-Calendar Highlights
-Family Matters
-USC Researchers Identify Alzheimer’s Chief Culprit and How It Kills
-$2 million gift will fund Roger and Lilah Stangeland Chair in Cardiology
-Study points to improved treatment for heart failure
-Media, public scrutinize clinical trials
-Ozone-tainted air may harm sperm development
-CHLA pediatrician named ‘Gifted Teacher’ by American College of Cardiology
-Four Keck School scholars honored by American Assn. for Cancer Research
-POSTCARDS FROM ANTARCTICA
-Pharmacy School hosts ‘Kids’ Day’ to inform youths on health, safety
-‘TNT’ offers new way way to blast solid tumors
-USC nurse recognized for work on posttraumatic stress
-Technology is ready, but other barriers remain for telemedicine
-HSC Newsmakers
-Olympic medalists help celebrate 100th Anniversary
-USC Thornton Chamber Choir Heads to European Competition
-USC Ophthalmologists Announce Launch of Permanent Retinal Implant Study
-USC Alumnus Awarded Congressional Medal of Honor
-The Oxygen Irony
-WASTE NOT ...
-The Seed of Health
-Through the Keyhole
-Dealing with Drugs
-Female Advantage
-Life Coach
-Genetic Inequality
-The Unsung Lung
-Healthoughts
-City Rounds
-Second Time Around
-BOOKS IN PRINT
-Truly Listening
-Editor’s Note
-President’s Page
-Mailbag
-The Astonishing LAGQ
-Think Global, Live Local
-Got Culture?
-Cancer’s Crystal Ball
-Preserving a Musical Legacy
-Camp of Refuge
-HEALTH SENSE
-Class Notes
-Marriages, Births and Deaths
-As the Crow Flies
-A Fine Balance of Forces
-A Peach of a Business Idea
-Stealing Home
-Julie Kohl
-Edward Zapanta
-Heaven Scent
-Easterlin Elected to National Academy of Sciences
-COMMONS CAFETERIA GETS NEW MENU, NEW LOOK
-USC Executive Health and Imaging Center opens
-‘I Have a Dream’ Foundation pledges free college for Murchison first graders
-USC ophthalmologists begin permanent retinal implant trial
-Baxter Foundation supports junior faculty with $350,000 gift
-USC begins closure of Nursing Department
-HSC Research Awards for March 2002
- HSC Commencement Ceremonies
-USC’s labs lauded for ‘excellence of service’
-USC study shows gene might contribute to heart disease risk
-Kidney Foundation honors USC physician
-TRUSTEES ENDORSE PLAN CHARTING USC'S FUTURE
-8,500 Proud Trojans Receive Degrees at USC’s 119th Commencement
-Gearing Up for Commencement
-USC Ophthalmologists Announce Launch of Permanent Retinal Implant Study
-Scientists Push Back Primate Origins to 85 Million Years
-Researchers Identify Alzheimer’s Chief Culprit and How It Kills
-Abdo Departs USC, Goes to the Huntington
-2002 Valedictorian: Stanley Chou
-Sameer Amin and Scott Takano Share Salutatorian Honors
-Pultizer Prize-Winning Journalist David Halberstam to Speak at USC’s 119th Commencement
-USC’s 2002 Honorary Degree Recipients
-STUDY IMPLICATES COMMON BODY FATS - CALLED TRIGLYCERIDES - IN HEART DISEASE
-Robert Day
-William Lyon
-Cardinal Roger M. Mahony
-The Rev. Cecil ‘Chip’ Murray
-2002 Renaissance Scholars to Be Saluted
-Commencement Highlights
-Health Sciences Programs
-University Park Programs
-International Relations Programs Partner With Local Students, Teachers
-Having a Dialogue With the Audience
-PHARMACY SCHEDULES SYMPOSIUM ON ROLE OF NURTITION AND VITAMINS
-LARGER-THAN-LIFE LITHOS
-10 Years of Guiding Graduation
-May 7 Deadline to Register for Annual Teaching and Technology Conference
-Rep. Barney Frank Delivers the Annual Warschaw Lecture at Casden Institute
-USC Begins to Close Nursing Department
-Family Matters
-Top Stories / 2001-2002
-Calendar highlights
-Stanley Chou Chosen as USC’s 2002 Valedictorian
-New Funding, Facilities, Faculty Make USC Epicenter of Quake Research
-Oscar Winner Ron Howard to Address Cinema-Television Class of 2002
-FLOWER CHILDREN AT PRAYER
-Preserving a Musical Legacy
-How USC Chooses Honorary Degree Recipients
-Historian David Halberstam Gives USC’s 2002 Commencement Address
-New alternative available for breast cancer treatment
-Researcher cheers the study of tears
-GIMME A ‘K’, A BIG ‘K’
-Researchers suggest possible cause for kidney cancer
-NGI construction accelerates
-Ocho De Mayo
-USC Executive Health and imaging Center fetes grand opening
-RETIRED BUSINESS AFFAIRS OFFICIAL ELTON PHILLIPS DIES
-USC Senior Care boasts lower costs, greater benefits for enrollees
-USC hosts international conference on tobacco use and health
-Jason Alexander Named USC’s First George Burns Visiting Professor
-"Kill the Obie!"
-Oxygen - Life’s Breath - May Also Be the Prime Agent of Aging
-SEC Names Larry Harris New Chief Economist
-Keck Foundation chair recognized with honorary degree
-L.K. Whittier Foundation gives $5.2 million to USC/Norris, $2.3 million to new School of Pharmacy research center
-Breast Cancer rising among Asian-Americans
-USC/Norris researcher aims to remove cancer’s armor
-TWO USC PROJECTS PROBE CAUSE, COST OF ALZHEIMER'S DISEASE
-Pfizer pledges funds to teach kids health and medicine
-Hard work pays off for hundreds of Health Sciences Campus graduates
-USC University Hospital hosts training center for robotic surgery
-USC DOWNTOWN AND ALL OVER TOWN
-HSC Newsmakers
-Etcetera
-Scientist Michael Waterman Receives Gairdner Award for Seminal Genomics Work
-‘I Have A Dream’ Foundation Pledges Free College for Murchison 1st-Graders
-Dara Purvis Wins Truman Award
-Health Center Draws Patients to Downtown
-CIA DIRECTOR LECTURES AT LAW CENTER
-Study Points to Improved Treatment for Heart Failure
-Groundbreaking Economist Richard A. Easterlin is Named to the National Academy of Sciences
-Tony Award-Winner Jason Alexander Is First George Burns Visiting Professor
-USC Blood Center Seeking Donors
-Physician’s Medical Mission to Liberia Underscores Need
-Three From USC Win Fulbright Grants for Study in Europe
-A Pultizer Prize-Winner Speaks of Terrorism, Life After College and Choosing Wisely
-The Future Awaits Our Decisions
-Class of 2002 Celebrates, Reflects on a Changed World
-Voices of Commencement: Wise, Worldly and More
-SCHAPIRO AT THE WHEEL
-Ron Howard at CNTV: ‘Kill the Obie!’ and Other Tales
-USC Signs Landmark Digital Access Pact With Korean National Assembly Library
-Cultural Pride May Be Key to Healthy Relationships for Latinas
-$2 Million Gift Will Fund Roger and Lilah Stangeland Chair in Cardiology
-Oxygen and Life: It Really Does Giveth and Taketh Away
-USC Honors Its 2002 Scholars
-Help for Tomorrow’s Scientists
-Family Matters
-Study points to improved treatment for heart failure
-Waterman Wins Gairdner Award for Seminal Genomics Work
-USC IN THE NEWS
-Foundation pledges free college for Murchison first-graders
-Dara Purvis Named Truman Scholar
-Cultural Pride May Be Key to Healthy Relationships for Latinas
-USC Signs Landmark Digital Access Pact with Korean National Library
-3 from USC win Fulbright grants for study in Europe
-The Eyes Have It
-Keck School hosts Hitachi forum on public affairs
-Keck graduates pledge commitment to medicine at the 117th commencement
-USC University Hospital launches Kidney-Pancreas Transplant Program
-Researcher examines how small genetic variations have big impact on disease risk
-KIOSKS PUT STUDENTS, VISITORS IN ELECTRONIC CONTROL
-A GRADUATION SPEAKER TO TREASURE
-ARVO UPDATE
-Research underscores the benefits of yogurt
-Blocked tear ducts in infants usually resolve on their own
-WALKING TO MAKE A DIFFERENCE
-HSC Newsmakers
-Lose weight while you sleep! (Or perhaps not)
-USC’s Lusk Center Launches Keston California Infrastructure Institute
-James Edward Hanson Joins USC Board of Trustees
-David H. Dornsife Joins USC Board of Trustees
-HEALTH SENSE
-3-D Immersion via the Internet Premieres at USC
-USC Chamber Choir Wins Major International Competition
-Mortgage Lenders Don’t Show Preference Based on Race, USC Study Says
-Phil Manning to retire after 48 years of service to Keck School
-Keck School dean touts L.A. as potential biotech powerhouse
-Heeres family establishes endowed pharmacy chair
-System that makes research grant applications easier goes online
-Mock trial examines ethical, legal issues of medicine
-HSC Research Grants for April 2002
-Survivor Reunion
-USC-LINKED CONSORTIUM POSITIONS L.A. FOR GLOBAL MULTIMEDIA LEADERSHIP
-HSC Newsmakers
-Breast Cancer Rising Among Asian-American Women
-Hormone-Replacement Skin Patch May Boost Women’s Libido
-USC Dietitian Serves Up Information on Healthier Choices
-Concert Pianist Uses Engineering Tools to Probe the Structure of Music
-Androgen Therapy Boosts Muscle Strength in Older Men
-USC Program in Urban Renewal Real Estate is a Post-Riot Success Story
-Watson named chief of Keck School development
-Abbott to head continuing medical education programs
-USC study shows HRT patch may boost women’s lagging libidos
-THIS WEEK
-UPGRADING NEIGHBORHOOD SCHOOLS
-Etcetera
-USC biochemist honored by SUNY
-Researchers unveil multitude of findings at diabetes conference
-Pediatrician Francine Kaufman sworn in as president of American Diabetes Assn.
-USC Violence Intervention Program’s leaders recognized for achievement
-Homeless shelter opens with help from USC
-HSC Newsmakers
-Cervical Tissue Changes May Explain False-Negative Pap Smears
-Department of Transportation Funds USC/CSU University Transportation Center
-USC’s Accounting Summer Camp Reaches Out to L.A.’s Minority Youth
-SPYING ON POND SCUM
-Robert Cutietta Named Dean of USC Thornton School of Music
-Madeline Puzo Named Dean of USC School of Theatre
-USC Study Confirms Air Pollution Linked to Slowed Lung Growth in Children
-USC Engineers Look to the Brain For the Next-Generation Computer Chip
-Acclaimed USC MESA Program Outfits Underrepresented Youth for Careers in Science and Engineering
-USC Researchers Peg Northern Climate Changes to El Ni–o/La Ni–a Conditions in the Tropics
-USC leads major study of HIV/AIDS and hepatitis
-Researchers create new way of viewing minute living cells
-Early intervention stops damage to insulin-producing cells in women at risk for type 2 diabetes
-HSC Newsmakers
-QUICK TAKES
-Study may explain false results of some Pap smears
-HSC pharmacy modernizes, moves to Healthcare Consultation Center
-Major power outage strikes campus
-Etcetera
-Keck School considers future of basic sciences
-This Won’t Hurt a Bit
-Utilizing Brain Scans to Illuminate Dyslexia in Young Readers
-The Smoke That Terrifies, Satisfies, Mystifies
-USC Dental Clinic for Homeless Restores Teeth and Lives
-It’s Not Your Father’s Cell Phone Anymore
-HEALTH SENSE
-Graffiti Goes to the Gallery
-$20 million gift for Neurogenetic Institute
-Board of Overseers chair meets with Keck School leaders
-Center receives five-year, $50 million renewal for studies involving patients
-Supplemental androgen therapy could help older men retain muscle mass
-Department of Family Medicine and American Medical Association pen guide on youth violence
-Michael Lai elected to American Academy of Microbiology
-WHAT A RACKET
-HSC Research Awards for May 2002
-HSC Newsmakers
-LIFE SKETCH - CRAIG SPRINGER
-ANTs Make Marine Air Operations a Picnic
-Los Angeles Businessman Selim Zilkha Pledges $20 million to USC’s Neurogenetic Institute
-San Diego Attorney Ann L. Hill Joins USC Board of Trustees
-The Tip of the Iceberg
-Editor’s Note
-President’s Page
-Mailbag
-What’s New
-Shaping the Information Revolution
-Communicator with a Conscience
-USC IN THE COMMUNITY
-Her Day in Court
-Amazing Space
-Attacking Women’s Cancers
-Let Their Lives Commence
-Class Notes
-Ready to Iraq and Roll
-Driving Ms. McGill
-Wunderkind War-Correspondent
-Edward and Rita Polusky
-Librettist’s Curtain Call
-EDUCATION PROFESSOR EARL PULLIAS DIES
-Murder, Mayhem, Stars and the Settling of L.A.
-USC Annenberg Establishes Chick Hearn Scholarship Fund
-Langdon Elected a Fellow of the Royal Academy of Engineering
-How Much Is the Ocean Worth?
-USC breaks ground on two patient care buildings
-USC Care achieves strong year despite marketplace woes
-HSC researchers awarded two $1 million grants for lung studies
-Innovative IGM art show offers view of deviance
-Arnold Gurevitch, professor and chief of dermatology, 66
-Two USC deans named to panel considering reorganization of NIH
-WHEN L.A. WAS YOUNG...
-USC-affiliated hospitals make the grade in U.S. News listing of the nation’s best
-Tenet awards $1 million to train Latino nurses in Los Angeles
-HSC Newsmakers
-John C. Argue, Chairman of Board of Trustees, USC Benefactor, 70
-Aztec to Hi-Tech: A New USC Art Exhibit Examines the Border Culture of 'Bajalta'
-Stanley P. Gold Elected Chairman of USC’s Board of Trustees
-When Moms Smoke, Certain Kids are More Vulnerable to Respiratory Disease
- Memorial Set for Film Scoring Legend
-Broadway’s Historic Orpheum Theatre Hosts USC Thornton Fall Concert Series
-Renowned Supercomputer Group Joins USC
-OFFICIALS REKINDLE AN ENDURING FLAME
-USC Literacy Expert Appointed to Federal Panel
-You’ll Always Eat Lunch in This Town
-Long-term estrogen replacement therapy linked to breast cancer risk
-John C. Argue, chair of Board of Trustees, Keck Overseer, 70
-Study links body fat, cancer risk
-Spinal bone fractures in seniors respond well to minimally invasive treatment
-USC radiologist chairs national meeting on diagnosing carotid ultrasound
-USC telemedicine group receives $100,000 grant for diabetes screening
-DROP AND GIVE ME 20
-Volunteers sought for Festival of Health
-URBAN PLANNING IN A GLOBAL VILLAGE
-USC/Norris offers a heck of a deal on wheels
-HSC Newsmakers
-American Heart Association slates 5K walk for Sept. 19
-USC Gets a Technological Upgrade, No Strings (or Cables) Attached
-Neighborhood Programs Funded
-Shelter Opens With Help From USC AMA Students
-Seeking an Entrepreneurial Infusion, Japan Turns to USC
-KUSC Programming to Play on San Diego’s XLNC1
-Obesity May Play a Part in Increasing Breast Cancer Rates Among Hispanics
-Got Soy?
-HOFFMAN FOUNDATION PLEDGES $5 MILLION FOR BUSINESS SCHOOL FACILITY
-IDE WELCOMES HONORS STUDENTS TO LEAVEY
-USC Earns $1 Million Energy Rebate from DWP
-USC, Wells Fargo and Fulfillment Fund Partner to Enhance Learning at L.A.’s Manual Arts High School
-USC Launches Web Site Redesign – www.usc.edu
-Family Matters
-Religious Holy Days and Occasions
-USC Annenberg School Establishes Chick Hearn Scholarship Fund
-You Are There
-Nobel Laureate George Olah Elected to the American Academy of Arts and Sciences
-New USC Annenberg Survey Polls ‘Ethnic’ Californians on 9/11’s Impact
-Martin D. Kamen, USC emeritus professor of biological sciences, 89
-GOOD DIET VITAL TO ELDERLY
-USC Gathers to Reflect on 9/11
-Historian Leads Academic Senate
-Family Matters
-USC Gathers to Reflect on 9/11
-Historian Leads Academic Senate
-A Day of Remembrance
-Never Give Up
-Knight Foundation Selects USC Annenberg for Chair in Media and Religion
-Interfaith Study Examines the Driving Force Behind Social Activism
-USC University Hospital garners unprecedented success
-CYBERARCHAEOLOGISTS USE INTERNET-LINKED ROBOT TO DIG FOR TREASURE
-Stanley P. Gold elected chair of USC Board of Trustees
-USC Health wins top national publications award
-White coat ceremonies for first-year students instill commitment to patient care
-Kedes steps down as chair of biochemistry and molecular biology
-What’s in a Name?
-Etcetera
-Occupational therapy study shows effectiveness of lifestyle redesign for seniors
-USC Neurologist offers tips in his tome: Saving Your Brain
-New VOA, Annenberg Fellowships
-The Power of the Press
-Butler Toothbrush CEO Funds $1 Million Trust
-Welcome to Adobe GoLive 6
-Sept. 11 Emotions Continue to Run Deep
-Annenberg Foundation Gives $100 Million to USC Annenberg School for Communication
-Fight On!
-Pardon Our Dust
-IRBs ensure safety, stand as guardians of patient rights
-Insulin resistance linked to high blood pressure in children
-LAC+USC receives its highest accreditation score ever
-Shuttle service starts from HSC to downtown USC practice site
-USC ophthalmologist receives Retinitis Pigmentosa award
-MOVEABLE FEAST
-Massry Prize awarded to two noted scientists
-USC outreach program helps local students read, succeed
-HSC Research Awards for June 2002
-HAPPY 80TH, JOSE!
-Old-School Lab Biology and Modern Computational Science Combine to Give USC an Edge
-Race and Education Are Linked to New Business Success, USC Study Finds
-The President and the Champions
-Sam Maloof to Receive Gamble House Award
-Being a Good Neighbor
-Outside panel issues report on Keck School’s basic sciences
-FOR THE RECORD
-Faculty council to advise on basic sciences
-Good Neighbors program funds several worthy projects in HSC area
-Faculty members’ opinions sought on NIH effectiveness
-Tens of thousands expected to attend two-day Festival of Health
-Festival of Health and Fitness Schedule of Events
-Giannini Foundation offers fellowships
-$20,000 available for pilot projects in liver disease
-USC College Announces Plan to Expand Its Faculty
-The Fall Campaign Kicks Off
-USC MESA Program Outfits Under represented Youth for Careers in Science and Engineering
-CHICANO MEDIA ASSOCIATION CELEBRATES 15 YEARS AT USC
-As Health Care Costs Soar, Premiums Rise
-Former San Jose Mercury Publisher Joins USC Annenberg
-Walter H. Annenberg, Philanthropist, Publisher, 94.
-Tough Enough?
-Bridging the ‘Digital Divide’
-California Teachers at Higher Risk for Breast, Endometrial and Other Cancers
-USC kicks off annual fundraising campaign to benefit community
-Calif. teachers at higher risk for breast and other cancers
-Keck School graduate named to White House Fellowship
-Physical therapy professor receives $1.5 million grant to develop Clinical Research Network
-MISSISSIPPI MEMORIES
-Prominent USC cancer researcher tapped to deliver NIH lecture on prevention
-Fundraising with your feet: ‘Take-a-Hike’ slated for Oct. 12
-HSC Research Awards for July-August 2002
-Newsmakers
-HSC Research Awards for July-August 2002
-Etcetera
-Cancer Information Service
-Edward S. Brady II, Emeritus Professor of Pharmacy, 89
-Your Good Neighbor Contributions at Work
-SICKLE CELL ANEMIA MONTH
-Cutting It Up at ISI's 30th Anniversary
-USC and Argonne’s Grid Software Earns Top R&D Award
-Showing Some Depth
-Latino Voters Identify With Democrats, Survey Says
-Computer Pioneer Keith Uncapher, 80
-Neuroscientist Zach Hall named Keck School senior associate dean for research
-USC hosts Festival of Health and Fitness
-Zilkha Institute advisor awarded Nobel for Medicine
-Vitamin E fails to slow progression of atherosclerosis, study shows
-Eating soy during adolescence might reduce breast cancer risk
-HEALTH SENSE
-Wu named to state carcinogen panel
-Pregnant mothers who smoke put children at risk for breathing problems
-Cough syrups nothing to sneeze at
-Newswatchers
-Medical oncology chief named to international clinical trials and awards committee
-Faculty and Staff Can Make a Difference
-USC’s ‘Youth Triumphant’ Is Restored
-Brain Power
-A Long, Hard Climb
-Less Is More
-FISHER SHOW PUTS SPOTLIGHT ON BRAZIL
-ARE MURDERERS' BRAINS DIFFERENT?
-Local TV News Gives Short Shrift to Candidates
-Neuroscientist Joins Keck School of Medicine
-Pew Trust lauds Keck researcher
-Wright Foundation bolsters USC research with $600,000 in grants
-GOING DOWN?
-Health care cost increases will be felt by USC employees in 2003
-Keck School researchers develop new way to measure acculturation in youths
-Etcetera
-Bone graft offers new treatment option for osteonecrosis
-Physical Therapy chair receives $240,000 to study knee pain
-USC IN THE NEWS
-W. King Engel recognized for lifetime achievement
-Reel Investments
-The Best Evidence
-Top Schools to Test USC’s TA Teaching Tool
-French Don Quixote Enriches the Boeckmann
-Reflections on Giving at the Workplace
-Keck School Grad Named to White House Fellowship
-A Bug’s Life
-At the Intersection of Robbie and HAL
-David E. Eskey, ESL Expert, 69
-ACCOUNTING SCHOOL RANKED AMONG TOP FIVE NATIONALLY
-A Personal Stake
-NCI awards $15 million to USC/Norris cancer researchers
-Keck physician named president of Cancer Society’s state division
-University Hospital team lauded for life-saving work on police officer
-School of Pharmacy unveils unique analytical lab
-Newsmakers
-INSPIRATIONAL TEAM
-Etcetera
-Volunteers sought for health fair on Nov. 2
-Local students benefit from USC’s ‘Good Neighbors’
-SEOUL SEARCHING
-NCI awards $15 million to USC/Norris cancer researchers
-Talkin’ About My Gen-er-a-tion
-USC Consortium Receives $15 Million National Cancer Institute Grant
-John C. Argue Honored Posthumously with USC Presidential Medallion
-Jurassic Chicken
-Critical Crucibles
-RoboWear
-Reality Check
-Business as Usual
-Radical Times
-MEDICINE, PHARMACY RESEARCH FINDS FIRST DIRECT LINK BETWEEN AGE, CANCER
-Custom Therapy
-After the Hype, Comes Hope
-Surrounded by Science
-Tower Ready for Reality
-Smart Bites
-Norris News
-SEEING EYE DOCS
-IF YOU CAN READ THESE WORDS
-NATURAL WONDERS
-WEIGHT LESS
-HOMEBOY BAKERY HEATS UP WITH USC'S BUSINESS
-HAND-ME-DOWN GENES
-DREAM DOCTOR
-FOOD FIGHT
-BOYS TO MEN
-HEALTHOUGHTS
-A DAY IN THE LIFE ON MARS
-In a first, Keck researchers show how feathers evolved
-Natural ovarian hormones are best at aiding heart health
-Master’s degree program stresses research training for physicians
-Singer installed as president of American Thyroid Assn.
-LIFE SKETCH - Hugo Fressle
-Pathology society honors Keck School Physician
-Surgeon named president of orthopaedic society
-USC-affiliated hospitals mount vaccination campaign to prevent cervical cancer
-Newsmakers
-Program that rewards local students seeks donations
-Editor’s Note
-President’s Page
-Mailbag
-Communication Is Golden
-Forever Annenberg
-HEALTH SENSE
-Building the Bionic Brain
-Jetsetter
-Neurogenetic Advance
-Touched by an Alumnus
-Class Notes
-Marriages, Births, and Deaths
-Lights, Camera, Scrimmage
-The Loh-Down
-Man with a Gooooooooal!
-John C. Argue
-COMPUTING WITH GAS
-Beastly Barbs
-Taking a Bite Out of Crime
-Polish Consul, Ambassador, Visit USC Campus
-Monk-ing Around
-Ruth Weg, Aging Expert, 82
-Caregiving in Black & White
-Taylor Meloan, Marketing Expert, 83
-Norris researchers receive $6.8 million from NCI
-Fourth-year Keck student is named first Zapanta scholar
-KECK INITIATIVE KICK OFF
-BOOKS IN PRINT
-Pharmaceutical researcher receives $100,000 for HIV/AIDS therapy study
-New FDA-approved artificial joints offer arthritis sufferers relief from pain
-HSC Research Awards for September 2002
-John P. Meehan Jr., pioneering aeromedicine researcher and physiologist, 79
-A DREAM COME TRUE
-MPH program offers more flexible scheduling with spring enrollment
-USC Student Dies of Possible Meningococcal Infection
-Get the Facts About Meningitis
-Still in the Outfield
-Oh, Baby!
-ART BUCHWALD WILL ADDRESS GRADUATES AT COMMENCEMENT
-ROOMS OF THEIR OWN
-His Way
-Civic leaders fete success, future of Keck School
-Keck School receives $6.5 million federal grant to create drug abuse prevention center
-DREAMS TO REALITY
-JAMA study: Largest ever on child-bearing after age 50
-Antioxidant slows progression of Parkinson’s
-Digital assistants speed record keeping, filling of prescriptions
-American Heart Assn. offers several grant opportunities
-Etcetera
-Taking Control
-CONSTANCE AHRONS' AMBITIOUS NEW BOOK, THE GOOD DIVORCE, SETS OUT TO DEFUSE NEGATIVE STEREOTYPES SURROUNDING DIVORCE AND OFFERS A GROUNDBREAKING HOW-TO GUIDE FOR COUPLES WANTING TO END THEIR MARRIAGE WITHOUT ACRIMONY.
-Share Your Thanksgiving With an International Student
-Fess Up and Save: Overdue Materials Amnesty Runs Through Nov. 27
-Go On-line for Information: eTrac Is on the Web
-USC and UCLA Launch Joint Ocean Science Education Center
-Making (Ultrasonic) Waves
-Secretary Abraham to Visit USC Project Designed to Restore Vision
-USC University Hospital strong in the midst of corporate challenges
-‘Bionic’ injectable implant holds promise for paralysis
-Tools for coping with diabetes leap into the information age
-CHLA research trials offer new hope for pediatric leukemia patients
-How to join the discussion
-Etcetera
-Another diagnostic tool in the toolbox: body scans
-Keck School student named liaison to national family physicians group
-A Chevy Tahoe for $100? It’s true.
-Marrow transplants could help treat muscular dystrophy
-A Sizable Debate
-Follow the Money
-Going to Towne
-Pioneering USC/Hebrew University Study Finds Abuse of Students Prevalent in Israeli Schools
-Get Out and Vote
-Jimmy Carter to work in L.A. Habitat project
-Where the Heart Is
-Lock It Up
-Vision Quest
-A Delicate Balance
-The Road to Recovery
-U.S. Secretary of Energy announces $9 million artificial retina grant to USC
-Viviano steps down as University Hospital chief
-Major study backs coils offered by USC physicians
-County approves massive LAC+USC rebuilding project
-Newsmakers
-OCT. 6 IS USC FOUNDERS DAY
-Etcetera
-KECK SCHOOL SCHOLARS
-Lipson Scholarship Fund created to assist young ‘clinician-scholars’
-A NEW PET
-Care By Sharing program seeks holiday donations
-Parker steps down as director of Edmondson Fellowship Program
-On Overload
-Holiday Food, Toy Drives Will Help USC’s Neighbors
-Getting Away Just Got a Bit Easier
-USC, Wells Fargo and Fullfillment Fund Jazz Up Learning at Manual Arts High
-EXERCISE REDUCES BREAST CANCER RISK, NORRIS STUDY SHOWS
-Paul E. Hadley Receives Leibovitz Award
-School of Engineering Delivers an Artistic High-Tech Performance
-A World-Class Collaboration
-WormPower!
-The Smart Set
-Tullman takes the helm at USC University Hospital
-U.S. navy opens trauma training center at LAC+USC
-ROSE-COLORED LASSES
-Keck School curriculum revision garners many favorable reviews
-USC physician helps guide ‘EyeCare America’
-TRUSTEE, ATTORNEY, CIVIC LEADER SAM WILLIAMS DIES AT 61
-NIH awards $350,000 for protection of human subjects
-Bio-engineered mouse produces human collagen: a step toward possible treatment of human disease
-New treatment for aneurysms studied at USC
-Palmer Wins the Heisman
-Fighting for Influence
-Under Pressure
-Family Ties
-All That Anchors
-The Matrix
-Phil-ing the Airwaves
-STUDIO GUITAR CHAIR LAROSE DIES AT 43
-Fragile, Once Airborne
-Trojans Trounce Iowa 38-17
-Trouble in Paradise
-Digital City
-Leader of the Pack
-Surf’s Up!
-Actions & Strategies
-Keck School aims to boost research mission
-NIH awards $17.3 million to USC researchers for pollution studies
-RUSSIAN DIGNITARY TOURS CAMPUS
-INTERDISCIPLINARY TEAM TO CONSTRUCT INTEGRATED BRAIN RESEARCH DATABASE
-USC preventive medicine researchers examine effects of volcanic air pollution on children
-Violin Virtuoso
-Newsmakers
-USC Pet Imaging Science Center expands diagnostic imaging capabilities
-USC’s expertise guides treatment of elderly in Alaska
-Eccentricity or Pathology?
-Trojans Celebrate Banner Season With Heisman, Orange Bowl Wins
-Women of Troy Bring 2nd NCAA 2002 Championship Home to USC
-Reisler to Hold The College’s Gabilan Chair
-Fourth-year Keck Student Named First Zapanta Scholar
-COMMITTEE APPOINTED TO REVISE GE REQUIREMENTS
-A Medical Mission Knows No Boundaries
-Center Announces USC Undergraduate Research Award Winners and Mentors
-Road Scholar
-Talk, Not Force
-Frank J. Lockhart, 86
-Stat!
-In JAMA, USC expert weighs in on smallpox threat
-Skirball Foundation pledges $2 million for new chair
-Gilbert J. Burckart named chair of the Department of Pharmacy
-HAVING A BALL
-Robbie
-CHAN NAMED INTERIM DEAN OF PHARMACY
-Looming privacy rules mean new way of doing business for health care providers
-JAMA study shows way for hypertension treatment
-Julio Tubau, associate professor and cardiac disease researcher, 55
-Stephen M. Tullman Takes the Helm at USC University Hospital
-Rethinking the Ph.D.
-From Page to Screen
-Off the Rack
-The intellectual Commons Opens, Estrich Speaks
-“The Hours” Wins 15th Annual Scripter Award
-Shuttle Research May Yield Cleaner Air
-STAFF DEVELOPMENT PROGRAM
-Shake, Rattle & Heal
-USC researchers to launch $11 million study of children’s vision disorders
-$3 million grant to fund new eye surgery technology
-WE HAVE A WINNER!
-It’s a long and winding road to an M.D. for one exceptional medical student
-Black and Hispanic kids more likely to be insulin-resistant
-USC Care launches new Web site, creating a central information center for physicians, patients
-Keck School physicians test a new clot-busting drug
-FLOWERING HOPE
-Newsmakers
-THE BURG SYNTHESIS
- ARCS SCHOLARS
-L.A. kids will "Open Wide and Trek Inside"
-Editor’s Note
-President’s Page
-Mailbag
-The Return of the Trojans
-Fear Buster
-How to Build a World-Class College
-A Gift in More Than Name
-‘A Reason to Come Back’
-SACRAMENTO CENTER OFFERS ONE-OF-A-KIND COURSE ON 'SPECIAL DISTRICTS'
-Class Notes
-Marriage, Births and Deaths
-Doctor’s Flights of Fancy
-How One Accountant Gets His Kicks
-Always the Twain Shall Meet
-Encouragement for the Courageous
-Keith Uncapher
-Say ‘Ah!’
-Mything Link
-$1.5M Start-up Grant to CST Aids Distance Learning
-ATHLETICS GIVES FACULTY, STAFF FREE TICKETS TO FRIDAY GAMES
-ISD’s Digital Aces Are Sharing Their Secrets
-Keck School Aims to Boost Research Mission
-Join USC’s “Cover the Uninsured” Event
-USC Expertise Guides Treatment of Elderly in Alaska’s Pioneer Homes
-Good Chemistry
-Between Body and Brain
-No Vacancy
-Out of the Ashes, Hope
-New fellowship program breaks down barriers between disciplines
-Clinical trial tests new way to treat narrowed carotid artery
-QUICK TAKES
-PUFF’S DADDY?
-USC researcher wants Latino kids to fight weight gain with weights
-USC hosts major symposium on diagnosis, treatment of heart failure
-HSC Research Awards for December 2002
-Cities of St. Petersburg and Los Angeles honor USC anesthesiologist
-Etcetera
-Radiological Society honors USC scientists’ work
-Violence Intervention Project receives grant to aid foster children
-Newsmakers
-Of Palm Trees and Potholes
-MARINE GEOLOGIST ROBERT OSBORNE, 55, DIES
-The Shuttle Disaster’s Long Reach
-USC Emeriti Center’s Ninth Annual Borchard Lecture Honors Norman B. Sigband’s Lifetime of Scholarship
-Composer Michael Daugherty Is in Residence at the USC Thornton School of Music
-USC’s Linux Supercomputer Makes Swift Work of Difficult Computations
-$2M Pledge for New Chair from Skirball
-Med Student Changes Course
-USC PET Imaging Science Center Expands Diagnostic Capabilities
-The Road to Achievement
-Gangs of L.A.
-Keck physician honored for lifetime achievement
-TRAFFICKING IN GOOD WILL
-Keck School dean updates faculty on strategic plan
-USC researchers launch $5 million aging study
-Foundation seeks human disease research proposals
-Just in Time
-Department of Neurology fetes retiring chair Leslie Weiner
-AAMC says Bush budget threatens research and health care access
-Musical Notes From USC
-Y. H. Cho Creates New Institute at USC Engineering
-CST Dollars for Scholars
-USC Engineering’s Distance Education Network Continues Its Rapid Growth in the Spring Semester
-A PROTESTANT, A CATHOLIC AND A JEW
-USC Takes Part in “Give Kids a Smile” Days
-Feb. 18 FCC Forum at USC Cancelled
-Civic Engagement
-Robots to the Rescue
-The Eyes Have It
-Muscle Men
-New Fellowship Program Breaks Down Barriers Between Disciplines
-Keck Physician Honored for Lifetime Achievement
-A Laurel Wreath for an AI Expert
-USC ‘s Academic Senate Honors President Sample
-MOVING MONUMENT:
-Overcoming Intolerance
-A Voice of Caution
-Building on Excellence
-On the Beat
-Of Mice and Men
-NIH awards Keck School $6.9 million to study genetics of diabetes
-Lyon family gives $2 million to Keck School
-EXECUTIVE HEALTH OPEN HOUSE
-Fight against HIV/AIDS nets potential new cancer drug
-Two new Keck School gynecologists offer unique expertise
-For The Record
-More than anyone else
-New chief of public safety named
-Newsmakers
-Etcetera
-James Buell, Keck physician
-On the Nose
-New Chief
-Against All Odds
-Bovard’s Landmark Auditorium Is Restored
-Dynamic Dozen
-Health and Wellness
-USC IN THE NEWS
-At Your Service
-Good Guide
-The Hall Truth
-The Pen and Sword
-Science Fare
-At the Source
-The Sacred and Profane
-USC team shows drug can switch on genes that suppress tumor growth
-New research facility expected to energize cross-disciplinary efforts
-USC concludes record-breaking fundraising campaign
-USC COMMISSIONS MURAL DEPICTING LATINO HISTORY
-State Senator tours Health Sciences Campus
-Keck School welcomes specialist in arrhythmia treatment, diagnosis
-New administrator joins USC University Hospital, USC/Norris
-MedGLO honored for gay-awareness efforts at USC
-HSC RESEARCH AWARDS FOR OCTOBER 2002
-HSC RESEARCH AWARDS FOR NOVEMBER 2002
-The Philanthropic Landscape
- USC’s Finest
-High Marks
-Top Honor
-USC GOOD NEIGHBORS CAMPAIGN TAKES SHAPE
-A Love of Learning
-It’s a Gift
-Above and Beyond
-Tapping Ritter
-Taking a Break
-The Fearless 50
-Chemical Balance
-Service First
-TV or Not TV
-USC team’s findings are Nature’s cover story
-LOOKING BACKWARD
-Aspirin shown to deter precancerous growths in the colon
-GOOD RESEARCH AND GOOD EATS
-Colon cancer patients get shot at investigational vaccine at USC/Norris
-HSC Research Awards for January 2003
-Etcetera
-Newsmakers
-Professor Emeritus Robert Tranquada to be honored for health care leadership
-The Bionic Brain
-A Man of Valor
-Center of Attention
-ADMISSIONS BEATS ENROLLMENT GOAL, SETS NEW HIGH FOR SAT MEAN SCORES
-Older, Stronger, Better!
-Grand Designs
-Zilkha Neurogenetic Institute opens with fanfare
-Radiation Oncology chair steps down
-NOT JUST KIDDING AROUND
-Etcetera
-Panel recommends improving guidance on female contraceptive methods
-Newsmakers
-AIDS AUTHORITY
-Anti-violence program gets $750,000 grant
-SOMETHING'S COMING
-BOOK ‘EM
-Cancer Fighters
-KUSC Reaches New Fund-Raising Heights
-On the Job
-True Dedication
-Raising Awareness
-Ready for Reform
-New Heights
-An Opportunity for Learning
-When Sleep Suffers
-LIFE SKETCH - Phyllis Rideout
-Striking a match: Keck students’ residency positions revealed
-USC study in Lancet reveals wound-healing mechanism
-International foundation to honor USC neurosurgeon
-Long-term USC study of athletes suggests exercise forestalls performance declines at any age
-USC/Norris research fellow awarded prestigious Weintraub Award
-HSC Research Awards for February 2003
-Newsmakers
-In the House
-Someone Who Cares
-Heart of the Matter
-A TROJAN FAMILY REUNION
-Grand Opening
-Defeating a Disease
-Quiet on the Set!
-Fault Finding
-Can You Hear Me Now?
-Solid Support
-A Welcome for Wolper
-The Search Continues
-For answers on ‘mystery flu,’ media turn to USC microbiologist
-Researchers probe cancer-aging links
-A FOOT IN THE DOOR
-New federal rules governing patient privacy start April 14
-Study examines novel type of chemotherapy for colorectal cancers
-County finds short-term solution to health care system’s financial woes
-U.S. News & World Report releases annual rankings
-Etcetera
-Newsmakers
-HSC to host forum on screening, prevention of women’s cancers
-USC to host genomics seminar April 24
-Down the Road Together
-Making an Advance
-THE DOCTOR IS IN - OSTEOPOROSIS
-ANNUAL ADDRESS TO THE FACULTY
-Voting for Issues
-Key Findings
-Medical Advances
-Secrets of Immunity
-Head, Heart, Honor
-Where There’s Smoke …
-Overcoming Prejudice
-What’s Cookin’
-USC researchers solve a 20-year-old antibody production mystery
-USC Alumni Association honors Alexandra Levine
-WHAT CONTROLS THE CANCER SWITCH?
-New Tenet leaders reaffirm support
-Meeting or no meeting, USC cancer researchers find ways to share data
-Bra-vura performances by Hollywood luminaries raise cancer research cash
-Newsmakers
-USC/Norris celebrates 30/20 anniversary of cancer care
-Trustees of the Donald E. and Delia B. Baxter Foundation
-Etcetera
-Trojan Makeover
-Ode to ‘Oklahoma!’
-Under Lock & Key
-HEALTH SENSE
-State of the Art
-In the Stacks
-From the Heart
-Curbing Cancer
-Getting the Call
-The Front Page
-Good Fellows
-USC cardiologist helps set new blood pressure guidelines
-CHLA sets $500 million fundraising target
-NIH funds USC gene therapy trial
-MARCHING INTO HISTORY
-Physician Assistant Program to award its first master’s degrees
-HONORING LEADERSHIP
-Bilingual graphic novel will promote folic acid use in Latino areas
-USC biochemist’s research on snake venom lands new patent
-Newsmakers
-IGM to host symposium on heart disease
-Serpents & Scientists
-Joining Forces
-Defrost and Reheat
-Quality of Life
-STRIKE UP THE BAND
-Beyond Violence
-Capital Idea
-Maximum Security
-Primary Care
-Learning for Non-Linears
-Repairing the World
-404 Not Found
-Keck School redoubles clinical research efforts
-Multidisciplinary center targets untreated high blood pressure
-Enrollees praise USC Senior Care program that ‘works the way it’s supposed to’
-USC IN THE COMMUNITY
-Newsmakers
-Etcetera
-Since ancient times, biological weapons have been part of man’s arsenal
-Native Hawaiian medicine focuses on nature’s healing powers
-Master of Public Health Program ranked 12th in nation
-A New Era
- Pulp Crusaders
-Theory and Practice
-Coming Up Roses
-Faith With Works
-KAUFMAN APPOINTED CHIEF OF STAFF FOR LAC+USC MEDICAL CENTER
-A Little Paradise
-Getting a Grip on Arthritis
-Portrait of the Artist
-Class Notes
-Marriages, Births and Deaths
-Quite a Fellow
-Alexandra’s Journeys
-A Thoroughbred Understanding
-Ruth Leah Weg
-Mailbag
-INDONESIAN FINANCIER NAMED TRUSTEE
-The Great Zamperini
-Once and Future Successes
-Editor’s Note
-Robotica
-WHAT’S NEW: Bovard Reborn
-IN SUPPORT: Building on $2.85 Billion
-President’s Page
-An Urban Affair
-Bad Blood
-Leading and Learning
-ETHNOGRAPHIC FILMMAKING PIONEER TIMOTHY ASCH DIES
-Groundbreaking on Norris Cancer Research Tower slated for June
-Keck School looks to improve information systems to assist clinical research
-Emphasizing Clinical Research
-Iraq War may be over, but members of the HSC community still serve
-Everychild Foundation awards $600,000 grant to child abuse center
-Traveling abroad is no fun when sick
-CHLA researchers uncover root of cyclic vomiting syndrome
-Newsmakers
-HSC hosts symposium on screening, prevention of women’s cancers
-AAAS president Mary Ellen Avery to receive honorary degree
-OLAH WINS NOBEL PRIZE FOR SUPERACID RESEARCH
-Understanding the Tools of Terror
-Celebrating Scholarship
-A Closer Look
-Building Blocks
-Above and Beyond
-Hang Ten
-Breadth and Depth
-Perpetual Motion
-A Place of Promise
-Touched by the War
-IN PRINT
-CABLE'S 'IMPACT'
-All Hail
-Second Sight
-Saluting the Salutatorians
-Retinal prosthesis shows promise in restoring sight
-Study shows high rate of eye disease in Latino diabetics
-Drug shown to save lives of patients after heart attack
-OKLAHOMA GROUP HONORS NATIVE SON FRENCH ANDERSON
-American Society of preventive Oncology honors Leslie Bernstein
-NurseWeek recognizes two CHLA nurses for ‘excellence’
-Study reveals high levels of visual problems in older Latinos
-ALAN WILLNER BAGS YOUNG SCIENTISTS' TRIPLE CROWN
-Honoring a lifetime of service
-Newsmakers
-Homeless advocacy group lauds USC neurosurgeon
-Former Keck School Dean Gordon B. Goodhart, 89
-Preventive medicine professor honored for helping clear the air
-In Harmony
-Law & Order
-Punching the Clock
-A Measure of Character
-Author, Author!
-QUICK TAKES
-Trojans, Now & Forever
-The Pretenders
-USC and Childrens Hospital Los Angeles reaffirm close ties
-CHLA receives $127,000 grant to support Center for Cancer and Blood Diseases
-SARS is cause for concern, not panic
-Colorectal Center seeks to set gold standard for cancer care
-Student association recognized for service
-Grants available for HIV/AIDS research
-RECOGNIZING A TRUE LEADER IN MEDICINE
-Research Awards for March 2003
-10-minute public service video
-STOP THE VIOLENCE
-Newsmakers
-NCI seeks applicants for fellowship program
-A Classic(al) Move
-A Special Bond
-The Wild Blue Yonder
-On the Case
-Prime Time
-In the Air
-The Good Fight
-HEALTHSENSE
-An Eye to Blindness
-Asthma risk rises with exposure to chemicals, pollutants in infancy
-Protein snippet boosts cancer therapy
-Microarray offers treasure trove of genetic research options
-USC pharmacists examine genetic differences that alter drugs’ effectiveness
-COMMENCEMENT 2003
-Student receives prestigious PEO scholarship
-Newsmakers
-GLAD GRADS
-Top-Notch Teachers
-USC IN THE NEWS
-Close Ties
-Passings
-New Alternatives
-Giving Back
-Top Honors
-Deconstructing Sprawl
-Training Opps
-The Long Haul
-Taking Charge
-Rivera Revisited
-CULTIVATING MULTICULTURAL CURATORS
-Moving On
-Sisters & Scholars
-Bricks and Mortar
-Red Planet Express
-A Sphere of Hope
-Winging It
-On the Case
-Of Service
-A Page Turner
-The Merchant of Marshall
-RADIAL KERATOTOMY SAFE, BUT MAY LEAD TO FAR-SIGHTEDNESS, DOHENY STUDY SHOWS
-A Helping Hand
-Alma Mater Applauds
-An Indelible Impression
-A Family Affair
-Raising the Bar
-Life and Liberation
-Kudos to All
-Picture Perfect
-USC study in NEJM suggests new pathway for breast cancer development
-Second-hand smoke danger to children goes beyond health problems, study shows
-PHYSICIAN ASSISTANT PROGRAM CELEBRATES 24 YEARS AT USC
-Celebrating decades of service
-FIGHTING PARKINSON’S DISEASE
-HSC Research Grants for April 2003
-USC researchers reveal promising melanoma vaccine, other findings at ASCO
-Young MPH Program receives full accreditation
-Etcetera
-Newsmakers
-Cancer Council
-Dream Doctor
-Time on Their Side
-VITAMIN E SLOWS, PERHAPS REVERSES ATHEROSCLEROSIS, USC STUDY SHOWS
-Through the Keyhole
-Cell Survival
-Damage Control
-Norris News
-Role Model
-Henrietta Lee Makes New $5 Million Gift to USC/Norris
-On Target
-The Best Shot
-The Secrets of Cells
-Center of Attention
-RETAIL DEVELOPER ERNEST HAHN, LIFE TRUSTEE AND USC SUPPORTER, DIES
-Reception for USC-affiliated international scholars
-BENCH PRESS
-Pill Positive
-Norris News
-Calculating Risks
-All in the Family
-Modern Warfare
-Deploy Soy
-Reaching Rays
-Norris News
-Interior View
-NONPROFIT VIDEOSMITHS
-A Snapshot in Time
-Untried but True
-Vital Interest
-Full Court Press
-Roots of Risk
-Healthoughts
-Hormone Replacement Turmoil
-USC breaks ground on Harlyne J. Norris Cancer Research Tower
-Kumar assumes leadership of radiation oncology department
-ADMINISTRATION EXPECTS CUTS IN DEFENSE GRANTS
-New Aresty gift of $10 million to benefit USC/Norris
-A Page Turner
-Mysteries on Mars
-Smoke Signals
-Dropping Down
-Passings
-Sophisticated Software
-Scholarly Sleuth
-Getting Credit
-EVERYTHING YOU ALWAYS WANTED TO KNOW ABOUT IMMIGRATION BUT WERE AFRAID TO ASK ...
-Dean’s List
-Taking Charge
-Higher Ed
-In the Know
-It All Adds Up
-A VISIONARY LECTURE
-USC/Norris researchers focus on deadly disease linked to asbestos
-IGM art show examines illness and personal growth
-Etcetera
-Pasarow Foundation awards prizes recognizing disease researchers
-HEALTHSENSE
-THE LYONS’ SHARE OF GRATITUDE
-Frederick Leix, longtime clinical professor of surgery, 92
-Newsmakers
-Campus Teems With Health Info Oct. 5, 6
-Major Construction Will Disrupt Traffic
-Larry Lim Has Led MESA for 23 Years
-It’s Time to Nominate USC’s Top T.A.
-Woodworker Sam Maloof Is Honored
-Former Publisher Jay Harris Joins USC Annenberg
-What USC’s Community Partners Have to Say:
-BILLIONS MORE BARRELS
-Pat Saukko Puts Down the Reins
-Benefits Open Enrollment Begins Nov. 4
-Inaugural Viterbi Lecture Takes Place on Nov. 14
-A Message from the Provost to the USC Community
-Books in Print
-Emeriti Center Hosts Inamoto Lecture
-Tennis Champions Meet the President
-Fight for Freedom
-Of Mice and Memory
-Taylor-Made Role
-HARRY S. TRUMAN SCHOLARSHIPSAM PATMORE IS USC'S 11TH WINNER OF PRESTIGIOUS PUBLIC SERVICE AWARD
-New Leadership
-Getting Closer
-Fresh Findings
-What Lies Beneath
-Digital Deeds
-Sensible Solutions
-Stepping Up
-Prize Package
-Belated Honor
-Do the Math
-ANTON BURG AND HIS NOBEL-WINNING ADMIRERS
-High Performance
-Books in Print
-Event at USC’s Town and Gown Kicks Off Campaign for New Catholic Center
-USC Celebrates King Day Jan. 23
-Books in Print
-Emery Stoops Saluted on 100th Birthday
-Mark Ridley-Thomas to Serve the 48th District
-County Approves LAC+USC Rebuilding Project
-Remembering Grant Beglarian
-2008 Beijing Organizing Committee Visits USC
-LIFE SKETCH - Joyce Roque
-Books in Print
-A Site to Behold
-Families Gather at Fisher to Do Art
-USC’s 2003 Honorary Degree Recipients
-Where to Turn for Information or Assistance
-Books in Print
-The University Honors Its Finest
-Saving Energy Reaps a Reward for USC’s Facilities Management
-The Black Alumni Association Celebrates Its 25th
-It’s Coming Up Roses at Expo
-GHOULS AT SCHOOL
-Books in Print
-Alumni Awards Dinner Lauds Six
-Paying Homage to a Robotics Pioneer
-Honorary Degree Recipients: Wallis Annenberg, Mary Ellen Avery and Joseph Medicine Crow
-2003 Symposium Prize Winners
-Engineering Honors Its Own
-Books in Print
-In Other Words ...
-Passings
-PROJECT SPECIAL FRIEND
-A CROSS-CULTURAL CRASH COURSE FOR SOCIAL WORKERS
-A Firm Foundation
-On-Air Support
-Shaping the Future
-Reaching Out
-Picking Up the Pieces
-Still at Risk
-The Kindest Cut
-Back in the U.S.S.R.
-Second Chances
-BOOKS IN PRINT
-Goin Places
-Sweet Charity
-Heavy Medal
-On the Money
-Good Works
-At the Helm
-Opportunity Knocks
-Building Blocks
-In the Saddle
-Bull or Bear?
-THE SACRED AND PROFANE SONGS OF ST. JOHN OF VENICE
-Is No News, Good News?
-Feel the Burn
-Rx for the ER
-Separate and Unequal
-Ray of Hope
-Heads Together
-Extra!
-The Price of Admission
-The Key in the Catalyst
-Tuning In
-ESTIMATES OF REBUILDING AT LAC+USC TOP $1 BILLION
-Translation, Please
-The Deep Blue
-Bank Shot
-All Business
-Climbing the Ladder
-To Be Schorr
-Lights, Camera, Scalpels!
-Live and Learn
-Images & Objects
-Smile!
-DEPORTATION ANXIETY MAY FUEL TB EPIDEMIC, MED SCHOOL STUDY SHOWS
-Passings
-The Light Ahead
-Young at Heart
-The Birds & the Bees & the Flowers & the Trees
-Class Notes
-Guilded Ancestry
-Cultural Pearl Fisher
-A Genius for Gems
-Holy Gargoyles!
-Mailbag
-WALKING AND TALKING ON THE PATH TO HEALTH AND WELLNESS
-Editor's Note
-President's Page
-What's New
-Alumni & Friends
-Marriages, Births, & Deaths
-Sabans give $40 million to CHLA for pediatric research
-Keck School evaluates innovative epilepsy treatment
-NIH awards CHLA $5.8 million for HIV-risk study
-LET THE SPARKS FLY
-U.S. Department of Defense honors USC cardiologist
-LIFE GOES ON - FROZEN IN ANTARCTIC SLUSH - AND A USC GRAD STUDENT TAKES ITS MEASURE
-Preventive medicine professor lauded as ‘National Health Hero?
-LAC+USC construction begins; completion seen in 2007
-USC toxicologist uncovers evidence of hidden functions for transcription protein
-Etcetera
-Newsmakers
-Insulin-resistance-fighting drug continues to protect against type 2 diabetes
-NIH awards Saban Research Institute $700,000
-USC professor is sworn in as head of American Psychiatric Assn.
-Scholarship worth $300,000 offered for junior medical faculty
-USC partnership studies stem cells in quest to restore nervous system function
-QUICK TAKES
-Discovery Health Channel focuses spotlight on Health Sciences Campus
-New Doheny center targets childhood eye diseases
-Study shows muscle boost from hormone therapy combined with exercise
-USC surgeon takes aim at taboo topic
-Etcetera
-FDA approves once-a-day HIV drug regimen studied by USC researchers
-French Anderson honored during visit to China
-Donors sought to help alleviate blood shortage
-Newsmakers
-Howard P. House, pioneering ear specialist, 95
-HEALTHSENSE
-Hormone therapy ineffective for treating heart disease in women
-County's top medical officer discusses health system's woes, plans for future
-NEJM study shows drug may reduce prostate cancer incidence
-DOLLARS FOR SCHOLARS
-Ferris Newcomb Pitts Jr., emeritus professor and psychiatrist, 72
-HIV research grants of up to $150,000 available
-ALL ABOARD
-International cancer research database goes online
-BRAIN FOOD
-Newsmakers
-"PLURALISM AND DIVERSITY"
-Lights Up
-Making History
-Tracking Crime
-Long-Time Professors
-STAYING SAFE ON URBAN STREETS
-A Story in Stats
-Bay Watch
-Of Books and Bubble Wrap
-More Spa, Less Stress
-Log On
-A Banner Year
-Taking the Fastrack
-USC IN THE NEWS
-Coming Attractions
-Placing Priorities
-Taking Their Seats
-Global Governance
-On the Hunt
-p
-Trade Talks
-Money Can't Buy Me Love
-PETER LYMAN RESIGNS, SEARCH FOR UNIVERSITY LIBRARIAN BEGINS ASSOCIATE LIBRARIAN LYNN F. SIPE APPOINTED ACTING DIRECTOR.
-Under Fire
-To the Core
-Work Force Webcast
-The Ruin
-The Work of Giants
-GOOD NEIGHBORS CAMPAIGN GETS UNDER WAY
-In the Lead
-Take My Breath Away
-The Skin You Are In
-Tender Points
-Baby Grand
-Sound of Silence
-Blood Relations
-The Message of Pain
-Heart-to-Heart
-City Rounds
-THE CHECK IS IN THE E-MAIL...(AND, COMING SOON, ELECTRONIC GREENBACKS)
-Healthoughts
-Bone Voyage
-Modern Warfare
-Sightseeing
-Braincounterattack
-Scientificsparks
-Building Blocks
-Zilkha
-Healthoughts
-OPEN ENROLLMENT FOR EMPLOYEE HEALTH, DENTAL PLANS STARTS NOV. 7
-CityRounds
-Passings
-Social Study
-Got Milk?
-Rock & Roll
-Top Gun
-Campus maintains low crime rate in 1993-94
-Beautiful Music
-Winging It
-A Culprit Unveiled
-On the Air
-On the Job
-Back in Business
-Details at Ten
-Good Morning, Vietnam
-An Ounce of Prevention
-QUICK TAKES
-The Film Front
-Be a Part of It
-Wake-Up Call
-Safety First
-Another Term
-Techno Achievements
-Hall of Fame
-Brain Waves
-Panel delivers report on NIH reorganization
-USC HOSTS MAYOR'S ROUND TABLE ON L.A.'S FUTURE AS MULTIMEDIA CENTER
-USC physician braves war for mission of healing
-REVEALING IMAGE
-Study suggests stressful, high-activity jobs boost heart disease risk
-TARGETING DIABETES
-HSC public safety expo slated for Sept. 2
-HSC Grants for May and June 2003
-NIH review committee places premium on clinical research
-USC highlights surprising trends in ethnic groups’ cancer rates
-USC Good Neighbors Campaign funds HSC-area programs
-USC-affiliated Tobacco Research Center presents findings at international conference
-HEALTHSENSE
-NCI seeks volunteers for cancer education project
-MFA AWARDS
-Frank Duarte, longtime DHS Director of Community Relations, 93
-WHITE COAT WELCOME
-CHLA physicians separate conjoined twins
-Keck School’s curriculum redesign shows early payoff
-Tenet Healthcare names Trevor Fetter as new CEO
-NCI awards USC cancer program $18 million
-Newsmakers
-Thousands expected to attend Festival of Health Oct. 4-5
-HOOVER BLVD. TO BE CLOSED FOR LEAVEY LIBRARY CONSTRUCTION
-NURSING APPOINTS NEW CHAIR, RECEIVES ACCREDITATION
-Center of Attention
-ACADEMIC SENATE SPECIAL VOTE
-Meeting the Challenge
-Just Due
-Passings
-Solar Flair
-A New Start
-Of Two Minds
-Good Deeds
-Key Data
-USC IN THE COMMUNITY
-Going Global
-Serving Others
-p
-Mastering Mesothelioma
-Harness the Power
-30&20 Years of Care
-Norris News
-An Active Voice
-Handcuffing Genes
-Give Me Twenty
-A PROFOUND AND LASTING EFFECT
-On the Ballot
-In Good Shape
-The Next Right Thing
-Smoke Signals
-Hidden From History
-The Heat Is On
-Net Assets
-Gathering Data
-EMPLOYEES RALLY FOR GOOD NEIGHBORS CAMPAIGN
-State of Siege
-Hitting the Right Notes
-Surfing for Science
-It’s a Homer
-On the Page
-Expansion Plan
-COMPUTING WITH DNA
-Conflicts and Contradictions
-Bergman to be first holder of Keck Chair in Medicine
-USC bladder cancer study noted in New England Journal of Medicine
-USC kicks off annual Good Neighbors funding drive
-USC team assesses treadmill training as Parkinson’s disease therapy
-Etcetera
-UPC to host 11th annual Neuroscience Symposium on Oct. 9
-Keck School launches revamped Web site
-USC pediatrician named to state disabilities panel
-DESIGNS ON AWARENESS
-BEHOLD THE CITY AS INSPIRATION
-USC awarded Engineering Research Center by NSF
-Early cancer risk may fall for women who exercise
-NIH maps out future of biomedical research
-Two-lecture series focuses on medical care for transgendered
-HEALTHY-SIZED CROWDS
-Newsmakers
-HSC Research Grants for July
-Cancer vaccine expert joins Keck School, USC/Norris
-Massry Prize honors three pioneering scientists
-ON TOUR
-TROJAN FAMILIES, UNITE
-Zach Hall named scientific director of Zilkha Neurogenetic Institute
-Newsmakers
-Lee Freund, Keck instructor, 70
-Genetic clue may show which women face breast cancer risk from HRT
-HSC Research Grants for August 2003
-Pete Delgado named LAC+USC chief
-Software helps diabetes patients adopt healthful diet
-USC alumna’s fitness book promotes injury-free exercise
-Faculty Grants
-LIFESKETCH - Derek Manov
-Pride and Prejudice
-Top-flight Trustee
-A Slight Rise
-In the Blueprint
-The Name of the Game
-One Door Closes ...
-QUICKTAKES
-Double Duty
-Quest for Immunity
-Giving Back
-Recall Redux
-Stepping In
-Violence Intervention Program unveils new home for Family Advocacy Center
-Educating Others
-Baruch Frenkel tapped as first holder of LaBriola Chair
-VICE PRESIDENT JOHN CURRY TO JOIN UCLA TOP MANAGEMENT
-DOCUMENTING THE UNDOCUMENTED
-Helena Chui named acting chair of Neurology
-U.S. attorney subpoenas Tenet’s records for USC University Hospital
-Keck School team's research sets off ‘fireworks’ in Journal of Neuroscience
-CHLA recognized for quality of health-care, patient safety
-Etcetera
-Course aims to make health-care practitioners more business-savvy
-USC pharmacist patents process to aid drug delivery
-The Book of Life
-HEALTH SENSE
-A Matter of Survival
-A Lengthy Process
-Science Fact
-Deterring Diabetes
-The Right Place
-Rush Hour
-Back to Basics
-Seal of Approval
-A Genuine VIP
-Byting Crime
-NEW FULL PROFESSORS TAKE THEIR PLACES AT USC
-Young, Black, Rich and Famous
-USC and the Southern California Wildfires
-Giving Back
-Down the Hatch
-Scientific Strides
-Breaking Barriers
-The Learning Solution
-USC receives $18.7 million grant for study of genes that cause disease
-Program links Keck School students with chronically ill children
-UP IN SMOKE
-USC IN THE NEWS
-USC University Hospital to require ID badges
-A DECADE OF SERVICE
-New HSC outreach director needs no introduction to the area
-IGM “Genomics & Genetic Medicine” symposium slated for Nov. 4
-Volunteers sought for Nov. 8 health fair
-HIKE FOR LIFE
-Less Means More
-Urban Legend
-Media Mix
-Pledged to Help
-USC CHRONICLE HONORED WITH CASE AWARD
-Balance of Power
-A Fresh Angle
-Help for Trojans
-Decorated With Honors
-History Lesson
-Joining the Ranks
-A Great Arrangement
-Give and Take
-Focus on the Faux
-At the Core
-RAVELING RESIGNS AS MEN'S BASKETBALL COACH, CITING ILL HEALTH DUE TO AUTOMOBILE ACCIDENT
-Hike for Life
-Proper Guidance
-On the Move
-Baby Blues
-Ordering In
-Suffering in Silence
-A Better Mousetrap
-Fighting Cancer
-The Big Picture
-Beart named chair of new Colorectal Surgery Dept.
-TAAC ASSISTANCE KEY TO CORPORATE TURNAROUNDS
-Operation Smile honors Keck School plastic surgeon
- Keck School changes administrative posts, creates vice dean position
-HIGH SPIRITS
-Deterring obesity crucial in averting diabetes in Latino kids, study shows
-Keck School brain team tests infrared technology to image tumors
-Pharmaceutical scientist receives $2 million grant for aging research
-HSC Research Grants for September 2003
-HALLOWEEN HIJINKS
-The Engine That Could
-Tipping the Scale
-STANFORD'S MICHAEL JACKSON APPOINTED VICE PRESIDENT FOR STUDENT AFFAIRS AT USC
-Across the Board
-Happy Haunting
-On the Ballot
-Full Disclosure
-A More Perfect Union
-Workshop offers tips on biotech commercialization
-Your back won’t let you down if you work to keep it up
-Challenging mental activity appears to ward against Alzheimer?s
-BLADELESS 'GAMMA KNIFE' GIVES NEUROSURGEONS A CUTTING EDGE
-I WANT CANDY
-Keck neuroscientist earns international acclaim
-DISTINGUISHED GUEST
-Program aids charities on behalf of blood donors
-Newsmakers
-IT NEVER RAINS, BUT IT POURS
-CHLA president steps up to lead national children’s hospital assn.
-Alvin Hopkins named CIO for HSC
-Alcoholic liver disease forum slated for Dec. 5
-MedGLO to host presentation on intersex health care
-ELEGANT ALTERNATIVES TO THE PAPER CHASE
-Keck-affiliated program lauded for service to children
-Etcetera
-Fight the flu
-Putting Kids First
-Solid Scores
-The Envelope, Please
-Practice Makes Progress
-Catching the Wave
-High-Tech Honors
-Motor City
-SIX COURSES ON DIVERSITY: IRVINE FOUNDATION CONTINUES FUNDING
-USC AWARDS TOP U.S. ENVIRONMENTAL PRIZE TO RAIN FOREST PROTECTORS
-Start It Up
-Medical Moves
-Books in Print
-Lost and Found
-Fighting the Flu
-A Sincere Salute
-Benefits Open Enrollment Ends Nov. 26
-Join a USC Pre-Holiday Turkey Trot 5K
-USC Credit Union to Lend Aid to Victims of Fires
-Complex Concepts
-IR CELEBRATES 70 YEARS AT USC
-p
-USC Art, Music and Words Get Reviewed
-Take the Time to Energize
-Child Subjects Sought for Reading Study
-Assistance for Fire Victims
-Getting Through the MTA Strike
-p
-

Share Your Holiday Meal

p

-Leo Braudy to Sign New Book
-Good Neighbors Campaign Now in Final Week
-BRIDGING A TWO-GENERATION GAP
-Books in Print
-p
-Recall Forum Held at USC Law School Fills the Hall
-Keck School Launches Revamped Web Site
-OIS Match-Up Program Seeks Host Families
-USC’s Mortar Board ‘Taps’ Michael Quick
-USC’s Computer Use Policies
-DPS Says “Be Street Smart”
-It Was a Family Affair at USC
-New Grant to Keck School Funds Investigation of Treadmill Training
-JOINT SPONSORS
-A Note from USC External Relations:
-Good Neighbors Campaign Now in Full Stride
-p
-Hardball’s Chris Matthews Visits Annenberg
-Trade Fair Takes Place Tues., Oct. 21
-Students Watched as TV Covered the Big Debate
-Passings
-Two USC Deans Aid NIH Reorg
-Neighborhoods Reap Benefits From USC’s Campaign
-New NSF-Funded Research Center to Bolster Biotechnology in L.A.
-'CELEBRATION OF DANCE' GALVANIZES USC WITH JAZZ, AFRICAN RHYTHMS
-It’s a White Coat Welcome
-Sattler named to head Keck faculty affairs
-LIGHTS, CAMERAS... SUTURES?
-Anemia drug for chemotherapy patients may boost cancer risk
-Androgen study shows muscle gains may be only temporary
-Students in groups learn best when they choose their own leaders, study shows
-Medical students’ scores jump following switch to new curriculum
-PA class to hold white coat ceremony
-Physical therapy trial seeks to aid stroke recovery by ‘rewiring’ brain
-NIH awards pharmacy professor $1.9 million for cancer study
-THE WAY OF CHINESE HISTORY
-Keck professor delivers prestigious Florey Lecture
-Research grants of up to $24,000 offered for liver studies
-Newsmakers
-Back to Basics
-Leading the Way
-University Marshal Calls for Academic Honors Nominations
-Zumberge Fund Supports Grant Programs
-Books in Print
-QUICK TAKES
-p
-USC’s Figueroa Press Offers New Titles
-Joining Hands in the Neighborhood
-Onward and Upward
-A Call for Nominations
-Giant Tubeworms on a Giant Screen
-p
-Lear’s Kaplan Speaks in D.C
-Passings
-Safety First
-THE SPIRIT IS WILLING
-Books in Print
-USC Garners CASE Award
-Nominees Sought for Staff Award
-BiologyWest Debuts Online
-p
-

HOMER's Undetected Odyssey

p

-Boosting Education
-White Coats and Tales
-A Lasting Legacy
-International Acclaim
-HEALTH SENSE
-Proceed With Caution
-The Cardinal & Gold
-On Target
-Prize Package
-Pilot Programs
-Top Honors
-Passings
-Older and Wiser
-The Rules of Engagement
-Fishing for minority physicians
-Down That Long Dusty Trail
-Leading the Way
-Cyber Security
-Times Two
-Head for the 'Border'
-That Personal Touch
-Open for Business
-The Hours
-Of Pecs and Biceps
-LOCATING THE CLASS OF 1993
-BOOKS IN PRINT
-Marshalling Forces
-Civics Lesson
-Point of Focus
-Applications to Keck School of Medicine jump, mirroring national trend
-Holiday gifts sought for local children
-HONORED GUESTS FROM IRAQ
-Pharmacy School program bolsters community-based clinics
-HONORING EXCELLENCE
-HSC Research Awards for October 2003
-Donald Kohn named president of gene therapy society
-WRITING CZECHS
-IGM stages Korean art exhibit
-U.N. Secretary General tours USC Maternal-Child HIV Center
-Books in Print
-Blood Donations Benefit Charities
-Stay in Touch During the Holiday
-p
-On the Tip
-p
-A Talented Trio
-Follow the Leader
-ORGANIZATIONAL DEVELOPMENT EXPERT WEINGART DIES AT 63
-Youth Conference Preps Students for a College Career
-A New Challenge
-Net Gains
-Pledged to Help
-Decoding the Difficult
-On the Rise
-

Books in Print

p

-Destination of Choice
-And the Winner Is ...
-CONSTITUTIONAL EXPERT GARET APPOINTED FRANKLIN PROFESSOR IN LAW AND RELIGION
-No Argument
-Listen Up
-Anti-cancer drug developed at USC proves safe, effective
-p
-Epigenetic expert joins USC/Norris Cancer Center
-DEAN’S SCHOLARS
-University names Robert Wood as new information security officer
-FLOWER POWER
-USC/Norris names new chief operating officer
-Newsmakers
-FROMSON NAMED HEAD OF JOURNALISM PROGRAM
-American Heart Assn. honors CHLA cardiology division
-CHLA physician honored by Pediatric AIDS Foundation
-PROMOTING RESEARCH
-A Vote of Confidence
-New Leadership
-

Are You Ready to Roomba?

p

-

An ISD Director Hones Skills for Networking

p

-

Annual Memory Walk Takes Place on Oct. 5

p

-The Good Fight
-The Next Dimension
-A STAR WAS BORN
-Key Research
-A Golden Anniversary
-Take a Breather
-Have Segway, Will Travel
-On the Rise
-All in the Family
-Small and Deadly
-A Natural Progression
-Boxer’s Bout
-On Track
-Annenberg Foundation's $53 million gift to L.A. schools
-

Passings

p

-

Passings

p

-Passings
-Log On
-Passings
-Passings
-Books in Print
-Season's Greetings
-Passings
-Daley to head new Annenberg Center
-On the Mat
-Vision & Drive
-Honoring Those Who Went the Extra Mile
-Be Prepared…
-We're No. 1
-Read All About It
-Freeze Frame
-Hold the Fries
-Admit One
-Celebrate Martin Luther King Jr. Day at USC on Jan. 22
-FOR THE RECORD
-We’re No. 1 – AP Awards USC’s Trojans the National Championship
-Seeing Red
-Passings
-Shake It Up
-Dance Fever
-Eyes on the Prize
-Real Retail
-An Historic Meeting
-After the Fall
-Ringed Revelation
-What's Your Type?
-In the Air
-Meeting the Challenge
-Coffee Mug
-Lines of Communication
-Real Retail
-Plot Twist
-Lancet study suggests genes play role in vulnerability to pollution-related allergies
-p
-Study links gene with stroke, heart disease risk
-U.S. News profiles pharmacy researcher
-Gail
-How USC fares among college guides
-USC surgeon finds compassion is the mother of invention
-Bernice Brown, USC alumna and eye surgery pioneer
-NIH exhibit spotlights Keck School surgeon as ‘changing the face of medicine’
-Newsmakers
-p
-Study shows young Latinos at high risk for metabolic syndrome
-MOVING ON UP
-USC cancer researcher lauded for ‘Humanism in Medicine’
-Keck School, others, suggest better way to predict heart attack risk
-Journal Blood publishes CHLA study on how stems cells thrive in marrow
-IN THE NEWS
-Keck School to host campus art gallery
-Volunteers sought for Health and Science Expo
-American Cancer Society changes grant award rules
-Etcetera
-Newsmakers
-Making a Difference
-An Open Book
-Justice for All
-Condition: Critical
-Found in Space
-MIT Political Scientist Named to New McCone International Relations Chair
-Help Wanted
-As Time Goes By
-A DefiniteTurn On
-Elementary, Watson
-To the Bone
-All Hail Troy
-Surprise Ending
-

B-Vitamin Trials Are Underway

p

-

USC’s ‘Youth Triumphant’ Is Restored

p

-

USC’s Good Neighbors Campaign Goes Into the Home Stretch

p

-Ratings Roulette
-

A Man of the People Speaks

p

-

An Art in the Village Exhibition

p

-

Forums Will Discuss Health Plan Changes

p

-Legal Eagles
-p
-Honored Guests From Iraq Visit Keck School
-p
-Fellowship of the Spring
-Muscling In
-Life Lessons
-Reclaiming the Pepperdine Tower
-Tough Guys
-Keeping Score
-On Track
-On the Playlist
-No Simple Cure
-All of the Above
-Full-Tilt Cookin’
-Sending Flowers
-Class Notes
-Marriages, Births, and Deaths
-Social welfare expert Wilbur Finch dies
-Deep Space MC2
-From Trojan Hall to City Hall
-Herding Jungle Cats
-Swimming Against the Tide
-Howard Payne House
-The Masculine Mystique
-For the Love of Words
-The Last Word: Tempestuous Teens
-The Swallows of South Los Angeles
-It Takes One to Know One
-USC plans Martin Luther King birthday celebration
-Many Are Called, Many Chosen
-Mailbag
-Editor’s Note
-President’s Page
-Engineering’s Everest
-Engineering’s Elect
-The Climb of His Life
-USC Engineering, Then ... and Now
-Alumni and Friends
-What’s New - Shelf Life - People Watch
-All Aboard the Walking Train
-Study shows Hispanics have lower cancer rates
-TOWERING UP
-USC University and USC/Norris Hospitals unaffected by Tenet’s plan to sell area assets
-Charles Gomer named chair of Faculty Appointments Committee
-SHOWING SUPPORT
-HSC Research Grants for November/December 2003
-American Cancer Society kicks off ‘Daffodil Days’
-Completion nears for HCC II building
-Got Data?
-Planning Ahead
-How can alumni help?
-Author, Author
-An International Affair
-Rules of Engagement
-A Lasting Impact
-By Committee
-A Veteran’s Day
-The Sound of Musicians
-Doing Business
-The Joy of Music
-

Business School Hosts Summer Accounting Camp for 50 Students

p

-Biochemical test predicts whether cancer will spread
-

A Day of Remembrance

p

-

USC Receives LABJ’s 2001 Industry Leader Award

p

-

Books in Print

p

-Study suggests fish-rich diet cuts cancer risk
-CELEBRATING THE YEAR OF THE MONKEY
-DOCTORS FOR A DAY
-Lung cancer research consolidates under new program
-Newsmakers
-USC physicians author diabetes text
-SHOWING THEY CARE
-THE DOCTOR IS IN - MARRIAGE COUNSELING
-USC IN THE COMMUNITY
-Books in Print
-Books in Print
-A Clear Picture
-Big Box Office
-‘Dawn' Rises
-A Literary Oasis
-For Art’s Sake
-Face to Face
-

Books in Print

p

-

USC Gears Up To Compete For top Graduate Students

p

-Foreign relations law expert Edwin Smith to fill Benwell Professorship
-Genetic Factors
-Getting a Read
-On Approval
-Passings
-Catch of the Day
-The Young and the Restless
-Williams the Conqueror
-Williams the Conqueror - Playing Easy to Get
-Williams the Conqueror - Breathless in Brentwood
-Requiem for the Term Paper
-A gateway to gender studies
-Requiem for the Term Paper - Reading, Writing and Web-Authoring
-Class Notes
-What’s New
-Alumni and Friends
-President’s Page
-Editor’s Note
-The Last Word
-Mailbag
-Glimpses of History
-Alumni Profile - Earl Chafin
-Getting justice for women with breast cancer
-Alumni Profile - Fred Hatt
-Alumni Profile - Melissa Ward
-In Memoriam - William P. Hogoboom
-Marriages, Births, and Deaths
-Tech Talk
-p
-‘Hearing and the Aging Ear’ Is on the Webp
-Be Prepared…p
-Celebrating a Signal Processing Pioneerp
-Oui!
-Marthel Jacobs
-Marthel Jacobs
-Plugged In
-Catching Fire
-Making Connections
-Murphy's Law
-USC pathologist discovers new genus of bird
-USC Blood Center officials describe shortage of blood as worst in memory
-National Medical Fellowships lauds Keck School scholar-volunteers
-Douglas L. Forde, Keck School alumnus and longtime ICM instructor, 84
-New Players at Health Sciences
-Newsmakers
-Etcetera
-NEJM praises medical text penned by USC authors
-Ruth C. Monahon, USC librarian for 35 years
-Biomimetics forum to showcase USC researchers’ work on Feb. 19
-Volunteers needed for community health fair
-Ahead of Schedule
-Thinking of Others
-Not Just an Act
-From Bench to Bedside
-QUICK TAKES
-University Honors National Holiday
-Out of Order
-Passings
-Good Neighbors
-p
-In the Light
-Help Wanted for Health and Science Expo
-p
-p
-Keck School Hosts Gallery
-A royal visit to the Norris
-Passings
-Passings
-Passings
-Passings
-Pitching In
-This Just In ...
-The Private Eye
-Brick and Mortar
-In praise of steel
-Primary Care
-Westward, No
-User Friendly
-Under the Table
-Watch the Birdie
-Title Town
-Supporting Science
-Crime and Punishment
-Calling All Donors
-There Are Some Key Administrative Changes at the Keck School
-Defending the Guilty
-Starbucks’ Founder Named Top Entrepreneur
-Culinary Challenge Brings Out the Best in Five USC Chefs
-LEAPing Libraries
-Passings
-Just My Type
-Fresh Findings
-Head On
-Stop and Look
-ANNOUNCEMENTS
-As merit aid increases, low-income students stand to lose, study shows
-Double Feature
-A Source of Pride
-Passings
-Good to Know
-Anatomy 101
-USC to establish national policy center on housing, long-term care for aging
-Serving Seniors
-Working Together
-The Winners Are ...
-Keen Insight
-Food for Thought
-For Relief, Press Four
-For the Common Good
-Gift funds special-need dental clinic
-USC’s Religion on Campus Week Offers a Free Film
-p
-It’s a Full Slate of Political Forums for Debate Week
-Annual Address to the Faculty Is on Feb. 25, 26
-USC’s COMMUNITY OUTREACH
Expression Flourishes at After Cool

-Upholding Values
-p
-Changing Lives
-Doctors for a Day
-Outback Art
-Lu to head manufacturing systems, hold Packard Chair
-Impact Player
-Ramblin’ Man
-Smiles All Around
-Divine Power
-Going Well
-USC Researcher Levine Lauded for ‘Humanism’
-Celebrating the Year of the Monkey
-USC Credit Union Offers Free Tax-Planning Seminar
-Engineer and USC Trustee Elected to National Academy
-Robert Lukes, Hodgkin's lymphoma pioneer, dies
-Acting for Others
-Undergraduate Research Program Proposals Due by March 19
-p
-Towering Up
-Gene called ‘noggin’ sheds new light on skin growth
-Blood shortage continues to curtail surgeries
-Trick to mask blood type may someday end need for exact matches
-COME DANCING
-Newsmakers
-USC gynecologist spearheads crucial health program in El Salvador
-USC IN THE NEWS
-ENHANCING SKILLS
-USC bestows its highest honor on occupational therapy leader
-Keck School researchers link unusual DNA structure to cancer
-Seniors get their day for specialized care
-Outstanding physical therapy teacher draws on her life experiences
-Harry Stevens, former Norris Foundation director, 86
-M-i-c-k-e-y!
-FOCUS ON BIOMIMETICS
-Streets to close due to construction
-International artists featured at IGM exhibit
-HEALTH
-Semper Fi
-Cell Shocked
-Make Our Day
-Meeting the Master
-Engaged in Life
-Buyer Beware
-Looking Ahead
-In and Out
-Senior Standing
-Clinical Kudo
-The merit-need balance at USC
-Passings
-Keck School of Medicine Dean Stephen J. Ryan to step down in June
-USC researchers help pinpoint genetic diabetes link
-Chair of Cell and Neurobiology Dept. to return to full-time research
-Keck School of Medicine hosts first student-faculty art show
-CEO of USC University Hospital, USC/Norris exits
-Going Up
-Grads in Demand
-A Good Location
-From the page to the stage
-Thinking Big
-Making the Pitch
-Stepping Down
-Picture This
-Road Warriors
-Evolution's Twist
-Hats Aplenty
-Supplement may damage prostate instead of enhancing performance
-CHLA-led study to seek best diabetes treatment for youths
-Keck School officials map plan for leadership transition
-QUICK TAKES
-MATCH DAY
-Keck School clinical trial targets immune error that promotes lupus
-Bravo students have STARring role in teaching younger peers
-Campus construction alters HSC-area traffic, tram stops
-Newsmakers
-The Gift of Life
-The Gamble House Appears in March 19 Documentary
-A Matter of Debate
-p
-Passings
-p
-p
-p
-p
-p
-p
-p
-p
-p
-USC Marketing Expert Joins NPR's ' Marketplace'
\ No newline at end of file