From 5b4c51fbbe0ce78fe72b3b756dea2cf9bdcf7969 Mon Sep 17 00:00:00 2001 From: Bryan Newbold Date: Tue, 5 Mar 2019 14:27:31 -0800 Subject: basic pubmed parser --- python/parse_pubmed_xml.py | 370 + python/tests/files/pubmedsample_2019.xml | 36822 +++++++++++++++++++++++++++++ 2 files changed, 37192 insertions(+) create mode 100644 python/parse_pubmed_xml.py create mode 100644 python/tests/files/pubmedsample_2019.xml (limited to 'python') diff --git a/python/parse_pubmed_xml.py b/python/parse_pubmed_xml.py new file mode 100644 index 00000000..9350e9a4 --- /dev/null +++ b/python/parse_pubmed_xml.py @@ -0,0 +1,370 @@ + +import sys +import json +import datetime +from bs4 import BeautifulSoup +from bs4.element import NavigableString + +# from: https://www.ncbi.nlm.nih.gov/books/NBK3827/table/pubmedhelp.T.publication_types/?report=objectonly +PUBMED_RELEASE_TYPE_MAP = { + #Adaptive Clinical Trial + "Address": "speech", + "Autobiography": "book", + #Bibliography + "Biography": "book", + #Case Reports + "Classical Article": "article-journal", + #Clinical Conference + #Clinical Study + #Clinical Trial + #Clinical Trial, Phase I + #Clinical Trial, Phase II + #Clinical Trial, Phase III + #Clinical Trial, Phase IV + #Clinical Trial Protocol + #Clinical Trial, Veterinary + #Collected Works + #Comparative Study + #Congress + #Consensus Development Conference + #Consensus Development Conference, NIH + #Controlled Clinical Trial + "Dataset": "dataset", + #Dictionary + #Directory + #Duplicate Publication + "Editorial": "editorial", + #English Abstract # doesn't indicate that this is abstract-only + #Equivalence Trial + #Evaluation Studies + #Expression of Concern + #Festschrift + #Government Document + #Guideline + "Historical Article": "article-journal", + #Interactive Tutorial + "Interview": "interview", + "Introductory Journal Article": "article-journal", + "Journal Article": "article-journal", + "Lecture": "speech", + "Legal Case": "legal_case", + "Legislation": "legislation", + "Letter": "letter", + #Meta-Analysis + #Multicenter Study + #News + "Newspaper Article": "article-newspaper", + #Observational Study + #Observational Study, Veterinary + #Overall + #Patient Education Handout + #Periodical Index + #Personal Narrative + #Portrait + #Practice Guideline + #Pragmatic Clinical Trial + #Publication Components + #Publication Formats + #Publication Type Category + #Randomized Controlled Trial + #Research Support, American Recovery and Reinvestment Act + #Research Support, N.I.H., Extramural + #Research Support, N.I.H., Intramural + #Research Support, Non-U.S. Gov't Research Support, U.S. Gov't, Non-P.H.S. + #Research Support, U.S. Gov't, P.H.S. + #Review # in the "literature review" sense, not "product review" + #Scientific Integrity Review + #Study Characteristics + #Support of Research + #Systematic Review + "Technical Report": "report", + #Twin Study + #Validation Studies + #Video-Audio Media + #Webcasts +} + +MONTH_ABBR_MAP = { + "Jan": 1, "01": 1, + "Feb": 2, "02": 2, + "Mar": 3, "03": 3, + "Apr": 4, "04": 4, + "May": 5, "05": 5, + "Jun": 6, "06": 6, + "Jul": 7, "07": 7, + "Aug": 8, "08": 8, + "Sep": 9, "09": 9, + "Oct": 10, "10": 10, + "Nov": 11, "11": 11, + "Dec": 12, "12": 12, +} + +class PubMedParser(): + """ + Converts PubMed/MEDLINE XML into in release entity (which can dump as JSON) + + TODO: MEDLINE doesn't include PMC/OA license; could include in importer? + TODO: clean (ftfy) title, original title, etc + """ + + def __init__(self): + pass + + def parse_file(self, handle): + + # 1. open with beautiful soup + soup = BeautifulSoup(handle, "xml") + + # 2. iterate over articles, call parse_article on each + for article in soup.find_all("PubmedArticle"): + resp = self.parse_article(article) + print(json.dumps(resp)) + #sys.exit(-1) + + def parse_article(self, a): + + medline = a.MedlineCitation + # PubmedData isn't required by DTD, but seems to always be present + pubmed = a.PubmedData + extra = dict() + extra_pubmed = dict() + + identifiers = pubmed.ArticleIdList + doi = identifiers.find("ArticleId", IdType="doi") + if doi: + doi = doi.string.lower() + + pmcid = identifiers.find("ArticleId", IdType="pmc") + if pmcid: + pmcid = pmcid.string + + release_type = None + for pub_type in medline.Article.PublicationTypeList.find_all("PublicationType"): + if pub_type.string in PUBMED_RELEASE_TYPE_MAP: + release_type = PUBMED_RELEASE_TYPE_MAP[pub_type.string] + break + if medline.Article.PublicationTypeList.find(string="Retraction of Publication"): + release_type = "retraction" + retraction_of = medline.find("CommentsCorrections", RefType="RetractionOf") + if retraction_of: + extra_pubmed['retraction_of_raw'] = retraction_of.RefSource.string + extra_pubmed['retraction_of_pmid'] = retraction_of.PMID.string + + # everything in medline is published + release_status = "published" + if medline.Article.PublicationTypeList.find(string="Corrected and Republished Article"): + release_status = "updated" + if medline.Article.PublicationTypeList.find(string="Retracted Publication"): + release_status = "retracted" + + pages = medline.find('MedlinePgn') + if pages: + pages = pages.string + + title = medline.Article.ArticleTitle.string, # always present + if type(title) is tuple: + title = ': '.join(title) + if title.endswith('.'): + title = title[:-1] + # this hides some "special" titles, but the vast majority are + # translations; translations don't always include the original_title + if title.startswith('[') and title.endswith(']'): + title = title[1:-1] + + original_title = medline.Article.find("VernacularTitle", recurse=False) + if original_title: + original_title = original_title.string + if original_title.endswith('.'): + original_title = original_title[:-1] + + # TODO: happening in alpha order, not handling multi-language well. + # also need to convert lang codes: https://www.nlm.nih.gov/bsd/language_table.html + language = medline.Article.Language + if language: + language = language.string + # TODO: map to two-letter + if language in ("und", "un"): + # "undetermined" + language = None + + ### Journal/Issue Metadata + # MedlineJournalInfo is always present + container = dict() + container_extra = dict() + mji = medline.MedlineJournalInfo + if mji.find("Country"): + container_extra['country_name'] = mji.Country.string + if mji.find("ISSNLinking"): + container['issnl'] = mji.ISSNLinking.string + + journal = medline.Article.Journal + issnp = journal.find("ISSN", IssnType="Print") + if issnp: + container_extra['issnp'] = issnp.string + + pub_date = journal.PubDate + release_date = None + if pub_date.find("MedlineDate"): + release_year = int(pub_date.MedlineDate.string.split()[0][:4]) + else: + release_year = int(pub_date.Year.string) + if pub_date.find("Day") and pub_date.find("Month"): + release_date = datetime.date( + release_year, + MONTH_ABBR_MAP[pub_date.Month.string], + int(pub_date.Day.string)) + release_date = release_date.isoformat() + + ji = journal.JournalIssue + volume = None + if ji.find("Volume"): + volume = ji.Volume.string + issue = None + if ji.find("Issue"): + issue = ji.Issue.string + if journal.find("Title"): + container['name'] = journal.Title.string + + if extra_pubmed: + extra['pubmed'] = extra_pubmed + if not extra: + extra = None + + ### Abstracts + # "All abstracts are in English" + abstracts = [] + first_abstract = medline.find("AbstractText") + if first_abstract and first_abstract.get('NlmCategory'): + joined = "\n".join([m.get_text() for m in medline.find_all("AbstractText")]) + abstracts.append(dict( + content=joined, + mimetype="text/plain", + lang="en", + )) + else: + for abstract in medline.find_all("AbstractText"): + abstracts.append(dict( + content=abstract.get_text().strip(), + mimetype="text/plain", + lang="en", + )) + if abstract.find('math'): + abstracts.append(dict( + # strip the tags + content=str(abstract)[14:-15], + mimetype="application/mathml+xml", + lang="en", + )) + if not abstracts: + abstracts = None + + ### Contribs + contribs = [] + if medline.AuthorList: + for author in medline.AuthorList.find_all("Author"): + contrib = dict( + role="author", + ) + if author.ForeName: + contrib['raw_name'] = "{} {}".format(author.ForeName.string, author.LastName.string) + elif author.LastName: + contrib['raw_name'] = author.LastName.string + contrib_extra = dict() + orcid = author.find("Identifier", Source="ORCID") + if orcid: + # needs re-formatting from, eg, "0000000179841889" + orcid = orcid.string + if orcid.startswith("http://orcid.org/"): + orcid = orcid.replace("http://orcid.org/", "") + elif orcid.startswith("https://orcid.org/"): + orcid = orcid.replace("https://orcid.org/", "") + elif not '-' in orcid: + orcid = "{}-{}-{}-{}".format( + orcid[0:4], + orcid[4:8], + orcid[8:12], + orcid[12:16], + ) + contrib_extra['orcid'] = orcid + affiliation = author.find("Affiliation") + if affiliation: + contrib['raw_affiliation'] = affiliation.string + if author.find("EqualContrib"): + # TODO: schema for this? + contrib_extra['equal_contrib'] = True + if contrib_extra: + contrib['extra'] = contrib_extra + contribs.append(contrib) + + if medline.AuthorList['CompleteYN'] == 'N': + contribs.append(dict(raw_name="et al.")) + if not contribs: + contribs = None + + ### References + refs = [] + if pubmed.ReferenceList: + for ref in pubmed.ReferenceList.find_all('Reference'): + ref_obj = dict() + ref_extra = dict() + ref_pmid = ref.find("ArticleId", IdType="pubmed") + if ref_pmid: + ref_extra['pmid'] = ref_pmid.string + ref_raw = ref.Citation + if ref_raw: + ref_extra['raw'] = ref_raw.string + if ref_extra: + ref_obj['extra'] = ref_extra + refs.append(ref_obj) + if not refs: + refs = None + + re = dict( + work_id=None, + title=title, + original_title=original_title, + release_type=release_type, + release_status=release_status, + release_date=release_date, + release_year=release_year, + doi=doi, + pmid=int(medline.PMID.string), # always present + pmcid=pmcid, + #isbn13 # never in Article + volume=volume, + issue=issue, + pages=pages, + #publisher # not included? + language=language, + #license_slug # not in MEDLINE + + # content, mimetype, lang + abstracts=abstracts, + + # raw_name, role, raw_affiliation, extra + contribs=contribs, + + # key, year, container_name, title, locator + # extra: volume, authors, issue, publisher, identifiers + refs=refs, + + # name, type, publisher, issnl + # extra: issnp, issne, original_name, languages, country + container=container, + + # extra: + # withdrawn_date + # translation_of + # subtitle + # aliases + # container_name + # group-title + # pubmed: retraction refs + extra=extra, + ) + + return re + +if __name__=='__main__': + parser = PubMedParser() + parser.parse_file(open(sys.argv[1])) diff --git a/python/tests/files/pubmedsample_2019.xml b/python/tests/files/pubmedsample_2019.xml new file mode 100644 index 00000000..27126b85 --- /dev/null +++ b/python/tests/files/pubmedsample_2019.xml @@ -0,0 +1,36822 @@ + + + + + + 973217 + + 1976 + 12 + 03 + + + 2002 + 11 + 13 + +
+ + 0095-3814 + + 3 + 1 + + 1976 + Fall + + + Topics in health care financing + Top Health Care Financ + + Hospital debt management and cost reimbursement. + + 69-81 + + + + Blume + F R + FR + + + eng + + Journal Article + +
+ + United States + Top Health Care Financ + 7509107 + 0095-3814 + + IM + + + Accounting + + + Economics, Hospital + + + Hospital Administration + + + United States + + +
+ + + + 1976 + 1 + 1 + + + 1976 + 1 + 1 + 0 + 1 + + + 1976 + 1 + 1 + 0 + 0 + + + ppublish + + 973217 + + +
+ + + 1669026 + + 1993 + 11 + 15 + + + 2018 + 11 + 30 + +
+ + 0377-8231 + + Anniv No Pt 1 + + 1991 + + + Bulletin et memoires de l'Academie royale de medecine de Belgique + Bull. Mem. Acad. R. Med. Belg. + + [150th Anniversary Celebration of the Royal Academy of Medicine of Belgium. Part 1. Bruxelles, 26-28 September 1991]. + + 1-191 + + fre + + Congress + Overall + Portrait + + Célébration du CL Anniversaire de l'Académie Royal de Médecine de Belgique. Première partie. Bruxelles, 26-28 septembre 1991. +
+ + Belgium + Bull Mem Acad R Med Belg + 7608462 + 0377-8231 + + IM + + + Academies and Institutes + + + Belgium + + +
+ + + + 1991 + 1 + 1 + + + 1991 + 1 + 1 + 0 + 1 + + + 1991 + 1 + 1 + 0 + 0 + + + ppublish + + 1669026 + + +
+ + + 1875346 + + 1991 + 09 + 25 + + + 2013 + 11 + 21 + +
+ + 0022-2623 + + 34 + 8 + + 1991 + Aug + + + Journal of medicinal chemistry + J. Med. Chem. + + 3-Hydroxy-3-methylglutaryl-coenzyme a reductase inhibitors. 7. Modification of the hexahydronaphthalene moiety of simvastatin: 5-oxygenated and 5-oxa derivatives. + + 2489-95 + + + Modification of the hexahydronaphthalene ring 5-position in simvastatin 2a via oxygenation and oxa replacement afforded two series of derivatives which were evaluated in vitro for inhibition of 3-hydroxy-3-methylglutaryl-coenzyme A reductase and acutely in vivo for oral effectiveness as inhibitors of cholesterogenesis in the rat. Of the compounds selected for further biological evaluation, the 6 beta-methyl-5-oxa 10 and 5 alpha-hydroxy 16 derivatives of 3,4,4a,5-tetrahydro 2a, as well as, the 6 beta-epimer 14 of 16 proved orally active as hypocholesterolemic agents in cholestyramine-primed dogs. Subsequent acute oral metabolism studies in dogs demonstrated that compounds 14 and 16 evoke lower peak plasma drug activity and area-under-the-curve values than does compound 10 and led to the selection of 14 and 16 for toxicological evaluation. + + + + Duggan + M E + ME + + Merck Sharp & Dohme Research Laboratories, West Point, Pennsylvania 19486. + + + + Alberts + A W + AW + + + Bostedor + R + R + + + Chao + Y S + YS + + + Germershausen + J I + JI + + + Gilfillan + J L + JL + + + Halczenko + W + W + + + Hartman + G D + GD + + + Hunt + V + V + + + Imagire + J S + JS + + + eng + + Journal Article + +
+ + United States + J Med Chem + 9716531 + 0022-2623 + + + + 0 + 6-(2-(8-(2,2-dimethylbutyryl)oxy)-2,6-dimethyl-5-hydroxy-1,2,3,4,4a,5,6,7,8,8a-decahydronaphthyl-1-ethyl)-4-hydroxy-3,4,5,6-tetrahydro-2H-pyran-2-one + + + 0 + Acetates + + + 0 + Anticholesteremic Agents + + + 0 + Hydroxymethylglutaryl-CoA Reductase Inhibitors + + + 97C5T2UQ7J + Cholesterol + + + 9LHU78OQFD + Lovastatin + + + AGG2FN16EV + Simvastatin + + + S88TT14065 + Oxygen + + + IM + + + Acetates + metabolism + + + Animals + + + Anticholesteremic Agents + chemical synthesis + pharmacokinetics + pharmacology + + + Chemical Phenomena + + + Chemistry + + + Cholesterol + biosynthesis + + + Dogs + + + Hydroxymethylglutaryl-CoA Reductase Inhibitors + + + Kinetics + + + Lovastatin + analogs & derivatives + chemical synthesis + chemistry + pharmacokinetics + pharmacology + + + Male + + + Molecular Conformation + + + Molecular Structure + + + Oxygen + + + Rats + + + Simvastatin + + + Structure-Activity Relationship + + +
+ + + + 1991 + 8 + 1 + + + 1991 + 8 + 1 + 0 + 1 + + + 1991 + 8 + 1 + 0 + 0 + + + ppublish + + 1875346 + + +
+ + + 3549656 + + 1987 + 05 + 15 + + + 2014 + 11 + 20 + +
+ + 0021-8820 + + 40 + 1 + + 1987 + Jan + + + The Journal of antibiotics + J. Antibiot. + + Semisynthetic beta-lactam antibiotics. III. Effect on antibacterial activity and comt-susceptibility of chlorine-introduction into the catechol nucleus of 6-[(R)-2-[3-(3,4-dihydroxybenzoyl)-3-(3-hydroxypropyl)-1-ureido]-2- phenylacetamido]penicillanic acid. + + 22-8 + + + The resistance of 6-[(R)-2-[3-(3,4-dihydroxybenzoyl)-3-(3-hydroxypropyl)-1-ureido]-2- phenylacetamido]penicillanic acid (1a) to metabolism by catechol-O-methyl-transferase (COMT) was increased by introduction of the chlorine atom into the catechol moiety. Penicillins (1b-1d) having one or two chlorine atoms at the positions adjacent to the hydroxyl group were found to have greater stability to COMT. This resulted in greater efficiency in vivo in experimental Pseudomonas aeruginosa and Escherichia coli infections. In vitro activities were essentially unchanged. + + + + Ohi + N + N + + + Aoki + B + B + + + Kuroki + T + T + + + Matsumoto + M + M + + + Kojima + K + K + + + Nehashi + T + T + + + eng + + Comparative Study + Journal Article + +
+ + Japan + J Antibiot (Tokyo) + 0151115 + 0021-8820 + + + + 0 + Anti-Bacterial Agents + + + 0 + Catechol O-Methyltransferase Inhibitors + + + 0 + Indicators and Reagents + + + 0 + Penicillins + + + 0 + beta-Lactams + + + 88852-54-4 + 6-(2-(3-(5-chloro-3,4-dihydroxybenzoyl)-3-(3-hydroxypropyl)-1-ureido)-2-phenylacetamido)penicillanic acid + + + 92773-65-4 + 6-(2-(3-(2-chloro-3,4-dihydroxybenzoyl)-3-(3-hydroxypropyl)-1-ureido)-2-phenylacetamido)penicillanic acid + + + 92773-66-5 + 6-(2-(3-(2,5-dichloro-3,4-dihydroxybenzoyl)-3-(3-hydroxypropyl)-1-ureido)-2-phenylacetamido)penicillanic acid + + + IM + + + Animals + + + Anti-Bacterial Agents + chemical synthesis + pharmacology + + + Bacteria + drug effects + + + Catechol O-Methyltransferase Inhibitors + + + Escherichia coli Infections + drug therapy + + + Indicators and Reagents + + + Male + + + Mice + + + Mice, Inbred Strains + + + Microbial Sensitivity Tests + + + Penicillins + chemical synthesis + pharmacology + therapeutic use + + + Pseudomonas Infections + drug therapy + + + Structure-Activity Relationship + + + beta-Lactams + + +
+ + + + 1987 + 1 + 1 + + + 1987 + 1 + 1 + 0 + 1 + + + 1987 + 1 + 1 + 0 + 0 + + + ppublish + + 3549656 + + +
+ + + 5757641 + + 1970 + 03 + 22 + + + 2003 + 11 + 14 + +
+ + + 15 + + 1968 + + + Trudy Instituta fiziologii, Akademiia nauk Gruzinskoi SSR + Tr Inst Fiz Akad Nauk Gruz Ssr + + [The effect of immediate stimulation of the hippocampus on reflex reactions in animals]. + + 86-96 + + + + Tevzadze + V G + VG + + + geo + + Journal Article + + O vliianii neposredstvennogo razdrazheniia gippokampa na reflektornye reaktsii zhivotnykh. +
+ + Georgia (Republic) + Tr Inst Fiz Akad Nauk Gruz Ssr + 7507618 + + IM + + + Animals + + + Dogs + + + Electric Stimulation + + + Hippocampus + physiology + + + Reflex + + +
+ + + + 1968 + 1 + 1 + + + 1968 + 1 + 1 + 0 + 1 + + + 1968 + 1 + 1 + 0 + 0 + + + ppublish + + 5757641 + + +
+ + + 8119288 + + 1994 + 04 + 01 + + + 2016 + 10 + 17 + +
+ + 0014-2956 + + 220 + 1 + + 1994 + Feb + 15 + + + European journal of biochemistry + Eur. J. Biochem. + + Purification and characterisation of a water-soluble ferrochelatase from Bacillus subtilis. + + 201-8 + + + Bacillus subtilis ferrochelatase is encoded by the hemH gene of the hemEHY gene cluster and catalyses the incorporation of Fe2+ into protoporphyrin IX. B. subtilis ferrochelatase produced in Escherichia coli was purified. It was found to be a monomeric, water-soluble enzyme of molecular mass 35 kDa which in addition to Fe2+ can incorporate Zn2+ and Cu2+ into protoporphyrin IX. Chemical modification experiments indicated that the single cysteine residue in the ferrochelatase is required for enzyme activity although it is not a conserved residue compared to other ferrochelatases. In growing B. subtilis, the ferrochelatase constitutes approximately 0.05% (by mass) of the total cell protein, which corresponds to some 600 ferrochelatase molecules/cell. The turnover number of isolated ferrochelatase, 18-29 min-1, was found to be consistent with the rate of haem synthesis in exponentially growing cells (0.2 mol haem formed/min/mol enzyme). It is concluded that the B. subtilis ferrochelatase has enzymic properties which are similar to those of other characterised ferrochelatases of known primary structure, i.e. ferrochelatases of the mitochondrial inner membrane of yeast and mammalian cells. However, in contrast to these enzymes the B. subtilis enzyme is a water-soluble protein and should be more amenable to structural analysis. + + + + Hansson + M + M + + Department of Microbiology, Lund University, Sweden. + + + + Hederstedt + L + L + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + England + Eur J Biochem + 0107600 + 0014-2956 + + + + 059QF0KO0R + Water + + + EC 4.99.1.1 + Ferrochelatase + + + IM + + hemE + hemH + hemY + + + + Amino Acid Sequence + + + Bacillus subtilis + enzymology + genetics + + + Catalysis + + + Cloning, Molecular + + + Escherichia coli + enzymology + genetics + + + Ferrochelatase + genetics + isolation & purification + metabolism + + + Gene Deletion + + + Genes, Bacterial + + + Kinetics + + + Molecular Sequence Data + + + Molecular Weight + + + Solubility + + + Water + + +
+ + + + 1994 + 2 + 15 + + + 1994 + 2 + 15 + 0 + 1 + + + 1994 + 2 + 15 + 0 + 0 + + + ppublish + + 8119288 + + +
+ + + 8219565 + + 1993 + 12 + 08 + + + 2016 + 11 + 23 + +
+ + 1051-0443 + + 4 + 5 + + 1993 Sep-Oct + + + Journal of vascular and interventional radiology : JVIR + J Vasc Interv Radiol + + Transcatheter manipulation of asymmetrically opened titanium Greenfield filters. + + 687-90 + + + The problem of asymmetric opening of the modified hook titanium Greenfield inferior vena cava filter necessitating transcatheter manipulation was evaluated in a retrospective study. + Titanium Greenfield filters were placed in 166 patients over a 36-month period. The radiographic reports of all patients were reviewed to identify cases in which the filter failed to open symmetrically after deployment and catheter or wire manipulation of the filter was performed. The reports and angiograms from these patients were reviewed with respect to the circumstances surrounding filter placement and methods to achieve more symmetric opening. + Transcatheter manipulation of asymmetrically opened filters was performed in 15 of 166 cases (9%). In 12 of these patients, acceptable and uneventful opening of the filter was achieved with a guide wire, pigtail catheter, or occlusion balloon catheter. In one case manipulation only partly improved orientation of the limbs, while in another case successful manipulation was complicated by distal migration. In the final case, the asymmetric filter covered only part of the lumen of the vena cava despite manipulations and a second filter was placed for optimal caval interruption. No specific cause for incomplete expansion was identified in any case. + Marked asymmetry in opening of the modified hook titanium Greenfield filter that warrants manipulation occurs infrequently, but recognition and proper management may be important to ensure optimal caval interruption. + + + + Moore + B S + BS + + Department of Radiology, University of California at San Diego 92103. + + + + Valji + K + K + + + Roberts + A C + AC + + + Bookstein + J J + JJ + + + eng + + Journal Article + +
+ + United States + J Vasc Interv Radiol + 9203369 + 1051-0443 + + + + D1JT611TNE + Titanium + + + IM + + + J Vasc Interv Radiol. 1994 May-Jun;5(3):526-7 + 8054760 + + + J Vasc Interv Radiol. 1994 May-Jun;5(3):528-32 + 8054761 + + + J Vasc Interv Radiol. 1993 Sep-Oct;4(5):617-20 + 8219555 + + + + + Catheterization, Central Venous + + + Humans + + + Radiography + + + Titanium + + + Vena Cava Filters + + + Vena Cava, Inferior + diagnostic imaging + + +
+ + + + 1993 + 9 + 1 + + + 1993 + 9 + 1 + 0 + 1 + + + 1993 + 9 + 1 + 0 + 0 + + + ppublish + + 8219565 + + +
+ + + 8655018 + + 1996 + 07 + 30 + + + 2017 + 03 + 03 + +
+ + 0017-0011 + + 67 + 1 + + 1996 + Jan + + + Ginekologia polska + Ginekol. Pol. + + [Effect of fetal and neonatal growth on the occurrence of some diseases in adults]. + + 34-6 + + + The findings of many authors show that reduced fetal growth is followed by increased mortality from cardiovascular disease in adult life. They are further evidence that cardiovascular disease originates, among other risk factors, through programming of the bodies structure and metabolism during fetal and early post-natal life. Wrong maternal nutrition may have an important influence on programming. + + + + Jendryczko + A + A + + Katedry i Zakładu Chemii i Analizy Leków, AM w Katowicach. + + + + Poreba + R + R + + + pol + + English Abstract + Journal Article + Retracted Publication + Review + + Wpływ przebiegu rozwoju płodu i noworodka na ujawnienie sie niektórych chorób okresu dorosłego. +
+ + Poland + Ginekol Pol + 0374641 + 0017-0011 + + IM + + + Ginekol Pol. 1998 Jul;69(7):561 + 9867475 + + + Ginekol Pol. 1998 Jul;69(7):559-60 + 9867474 + + + + + Adult + + + Cardiovascular Diseases + etiology + mortality + + + Child Development + physiology + + + Embryonic and Fetal Development + physiology + + + Fetal Growth Retardation + complications + physiopathology + + + Humans + + + Infant, Newborn + + + Nutritional Physiological Phenomena + + + Risk Factors + + + Survival Rate + + + 11 +
+ + + + 1996 + 1 + 1 + + + 1996 + 1 + 1 + 0 + 1 + + + 1996 + 1 + 1 + 0 + 0 + + + ppublish + + 8655018 + + +
+ + + 8863847 + + 1996 + 11 + 25 + + + 2014 + 11 + 20 + +
+ + 0026-895X + + 50 + 4 + + 1996 + Oct + + + Molecular pharmacology + Mol. Pharmacol. + + Mechanism of extracellular ATP-induced proliferation of vascular smooth muscle cells. + + 1000-9 + + + The mitogenic effect of extracellular ATP was examined in cultured rat aortic smooth muscle cells (VSMCs). ATP, 2-methylthio-ATP, and ADP stimulated [3H]thymidine and [3H]leucine incorporation and cell growth. AMP, adenosine, UTP, and P2x agonists showed little of these effects. Reactive blue 2, a P2Y purinoceptor antagonist, was effective in suppressing the mitogenic effect of ATP and 2-methylthio-ATP, indicating that extracellular ATP-induced VSMC proliferation is mediated by P2Y purinoceptors. The P2Y purinoceptor activation was coupled to a pertussis toxin (PTX)-insensitive G protein (Gq) and triggered phosphoinositide hydrolysis with subsequent activation of protein kinase C (PKC), Raf-1, and mitogen-activated protein kinase (MAPK) in VSMCs. In response to ATP, both 42-and 44-kDa MAPKs were activated, and tyrosine was phosphorylated. Western blot analysis using PKC isozyme-specific antibodies indicated that VSMCs express PKC-alpha, PKC-delta, and PKC-zeta. A complete down-regulation of PKC-alpha and PKC-delta was seen after 24-hr treatment with 12-O-tetradecanoylphorbol-13-acetate. When cells were pretreated with 12-O-tetradecanoyl-phorbol-13-acetate for 24 hr and subsequently challenged with ATP, Raf-1 activation and 42-kDa as well as 44-kDa MAPK tyrosine phosphorylation failed to be induced. These results demonstrate that ATP-induced Raf-1 and MAPK activations involve the activation of PKC-alpha and PKC-delta. P2Y purinoceptor stimulation with ATP also caused accumulation of c-fos and c-myc mRNAs. Both Reactive blue 2 and staurosporine significantly blocked this increase by ATP. In conclusion, the mitogenic effect of ATP seemed to be triggered by activation of the Gq protein-coupled P2Y purinoceptor that led to the formation of inositol trisphosphate and activation of PKC. PKC and, in turn, Raf-1 and MAPK were then activated, leading eventually to DNA synthesis and cell proliferation. + + + + Yu + S M + SM + + Department of Pharmacology, Chang Gung College of Medicine and Technology, Kwei-San, Tao-Yuan, Taiwan. smyu@cguaplo.cgu.edu + + + + Chen + S F + SF + + + Lau + Y T + YT + + + Yang + C M + CM + + + Chen + J C + JC + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + Retracted Publication + +
+ + United States + Mol Pharmacol + 0035623 + 0026-895X + + + + 0 + Proto-Oncogene Proteins + + + 0 + RNA, Messenger + + + 0 + Receptors, Purinergic P2 + + + 0 + Transcription Factors + + + 10028-17-8 + Tritium + + + 8L70Q75FXE + Adenosine Triphosphate + + + 9007-49-2 + DNA + + + EC 2.7.11.1 + Protein-Serine-Threonine Kinases + + + EC 2.7.11.1 + Proto-Oncogene Proteins c-raf + + + EC 2.7.11.13 + Protein Kinase C + + + EC 2.7.11.17 + Calcium-Calmodulin-Dependent Protein Kinases + + + EC 3.6.1.- + GTP-Binding Proteins + + + GMW67QNF9C + Leucine + + + VC2W18DGKR + Thymidine + + + IM + + + Mol Pharmacol 1997 Mar;51(3):533 + + + Wu D, Yang CM, Lau YT, Chen JC. Mol Pharmacol. 1998 Feb;53(2):346 + 9499167 + + + + + Adenosine Triphosphate + pharmacology + + + Animals + + + Aorta + cytology + drug effects + metabolism + + + Calcium-Calmodulin-Dependent Protein Kinases + metabolism + + + Cell Count + + + Cell Division + drug effects + + + Cells, Cultured + + + DNA + biosynthesis + + + Enzyme Activation + + + Extracellular Space + metabolism + + + GTP-Binding Proteins + metabolism + physiology + + + In Vitro Techniques + + + Leucine + metabolism + + + Muscle, Smooth, Vascular + cytology + drug effects + metabolism + + + Protein Kinase C + metabolism + + + Protein-Serine-Threonine Kinases + metabolism + + + Proto-Oncogene Proteins + metabolism + + + Proto-Oncogene Proteins c-raf + + + RNA, Messenger + metabolism + + + Rats + + + Rats, Sprague-Dawley + + + Receptors, Purinergic P2 + physiology + + + Signal Transduction + physiology + + + Stimulation, Chemical + + + Thymidine + metabolism + + + Transcription Factors + biosynthesis + + + Tritium + + +
+ + + + 1996 + 10 + 1 + + + 1996 + 10 + 1 + 0 + 1 + + + 1996 + 10 + 1 + 0 + 0 + + + ppublish + + 8863847 + + +
+ + + 8941094 + + 1997 + 01 + 02 + + + 2016 + 11 + 24 + +
+ + 0009-7322 + + 94 + 11 + + 1996 + Dec + 01 + + + Circulation + Circulation + + Assessment of myocardial viability in patients with chronic coronary artery disease. Rest-4-hour-24-hour 201Tl tomography versus dobutamine echocardiography. + + 2712-9 + + + To date, late redistribution after resting 201Tl injection has not been evaluated. In addition, the concordance between resting 201Tl imaging and dobutamine echocardiography in identifying viable myocardium has not been assessed. + Forty patients with coronary artery disease underwent rest-4-hour-24-hour 201Tl tomography and dobutamine echocardiography (5 to 10 micrograms.kg-1.min-1). Late redistribution occurred in 46 (21%) of 219 persistent defects at 4 hours. Systolic function and contractile reserve were similar among persistent defects at 4 hours with and without late redistribution. Contractile reserve was more frequent in segments with normal 201Tl uptake (59%), completely reversible defects (53%), or mild to moderate defects at 4 hours (56%) compared with severe defects (14%; P < .02 versus all). Of 105 hypokinetic segments, 99 (94%) were viable by 201Tl, and 88 (84%) showed contractile reserve. In contrast, of 155 akinetic segments, 119 (77%) were viable by 201Tl, but only 34 (22%) had contractile reserve. Concordance between 201Tl and dobutamine was 82% in hypokinetic segments but 43% in akinetic segments. In 109 revascularized segments, positive accuracy for functional recovery was 72% for 201Tl and 92% for dobutamine, whereas negative accuracy was 100% and 65%, respectively. Sensitivity was 100% for 201Tl and 79% for dobutamine. + Late redistribution occurs in one fifth of persistent defects at 4 hours, and it does not correlate to systolic function or contractile reserve. Dobutamine and 201Tl yield concordant information in the majority of hypokinetic segments, whereas concordance is low in akinetic segments. Dobutamine demonstrates higher positive accuracy and sensitivity in predicting recovery of dysfunctional myocardium, whereas 201Tl shows higher negative predictive accuracy but reduced positive accuracy. + + + + Perrone-Filardi + P + P + + Division of Cardiology, Federico II University Medical School, Naples, Italy. + + + + Pace + L + L + + + Prastaro + M + M + + + Squame + F + F + + + Betocchi + S + S + + + Soricelli + A + A + + + Piscione + F + F + + + Indolfi + C + C + + + Crisci + T + T + + + Salvatore + M + M + + + Chiariello + M + M + + + eng + + Journal Article + +
+ + United States + Circulation + 0147763 + 0009-7322 + + + + 0 + Thallium Radioisotopes + + + 3S12J47372 + Dobutamine + + + AIM + IM + + + Circulation. 1996 Dec 1;94(11):2674-80 + 8941085 + + + Circulation. 1996 Dec 1;94(11):2681-4 + 8941086 + + + Circulation. 1996 Dec 1;94(11):2685-8 + 8941087 + + + Circulation. 1997 Oct 21;96(8):2740-2 + 9355926 + + + + + Aged + + + Cell Survival + + + Chronic Disease + + + Circadian Rhythm + + + Coronary Disease + diagnostic imaging + physiopathology + + + Dobutamine + + + Echocardiography + + + Follow-Up Studies + + + Heart + diagnostic imaging + + + Humans + + + Male + + + Middle Aged + + + Myocardial Contraction + + + Myocardial Revascularization + + + Radionuclide Imaging + + + Rest + + + Systole + + + Thallium Radioisotopes + pharmacokinetics + + + Time Factors + + + Ventricular Dysfunction, Left + diagnostic imaging + therapy + + +
+ + + + 1996 + 12 + 1 + + + 1996 + 12 + 1 + 0 + 1 + + + 1996 + 12 + 1 + 0 + 0 + + + ppublish + + 8941094 + + +
+ + + 9110943 + + 1996 + 10 + 23 + + + 2011 + 11 + 17 + +
+ + 1059-2725 + + Doc No 200-201 + + 1996 + Jul + 30 + + + The Online journal of current clinical trials + Online J Curr Clin Trials + + Conservative management of mechanical neck disorders. A systematic overview and meta-analysis. + + [34457 words; 185 paragraphs] + + + This overview reports the efficacy of conservative treatments (drug therapy, manual therapy, patient education, physical medicine modalities) in reducing pain in adults with mechanical neck disorders. + Computerized bibliographic database searches from 1985 to December 1993, information requests from authors, and bibliography screenings were used to identify published and unpublished research. Applying strict criteria, two investigators independently reviewed the blinded articles. Each selected trial was evaluated independently for methodologic quality. + Twenty-four randomized controlled trials (RCTs) and eight before-after studies met our selection criteria. Twenty RCTs rated moderately strong or better in terms of methodologic quality. Five trials using manual therapy in combination with other treatments were clinically similar, were statistically not heterogeneous (p = 0.98), and were combined to yield an effect size of -0.6 (95% CI: -0.9, -0.4), equivalent to a 16 point improvement on a 100 point pain scale. Four RCTs using physical medicine modalities were combined using the inverse chi-square method: two using electromagnetic therapy produced a significant reduction in pain (p < 0.01); and two using laser therapy did not differ significantly from a placebo (p = 0.63). Little or no scientific evidence exists for other therapies, including such commonly used treatments as medication, rest and exercise. + Within the limits of methodologic quality, the best available evidence supports the use of manual therapies in combination with other treatments for short-term relief of neck pain. There is some support for the use of electromagnetic therapy and against the use of laser therapy. In general, other interventions have not been studied in enough detail adequately to assess efficacy or effectiveness. This overview provides the foundation for an evidence-based approach to practice. More robust design and methodology should be used in future research, in particular, the use of valid and reliable outcomes measures. + + + + Gross + A R + AR + + Chedoke-McMaster Hospitals & Schools of Rehabilitation Science, McMaster University, Hamilton, Ontario, Canada. + + + + Aker + P D + PD + + + Goldsmith + C H + CH + + + Peloso + P + P + + + eng + + Journal Article + Meta-Analysis + Research Support, Non-U.S. Gov't + +
+ + United States + Online J Curr Clin Trials + 9300367A + 1059-2725 + + IM + + + Acupuncture Therapy + + + Adult + + + Chiropractic + + + Databases, Bibliographic + + + Humans + + + Manipulation, Orthopedic + + + Neck Injuries + + + Pain + drug therapy + rehabilitation + + + Pain Management + + + Patient Education as Topic + + + Physical Therapy Modalities + + + Randomized Controlled Trials as Topic + + + Reproducibility of Results + + + Wounds and Injuries + drug therapy + rehabilitation + therapy + + +
+ + + + 1996 + 7 + 30 + + + 1996 + 7 + 30 + 0 + 1 + + + 1996 + 7 + 30 + 0 + 0 + + + ppublish + + 9110943 + + +
+ + + 9394824 + + 1998 + 01 + 02 + + + 2006 + 11 + 15 + +
+ + 0014-2980 + + 27 + 11 + + 1997 + Nov + + + European journal of immunology + Eur. J. Immunol. + + Hypermutation, diversity and dissemination of human intestinal lamina propria plasma cells. + + 2959-64 + + + In this work we have microdissected lamina propria plasma cells and used polymerase chain reaction and sequencing to investigate immunoglobulin (Ig) gene rearrangements and mutations in human intestine. In addition, specific primers were designed for individual Ig gene rearrangements to analyze the distribution of related B cell and plasma cell clones at different sites along the bowel. Confirming our earlier work, intestinal IgVH genes were highly mutated in plasma cells from older individuals (> 30 years). IgVH genes were significantly less mutated in samples taken from patients aged 11-30 years, and there were fewer mutations again in samples from young children (< 11 years). In age-matched specimens the number of mutations was equivalent in the duodenum and colon. Using complementarity-determining region 3 primers to amplify specific Ig gene rearrangements, evidence was also found for the existence of related lamina propria plasma cells along the small bowel and colon, although these were quite scarce. In addition, analysis of the numbers of related clones in a random sampling from discrete areas of lamina propria indicates that the local population is diverse. These results suggest that the highly mutated IgVH genes in adult intestinal plasma cells are a consequence of chronic antigen exposure with age. Duodenal plasma cells are as highly mutated as colonic plasma cells, despite the fact that the upper bowel has no indigenous microbial flora (the stimulus for intestinal plasma cells). They also show that the plasma cell population is diverse and can be widely disseminated along the bowel. + + + + Dunn-Walters + D K + DK + + Department of Histopathology, UMDS, London, Great Britain. + + + + Boursier + L + L + + + Spencer + J + J + + + eng + + + GENBANK + + Z93128 + Z93129 + Z93130 + Z93131 + Z93132 + Z93133 + Z93134 + Z93135 + Z93136 + Z93137 + Z93138 + Z93139 + Z93140 + Z93141 + Z93142 + Z93143 + Z93144 + Z93145 + Z93146 + Z93147 + Z93148 + Z93149 + Z93150 + Z93151 + Z93152 + Z93153 + Z93154 + Z93155 + Z93156 + Z93157 + + + + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + Germany + Eur J Immunol + 1273201 + 0014-2980 + + + + 0 + Immunoglobulin Heavy Chains + + + 0 + Immunoglobulin Variable Region + + + IM + + + Adolescent + + + Adult + + + Aged + + + Aged, 80 and over + + + Aging + genetics + immunology + + + Base Sequence + + + Child + + + Colon + immunology + metabolism + + + Duodenum + immunology + metabolism + + + Gene Rearrangement + immunology + + + Genes, Immunoglobulin + + + Humans + + + Immunoglobulin Heavy Chains + genetics + + + Immunoglobulin Variable Region + genetics + + + Infant + + + Intestinal Mucosa + cytology + immunology + + + Middle Aged + + + Molecular Sequence Data + + + Mutation + + + Organ Specificity + genetics + immunology + + + Plasma Cells + immunology + metabolism + + +
+ + + + 1997 + 12 + 12 + + + 1997 + 12 + 12 + 0 + 1 + + + 1997 + 12 + 12 + 0 + 0 + + + ppublish + + 9394824 + 10.1002/eji.1830271131 + + +
+ + + 9482442 + + 1998 + 03 + 18 + + + 2016 + 11 + 24 + +
+ + 0140-6736 + + 351 + 9101 + + 1998 + Feb + 14 + + + Lancet (London, England) + Lancet + + A woman with nodules in her lungs. + + 494 + + + + Järveläinen + H + H + + Department of Medicine, Turku University Central Hospital, Finland. + + + + Vainionpää + H + H + + + Kuopio + T + T + + + Lehtonen + A + A + + + eng + + Case Reports + Journal Article + +
+ + England + Lancet + 2985213R + 0140-6736 + + + + 0 + Powders + + + 7631-86-9 + Silicon Dioxide + + + AIM + IM + + + Lancet 1998 Jun 27;351(9120):1968 + + + Lancet 1998 Mar 7;351(9104):760 + + + + + Aged + + + Female + + + Humans + + + Naturopathy + + + Powders + + + Radiography + + + Silicon Dioxide + administration & dosage + + + Silicosis + diagnostic imaging + etiology + + +
+ + + + 1998 + 3 + 3 + + + 1998 + 3 + 3 + 0 + 1 + + + 1998 + 3 + 3 + 0 + 0 + + + ppublish + + 9482442 + S0140673697104913 + + +
+ + + 9505772 + + 1998 + 03 + 24 + + + 2018 + 01 + 26 + +
+ + 0007-0912 + + 80 + 1 + + 1998 + Jan + + + British journal of anaesthesia + Br J Anaesth + + Myocardial ischaemia after coronary artery bypass grafting: early vs late extubation. + + 20-5 + + + The technique of early extubation after coronary artery bypass grafting is increasing in popularity, but its safety and effect on myocardial ischaemia remain to be established. In a randomized, prospective study, patients undergoing routine elective coronary artery bypass grafting were managed with either early or late tracheal extubation. The incidence and severity of electrocardiographic myocardial ischaemia were compared. Data were analysed from 85 patients (43 early extubation; 42 late extubation). Median time to extubation was 110 min in the early extubation patients and 757 min in the late extubation patients. After correction for randomization bias, there were no significant differences between groups in ischaemic burden, maximal ST-segment deviation, incidence of ischaemia and area under the ST deviation-time curve (integral of ST deviation and time). Similarly, there were no differences between groups in postoperative creatine kinase MB-isoenzyme concentrations and duration of stay in the ICU or hospital. Therefore, this study provides evidence for the safety of early extubation after routine coronary artery bypass grafting. + + + + Berry + P D + PD + + Cardiothoracic Centre Liverpool-NHS Trust. + + + + Thomas + S D + SD + + + Mahon + S P + SP + + + Jackson + M + M + + + Fox + M A + MA + + + Fabri + B + B + + + Weir + W I + WI + + + Russell + G N + GN + + + eng + + Clinical Trial + Journal Article + Randomized Controlled Trial + +
+ + England + Br J Anaesth + 0372541 + 0007-0912 + + IM + + + Br J Anaesth 1998 Apr;80(4):572 + + + Br J Anaesth 1998 Jul;81(1):111 + + + + + Adult + + + Aged + + + Coronary Artery Bypass + adverse effects + + + Electrocardiography + + + Female + + + Humans + + + Intubation, Intratracheal + methods + + + Male + + + Middle Aged + + + Myocardial Ischemia + etiology + + + Postoperative Care + methods + + + Postoperative Period + + + Prospective Studies + + + Treatment Outcome + + +
+ + + + 1998 + 3 + 20 + + + 1998 + 3 + 20 + 0 + 1 + + + 1998 + 3 + 20 + 0 + 0 + + + ppublish + + 9505772 + S0007-0912(17)40574-5 + + +
+ + + 9575322 + + 1998 + 05 + 12 + + + 2007 + 11 + 15 + +
+ + 0002-838X + + 57 + 8 + + 1998 + Apr + 15 + + + American family physician + Am Fam Physician + + Lumbar spine stenosis: a common cause of back and leg pain. + + 1825-34, 1839-40 + + + Lumbar spine stenosis most commonly affects the middle-aged and elderly population. Entrapment of the cauda equina roots by hypertrophy of the osseous and soft tissue structures surrounding the lumbar spinal canal is often associated with incapacitating pain in the back and lower extremities, difficulty ambulating, leg paresthesias and weakness and, in severe cases, bowel or bladder disturbances. The characteristic syndrome associated with lumbar stenosis is termed neurogenic intermittent claudication. This condition must be differentiated from true claudication, which is caused by atherosclerosis of the pelvofemoral vessels. Although many conditions may be associated with lumbar canal stenosis, most cases are idiopathic. Imaging of the lumbar spine performed with computed tomography or magnetic resonance imaging often demonstrates narrowing of the lumbar canal with compression of the cauda equina nerve roots by thickened posterior vertebral elements, facet joints, marginal osteophytes or soft tissue structures such as the ligamentum flavum or herniated discs. Treatment for symptomatic lumbar stenosis is usually surgical decompression. Medical treatment alternatives, such as bed rest, pain management and physical therapy, should be reserved for use in debilitated patients or patients whose surgical risk is prohibitive as a result of concomitant medical conditions. + + + + Alvarez + J A + JA + + University Hospitals of Cleveland/Case Western Reserve University, Cleveland, Ohio, USA. + + + + Hardy + R H + RH + Jr + + + eng + + Journal Article + Review + +
+ + United States + Am Fam Physician + 1272646 + 0002-838X + + AIM + IM + + + Am Fam Physician. 1999 Jan 15;59(2):280, 283-4 + 9930124 + + + + + Diagnosis, Differential + + + Humans + + + Low Back Pain + etiology + + + Lumbosacral Region + + + Pain + etiology + + + Patient Education as Topic + + + Spinal Stenosis + complications + diagnosis + physiopathology + therapy + + + Teaching Materials + + + 13 +
+ + + + 1998 + 5 + 12 + 2 + 2 + + + 2001 + 3 + 28 + 10 + 1 + + + 1998 + 5 + 12 + 2 + 2 + + + ppublish + + 9575322 + + +
+ + + 9626910 + + 1998 + 08 + 12 + + + 2015 + 11 + 19 + +
+ + 0047-1828 + + 62 + 5 + + 1998 + May + + + Japanese circulation journal + Jpn. Circ. J. + + Hepatitis C virus infection and heart diseases: a multicenter study in Japan. + + 389-91 + + + As a collaborative research project of the Committees for the Study of Idiopathic Cardiomyopathy, a questionnaire was sent out to 19 medical institutions in Japan in order to examine the possible association between hepatitis C virus (HCV) infection and cardiomyopathies. Hepatitis C virus antibody was found in 74 of 697 patients (10.6%) with hypertrophic cardiomyopathy (mean age, 57.7 years) and in 42 of 663 patients (6.3%) with dilated cardiomyopathy (mean age, 56.5 years); these prevalences were significantly higher than that found in volunteer blood donors in Japan (2.4%, 50-59 years of age, each p<0.0001). The prevalence was significantly higher in patients suffering from hypertrophic cardiomyopathy as opposed to those with dilated cardiomyopathy (p<0.01). The presence of HCV antibody was detected in 650 of 11,967 patients (5.4%) patients seeking care in 5 academic hospitals. Various cardiac abnormalities were found among these patients, arrhythmias being the most frequent. These observations suggest that HCV infection is an important cause of a variety of otherwise unexplained heart diseases. + + + + Matsumori + A + A + + Kyoto University, Japan. + + + + Ohashi + N + N + + + Hasegawa + K + K + + + Sasayama + S + S + + + Eto + T + T + + + Imaizumi + T + T + + + Izumi + T + T + + + Kawamura + K + K + + + Kawana + M + M + + + Kimura + A + A + + + Kitabatake + A + A + + + Matsuzaki + M + M + + + Nagai + R + R + + + Tanaka + H + H + + + Hiroe + M + M + + + Hori + M + M + + + Inoko + H + H + + + Seko + Y + Y + + + Sekiguchi + M + M + + + Shimotohno + K + K + + + Sugishita + Y + Y + + + Takeda + N + N + + + Takihara + K + K + + + Tanaka + M + M + + + Yokoyama + M + M + + + eng + + Journal Article + Multicenter Study + Research Support, Non-U.S. Gov't + +
+ + Japan + Jpn Circ J + 7806868 + 0047-1828 + + + + 0 + Hepatitis C Antibodies + + + IM + + + Cardiomyopathies + epidemiology + etiology + virology + + + Heart + virology + + + Heart Diseases + epidemiology + etiology + virology + + + Hepacivirus + immunology + + + Hepatitis C + complications + + + Hepatitis C Antibodies + blood + + + Humans + + + Japan + epidemiology + + + Middle Aged + + + Myocardium + immunology + pathology + + + Prevalence + + + Surveys and Questionnaires + + +
+ + + + 1998 + 6 + 17 + + + 1998 + 6 + 17 + 0 + 1 + + + 1998 + 6 + 17 + 0 + 0 + + + ppublish + + 9626910 + + +
+ + + 9627170 + + 1998 + 08 + 25 + + + 2016 + 10 + 20 + +
+ + 1435-2443 + + 383 + 1 + + 1998 + Mar + + + Langenbeck's archives of surgery + Langenbecks Arch Surg + + Outcome of patients with sepsis and septic shock after ICU treatment. + + 44-8 + + + Today, sepsis syndrome is the leading cause of death in adult, non-coronary intensive care units (ICUs) and is of great clinical importance. The purpose of this review was to evaluate recent prospective studies concerning the short- and long-term prognosis of patients suffering from systemic inflammatory-response syndrome (SIRS), sepsis, severe sepsis and septic shock. It has been shown in multicentre prospective surveys that 1% and 0.3% of all patients admitted to hospitals suffer, respectively, from bacteraemia alone and bacteraemia with severe sepsis. This rate increases, of course, when only admissions to the ICUs are considered: the above-mentioned rates increase then by a factor of 8 and 30, respectively. Thus, approximately 10% of patients in the ICU suffer from sepsis, 6% from severe sepsis and 2-3% from septic shock. SIRS occurs more frequently and its occurrence ranges from 40% to 70% of all patients admitted to ICUs. Thereby, 40-70% suffering from SIRS progress to a more severe septic-disease state. The overall prognosis is still poor, despite the recent advances in ICU treatment. The mortality rate of SIRS ranges from 6% to 7% and in septic shock amounts to over 50%. In particular, abdominal sepsis exhibits the highest mortality rate with 72%. The long-term prognosis is equally poor; only approximately 30% survived the first year after hospital admission. + The prognosis of sepsis and septic shock remains poor, despite the advances in ICU treatment. Although prognostic factors have been identified for some patients, groups have not yet been able to identify the immediate or long-term prognosis for the majority of these septic patients. + + + + Schoenberg + M H + MH + + Department of General Surgery, University of Ulm, Germany. + + + + Weiss + M + M + + + Radermacher + P + P + + + eng + + Journal Article + Review + +
+ + Germany + Langenbecks Arch Surg + 9808285 + 1435-2443 + + IM + + + Adult + + + Bacteremia + mortality + therapy + + + Cause of Death + + + Critical Care + + + Female + + + Humans + + + Male + + + Prognosis + + + Prospective Studies + + + Shock, Septic + mortality + therapy + + + Surgical Wound Infection + mortality + therapy + + + Survival Rate + + + Systemic Inflammatory Response Syndrome + mortality + therapy + + + 21 +
+ + + + 1998 + 6 + 17 + + + 1998 + 6 + 17 + 0 + 1 + + + 1998 + 6 + 17 + 0 + 0 + + + ppublish + + 9627170 + + +
+ + + 9634358 + + 1998 + 06 + 18 + + + 2004 + 03 + 31 + +
+ + 0022-1899 + + 177 + 6 + + 1998 + Jun + + + The Journal of infectious diseases + J. Infect. Dis. + + Retraction: A rabbit model for human cytomeglovirus--induced chorioretinal disease (J Infect Dis 1993;168:336-44). + + 1778 + + + + Dunkel + E C + EC + + + Scheer + D I + DI + + + Zhu + Q + Q + + + Whitley + R J + RJ + + + Schaffer + P A + PA + + + Pavan-Langston + D + D + + + Whitely + R J + RJ + + + eng + + Retraction of Publication + +
+ + United States + J Infect Dis + 0413675 + 0022-1899 + + AIM + IM + + + Dunkel EC, de Freitas D, Scheer DI, Siegel ML, Zhu Q, Whitley RJ, Schaffer PA, Pavan-Langston D. J Infect Dis. 1993 Aug;168(2):336-44 + 8393056 + + + J Infect Dis 1998 Aug;178(2):601 + Whitely RJ [corrected to Whitley RJ] + + +
+ + + + 1998 + 6 + 20 + + + 1998 + 6 + 20 + 0 + 1 + + + 1998 + 6 + 20 + 0 + 0 + + + ppublish + + 9634358 + + +
+ + + 9861576 + + 1999 + 03 + 29 + + + 2013 + 11 + 21 + +
+ + 0268-1315 + + 13 + 6 + + 1998 + Nov + + + International clinical psychopharmacology + Int Clin Psychopharmacol + + Cardiac side-effects of two selective serotonin reuptake inhibitors in middle-aged and elderly depressed patients. + + 263-7 + + + Selective serotonin reuptake inhibitors (SSRIs) are the 'new' drugs of first choice for the treatment of depression in the older patient. Systematic studies on the effects of SSRIs on cardiac function are scarce, despite the high prevalence of cardiac disorders in the older depressed patient. This is a study which systematically assessed cardiac function by echocardiography in middle-aged and elderly depressed patients treated with SSRI. In a double-blind randomized trial, 20 patients were assigned to receive fluvoxamine 100 mg/day [DOSAGE ERROR CORRECTED] or fluoxetine 20 mg/day [DOSAGE ERROR CORRECTED] for 6 weeks. Cardiac function was assessed by left ventricle ejection fraction, aortic flow integral and early or passive/late or active mitral inflow, and electrocardiography. Neither SSRI significantly affected cardiac function. Compared with patients without a history of myocardial infarction and/or hypertension, patients with such a history showed a significant improvement in left ventricular ejection fraction. Despite our small study sample, these data indicate that both fluoxetine and fluvoxamine do not affect cardiac function adversely. + + + + Strik + J J + JJ + + Department of Psychiatry, Maastricht University Hospital, The Netherlands. + + + + Honig + A + A + + + Lousberg + R + R + + + Cheriex + E C + EC + + + Van Praag + H M + HM + + + eng + + Clinical Trial + Comparative Study + Journal Article + Randomized Controlled Trial + +
+ + England + Int Clin Psychopharmacol + 8609061 + 0268-1315 + + + + 0 + Serotonin Uptake Inhibitors + + + 01K63SUP8D + Fluoxetine + + + O4L1XPO44W + Fluvoxamine + + + IM + + + Int Clin Psychopharmacol 1999 Mar;14(2):138 + Dosage error in published abstract; MEDLINE/PubMed abstract corrected + + + + + Aged + + + Aged, 80 and over + + + Cardiovascular Diseases + chemically induced + physiopathology + + + Depressive Disorder + complications + drug therapy + + + Double-Blind Method + + + Echocardiography + + + Electrocardiography + drug effects + + + Female + + + Fluoxetine + adverse effects + therapeutic use + + + Fluvoxamine + adverse effects + therapeutic use + + + Humans + + + Male + + + Middle Aged + + + Serotonin Uptake Inhibitors + adverse effects + therapeutic use + + +
+ + + + 1998 + 12 + 23 + + + 1998 + 12 + 23 + 0 + 1 + + + 1998 + 12 + 23 + 0 + 0 + + + ppublish + + 9861576 + + +
+ + + 9885794 + + 1999 + 03 + 29 + + + 2015 + 03 + 11 + +
+ + 0893-133X + + 20 + 2 + + 1999 + Feb + + + Neuropsychopharmacology : official publication of the American College of Neuropsychopharmacology + Neuropsychopharmacology + + Antipsychotic potential of CCK-based treatments: an assessment using the prepulse inhibition model of psychosis. + + 141-9 + + + Systemic injections of cholecystokinin (CCK), a "gut-brain" peptide, have been shown to modulate brain dopamine function and produce neuroleptic-like effects on such dopamine-regulated behaviors as locomotor activity. However, clinical trials of CCK agonists in schizophrenia patients showed mixed results. To re-examine the antipsychotic potential of CCK-based treatments, we examined systemic injections of CCK analogs in an animal model with strong face and construct validity for sensorimotor-gating deficits seen in schizophrenia patients and with strong predictive validity for antipsychotic drug activity. Prepulse inhibition (PPI) occurs when a weak acoustic lead stimulus ("prepulse") inhibits the startle response to a sudden loud sound ("pulse"). PPI is significantly reduced in schizophrenia patients and rats treated with dopamine agonists. Antipsychotics reverse decreased PPI in rats to a degree highly correlated with their clinical efficacy. Subcutaneous (s.c.) injections of caerulein (10 micrograms/kg) a mixed CCKA/B agonist, partially reversed amphetamine-induced reduction of PPI; whereas, s.c. haloperidol (0.5 mg/kg) totally reversed amphetamine-induced disruption of PPI. Caerulein's effect on PPI was blocked by pretreatment with a CCKA antagonist (devazepide) but not a CCKB antagonist (L-365,260). CCK-4, a preferential CCKB agonist, had no significant effect on PPI. These results suggest that caerulein produces a weak neuroleptic-like effect on PPI that is mediated by stimulation of CCKA receptors. Possible circuities in this effect are discussed. In a separate experiment, s.c. caerulein produced to a more potent neuroleptic-like profile on amphetamine-induced hyperlocomotion, suggesting that selection of preclinical paradigms may be important in evaluating the antipsychotic potential of CCK-based treatments. + + + + Feifel + D + D + + Department of Psychiatry, University of California, San Diego, La Jolla 92093-8620, USA. + + + + Reza + T + T + + + Robeck + S + S + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + England + Neuropsychopharmacology + 8904907 + 0893-133X + + + + 0 + Antipsychotic Agents + + + 0 + Gastrointestinal Agents + + + 0 + Receptors, Cholecystokinin + + + 0OL293AV80 + Tetragastrin + + + 888Y08971B + Ceruletide + + + 9011-97-6 + Cholecystokinin + + + J6292F8L3D + Haloperidol + + + IM + + + Animals + + + Antipsychotic Agents + administration & dosage + therapeutic use + + + Behavior, Animal + drug effects + + + Ceruletide + therapeutic use + + + Cholecystokinin + physiology + + + Gastrointestinal Agents + therapeutic use + + + Haloperidol + administration & dosage + therapeutic use + + + Injections, Subcutaneous + + + Male + + + Motor Activity + drug effects + + + Psychotic Disorders + drug therapy + psychology + + + Rats + + + Rats, Sprague-Dawley + + + Receptors, Cholecystokinin + antagonists & inhibitors + drug effects + + + Reflex, Startle + drug effects + + + Tetragastrin + antagonists & inhibitors + pharmacology + + +
+ + + + 1999 + 1 + 14 + + + 1999 + 1 + 14 + 0 + 1 + + + 1999 + 1 + 14 + 0 + 0 + + + ppublish + + 9885794 + S0893-133X(98)00041-4 + 10.1016/S0893-133X(98)00041-4 + + +
+ + + 10078868 + + 1999 + 06 + 09 + + + 2005 + 11 + 17 + +
+ + 0041-0101 + + 37 + 2 + + 1999 + Feb + + + Toxicon : official journal of the International Society on Toxinology + Toxicon + + Bibliography of toxinology. + + 399-404 + + eng + + Bibliography + +
+ + England + Toxicon + 1307333 + 0041-0101 + + + + 0 + Toxins, Biological + + + IM + + + Toxins, Biological + + +
+ + + + 1999 + 3 + 17 + + + 1999 + 3 + 17 + 0 + 1 + + + 1999 + 3 + 17 + 0 + 0 + + + ppublish + + 10078868 + + +
+ + + 9929727 + + 1999 + 04 + 28 + + + 2018 + 07 + 10 + +
+ + 0300-2896 + + 34 + 11 + + 1998 + Dec + + + Archivos de bronconeumologia + Arch. Bronconeumol. + + [Tobacco control in children, adolescents and young people: knowledge, prevention and action]. + + 564 + + + + de Granda Orive + J I + JI + + + Peña Miguel + T + T + + + Morato Arnáiz + A + A + + + spa + + Letter + Comment + + La lucha contra el tabaco en los niños, adolescentes y jóvenes: conocimiento, prevención y actuación. +
+ + Spain + Arch Bronconeumol + 0354720 + 0300-2896 + + IM + + + Arch Bronconeumol. 1998 Apr;34(4):199-203 + 9611655 + + + + + Adolescent + + + Adult + + + Child + + + Female + + + Health Knowledge, Attitudes, Practice + + + Humans + + + Male + + + Smoking Prevention + + +
+ + + + 1999 + 2 + 4 + + + 1999 + 2 + 4 + 0 + 1 + + + 1999 + 2 + 4 + 0 + 0 + + + ppublish + + 9929727 + S0300-2896(15)30340-9 + + +
+ + + 10083987 + + 1999 + 05 + 11 + + + 2004 + 11 + 17 + +
+ + 0832-610X + + 46 + 2 + + 1999 + Feb + + + Canadian journal of anaesthesia = Journal canadien d'anesthesie + Can J Anaesth + + Complete airway obstruction. + + 99-104 + + + + Crosby + E T + ET + + + eng + fre + + Comment + Editorial + +
+ + United States + Can J Anaesth + 8701709 + 0832-610X + + + + 0 + Anesthetics, Local + + + IM + + + Can J Anaesth. 1999 Feb;46(2):176-8 + 10083999 + + + + + Airway Obstruction + etiology + surgery + + + Anesthesiology + education + + + Anesthetics, Local + administration & dosage + + + Cervical Vertebrae + injuries + + + Conscious Sedation + adverse effects + methods + + + Humans + + + Intubation, Intratracheal + adverse effects + instrumentation + methods + + + Laryngoscopes + + + Laryngoscopy + adverse effects + methods + + + Tracheostomy + + +
+ + + + 1999 + 3 + 20 + + + 1999 + 3 + 20 + 0 + 1 + + + 1999 + 3 + 20 + 0 + 0 + + + ppublish + + 10083987 + 10.1007/BF03012541 + + +
+ + + 10101342 + + 1999 + 04 + 15 + + + 2018 + 06 + 05 + +
+ + 0733-8627 + + 17 + 1 + + 1999 + Feb + + + Emergency medicine clinics of North America + Emerg. Med. Clin. North Am. + + Evaluation of the patient with extremity trauma: an evidence based approach. + + 77-95, viii + + + This article reviews relevant literature to provide evidence based guidelines for the evaluation of patients with extremity trauma in the emergency department. The development of clinical decision rules for extremity trauma in the ankle and knee, and guidelines for obtaining postreduction radiographs of shoulder dislocations and nursemaid's elbows are discussed. + + + + Kaufman + D + D + + Division of Emergency Medicine, Northwestern University Medical School, Chicago, Illinois, USA. + + + + Leung + J + J + + + eng + + Journal Article + +
+ + United States + Emerg Med Clin North Am + 8219565 + 0733-8627 + + IM + + + Ankle Injuries + diagnostic imaging + etiology + therapy + + + Decision Support Techniques + + + Emergencies + + + Extremities + diagnostic imaging + injuries + + + Fractures, Bone + diagnostic imaging + etiology + therapy + + + Humans + + + Knee Injuries + diagnostic imaging + etiology + therapy + + + Practice Guidelines as Topic + + + Radiography + + + Shoulder Dislocation + diagnostic imaging + etiology + therapy + + +
+ + + + 1999 + 4 + 2 + + + 1999 + 4 + 2 + 0 + 1 + + + 1999 + 4 + 2 + 0 + 0 + + + ppublish + + 10101342 + S0733-8627(05)70048-1 + + +
+ + + 10097079 + + 1999 + 05 + 12 + + + 2018 + 11 + 13 + +
+ + 0027-8424 + + 96 + 7 + + 1999 + Mar + 30 + + + Proceedings of the National Academy of Sciences of the United States of America + Proc. Natl. Acad. Sci. U.S.A. + + Thermal adaptation analyzed by comparison of protein sequences from mesophilic and extremely thermophilic Methanococcus species. + + 3578-83 + + + The genome sequence of the extremely thermophilic archaeon Methanococcus jannaschii provides a wealth of data on proteins from a thermophile. In this paper, sequences of 115 proteins from M. jannaschii are compared with their homologs from mesophilic Methanococcus species. Although the growth temperatures of the mesophiles are about 50 degrees C below that of M. jannaschii, their genomic G+C contents are nearly identical. The properties most correlated with the proteins of the thermophile include higher residue volume, higher residue hydrophobicity, more charged amino acids (especially Glu, Arg, and Lys), and fewer uncharged polar residues (Ser, Thr, Asn, and Gln). These are recurring themes, with all trends applying to 83-92% of the proteins for which complete sequences were available. Nearly all of the amino acid replacements most significantly correlated with the temperature change are the same relatively conservative changes observed in all proteins, but in the case of the mesophile/thermophile comparison there is a directional bias. We identify 26 specific pairs of amino acids with a statistically significant (P < 0.01) preferred direction of replacement. + + + + Haney + P J + PJ + + Department of Microbiology, University of Illinois, B103 Chemical and Life Sciences Laboratory, 601 South Goodwin Avenue, Urbana, IL 61801, USA. + + + + Badger + J H + JH + + + Buldak + G L + GL + + + Reich + C I + CI + + + Woese + C R + CR + + + Olsen + G J + GJ + + + eng + + + GENBANK + + AF078607 + AF078608 + AF078609 + AF078610 + AF078611 + AF078612 + AF078613 + AF078614 + AF078615 + AF078616 + AF078617 + AF078618 + AF078619 + AF078620 + AF078621 + AF078622 + AF078623 + AF078624 + AF078625 + AF078626 + AF078627 + AF078628 + AF078629 + AF078630 + AF078631 + AF078632 + AF078633 + AF078634 + AF078635 + AF078636 + + + + + + T32 GM007283 + GM + NIGMS NIH HHS + United States + + + GM07283 + GM + NIGMS NIH HHS + United States + + + + Comparative Study + Journal Article + Research Support, U.S. Gov't, Non-P.H.S. + Research Support, U.S. Gov't, P.H.S. + +
+ + United States + Proc Natl Acad Sci U S A + 7505876 + 0027-8424 + + + + 0 + Bacterial Proteins + + + IM + S + + + Acclimatization + + + Amino Acid Sequence + + + Amino Acid Substitution + + + Bacterial Proteins + chemistry + genetics + + + Methanococcus + genetics + metabolism + + + Molecular Sequence Data + + + Protein Conformation + + + Species Specificity + + + Temperature + + + + NASA Discipline Exobiology + Non-NASA Center + + + + Woese + C R + CR + + U IL, Urbana + + + +
+ + + + 1999 + 3 + 31 + + + 1999 + 3 + 31 + 0 + 1 + + + 1999 + 3 + 31 + 0 + 0 + + + ppublish + + 10097079 + PMC22336 + + + + J Theor Biol. 1967 Aug;16(2):187-211 + + 6048539 + + + + Proc Natl Acad Sci U S A. 1998 Mar 3;95(5):2056-60 + + 9482837 + + + + J Theor Biol. 1973 Jun;39(3):645-51 + + 4354159 + + + + Science. 1974 Sep 6;185(4154):862-4 + + 4843792 + + + + J Theor Biol. 1975 Mar;50(1):167-83 + + 1127956 + + + + Nature. 1975 May 15;255(5505):256-9 + + 1143325 + + + + Biochemistry. 1979 Dec 11;18(25):5698-703 + + 518863 + + + + Eur J Biochem. 1980 Jul;108(2):581-6 + + 7408869 + + + + J Biochem. 1980 Dec;88(6):1895-8 + + 7462208 + + + + J Mol Biol. 1982 May 5;157(1):105-32 + + 7108955 + + + + Eur J Biochem. 1982 Nov 15;128(2-3):565-75 + + 7151796 + + + + Proc Natl Acad Sci U S A. 1986 Nov;83(21):8069-72 + + 3464944 + + + + J Biol Chem. 1988 Mar 5;263(7):3086-91 + + 3257756 + + + + J Mol Biol. 1988 Feb 5;199(3):525-37 + + 3127592 + + + + Nature. 1988 Dec 15;336(6200):651-6 + + 3200317 + + + + Adv Protein Chem. 1988;39:191-234 + + 3072868 + + + + J Mol Biol. 1989 Mar 20;206(2):397-406 + + 2716053 + + + + Proteins. 1989;5(1):22-37 + + 2664764 + + + + Biochemistry. 1989 Sep 5;28(18):7205-13 + + 2684274 + + + + Science. 1990 Mar 16;247(4948):1306-10 + + 2315699 + + + + Biochemistry. 1990 Mar 6;29(9):2403-8 + + 2337607 + + + + Biochemistry. 1990 Aug 7;29(31):7133-55 + + 2207096 + + + + J Mol Biol. 1990 Oct 5;215(3):403-10 + + 2231712 + + + + Biochemistry. 1991 Jan 15;30(2):589-94 + + 1988046 + + + + Biochemistry. 1991 Jul 23;30(29):7142-53 + + 1854726 + + + + Crit Rev Biochem Mol Biol. 1991;26(1):1-52 + + 1678690 + + + + Proc Natl Acad Sci U S A. 1992 May 1;89(9):3751-5 + + 1570293 + + + + Nat Genet. 1993 Mar;3(3):266-72 + + 8485583 + + + + J Mol Biol. 1994 Dec 2;244(3):332-50 + + 7966343 + + + + J Mol Biol. 1995 Mar 3;246(4):511-21 + + 7877172 + + + + Eur J Biochem. 1995 May 1;229(3):688-95 + + 7758464 + + + + Appl Environ Microbiol. 1995 Jul;61(7):2762-4 + + 7618889 + + + + J Bacteriol. 1996 Feb;178(3):723-7 + + 8550506 + + + + Structure. 1995 Nov 15;3(11):1147-58 + + 8591026 + + + + Nucleic Acids Res. 1996 Jan 1;24(1):1-5 + + 8594554 + + + + Biochemistry. 1996 Feb 27;35(8):2597-609 + + 8611563 + + + + Protein Eng. 1995 Aug;8(8):779-89 + + 8637847 + + + + Protein Eng. 1996 Jan;9(1):27-36 + + 9053899 + + + + Science. 1996 Aug 23;273(5278):1058-73 + + 8688087 + + + + Proteins. 1997 May;28(1):117-30 + + 9144797 + + + + J Mol Biol. 1997 Jun 20;269(4):631-43 + + 9217266 + + + + Gene. 1997 Dec 31;205(1-2):309-16 + + 9461405 + + + + J Theor Biol. 1968 Nov;21(2):170-201 + + 5700434 + + + + +
+ + + 10168751 + + 1997 + 08 + 28 + + + 2006 + 11 + 15 + +
+ + 0168-8510 + + 40 + 3 + + 1997 + Jun + + + Health policy (Amsterdam, Netherlands) + Health Policy + + Health technology assessment: decentralized and fragmented in the US compared to other countries. + + 177-98 + + + This paper presents the results of the first comprehensive international survey to catalogue health technology assessment (HTA) activities. By 1995, there were formal HTA programs in 24 countries established mostly in the late 1980s and early 1990s. European countries generally have one or two federal or provincial HTA programs each, Canada has an extensive network of federal and regional organizations coordinated by a central body and the US has 53 HTA organizations, the vast majority of which are in the private sector. While the commitment of the US government to HTA has been erratic, the private sector has been witness to an expansion of HTA activities by insurance companies, hospitals, medical/device manufacturers, consulting firms and health professional societies. In contrast to other developed countries, the current state of technology assessment in the US is decentralized, fragmented and duplicative. We conclude by discussing the importance of a US HTA agency at the national level. + + + + Perry + S + S + + Medical Technology and Practice Patterns Institute, WHO Collaborating Center on Health Technology Assessment, Washington, DC 20007, USA. + + + + Thamer + M + M + + + eng + + Comparative Study + Journal Article + Research Support, Non-U.S. Gov't + +
+ + Ireland + Health Policy + 8409431 + 0168-8510 + + H + + + Health Policy 1997 Dec;42(3):269-90 + + + + + Canada + + + Diffusion of Innovation + + + Europe + + + Health Care Surveys + + + Health Policy + + + Information Services + + + Private Sector + + + Technology Assessment, Biomedical + legislation & jurisprudence + methods + organization & administration + statistics & numerical data + + + United States + + + United States Office of Technology Assessment + + +
+ + + + 1997 + 5 + 7 + + + 1997 + 5 + 7 + 0 + 1 + + + 1997 + 5 + 7 + 0 + 0 + + + ppublish + + 10168751 + S016885109700897X + + +
+ + + 10188493 + + 1999 + 04 + 13 + + + 2016 + 11 + 24 + +
+ + 1354-5760 + + 5 + 8 + + 1998 Dec-1999 Jan + + + Nursing management (Harrow, London, England : 1994) + Nurs Manag (Harrow) + + Women's health osteopathy: an alternative view. + + 6-9 + + + + Hyne + J + J + + + eng + + Journal Article + +
+ + England + Nurs Manag (Harrow) + 9433248 + 1354-5760 + + N + + + Female + + + Humans + + + Osteopathic Medicine + methods + + + State Medicine + + + United Kingdom + + + Women's Health + + +
+ + + + 1999 + 4 + 3 + + + 1999 + 4 + 3 + 0 + 1 + + + 1999 + 4 + 3 + 0 + 0 + + + ppublish + + 10188493 + + +
+ + + 10192114 + + 1999 + 06 + 01 + + + 2007 + 01 + 29 + +
+ + 0031-7144 + + 54 + 3 + + 1999 + Mar + + + Die Pharmazie + Pharmazie + + Antimicrobial activity of some Nepalese medicinal plants. + + 232-4 + + + + Rajbhandari + M + M + + Institute of Pharmacy, Ernst-Moritz-Arndt-University, Greifswald, Germany. + + + + Schöpke + T + T + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + Germany + Pharmazie + 9800766 + 0031-7144 + + + + 0 + Anti-Bacterial Agents + + + 0 + Plant Extracts + + + IM + + + Anti-Bacterial Agents + isolation & purification + pharmacology + + + Gram-Positive Bacteria + drug effects + + + Microbial Sensitivity Tests + + + Nepal + + + Plant Extracts + pharmacology + + + Plants, Medicinal + chemistry + + +
+ + + + 1999 + 4 + 7 + + + 1999 + 4 + 7 + 0 + 1 + + + 1999 + 4 + 7 + 0 + 0 + + + ppublish + + 10192114 + + +
+ + + 10331748 + + 1999 + 06 + 01 + + + 2009 + 11 + 11 + +
+ + 0031-9023 + + 79 + 5 + + 1999 + May + + + Physical therapy + Phys Ther + + Looking for the Forrest. + + 454-5 + + + + Rothstein + J M + JM + + + eng + + Editorial + +
+ + United States + Phys Ther + 0022623 + 0031-9023 + + AIM + IM + + + Empathy + + + Humans + + + Knowledge + + + Physical Therapy Modalities + + + Professional-Patient Relations + + + Social Change + + + Violence + psychology + + +
+ + + + 1999 + 5 + 20 + + + 1999 + 5 + 20 + 0 + 1 + + + 1999 + 5 + 20 + 0 + 0 + + + ppublish + + 10331748 + + +
+ + + 10192115 + + 1999 + 06 + 01 + + + 2013 + 11 + 21 + +
+ + 0031-7144 + + 54 + 3 + + 1999 + Mar + + + Die Pharmazie + Pharmazie + + Different kinetics of hydroquinone depletion in various medicinal plant tissue cultures producing arbutin. + + 234-5 + + + + Jahodár + L + L + + Department of Pharmaceutical Botany and Ecology, Faculty of Pharmacy, Charles University, Hradec Králové, Czech Republic. + + + + Dusková + J + J + + + Polásek + M + M + + + Papugová + P + P + + + eng + + Journal Article + +
+ + Germany + Pharmazie + 9800766 + 0031-7144 + + + + 0 + Hydroquinones + + + C5INA23HXF + Arbutin + + + IM + + + Arbutin + analysis + biosynthesis + + + Culture Techniques + + + Flow Injection Analysis + + + Hydroquinones + analysis + chemistry + + + Kinetics + + + Plants, Medicinal + metabolism + + +
+ + + + 1999 + 4 + 7 + + + 1999 + 4 + 7 + 0 + 1 + + + 1999 + 4 + 7 + 0 + 0 + + + ppublish + + 10192115 + + +
+ + + 10331749 + + 1999 + 06 + 01 + + + 2009 + 11 + 11 + +
+ + 0031-9023 + + 79 + 5 + + 1999 + May + + + Physical therapy + Phys Ther + + Effects of side lying on lung function in older individuals. + + 456-66 + + + Body positioning exerts a strong effect on pulmonary function, but its effect on other components of the oxygen transport pathway are less well understood, especially the effects of side-lying positions. This study investigated the interrelationships between side-lying positions and indexes of lung function such as spirometry, alveolar diffusing capacity, and inhomogeneity of ventilation in older individuals. + Nineteen nonsmoking subjects (mean age=62.8 years, SD=6.8, range=50-74) with no history of cardiac or pulmonary disease were tested over 2 sessions. The test positions were sitting and left side lying in one session and sitting and right side lying in the other session. In each of the positions, forced vital capacity (FVC), forced expiratory volume in 1 second (FEV1), single-breath pulmonary diffusing capacity (DLCO/VA), and the slope of phase III (DN2%/L) of the single-breath nitrogen washout test to determine inhomogeneity of ventilation were measured. + Compared with measurements obtained in the sitting position, FVC and FEV1 were decreased equally in the side-lying positions, but no change was observed in DLCO/VA or DN2%/L. + Side-lying positions resulted in decreases in FVC and FEV1, which is consistent with the well-documented effects of the supine position. These findings further support the need for prescriptive rather than routine body positioning of patients with risks of cardiopulmonary compromise and the need to use upright positions in which lung volumes and capacities are maximized. + + + + Manning + F + F + + Family Medicine, Faculty of Medicine, University of British Columbia, Vancouver, Canada. + + + + Dean + E + E + + + Ross + J + J + + + Abboud + R T + RT + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + United States + Phys Ther + 0022623 + 0031-9023 + + AIM + IM + S + + + Aged + physiology + + + Breath Tests + + + Female + + + Forced Expiratory Volume + physiology + + + Heart Diseases + prevention & control + + + Humans + + + Lung Diseases + prevention & control + + + Male + + + Middle Aged + + + Posture + physiology + + + Predictive Value of Tests + + + Pulmonary Diffusing Capacity + physiology + + + Spirometry + + + Vital Capacity + physiology + + +
+ + + + 1999 + 5 + 20 + + + 1999 + 5 + 20 + 0 + 1 + + + 1999 + 5 + 20 + 0 + 0 + + + ppublish + + 10331749 + + +
+ + + 10389168 + + 1999 + 07 + 15 + + + 2016 + 10 + 20 + +
+ + 0869-8139 + + 85 + 1 + + 1999 + Jan + + + Rossiiskii fiziologicheskii zhurnal imeni I.M. Sechenova + Ross Fiziol Zh Im I M Sechenova + + [Ethanol modifies the ion selectivity of sodium channels in the rat sensory neurons]. + + 110-8 + + + Ethanol was shown to decrease the reversal potential of tetrodotoxin-resistant (TTXr) and TTX-sensitive channels in short-term culture of the dorsal root ganglion cells. The ethanol led to alterations in ionic selectivity of the TTXr channels (its shifting from the X-th Eisenmann selectivity sequence to the XI-th one). The data obtained suggest that the findings were due to selectivity filter modification because of disturbed hydrogen bounds in the channel macromolecule. + + + + Krylov + B V + BV + + I. P. Pavlov Institute of Physiology, Russian Acad. Sci., St. Petersburg, Russia. + + + + Vilin + Iu Iu + IuIu + + + Katina + I E + IE + + + Podzorova + S A + SA + + + rus + + English Abstract + Journal Article + + Etanol modifitsiruet ionnuiu izbiratel'nost' natrievykh kanalov sensornykh neĭronov krysy. +
+ + Russia (Federation) + Ross Fiziol Zh Im I M Sechenova + 9715665 + 0869-8139 + + + + 0 + Cations + + + 0 + Sodium Channels + + + 3K9958V90M + Ethanol + + + 4368-28-9 + Tetrodotoxin + + + IM + + + Animals + + + Cations + metabolism + + + Cells, Cultured + + + Ethanol + pharmacology + + + Ganglia, Spinal + cytology + + + Ion Channel Gating + + + Neurons, Afferent + drug effects + metabolism + + + Patch-Clamp Techniques + + + Rats + + + Rats, Wistar + + + Sodium Channels + drug effects + + + Tetrodotoxin + pharmacology + + +
+ + + + 1999 + 7 + 2 + + + 1999 + 7 + 2 + 0 + 1 + + + 1999 + 7 + 2 + 0 + 0 + + + ppublish + + 10389168 + + +
+ + + 10540283 + + 1999 + 12 + 17 + + + 2006 + 11 + 15 + +
+ + 0950-382X + + 34 + 1 + + 1999 + Oct + + + Molecular microbiology + Mol. Microbiol. + + Transcription regulation of the nir gene cluster encoding nitrite reductase of Paracoccus denitrificans involves NNR and NirI, a novel type of membrane protein. + + 24-36 + + + The nirIX gene cluster of Paracoccus denitrificans is located between the nir and nor gene clusters encoding nitrite and nitric oxide reductases respectively. The NirI sequence corresponds to that of a membrane-bound protein with six transmembrane helices, a large periplasmic domain and cysteine-rich cytoplasmic domains that resemble the binding sites of [4Fe-4S] clusters in many ferredoxin-like proteins. NirX is soluble and apparently located in the periplasm, as judged by the predicted signal sequence. NirI and NirX are homologues of NosR and NosX, proteins involved in regulation of the expression of the nos gene cluster encoding nitrous oxide reductase in Pseudomonas stutzeri and Sinorhizobium meliloti. Analysis of a NirI-deficient mutant strain revealed that NirI is involved in transcription activation of the nir gene cluster in response to oxygen limitation and the presence of N-oxides. The NirX-deficient mutant transiently accumulated nitrite in the growth medium, but it had a final growth yield similar to that of the wild type. Transcription of the nirIX gene cluster itself was controlled by NNR, a member of the family of FNR-like transcriptional activators. An NNR binding sequence is located in the middle of the intergenic region between the nirI and nirS genes with its centre located at position -41.5 relative to the transcription start sites of both genes. Attempts to complement the NirI mutation via cloning of the nirIX gene cluster on a broad-host-range vector were unsuccessful, the ability to express nitrite reductase being restored only when the nirIX gene cluster was reintegrated into the chromosome of the NirI-deficient mutant via homologous recombination in such a way that the wild-type nirI gene was present directly upstream of the nir operon. + + + + Saunders + N F + NF + + Department of Molecular Cell Physiology, Faculty of Biology, BioCentrum Amsterdam, Vrije Universiteit, De Boelelaan 1087, NL-1081 HV Amsterdam, The Netherlands. + + + + Houben + E N + EN + + + Koefoed + S + S + + + de Weert + S + S + + + Reijnders + W N + WN + + + Westerhoff + H V + HV + + + De Boer + A P + AP + + + Van Spanning + R J + RJ + + + eng + + + GENBANK + + AF005358 + U47133 + U94899 + + + + PDB + + P33943 + + + + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + England + Mol Microbiol + 8712028 + 0950-382X + + + + 0 + Bacterial Proteins + + + 0 + DNA-Binding Proteins + + + 0 + Membrane Proteins + + + 0 + NNR protein, Paracoccus denitrificans + + + 0 + NirI protein, Paracoccus denitrificans + + + 0 + NirX protein, Paracoccus denitrificans + + + 0 + Transcription Factors + + + EC 1.7.- + Nitrite Reductases + + + IM + + + Amino Acid Sequence + + + Bacterial Proteins + + + Base Sequence + + + DNA-Binding Proteins + + + Gene Expression Regulation, Bacterial + + + Genetic Complementation Test + + + Membrane Proteins + chemistry + genetics + metabolism + + + Molecular Sequence Data + + + Multigene Family + + + Mutation + + + Nitrite Reductases + genetics + metabolism + + + Paracoccus denitrificans + genetics + metabolism + + + Protein Structure, Secondary + + + Sequence Homology, Amino Acid + + + Transcription Factors + genetics + metabolism + + + Transcription, Genetic + + +
+ + + + 1999 + 12 + 14 + + + 1999 + 12 + 14 + 0 + 1 + + + 1999 + 12 + 14 + 0 + 0 + + + ppublish + + 10540283 + mmi1563 + + +
+ + + 10612833 + + 2000 + 01 + 20 + + + 2012 + 07 + 11 + +
+ + 1098-1004 + + 15 + 1 + + 2000 + Jan + + + Human mutation + Hum. Mutat. + + Erratum: analysis of DNA elements that modulate myosin VIIa expression in humans. + + 114-5 + + + Usher syndromeIb (USH1B), an autosomal recessive disorder caused by mutations in myosin VIIa (MYO7A), is characterized by congenital profound hearing loss, vestibular abnormalities and retinitis pigmentosa. Promoter elements in the 5 kb upstream of the translation start were identified using adult retinal pigment epithelium cells (ARPE-19) as a model system. A 160 bp minimal promoter within the first intron was active in ARPE-19 cells, but not in HeLa cells that do not express MYO7A. A 100 bp sequence, 5' of the first exon, and repeated with 90% homology within the first intron, appeared to modulate expression in both cell lines. Segments containing these elements were screened by heteroduplex analysis. No heteroduplexes were detected in the minimal promoter, suggesting that this sequence is conserved. A -2568 A>T transversion in the 5' 100 bp repeat, eliminating a CCAAT element, was found only in USH1B patients. However, in all 5 families, -2568 A>T was in cis with the same missense mutation in the myosin VIIa tail (Arg1240Gln), and 4 of the 5 families were Dutch. These observations suggest either 1) linkage disequilibrium or 2)that a combination of a promoter mutation with a less active myosin VIIa protein results in USH1B. + Copyright 2000 Wiley-Liss, Inc. + + + + Orten + D J + DJ + + Center for Hereditary Communication Disorders, Boys Town National Research Hospital Omaha, NE, USA. ortend@boystown.org + + + + Weston + M D + MD + + + Kelley + P M + PM + + + Cremers + C W + CW + + + Wagenaar + M + M + + + Jacobson + S G + SG + + + Kimberling + W J + WJ + + + eng + + + DC00677 + DC + NIDCD NIH HHS + United States + + + DC00982 + DC + NIDCD NIH HHS + United States + + + DC03351 + DC + NIDCD NIH HHS + United States + + + + Corrected and Republished Article + Journal Article + Research Support, Non-U.S. Gov't + Research Support, U.S. Gov't, P.H.S. + +
+ + United States + Hum Mutat + 9215429 + 1059-7794 + + + + EC 3.6.4.1 + Myosins + + + EC 3.6.4.1 + myosin VIIa + + + EC 3.6.4.2 + Dyneins + + + IM + + + Hum Mutat. 1999 Oct;14(4):354 + 10502787 + + + + + Amino Acid Substitution + + + Cell Line + + + Dyneins + + + Gene Expression Regulation + + + HeLa Cells + + + Hearing Loss, Sensorineural + genetics + metabolism + + + Humans + + + Linkage Disequilibrium + + + Mutation, Missense + + + Myosins + biosynthesis + genetics + + + Pedigree + + + Pigment Epithelium of Eye + metabolism + + + Polymerase Chain Reaction + + + Polymorphism, Restriction Fragment Length + + + Promoter Regions, Genetic + + + Retinitis Pigmentosa + genetics + metabolism + + + Syndrome + + + Vestibular Diseases + genetics + metabolism + + +
+ + + + 1999 + 12 + 29 + + + 1999 + 12 + 29 + 0 + 1 + + + 1999 + 12 + 29 + 0 + 0 + + + ppublish + + 10612833 + 10.1002/(SICI)1098-1004(200001)15:1<114::AID-HUMU21>3.0.CO;2-4 + 10.1002/(SICI)1098-1004(200001)15:1<114::AID-HUMU21>3.0.CO;2-4 + + +
+ + + 10737756 + + 2000 + 04 + 13 + + + 2018 + 11 + 30 + +
+ + 0022-2623 + + 43 + 6 + + 2000 + Mar + 23 + + + Journal of medicinal chemistry + J. Med. Chem. + + Phosphorylated morpholine acetal human neurokinin-1 receptor antagonists as water-soluble prodrugs. + + 1234-41 + + + The regioselective dibenzylphosphorylation of 2 followed by catalytic reduction in the presence of N-methyl-D-glucamine afforded 2-(S)-(1-(R)-(3, 5-bis(trifluoromethyl)phenyl)ethoxy)-3-(S)-(4-fluoro)phenyl-4-(5-(2- phosphoryl-3-oxo-4H,-1,2,4-triazolo)methylmorpholine, bis(N-methyl-D-glucamine) salt, 11. Incubation of 11 in rat, dog, and human plasma and in human hepatic subcellular fractions in vitro indicated that conversion to 2 would be expected to occur in vivo most readily in humans during hepatic circulation. Conversion of 11 to 2 occurred rapidly in vivo in the rat and dog with the levels of 11 being undetectable within 5 min after 1 and 8 mg/kg doses iv in the rat and within 15 min after 0.5, 2, and 32 mg/kg doses iv in the dog. Compound 11 has a 10-fold lower affinity for the human NK-1 receptor as compared to 2, but it is functionally equivalent to 2 in preclinical models of NK-1-mediated inflammation in the guinea pig and cisplatin-induced emesis in the ferret, indicating that 11 acts as a prodrug of 2. Based in part on these data, 11 was identified as a novel, water-soluble prodrug of the clinical candidate 2 suitable for intravenous administration in humans. + + + + Hale + J J + JJ + + Merck Research Laboratories, P.O. Box 2000, Rahway, New Jersey 07065, and Merck, Sharp & Dohme, Neuroscience Research Centre, Terlings Park, Eastwick Road, Harlow, Essex CM20 2QR, U.K. jeffrey_hale@merck.com + + + + Mills + S G + SG + + + MacCoss + M + M + + + Dorn + C P + CP + + + Finke + P E + PE + + + Budhu + R J + RJ + + + Reamer + R A + RA + + + Huskey + S E + SE + + + Luffer-Atlas + D + D + + + Dean + B J + BJ + + + McGowan + E M + EM + + + Feeney + W P + WP + + + Chiu + S H + SH + + + Cascieri + M A + MA + + + Chicchi + G G + GG + + + Kurtz + M M + MM + + + Sadowski + S + S + + + Ber + E + E + + + Tattersall + F D + FD + + + Rupniak + N M + NM + + + Williams + A R + AR + + + Rycroft + W + W + + + Hargreaves + R + R + + + Metzger + J M + JM + + + MacIntyre + D E + DE + + + eng + + Journal Article + +
+ + United States + J Med Chem + 9716531 + 0022-2623 + + + + 0 + 2-(1-(3,5-bis(trifluoromethyl)phenyl)ethoxy)-3-(4-fluoro)phenyl-4-(5-(2-phosphoryl-3-oxo-4H,-1,2,4-triazolo))methylmorpholine, bis(N-methylglucamine) salt + + + 0 + Acetals + + + 0 + Anti-Inflammatory Agents, Non-Steroidal + + + 0 + Antiemetics + + + 0 + Antineoplastic Agents + + + 0 + Morpholines + + + 0 + Neurokinin-1 Receptor Antagonists + + + 0 + Prodrugs + + + 059QF0KO0R + Water + + + 1NF15YR6UY + aprepitant + + + Q20Q21Q62J + Cisplatin + + + IM + + + Acetals + chemical synthesis + chemistry + metabolism + pharmacology + + + Animals + + + Anti-Inflammatory Agents, Non-Steroidal + chemical synthesis + chemistry + metabolism + pharmacology + + + Antiemetics + chemical synthesis + chemistry + metabolism + pharmacology + + + Antineoplastic Agents + + + Cisplatin + + + Dogs + + + Drug Evaluation, Preclinical + + + Ferrets + + + Guinea Pigs + + + Humans + + + Morpholines + chemical synthesis + chemistry + metabolism + pharmacology + + + Neurokinin-1 Receptor Antagonists + + + Prodrugs + chemical synthesis + chemistry + metabolism + pharmacology + + + Rats + + + Solubility + + + Stereoisomerism + + + Structure-Activity Relationship + + + Vomiting + chemically induced + drug therapy + + + Water + + +
+ + + + 2000 + 3 + 29 + 9 + 0 + + + 2000 + 4 + 15 + 9 + 0 + + + 2000 + 3 + 29 + 9 + 0 + + + ppublish + + 10737756 + jm990617v + + +
+ + + 10854512 + + 2000 + 06 + 29 + + + 2004 + 11 + 17 + +
+ + 1432-2218 + + 14 + 1 + + 2000 + Jan + + + Surgical endoscopy + Surg Endosc + + Inflammatory fibroid polyp of the duodenum. + + 86 + + + Duodenal inflammatory fibroid polyps (IFP) are extemely rare lesions indistinguishable from submucosal tumors by endoscopic inspection alone. Like gastric inflammatory fibroid polyps, they can be managed by endoscopic polypectomy or mucosectomy. However, preoperative diagnosis of this benign lesion is difficult. Here we present a case of duodenal IFP causing gastrointestinal bleeding that was evaluated by endoscopic ultrasound before surgical removal. On endosonography, the duodenal IFP appeared as a coarsely heterogeneous isoechoic and hypoechoic mass circumscribed by a distinct margin and arising from the third layer of the duodenal wall. The endosonographic appearance of this lesion was in marked contrast to that previously reported for gastric IFPs, which have tended to appear as hypoechoic homogeneous lesions with indistinct margins. Endosonographic evaluation of suspected IFPs before endoscopic or surgical treatment is useful. However, the endosonographic appearances of duodenal and gastric IFPs may be significantly different, possibly because of differences in the makeup of the duodenal and gastric walls. + + + + Soon + M S + MS + + Division of Gastroenterology, ChangHua Christian Medical Center, ChangHua, Taiwan. + + + + Lin + O S + OS + + + eng + + Case Reports + Journal Article + + + 1999 + 11 + 25 + +
+ + Germany + Surg Endosc + 8806653 + 0930-2794 + + IM + + + Duodenal Neoplasms + complications + pathology + surgery + + + Duodenitis + etiology + pathology + surgery + + + Endoscopy, Gastrointestinal + + + Endosonography + + + Female + + + Fibroma + pathology + surgery + + + Gastric Mucosa + pathology + + + Gastrointestinal Hemorrhage + etiology + pathology + surgery + + + Humans + + + Intestinal Polyps + complications + pathology + surgery + + + Middle Aged + + +
+ + + + 1999 + 07 + 22 + + + 1999 + 08 + 10 + + + 2000 + 6 + 16 + + + 2000 + 7 + 6 + + + 2000 + 6 + 16 + 0 + 0 + + + ppublish + + 10854512 + 10.1007/s004649901204 + + +
+ + + 10972993 + + 2000 + 09 + 26 + + + 2008 + 11 + 21 + +
+ + 0899-1987 + + 28 + 4 + + 2000 + Aug + + + Molecular carcinogenesis + Mol. Carcinog. + + Altered expression of BRCA1, BRCA2, and a newly identified BRCA2 exon 12 deletion variant in malignant human ovarian, prostate, and breast cancer cell lines. + + 236-46 + + + Germline mutations of BRCA1 and BRCA2 predispose to hereditary breast, ovarian, and possibly prostate cancer, yet structural mutations in these genes are infrequent in sporadic cancer cases. To better define the involvement of these genes in sporadic cancers, we characterized expression levels of BRCA1 and BRCA2 transcripts in cancer cell lines derived from neoplasms of the ovary, prostate, and breast and compared them with those expressed in primary cultures of normal epithelial cells established from these organs. We observed upregulation of BRCA1 and/or BRCA2 expression in six of seven ovarian cancer cell lines (OVCA420, OVCA429, OVCA432, ALST, DOV13, and SKOV3) when compared with levels found in normal ovary surface epithelial cells. Furthermore, five cancerous or immortalized prostatic epithelial cell lines (BPH-1, TSU-Pr1, LNCaP, PC-3, and DU145) also expressed higher levels of BRCA1 and/or BRCA2 mRNA than did primary cultures of normal prostatic epithelial cells. In contrast, only the estrogen receptor-positive MCF-7 cell line overexpressed these messages, whereas the estrogen receptor-negative breast cancer cell lines Hs578T, MDA-MB-231, and MDA-MB-468 showed no change in expression levels when compared with normal breast epithelial cells. In addition, expanding on our recent identification of a novel BRCA2 transcript variant carrying an in-frame exon 12 deletion (BRCA2 delta 12), we report increased expression of this variant in several ovarian, prostate, and mammary cancer cell lines (OVCA420, OVCA433, ALST, DOV13, SKOV3, TSU-Pr1, DU145, and MDA-MB-468). Most notably, high levels of BRCA2 delta 12 mRNA were detected in an estrogen receptor-positive breast cancer cell line, MCF-7, and in an androgen-independent prostate cancer cell line, DU-145. Interestingly, the wild-type BRCA2 transcript was barely detectable in DU145, which could be used as a model system for future investigations on BRCA2 delta 12 function. Taken together, our data suggest disruption of BRCA1 and/or BRCA2 gene expression in certain epithelial cancer cell lines of the ovary, prostate, and breast. Because wild-type BRCA1 and BRCA2 gene products increase during cell-cycle progression and are believed to exert growth-inhibitory action, enhanced expression of these genes in cancer cells may represent a negative feedback mechanism for curbing proliferation in fast-growing cells. At present, the functionality of BRCA2 delta 12 remains elusive. + Copyright 2000 Wiley-Liss, Inc. + + + + Rauh-Adelmann + C + C + + Department of Biology, Tufts University, Medford, Massachusetts, USA. + + + + Lau + K M + KM + + + Sabeti + N + N + + + Long + J P + JP + + + Mok + S C + SC + + + Ho + S M + SM + + + eng + + + C69453 + PHS HHS + United States + + + CA15576 + CA + NCI NIH HHS + United States + + + CA62269 + CA + NCI NIH HHS + United States + + + + Journal Article + Research Support, Non-U.S. Gov't + Research Support, U.S. Gov't, P.H.S. + +
+ + United States + Mol Carcinog + 8811105 + 0899-1987 + + + + 0 + BRCA1 Protein + + + 0 + BRCA2 Protein + + + 0 + Neoplasm Proteins + + + 0 + RNA, Messenger + + + 0 + Transcription Factors + + + IM + + + BRCA1 Protein + genetics + + + BRCA2 Protein + + + Breast + metabolism + + + Breast Neoplasms + genetics + + + Cell Line + + + Epithelial Cells + metabolism + + + Exons + + + Female + + + Gene Expression Regulation, Neoplastic + + + Genes, BRCA1 + + + Genetic Variation + + + Humans + + + Male + + + Neoplasm Proteins + genetics + + + Ovarian Neoplasms + genetics + + + Prostatic Neoplasms + genetics + + + RNA, Messenger + genetics + + + Sequence Deletion + + + Transcription Factors + genetics + + + Transcription, Genetic + + + Tumor Cells, Cultured + + +
+ + + + 2000 + 9 + 6 + 11 + 0 + + + 2000 + 9 + 30 + 11 + 1 + + + 2000 + 9 + 6 + 11 + 0 + + + ppublish + + 10972993 + 10.1002/1098-2744(200008)28:4<236::AID-MC6>3.0.CO;2-H + + +
+ + + 11025314 + + 2001 + 01 + 05 + + + 2006 + 11 + 15 + +
+ + 0108-2701 + + 56 ( Pt 10) + + 2000 + Oct + + + Acta crystallographica. Section C, Crystal structure communications + Acta Crystallogr C + + Multicentre hydrogen bonds in a 2:1 arylsulfonylimidazolone hydrochloride salt. + + 1247-50 + + + The title compound, (S)-(+)-4-[5-(2-oxo-4, 5-dihydroimidazol-1-ylsulfonyl)indolin-1 -ylcarbonyl ]anilinium chloride (S)-(+)-1-[1-(4-aminobenzoyl)indoline-5- sulfonyl]-4-phenyl-4, 5-dihydroimidazol-2-one, C(24)H(23)N(4)O(4)S(+).Cl(-). C(24)H(22)N(4)O(4)S, crystallizes in space group C2 from a CH(3)OH/CH(2)Cl(2) solution. In the crystal structure, there are two different conformers with their terminal C(6) aromatic rings mutually oriented at angles of 67.69 (14) and 61.16 (15) degrees. The distances of the terminal N atoms (of the two conformers) from the chloride ion are 3.110 (4) and 3.502 (4) A. There are eight distinct hydrogen bonds, i.e. four N-H...Cl, three N-H...O and one N-H...N, with one N-H group involved in a bifurcated hydrogen bond with two acceptors sharing the H atom. C-H...O contacts assist in the overall hydrogen-bonding process. + + + + Park + K L + KL + + College of Pharmacy, Chungnam National University, Taejeon 305-764, Korea. parki@cnu.ac.kr. + + + + Moon + B G + BG + + + Jung + S H + SH + + + Kim + J G + JG + + + Suh + I H + IH + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + United States + Acta Crystallogr C + 8305826 + 0108-2701 + + + + 0 + 1-(1-(4-aminobenzoyl)indoline-5-sulfonyl)-4-phenyl-4,5-dihydroimidazol-2-one + + + 0 + Antineoplastic Agents + + + 0 + Imidazoles + + + 0 + Sulfones + + + IM + + + Antineoplastic Agents + chemistry + + + Crystallography, X-Ray + + + Hydrogen Bonding + + + Imidazoles + chemistry + + + Models, Molecular + + + Molecular Conformation + + + Stereoisomerism + + + Sulfones + chemistry + + +
+ + + + 2000 + 05 + 17 + + + 2000 + 07 + 03 + + + 2000 + 10 + 12 + 11 + 0 + + + 2001 + 2 + 28 + 10 + 1 + + + 2000 + 10 + 12 + 11 + 0 + + + ppublish + + 11025314 + S0108270100009495 + + +
+ + + 11034741 + + 2001 + 08 + 02 + + + 2013 + 06 + 28 + +
+ + 1469-493X + + 4 + + 2000 + + + The Cochrane database of systematic reviews + Cochrane Database Syst Rev + + Parent-training programmes for improving maternal psychosocial health. + + CD002020 + + + The prevalence of mental health problems in women is 1:3 and such problems tend to be persistent. There is evidence from a range of studies to suggest that a number of factors relating to maternal psychosocial health can have a significant effect on the mother-infant relationship, and that this can have consequences for the psychological health of the child. It is now thought that parenting programmes may have an important role to play in the improvement of maternal psychosocial health. + The objective of this review is to address whether group-based parenting programmes are effective in improving maternal psychosocial health including anxiety, depression and self-esteem. + A range of biomedical, social science, educational and general reference electronic databases were searched including MEDLINE, EMBASE CINAHL, PsychLIT, ERIC, ASSIA, Sociofile and the Social Science Citation Index. Other sources of information included the Cochrane Library (SPECTR, CENTRAL), and the National Research Register (NRR). + Only randomised controlled trials were included in which participants had been randomly allocated to an experimental and a control group, the latter being either a waiting-list, no-treatment or a placebo control group. Studies had to include at least one group-based parenting programme, and one standardised instrument measuring maternal psychosocial health. + A systematic critical appraisal of all included studies was undertaken using the Journal of the American Medical Association (JAMA) published criteria. The data were summarised using effect sizes but were not combined in a meta-analysis due to the small number of studies within each group and the presence of significant heterogeneity. + A total of 22 studies were included in the review but only 17 provided sufficient data to calculate effect sizes. These 17 studies reported on a total of 59 outcomes including depression, anxiety, stress, self-esteem, social competence, social support, guilt, mood, automatic thoughts, dyadic adjustment, psychiatric morbidity, irrationality, anger and aggression, mood, attitude, personality, and beliefs. Approximately 22% of the outcomes measured suggested significant differences favouring the intervention group. A further 40% showed differences favouring the intervention group but which failed to achieve conventional levels of statistical significance, in some cases due to the small numbers that were used. Approximately 38% of outcomes suggested no evidence of effectiveness. + It is suggested that parenting programmes can make a significant contribution to the improvement of psychosocial health in mothers. While the critical appraisal suggests some variability in the quality of the included studies, it is concluded that there is sufficient evidence to support their use with diverse groups of parents. However, it is also suggested that some caution should be exercised before the results are generalised to parents irrespective of the level of pathology present, and that further research is still required. + + + + Barlow + J + J + + Health Services Research Unit, University of Oxford, Institute of Health Sciences, Old Road, Oxford, UK, OX3 7LF. esther.coren@dphpc.ox.ac.uk + + + + Coren + E + E + + + eng + + Journal Article + Review + +
+ + England + Cochrane Database Syst Rev + 100909747 + 1361-6137 + + IM + + + Cochrane Database Syst Rev. 2001;(2):CD002020 + 11406024 + + + + + Anxiety + therapy + + + Depression + therapy + + + Female + + + Humans + + + Maternal Behavior + psychology + + + Mother-Child Relations + + + Parenting + + + Program Evaluation + + + Randomized Controlled Trials as Topic + + + Self Concept + + + 99 +
+ + + + 2000 + 10 + 18 + 11 + 0 + + + 2001 + 8 + 3 + 10 + 1 + + + 2000 + 10 + 18 + 11 + 0 + + + ppublish + + 11034741 + CD002020 + 10.1002/14651858.CD002020 + + +
+ + + 11056631 + + 2016 + 03 + 08 + + + 2000 + 12 + 01 + +
+ + 0031-9007 + + 85 + 19 + + 2000 + Nov + 06 + + + Physical review letters + Phys. Rev. Lett. + + Dislocated epitaxial islands. + + 4088-91 + + + Dislocation networks observed in CoSi (2) islands grown epitaxially on Si are compared with the results of dislocation-dynamics calculations. The calculations make use of the fact that image forces play a relatively minor role compared to line tension forces and dislocation-dislocation interactions. Remarkable agreement is achieved, demonstrating that this approach can be applied more generally to study dislocations in other mesostructures. + + + + Liu + X H + XH + + IBM Watson Research Center, P.O. Box 218, Yorktown Heights, New York 10598, USA. + + + + Ross + F M + FM + + + Schwarz + K W + KW + + + eng + + Journal Article + +
+ + United States + Phys Rev Lett + 0401141 + 0031-9007 + +
+ + + + 2000 + 07 + 17 + + + 2000 + 11 + 1 + 11 + 0 + + + 2000 + 11 + 1 + 11 + 1 + + + 2000 + 11 + 1 + 11 + 0 + + + ppublish + + 11056631 + 10.1103/PhysRevLett.85.4088 + + +
+ + + 11238657 + + 2001 + 05 + 17 + + + 2018 + 11 + 30 + +
+ + 0022-1767 + + 166 + 6 + + 2001 + Mar + 15 + + + Journal of immunology (Baltimore, Md. : 1950) + J. Immunol. + + Histamine induces exocytosis and IL-6 production from human lung macrophages through interaction with H1 receptors. + + 4083-91 + + + Increasing evidence suggests that a continuous release of histamine from mast cells occurs in the airways of asthmatic patients and that histamine may modulate functions of other inflammatory cells such as macrophages. In the present study histamine (10(-9)-10(-6) M) increased in a concentration-dependent fashion the basal release of beta-glucuronidase (EC(50) = 8.2 +/- 3.5 x 10(-9) M) and IL-6 (EC(50) = 9.3 +/- 2.9 x 10(-8) M) from human lung macrophages. Enhancement of beta-glucuronidase release induced by histamine was evident after 30 min and peaked at 90 min, whereas that of IL-6 required 2-6 h of incubation. These effects were reproduced by the H(1) agonist (6-[2-(4-imidazolyl)ethylamino]-N-(4-trifluoromethylphenyl)heptane carboxamide but not by the H(2) agonist dimaprit. Furthermore, histamine induced a concentration-dependent increase of intracellular Ca(2+) concentrations ([Ca(2+)](i)) that followed three types of response, one characterized by a rapid increase, a second in which [Ca(2+)](i) displays a slow but progressive increase, and a third characterized by an oscillatory pattern. Histamine-induced beta-glucuronidase and IL-6 release and [Ca(2+)](i) elevation were inhibited by the selective H(1) antagonist fexofenadine (10(-7)-10(-4) M), but not by the H(2) antagonist ranitidine. Inhibition of histamine-induced beta-glucuronidase and IL-6 release by fexofenadine was concentration dependent and displayed the characteristics of a competitive antagonism (K(d) = 89 nM). These data demonstrate that histamine induces exocytosis and IL-6 production from human macrophages by activating H(1) receptor and by increasing [Ca(2+)](i) and they suggest that histamine may play a relevant role in the long-term sustainment of allergic inflammation in the airways. + + + + Triggiani + M + M + + Division of Clinical Immunology and Allergy, University of Naples Federico II, Naples, Italy. triggian@unina.it + + + + Gentile + M + M + + + Secondo + A + A + + + Granata + F + F + + + Oriente + A + A + + + Taglialatela + M + M + + + Annunziato + L + L + + + Marone + G + G + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + United States + J Immunol + 2985117R + 0022-1767 + + + + 0 + Histamine Agonists + + + 0 + Histamine H1 Antagonists + + + 0 + Histamine H2 Antagonists + + + 0 + Interleukin-6 + + + 0 + RNA, Messenger + + + 0 + Receptors, Histamine H1 + + + 0 + Toluidines + + + 103827-15-2 + 6-((2-(4-imidazolyl)ethyl)amino)heptanoic acid 4-toluidide + + + 820484N8I3 + Histamine + + + EC 3.2.1.31 + Glucuronidase + + + SY7Q814VUP + Calcium + + + ZZQ699148P + Dimaprit + + + AIM + IM + + + Calcium + metabolism + physiology + + + Cytosol + metabolism + + + Dimaprit + pharmacology + + + Dose-Response Relationship, Immunologic + + + Exocytosis + immunology + + + Glucuronidase + secretion + + + Histamine + analogs & derivatives + pharmacology + physiology + + + Histamine Agonists + pharmacology + + + Histamine H1 Antagonists + pharmacology + + + Histamine H2 Antagonists + pharmacology + + + Humans + + + Interleukin-6 + biosynthesis + genetics + secretion + + + Lung + cytology + enzymology + immunology + metabolism + + + Macrophages, Alveolar + enzymology + immunology + metabolism + secretion + + + RNA, Messenger + biosynthesis + + + Receptors, Histamine H1 + metabolism + + + Toluidines + pharmacology + + + Up-Regulation + immunology + + +
+ + + + 2001 + 3 + 10 + 10 + 0 + + + 2001 + 5 + 18 + 10 + 1 + + + 2001 + 3 + 10 + 10 + 0 + + + ppublish + + 11238657 + + +
+ + + 11243089 + + 2001 + 05 + 17 + + + 2006 + 11 + 15 + +
+ + 0019-557X + + 43 + 1 + + 1999 Jan-Mar + + + Indian journal of public health + Indian J Public Health + + Nutritional status of pavement dweller children of Calcutta City. + + 49-54 + + + Pavement dwelling is likely to aggravate malnutrition among its residents due to extreme poverty, lack of dwelling and access to food and their exposure to polluted environment. Paucity of information about nutritional status of street children compared to that among urban slum dwellers, squatters or rural/tribal population is quite evident. The present study revealed the magnitude of Protein Energy Malnutrition (PEM) and few associated factors among a sample of 435 underfives belonging to pavement dweller families and selected randomly from clusters of such families, from each of the five geographical sectors of Calcutta city. Overall prevalence of PEM was found almost similar (about 70%) to that among other 'urban poor' children viz. slum dwellers etc., but about 16% of them were found severely undernourished (Grade III & V of IAP classification of PEM). About 35% and 70% of street dweller children had wasting and stunting respectively. Severe PEM (Grade III & IV) was more prevalent among 12-23 months old, girl child, those belonged to illiterate parents and housewife mothers rather than wage earners. It also did increase with increase of birth rate of decrease of birth interval. + + + + Ray + S K + SK + + Department of Community Medicine, Medical College, Calcutta. + + + + Mishra + R + R + + + Biswas + R + R + + + Kumar + S + S + + + Halder + A + A + + + Chatterjee + T + T + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + India + Indian J Public Health + 0400673 + 0019-557X + + IM + J + + + Child, Preschool + + + Cluster Analysis + + + Cross-Sectional Studies + + + Educational Status + + + Female + + + Humans + + + India + epidemiology + + + Infant + + + Male + + + Nutritional Status + + + Poverty + + + Prejudice + + + Prevalence + + + Protein-Energy Malnutrition + epidemiology + + + 143717 + 00288124 + + This document presents a cross-sectional survey concerning the magnitude of protein energy malnutrition (PEM) and its associated factors among 435 under-5 pavement-dwelling children in Calcutta. Results revealed that 69.43% were undernourished and that 16% of them were suffering from severe malnutrition (grade III and IV of the Indian Academy of Pediatrics criteria for PEM). The 24-35 month age group had the highest prevalence of malnutrition (82.93%) followed by the 36-47 and 12-23 month age groups with prevalences of 76.19% and 74.03%, respectively. Prevalence of severe grade malnutrition was noted to be three times higher in females (24.76%) than males (8.45%), and among families it increased in direct proportion to birth rate and inverse proportion to birth interval. Moreover, children of illiterate parents and nonworking mothers had a higher incidence of severe PEM. Simple measures such as exclusive breast-feeding and timely complementary feeding as well as measures directed toward birth spacing and limiting family size should be implemented to solve the problem of malnutrition. + + + Age Factors + Asia + Child + Child Nutrition + Demographic Factors + Developing Countries + Diseases + Geographic Factors + Health + Homeless Persons + India + Malnutrition + Nutrition + Nutrition Disorders + Population + Population Characteristics + Research Methodology + Research Report + Residence Characteristics + Sampling Studies + Southern Asia + Spatial Distribution + Studies + Surveys + Urban Population + Youth + + TJ: INDIAN JOURNAL OF PUBLIC HEALTH. +
+ + + + 2001 + 3 + 13 + 10 + 0 + + + 2001 + 5 + 18 + 10 + 1 + + + 2001 + 3 + 13 + 10 + 0 + + + ppublish + + 11243089 + + +
+ + + 11279676 + + 2001 + 12 + 07 + + + 2014 + 11 + 20 + +
+ + 1469-493X + + 1 + + 2001 + + + The Cochrane database of systematic reviews + Cochrane Database Syst Rev + + Elective versus selective caesarean section for delivery of the small baby. + + CD000078 + + + Elective caesarean delivery for women in preterm labour might reduce the chances of fetal or neonatal death, but it might also increase the risk of maternal morbidity. + To assess the effects of a policy of elective caesarean delivery versus selective caesarean delivery for women in preterm labour. + The Cochrane Pregnancy and Childbirth Group trials register was searched. Date of last search: September 2000. + Randomised trials comparing a policy of elective caesarean delivery versus expectant management with recourse to caesarean section. + One reviewer assessed eligibility and trial quality, and both contributed to the update. + Six studies involving 122 women were included. All trials reported recruiting difficulties. No significant differences between elective and selective policies for caesarean delivery were found for fetal, neonatal or maternal outcomes. + There is not enough evidence to evaluate the use of a policy for elective caesarean delivery for small babies. Randomised trials in this area are likely to continue to experience recruitment problems. However, it still may be possible to investigate elective caesarean delivery in preterm babies with cephalic presentations. + + + + Grant + A + A + + Health Services Research Unit, The Polwarth Building, Foresterhill, Aberdeen, UK, AB9 2ZD. a.grant@abdn.ac.uk + + + + Glazener + C M + CM + + + eng + + Journal Article + Review + +
+ + England + Cochrane Database Syst Rev + 100909747 + 1361-6137 + + IM + + + Cochrane Database Syst Rev. 2000;(2):CD000078 + 10796117 + + + Cochrane Database Syst Rev. 2001;(2):CD000078 + 11405950 + + + + + Cesarean Section + + + Elective Surgical Procedures + + + Female + + + Humans + + + Infant, Newborn + + + Infant, Premature + + + Obstetric Labor, Premature + + + Pregnancy + + + Randomized Controlled Trials as Topic + + + 21 +
+ + + + 2001 + 5 + 2 + 10 + 0 + + + 2002 + 1 + 5 + 10 + 1 + + + 2001 + 5 + 2 + 10 + 0 + + + ppublish + + 11279676 + CD000078 + 10.1002/14651858.CD000078 + + +
+ + + 11406024 + + 2002 + 02 + 28 + + + 2013 + 06 + 28 + +
+ + 1469-493X + + 2 + + 2001 + + + The Cochrane database of systematic reviews + Cochrane Database Syst Rev + + Parent-training programmes for improving maternal psychosocial health. + + CD002020 + + + Mental health problems are common, and there is evidence from a range of studies to suggest that a number of factors relating to maternal psychosocial health can have a significant effect on the mother-infant relationship, and that this can have consequences for both the short and long-term psychological health of the child. The use of parenting programmes is increasing in the UK and evidence of their effectiveness in improving outcomes for mothers is now required. + The objective of this review is to address whether group-based parenting programmes are effective in improving maternal psychosocial health including anxiety, depression, and self-esteem. + A range of biomedical, social science, educational and general reference electronic databases were searched including MEDLINE, EMBASE CINAHL, PsychLIT, ERIC, ASSIA, Sociofile and the Social Science Citation Index. Other sources of information included the Cochrane Library (SPECTR, CENTRAL), and the National Research Register (NRR). + Only randomised controlled trials were included in which participants had been randomly allocated to an experimental and a control group, the latter being either a waiting-list, no-treatment or a placebo control group. Studies had to include at least one group-based parenting programme, and one standardised instrument measuring maternal psychosocial health. + A systematic critical appraisal of all included studies was undertaken using a modified version of the Journal of the American Medical Association (JAMA) published criteria. The treatment effect for each outcome in each study was standardised by dividing the mean difference in post-intervention scores for the intervention and treatment group, by the pooled standard deviation, to produce an effect size. Where appropriate the results were then combined in a meta-analysis using a fixed-effect model, and 95% confidence intervals were used to assess the significance of the findings. + A total of 23 studies were included in the review but only 17 provided sufficient data to calculate effect sizes. The 17 studies provided a total of 59 assessments of outcome on a range of aspects of psychosocial functioning including depression, anxiety, stress, self-esteem, social competence, social support, guilt, mood, automatic thoughts, dyadic adjustment, psychiatric morbidity, irrationality, anger and aggression, mood, attitude, personality, and beliefs. There was only sufficient data, however, on five outcomes (depression; anxiety/stress; self-esteem; social support; and relationship with spouse/marital adjustment) to combine the results in a meta-analysis. The meta-analyses show statistically significant results favouring the intervention group as regards depression; anxiety/stress; self-esteem; and relationship with spouse/marital adjustment. The meta-analysis of the social support data, however, showed no evidence of effectiveness. These results suggest that parenting programmes, irrespective of the type (or content) of programme, can be effective in improving important aspects of maternal psycho-social functioning. Of the data summarising the effectiveness of the different types of parenting programmes, which it was not possible to combine in a meta-analysis, approximately 22% of the outcomes measured, showed significant differences between the intervention group and the control group. A further 40% showed medium to large non-significant differences favouring the intervention group. Approximately one-third of outcomes showed small non-significant differences or no evidence of effectiveness. A meta-analysis of the follow-up data on three outcomes was also conducted - depression, self-esteem and relationship with spouse/marital adjustment. The results show that there was a continued improvement in self-esteem, depression and marital adjustment at follow-up, although the latter two findings were not statistically significant. + It is suggested that parenting programmes can make a significant contribution to short-term psychosocial health in mothers, and that the limited follow-up data available suggest that these are maintained over time. However, the overall paucity of long-term follow-up data points to the need for further evidence concerning the long-term effectiveness of parenting programmes on maternal mental health. Furthermore, it is suggested that some caution should be exercised before the results are generalised to parents irrespective of the level of pathology present, and that further research is still required. + + + + Barlow + J + J + + Health Services Research Unit, University of Oxford, Institute of Health Sciences, Old Road, Headington, Oxford, UK, OX3 7LF. esther.coren@public-health.oxford.ac.uk + + + + Coren + E + E + + + eng + + Journal Article + Review + +
+ + England + Cochrane Database Syst Rev + 100909747 + 1361-6137 + + IM + + + Cochrane Database Syst Rev. 2000;(4):CD002020 + 11034741 + + + Cochrane Database Syst Rev. 2004;(1):CD002020 + 14973981 + + + + + Anxiety + therapy + + + Depression + therapy + + + Female + + + Humans + + + Maternal Behavior + psychology + + + Maternal Welfare + + + Mother-Child Relations + + + Parenting + + + Program Evaluation + + + Randomized Controlled Trials as Topic + + + Self Concept + + + 100 +
+ + + + 2001 + 6 + 19 + 10 + 0 + + + 2002 + 3 + 1 + 10 + 1 + + + 2001 + 6 + 19 + 10 + 0 + + + ppublish + + 11406024 + CD002020 + 10.1002/14651858.CD002020 + + +
+ + + 11237011 + + 2001 + 03 + 22 + + + 2016 + 10 + 25 + +
+ + 0028-0836 + + 409 + 6822 + + 2001 + Feb + 15 + + + Nature + Nature + + Initial sequencing and analysis of the human genome. + + 860-921 + + + The human genome holds an extraordinary trove of information about human development, physiology, medicine and evolution. Here we report the results of an international collaboration to produce and make freely available a draft sequence of the human genome. We also present an initial analysis of the data, describing some of the insights that can be gleaned from the sequence. + + + + Lander + E S + ES + + Whitehead Institute for Biomedical Research, Center for Genome Research, Cambridge, MA 02142, USA. lander@genome.wi.mit.edu + + + + Linton + L M + LM + + + Birren + B + B + + + Nusbaum + C + C + + + Zody + M C + MC + + + Baldwin + J + J + + + Devon + K + K + + + Dewar + K + K + + + Doyle + M + M + + + FitzHugh + W + W + + + Funke + R + R + + + Gage + D + D + + + Harris + K + K + + + Heaford + A + A + + + Howland + J + J + + + Kann + L + L + + + Lehoczky + J + J + + + LeVine + R + R + + + McEwan + P + P + + + McKernan + K + K + + + Meldrim + J + J + + + Mesirov + J P + JP + + + Miranda + C + C + + + Morris + W + W + + + Naylor + J + J + + + Raymond + C + C + + + Rosetti + M + M + + + Santos + R + R + + + Sheridan + A + A + + + Sougnez + C + C + + + Stange-Thomann + Y + Y + + + Stojanovic + N + N + + + Subramanian + A + A + + + Wyman + D + D + + + Rogers + J + J + + + Sulston + J + J + + + Ainscough + R + R + + + Beck + S + S + + + Bentley + D + D + + + Burton + J + J + + + Clee + C + C + + + Carter + N + N + + + Coulson + A + A + + + Deadman + R + R + + + Deloukas + P + P + + + Dunham + A + A + + + Dunham + I + I + + + Durbin + R + R + + + French + L + L + + + Grafham + D + D + + + Gregory + S + S + + + Hubbard + T + T + + + Humphray + S + S + + + Hunt + A + A + + + Jones + M + M + + + Lloyd + C + C + + + McMurray + A + A + + + Matthews + L + L + + + Mercer + S + S + + + Milne + S + S + + + Mullikin + J C + JC + + + Mungall + A + A + + + Plumb + R + R + + + Ross + M + M + + + Shownkeen + R + R + + + Sims + S + S + + + Waterston + R H + RH + + + Wilson + R K + RK + + + Hillier + L W + LW + + + McPherson + J D + JD + + + Marra + M A + MA + + + Mardis + E R + ER + + + Fulton + L A + LA + + + Chinwalla + A T + AT + + + Pepin + K H + KH + + + Gish + W R + WR + + + Chissoe + S L + SL + + + Wendl + M C + MC + + + Delehaunty + K D + KD + + + Miner + T L + TL + + + Delehaunty + A + A + + + Kramer + J B + JB + + + Cook + L L + LL + + + Fulton + R S + RS + + + Johnson + D L + DL + + + Minx + P J + PJ + + + Clifton + S W + SW + + + Hawkins + T + T + + + Branscomb + E + E + + + Predki + P + P + + + Richardson + P + P + + + Wenning + S + S + + + Slezak + T + T + + + Doggett + N + N + + + Cheng + J F + JF + + + Olsen + A + A + + + Lucas + S + S + + + Elkin + C + C + + + Uberbacher + E + E + + + Frazier + M + M + + + Gibbs + R A + RA + + + Muzny + D M + DM + + + Scherer + S E + SE + + + Bouck + J B + JB + + + Sodergren + E J + EJ + + + Worley + K C + KC + + + Rives + C M + CM + + + Gorrell + J H + JH + + + Metzker + M L + ML + + + Naylor + S L + SL + + + Kucherlapati + R S + RS + + + Nelson + D L + DL + + + Weinstock + G M + GM + + + Sakaki + Y + Y + + + Fujiyama + A + A + + + Hattori + M + M + + + Yada + T + T + + + Toyoda + A + A + + + Itoh + T + T + + + Kawagoe + C + C + + + Watanabe + H + H + + + Totoki + Y + Y + + + Taylor + T + T + + + Weissenbach + J + J + + + Heilig + R + R + + + Saurin + W + W + + + Artiguenave + F + F + + + Brottier + P + P + + + Bruls + T + T + + + Pelletier + E + E + + + Robert + C + C + + + Wincker + P + P + + + Smith + D R + DR + + + Doucette-Stamm + L + L + + + Rubenfield + M + M + + + Weinstock + K + K + + + Lee + H M + HM + + + Dubois + J + J + + + Rosenthal + A + A + + + Platzer + M + M + + + Nyakatura + G + G + + + Taudien + S + S + + + Rump + A + A + + + Yang + H + H + + + Yu + J + J + + + Wang + J + J + + + Huang + G + G + + + Gu + J + J + + + Hood + L + L + + + Rowen + L + L + + + Madan + A + A + + + Qin + S + S + + + Davis + R W + RW + + + Federspiel + N A + NA + + + Abola + A P + AP + + + Proctor + M J + MJ + + + Myers + R M + RM + + + Schmutz + J + J + + + Dickson + M + M + + + Grimwood + J + J + + + Cox + D R + DR + + + Olson + M V + MV + + + Kaul + R + R + + + Raymond + C + C + + + Shimizu + N + N + + + Kawasaki + K + K + + + Minoshima + S + S + + + Evans + G A + GA + + + Athanasiou + M + M + + + Schultz + R + R + + + Roe + B A + BA + + + Chen + F + F + + + Pan + H + H + + + Ramser + J + J + + + Lehrach + H + H + + + Reinhardt + R + R + + + McCombie + W R + WR + + + de la Bastide + M + M + + + Dedhia + N + N + + + Blöcker + H + H + + + Hornischer + K + K + + + Nordsiek + G + G + + + Agarwala + R + R + + + Aravind + L + L + + + Bailey + J A + JA + + + Bateman + A + A + + + Batzoglou + S + S + + + Birney + E + E + + + Bork + P + P + + + Brown + D G + DG + + + Burge + C B + CB + + + Cerutti + L + L + + + Chen + H C + HC + + + Church + D + D + + + Clamp + M + M + + + Copley + R R + RR + + + Doerks + T + T + + + Eddy + S R + SR + + + Eichler + E E + EE + + + Furey + T S + TS + + + Galagan + J + J + + + Gilbert + J G + JG + + + Harmon + C + C + + + Hayashizaki + Y + Y + + + Haussler + D + D + + + Hermjakob + H + H + + + Hokamp + K + K + + + Jang + W + W + + + Johnson + L S + LS + + + Jones + T A + TA + + + Kasif + S + S + + + Kaspryzk + A + A + + + Kennedy + S + S + + + Kent + W J + WJ + + + Kitts + P + P + + + Koonin + E V + EV + + + Korf + I + I + + + Kulp + D + D + + + Lancet + D + D + + + Lowe + T M + TM + + + McLysaght + A + A + + + Mikkelsen + T + T + + + Moran + J V + JV + + + Mulder + N + N + + + Pollara + V J + VJ + + + Ponting + C P + CP + + + Schuler + G + G + + + Schultz + J + J + + + Slater + G + G + + + Smit + A F + AF + + + Stupka + E + E + + + Szustakowki + J + J + + + Thierry-Mieg + D + D + + + Thierry-Mieg + J + J + + + Wagner + L + L + + + Wallis + J + J + + + Wheeler + R + R + + + Williams + A + A + + + Wolf + Y I + YI + + + Wolfe + K H + KH + + + Yang + S P + SP + + + Yeh + R F + RF + + + Collins + F + F + + + Guyer + M S + MS + + + Peterson + J + J + + + Felsenfeld + A + A + + + Wetterstrand + K A + KA + + + Patrinos + A + A + + + Morgan + M J + MJ + + + de Jong + P + P + + + Catanese + J J + JJ + + + Osoegawa + K + K + + + Shizuya + H + H + + + Choi + S + S + + + Chen + Y J + YJ + + + Szustakowki + J + J + + + International Human Genome Sequencing Consortium + + + eng + + + U54 HG003273 + HG + NHGRI NIH HHS + United States + + + + Journal Article + Research Support, Non-U.S. Gov't + Research Support, U.S. Gov't, Non-P.H.S. + Research Support, U.S. Gov't, P.H.S. + +
+ + England + Nature + 0410462 + 0028-0836 + + + + 0 + DNA Transposable Elements + + + 0 + Proteins + + + 0 + Proteome + + + 63231-63-0 + RNA + + + IM + + + Nature. 2001 Feb 15;409(6822):820-1 + 11236995 + + + Nature. 2001 Feb 15;409(6822):818-20 + 11236994 + + + Nature. 2001 Feb 15;409(6822):814-6 + 11236992 + + + Nature. 2001 Feb 15;409(6822):822-3 + 11236997 + + + Nature 2001 Jun 7;411(6838):720 + Szustakowki, J [corrected to Szustakowski, J] + + + Nature. 2001 Oct 18;413(6857):660 + 11606985 + + + Nature 2001 Aug 2;412(6846):565 + + + + + Animals + + + Chromosome Mapping + + + Conserved Sequence + + + CpG Islands + + + DNA Transposable Elements + + + Databases, Factual + + + Drug Industry + + + Evolution, Molecular + + + Forecasting + + + GC Rich Sequence + + + Gene Duplication + + + Genes + + + Genetic Diseases, Inborn + + + Genetics, Medical + + + Genome, Human + + + Human Genome Project + + + Humans + + + Mutation + + + Private Sector + + + Proteins + genetics + + + Proteome + + + Public Sector + + + RNA + genetics + + + Repetitive Sequences, Nucleic Acid + + + Sequence Analysis, DNA + methods + + + Species Specificity + + +
+ + + + 2001 + 3 + 10 + 10 + 0 + + + 2001 + 3 + 27 + 10 + 1 + + + 2001 + 3 + 10 + 10 + 0 + + + ppublish + + 11237011 + 10.1038/35057062 + + +
+ + + 11428848 + + 2001 + 09 + 27 + + + 2007 + 11 + 15 + +
+ + 0195-668X + + 22 + 13 + + 2001 + Jul + + + European heart journal + Eur. Heart J. + + Indications for implantable cardioverter defibrillator (ICD) therapy. Study Group on Guidelines on ICDs of the Working Group on Arrhythmias and the Working Group on Cardiac Pacing of the European Society of Cardiology. + + 1074-81 + + + + Hauer + R N + RN + + Heart Lung Center Utrecht, University Medical Center, The Netherlands. + + + + Aliot + E + E + + + Block + M + M + + + Capucci + A + A + + + Lüderitz + B + B + + + Santini + M + M + + + Vardas + P E + PE + + + European Society of Cardiology. Working Group on Arrhythmias and Working Group on Cardiac Pacing + + + eng + + Guideline + Journal Article + Practice Guideline + +
+ + England + Eur Heart J + 8006263 + 0195-668X + + IM + + + Arrhythmias, Cardiac + etiology + therapy + + + Arrhythmogenic Right Ventricular Dysplasia + therapy + + + Cardiomyopathy, Dilated + therapy + + + Cardiomyopathy, Hypertrophic + therapy + + + Coronary Disease + therapy + + + Death, Sudden, Cardiac + prevention & control + + + Defibrillators, Implantable + + + Heart Valve Diseases + therapy + + + Humans + + + Long QT Syndrome + therapy + + + Ventricular Fibrillation + therapy + + +
+ + + + 2001 + 6 + 29 + 10 + 0 + + + 2001 + 9 + 28 + 10 + 1 + + + 2001 + 6 + 29 + 10 + 0 + + + ppublish + + 11428848 + 10.1053/euhj.2001.2584 + S0195668X01925849 + + +
+ + + 11431089 + + 2005 + 06 + 08 + + + 2004 + 04 + 20 + +
+ + 0924-7947 + + 7 + + 2001 + + + Archives of gerontology and geriatrics. Supplement + Arch Gerontol Geriatr Suppl + + An investigation on behavioral problems in centenarians. + + 375-8 + + + + Tafaro + L + L + + Department of Aging Science, Policlinico Umberto I, University La Sapienza, Roma, Italy. + + + + Cicconetti + P + P + + + Martella + S + S + + + Tedeschi + G + G + + + Zannino + G + G + + + Troisi + G + G + + + Pastena + I + I + + + Fioravanti + M + M + + + Marigliano + V + V + + + eng + + Journal Article + +
+ + Ireland + Arch Gerontol Geriatr Suppl + 8911786 + 0924-7947 + +
+ + + + 2001 + 6 + 30 + 10 + 0 + + + 2001 + 6 + 30 + 10 + 1 + + + 2001 + 6 + 30 + 10 + 0 + + + ppublish + + 11431089 + S0167494301001649 + + +
+ + + 11441930 + + 2001 + 07 + 19 + + + 2015 + 11 + 19 + +
+ + 0284-186X + + 40 + 2-3 + + 2001 + + + Acta oncologica (Stockholm, Sweden) + Acta Oncol + + Assessment of quality of life during chemotherapy. + + 175-84 + + + Increasingly more aggressive chemotherapy together with expected small differences between treatments with respect to objective endpoints has heightened awareness about the importance of addressing how patients experience and value the impact that treatment has had on their overall life situation. Assessment of a patient's quality of life (QoL) is now conceptually viewed as an important complement to traditional objective evaluation measures. It was therefore considered important to review the basis for the assessment of this endpoint when The Swedish Council of Technology Assessment in Health Care (SBU) performed a systematic overview of chemotherapy effects in several tumour types. The group came to the following conclusions: QoL assessments, mostly by patient self-reporting in questionnaires, have come increasingly into use during the past decade. A number of general, cancer-specific and cancer diagnosis-specific instruments have been developed. There is at present little need for development of new cancer instruments, although specific treatment modalities and tumour types may need new additional modules. A predefined hypothesis should determine the instrument to be used. Since the selection of a QoL instrument in a specific study influences both the results and the conclusions, it is essential to carefully select the instrument or instruments that have the greatest likelihood of identifying relevant differences between treatment alternatives. Interpretation of QoL data is more difficult than interpretation of objective endpoints such as survival time, objective response rates or toxicity. Despite these difficulties, QoL analyses have provided new insights into the advantages and disadvantages of various treatments not provided by traditional end-points. Some palliative treatments seemingly increase patients' QoL despite side-effects or the lack of, or marginal, increases in survival. When using potentially curative chemotherapy, it is not a matter of when the treatment should be started, but rather when it should be concluded. When using less active chemotherapy, the expected small therapeutic gains must be weighed against the QoL costs of using the therapy: does the toxicity and/or the inconvenience of the proposed treatment justify the expected gain? When it is found that the strain on the patient is greater than the effects of the cancer, treatment must be discontinued. It is not possible to determine whether or not the advantages of palliative chemotherapy are worth their costs without knowledge about patients' personal values regarding the influence on factors of relevance for QoL. The mostly used QoL questionnaires do not consider individual preferences, which therefore need to be addressed in the dialogue with the patient. QoL assessment is clearly in need of further methodological improvement before this endpoint can be regarded as fully established with respect to ability to provide unequivocally useful data in clinical trials. The multitude of questionnaires, missing data, lack of pre-study hypotheses of relevant differences between treatments and data multiplicity giving a risk for chance findings are examples of serious methodological problems. Patient response-shifts over time further complicate the interpretation of the data. Thus, QoL data, also from seemingly well-performed clinical trials, have to be interpreted cautiously. The international development during recent years has aimed at creating increased standardization of QoL measures. This has created greater possibilities to compare results from different trials. Hopefully, this also implies that it will be possible to draw firmer conclusions from QoL measurements in recently completed or ongoing trials than has been the case previously. QoL assessments are resource demanding even when short standardized questionnaires are used. Since cancer patients also generally give priority to anticancer effects over toxicity and convenience, QoL assessments in clinical trials are motivated mainly in study settings comparing treatments without expected major differences of outcome in objective endpoints. + + + + Gunnars + B + B + + Department of Oncology, University Hospital, Lund, Sweden. + + + + Nygren + P + P + + + Glimelius + B + B + + + SBU-group. Swedish Council of Technology Assessment in Health Care + + + eng + + Journal Article + Review + +
+ + England + Acta Oncol + 8709065 + 0284-186X + + + + 0 + Antineoplastic Agents + + + IM + + + Antineoplastic Agents + adverse effects + therapeutic use + + + Endpoint Determination + + + Humans + + + Neoplasms + drug therapy + + + Outcome Assessment (Health Care) + + + Palliative Care + + + Patient Satisfaction + + + Quality of Life + + + Surveys and Questionnaires + + + 112 +
+ + + + 2001 + 7 + 10 + 10 + 0 + + + 2001 + 7 + 20 + 10 + 1 + + + 2001 + 7 + 10 + 10 + 0 + + + ppublish + + 11441930 + + +
+ + + 11442735 + + 2001 + 10 + 04 + + + 2013 + 11 + 21 + +
+ + 0303-6979 + + 28 + 8 + + 2001 + Aug + + + Journal of clinical periodontology + J. Clin. Periodontol. + + Utilisation of locally delivered doxycycline in non-surgical treatment of chronic periodontitis. A comparative multi-centre trial of 2 treatment approaches. + + 753-61 + + + In the present 6-month multicentre trial, the outcome of 2 different approaches to non-surgical treatment of chronic periodontitis, both involving the use of a locally delivered controlled-release doxycycline, was evaluated. + 105 adult patients with moderately advanced chronic periodontitis from 3 centres participated in the trial. Each patient had to present with at least 8 periodontal sites in 2 jaw quadrants with a probing pocket depth (PPD) of > or =5 mm and bleeding following pocket probing (BoP), out of which at least 2 sites had to be > or =7 mm and a further 2 sites > or =6 mm. Following a baseline examination, including assessments of plaque, PPD, clinical attachment level (CAL) and BoP, careful instruction in oral hygiene was given. The patients were then randomly assigned to one of two treatment groups: scaling/root planing (SRP) with local analgesia or debridement (supra- and subgingival ultrasonic instrumentation without analgesia). The "SRP" group received a single episode of full-mouth supra-/subgingival scaling and root planing under local analgesia. In addition, at a 3-month recall visit, a full-mouth supra-/subgingival debridement using ultrasonic instrumentation was provided. This was followed by subgingival application of an 8.5% w/w doxycycline polymer at sites with a remaining PPD of > or =5 mm. The patients of the "debridement" group were initially subjected to a 45-minute full-mouth debridement with the use of an ultrasonic instrument and without administration of local analgesia, and followed by application of doxycycline in sites with a PPD of > or =5 mm. At month 3, sites with a remaining PPD of > or =5 mm were subjected to scaling and root planing. Clinical re-examinations were performed at 3 and 6 months. + At 3 months, the proportion of sites showing PPD of < or =4 mm was significantly higher in the "debridement" group than in the "SRP" group (58% versus 50%; p<0.05). The CAL gain at 3 months amounted to 0.8 mm in the "debridement" group and 0.5 mm in the "SRP" group (p=0.064). The proportion of sites demonstrating a clinically significant CAL gain (> or =2 mm) was higher in the "debridement" group than in the "SRP" group (38% versus 30%; p<0.05). At the 6-month examination, no statistically significant differences in PPD or CAL were found between the two treatment groups. BoP was significantly lower for the "debridement" group than for the "SRP" group (p<0.001) both at 3- and 6 months. The mean total treatment time (baseline and 3-month) for the "SRP" patients was 3:11 h, compared to 2:00 h for the patients in the "debridement" group (p<0.001). + The results indicate that simplified subgingival instrumentation combined with local application of doxycycline in deep periodontal sites can be considered as a justified approach for non-surgical treatment of chronic periodontitis. + + + + Wennström + J L + JL + + Department of Periodontology, Institute of Odontology, Göteborg University, SE 405 30 Göteborg, Sweden. wennstrom@odontologi.gu.se + + + + Newman + H N + HN + + + MacNeill + S R + SR + + + Killoy + W J + WJ + + + Griffiths + G S + GS + + + Gillam + D G + DG + + + Krok + L + L + + + Needleman + I G + IG + + + Weiss + G + G + + + Garrett + S + S + + + eng + fre + ger + + Clinical Trial + Journal Article + Multicenter Study + Randomized Controlled Trial + Research Support, Non-U.S. Gov't + +
+ + United States + J Clin Periodontol + 0425123 + 0303-6979 + + + + 0 + Anti-Bacterial Agents + + + N12000U13O + Doxycycline + + + D + IM + + + Adult + + + Aged + + + Anti-Bacterial Agents + administration & dosage + + + Chronic Disease + + + Clinical Protocols + + + Cost-Benefit Analysis + + + Debridement + + + Dental Scaling + methods + + + Doxycycline + administration & dosage + analogs & derivatives + + + Drug Compounding + + + Female + + + Gingival Hemorrhage + etiology + + + Humans + + + Male + + + Middle Aged + + + Periodontal Pocket + pathology + + + Periodontitis + complications + drug therapy + pathology + therapy + + + Prospective Studies + + + Root Planing + methods + + + Single-Blind Method + + + Treatment Outcome + + +
+ + + + 2001 + 7 + 10 + 10 + 0 + + + 2001 + 10 + 5 + 10 + 1 + + + 2001 + 7 + 10 + 10 + 0 + + + ppublish + + 11442735 + cpe280806 + + +
+ + + 11473127 + + 2001 + 11 + 01 + + + 2013 + 11 + 21 + +
+ + 0021-9258 + + 276 + 39 + + 2001 + Sep + 28 + + + The Journal of biological chemistry + J. Biol. Chem. + + Evidence that ligand and metal ion binding to integrin alpha 4beta 1 are regulated through a coupled equilibrium. + + 36520-9 + + + We have used the highly selective alpha(4)beta(1) inhibitor 2S-[(1-benzenesulfonyl-pyrrolidine-2S-carbonyl)-amino]-4-[4-methyl-2S-(methyl-[2-[4-(3-o-tolyl-ureido)-phenyl]-acetyl]-amino)-pentanoylamino]-butyric acid (BIO7662) as a model ligand to study alpha(4)beta(1) integrin-ligand interactions on Jurkat cells. Binding of [(35)S]BIO7662 to Jurkat cells was dependent on the presence of divalent cations and could be blocked by treatment with an excess of unlabeled inhibitor or with EDTA. K(D) values for the binding of BIO7662 to Mn(2+)-activated alpha(4)beta(1) and to the nonactivated state of the integrin that exists in 1 mm Mg(2+), 1 mm Ca(2+) were <10 pm, indicating that it has a high affinity for both activated and nonactivated integrin. No binding was observed on alpha(4)beta(1) negative cells. Through an analysis of the metal ion dependences of ligand binding, several unexpected findings about alpha(4)beta(1) function were made. First, we observed that Ca(2+) binding to alpha(4)beta(1) was stimulated by the addition of BIO7662. From solution binding studies on purified alpha(4)beta(1), two types of Ca(2+)-binding sites were identified, one dependent upon and the other independent of BIO7662 binding. Second, we observed that the metal ion dependence of ligand binding was affected by the affinity of the ligand for alpha(4)beta(1). ED(50) values for the metal ion dependence of the binding of BIO7762 and the binding of a lower affinity ligand, BIO1211, differed by 2-fold for Mn(2+), 30-fold for Mg(2+), and >1000-fold for Ca(2+). Low Ca(2+) (ED(50) = 5-10 microm) stimulated the binding of BIO7662 to alpha(4)beta(1). The effects of microm Ca(2+) closely resembled the effects of Mn(2+) on alpha(4)beta(1) function. Third, we observed that the rate of BIO7662 binding was dependent on the metal ion concentration and that the ED(50) for the metal ion dependence of BIO7662 binding was affected by the concentration of the BIO7662. These studies point to an even more complex interplay between metal ion and ligand binding than previously appreciated and provide evidence for a three-component coupled equilibrium model for metal ion-dependent binding of ligands to alpha(4)beta(1). + + + + Chen + L L + LL + + Biogen, Inc., Cambridge, Massachusetts 02142, USA. + + + + Whitty + A + A + + + Scott + D + D + + + Lee + W C + WC + + + Cornebise + M + M + + + Adams + S P + SP + + + Petter + R C + RC + + + Lobb + R R + RR + + + Pepinsky + R B + RB + + + eng + + Journal Article + + + 2001 + 07 + 25 + +
+ + United States + J Biol Chem + 2985121R + 0021-9258 + + + + 0 + 2-((1-benzenesulfonylpyrrolidine-2-carbonyl)amino)-4-(4-methyl-2-(methyl-(2-(4-(3-o-tolylureido)phenyl)acetyl)amino)pentanoylamino)butyric acid + + + 0 + Benzoates + + + 0 + Cations + + + 0 + Dipeptides + + + 0 + Integrin alpha4beta1 + + + 0 + Integrins + + + 0 + Ions + + + 0 + Ligands + + + 0 + Phenylurea Compounds + + + 0 + Receptors, Lymphocyte Homing + + + 42Z2K6ZL8P + Manganese + + + 9G34HU7RV0 + Edetic Acid + + + I38ZP9992A + Magnesium + + + SY7Q814VUP + Calcium + + + IM + + + Benzoates + pharmacology + + + Calcium + metabolism + pharmacology + + + Cations + + + Dipeptides + pharmacology + + + Dose-Response Relationship, Drug + + + Edetic Acid + pharmacology + + + Humans + + + Integrin alpha4beta1 + + + Integrins + antagonists & inhibitors + chemistry + metabolism + + + Ions + + + Jurkat Cells + + + Kinetics + + + Ligands + + + Magnesium + pharmacology + + + Manganese + pharmacology + + + Models, Chemical + + + Phenylurea Compounds + pharmacology + + + Protein Binding + + + Receptors, Lymphocyte Homing + antagonists & inhibitors + chemistry + metabolism + + + Time Factors + + +
+ + + + 2001 + 7 + 27 + 10 + 0 + + + 2001 + 11 + 3 + 10 + 1 + + + 2001 + 7 + 27 + 10 + 0 + + + ppublish + + 11473127 + 10.1074/jbc.M106216200 + M106216200 + + +
+ + + 11488864 + + 2001 + 10 + 25 + + + 2013 + 11 + 21 + +
+ + 0905-7161 + + 12 + 4 + + 2001 + Aug + + + Clinical oral implants research + Clin Oral Implants Res + + Early endosseous integration enhanced by dual acid etching of titanium: a torque removal study in the rabbit. + + 350-7 + + + Textured implant surfaces are thought to enhance endosseous integration. Torque removal forces have been used as a biomechanical measure of anchorage, or endosseous integration, in which the greater forces required to remove implants may be interpreted as an increase in the strength of bony integration. The purpose of this study was to compare the torque resistance to removal of screw-shaped titanium implants having a dual acid-etched surface (Osseotite) with implants having either a machined surface, or a titanium plasma spray surface that exhibited a significantly more complex surface topography. Three custom screw-shaped implant types - machined, dual acid-etched (DAE), and titanium plasma sprayed (TPS) - were used in this study. Each implant surface was characterized by scanning electron microscopy and optical profilometry. One DAE implant was placed into each distal femur of eighteen adult New Zealand White rabbits along with one of the other implant types. Thus, each rabbit received two DAE implants and one each of the machined, or TPS, implants. All implants measured 3.25 mm in diameter x 4.00 mm in length without holes, grooves or slots to resist rotation. Eighteen rabbits were used for reverse torque measurements. Groups of six rabbits were sacrificed following one, two and three month healing periods. Implants were removed by reverse torque rotation with a digital torque-measuring device. Three implants with the machined surface preparation failed to achieve endosseous integration. All other implants were anchored by bone. Mean torque values for machined, DAE and TPS implants at one, two and three months were 6.00+/-0.64 N-cm, 9.07+/-0.67 N-cm and 6.73+/-0.95 N-cm; 21.86+/-1.37 N-cm, 27.63+/-3.41 N-cm and 27.40+/-3.89 N-cm; and 27.48+/-1.61 N-cm, 44.28+/-4.53 N-cm and 59.23+/-3.88 N-cm, respectively. Clearly, at the earliest time point the stability of DAE implants was comparable to that of TPS implants, while that of the machined implants was an order of magnitude lower. The TPS implants increased resistance to reverse torque removal over the three-month period. The results of this study confirm our previous results that demonstrated enhanced bony anchorage to dual acid-etched implants as compared to machined implants. Furthermore, the present results indicate that dual acid etching of titanium enhances early endosseous integration to a level which is comparable to that achieved by the topographically more complex TPS surfaces. + + + + Klokkevold + P R + PR + + Division of Associated Specialties, Section of Periodontics, UCLA School of Dentistry, Los Angeles, CA 90095, USA. pklok@ucla.edu + + + + Johnson + P + P + + + Dadgostari + S + S + + + Caputo + A + A + + + Davies + J E + JE + + + Nishimura + R D + RD + + + eng + fre + ger + + Comparative Study + Journal Article + Research Support, Non-U.S. Gov't + +
+ + Denmark + Clin Oral Implants Res + 9105713 + 0905-7161 + + + + 0 + Coated Materials, Biocompatible + + + 0 + Dental Implants + + + 0 + Sulfuric Acids + + + D1JT611TNE + Titanium + + + O40UQP6WCF + sulfuric acid + + + QTT17582CB + Hydrochloric Acid + + + D + + + Analysis of Variance + + + Animals + + + Coated Materials, Biocompatible + + + Dental Implantation, Endosseous + + + Dental Implants + + + Dental Polishing + + + Dental Prosthesis Design + + + Device Removal + + + Femur + + + Hydrochloric Acid + + + Implants, Experimental + + + Metallurgy + + + Osseointegration + + + Rabbits + + + Sulfuric Acids + + + Surface Properties + + + Titanium + + + Torque + + +
+ + + + 2001 + 8 + 8 + 10 + 0 + + + 2001 + 10 + 26 + 10 + 1 + + + 2001 + 8 + 8 + 10 + 0 + + + ppublish + + 11488864 + clr120409 + + +
+ + + 11488868 + + 2001 + 10 + 25 + + + 2012 + 11 + 15 + +
+ + 0905-7161 + + 12 + 4 + + 2001 + Aug + + + Clinical oral implants research + Clin Oral Implants Res + + Histology of human alveolar bone regeneration with a porous tricalcium phosphate. A report of two cases. + + 379-84 + + + Porous beta-phase tricalcium phosphate particles (pTCP) (Cerasorb) were used in two patients to restore or augment alveolar bone prior to the placement of dental implants. In one patient, pTCP was used to fill a large alveolar defect in the posterior mandible after the removal of a residual cyst, and in another patient to augment the sinus floor. Biopsies were taken at the time of implant placement, 9.5 and 8 months after grafting, respectively, and processed for hard tissue histology. Goldner-stained histological sections showed considerable replacement of the bone substitute by bone and bone marrow. In the 9.5 months biopsy of the mandible, 34% of the biopsy consisted of mineralised bone tissue and 29% of remaining pTCP, while the biopsy at 8 months after sinus floor augmentation consisted of 20% mineralised bone and 44% remaining pTCP. Bone and osteoid were lying in close contact with the remaining pTCP and were also seen within the micropores of the grafted particles. Tartrate resistant-acid phosphatase (TRAP) multinuclear cells, presumably osteoclasts, were found surrounding, within and in close contact with the pTCP particles, suggesting active resorption of the bone substitute. Remodelling of immature woven bone into mature lamellar bone was also found. No histological signs of inflammation were detected. The limited data presented from these two cases suggest that this graft material, possibly by virtue of its porosity and chemical nature, may be a suitable bone substitute that can biodegrade and be replaced by new mineralising bone tissue. + + + + Zerbo + I R + IR + + Department of Oral Cell Biology, ACTA, Vrije Universiteit, Vander Boechorststraat 7, 1081 BT Amsterdam, Netherlands. IR.Zerbo.Ocb.ACTA@med.vu.nl + + + + Bronckers + A L + AL + + + de Lange + G L + GL + + + van Beek + G J + GJ + + + Burger + E H + EH + + + eng + + Case Reports + Journal Article + Research Support, Non-U.S. Gov't + +
+ + Denmark + Clin Oral Implants Res + 9105713 + 0905-7161 + + + + 0 + Bone Substitutes + + + 0 + Calcium Phosphates + + + 0 + beta-tricalcium phosphate + + + K4C08XP666 + tricalcium phosphate + + + D + + + Absorbable Implants + + + Aged + + + Alveolar Ridge Augmentation + methods + + + Bone Regeneration + drug effects + + + Bone Substitutes + pharmacology + + + Calcium Phosphates + pharmacology + + + Humans + + + Male + + + Mandible + surgery + + + Maxillary Sinus + surgery + + + Middle Aged + + + Oral Surgical Procedures, Preprosthetic + + + Porosity + + +
+ + + + 2001 + 8 + 8 + 10 + 0 + + + 2001 + 10 + 26 + 10 + 1 + + + 2001 + 8 + 8 + 10 + 0 + + + ppublish + + 11488868 + clr120413 + + +
+ + + 11520209 + + 2001 + 09 + 27 + + + 2013 + 11 + 21 + +
+ + 0022-2623 + + 44 + 18 + + 2001 + Aug + 30 + + + Journal of medicinal chemistry + J. Med. Chem. + + Novel azo derivatives as prodrugs of 5-aminosalicylic acid and amino derivatives with potent platelet activating factor antagonist activity. + + 3001-13 + + + This paper describes the synthesis of a series of azo compounds able to deliver 5-aminosalicylic acid (5-ASA) and a potent platelet activating factor (PAF) antagonist in a colon-specific manner for the purpose of treating ulcerative colitis. We found it possible to add an amino group on the aromatic moiety of our reported 1-[(1-acyl-4-piperidyl)methyl]-1H-2-methylimidazo[4,5-c]pyridine derivatives or on British Biotech compounds BB-882 and BB-823 maintaining a high level of activity as PAF antagonist. A selected compound UR-12715 (49c) showed an IC(50) of 8 nM in the in vitro PAF-induced aggregation assay, and an ID(50) of 29 microg/kg in the in vivo PAF-induced hypotension test in normotensive rats. Through attachment of 49c to the 5-ASA via azo functionality we obtained UR-12746 (70). Pharmacokinetics experiments with [14C]-70 allow us to reach the following conclusions, critical in the design of these new prodrugs of 5-ASA. Neither the whole molecule 70 nor the carrier 49c were absorbed after oral administration of [14C]-70 in rat as was demonstrated by the absence of plasma levels of radioactivity and the high recovery of it in feces. Effective cleavage of azo bond (84%) by microflora in the colon is achieved. These facts ensure high topical concentrations of 5-ASA and 49c in the colon. Additionally, 70 exhibited a potent anticolitic effect in the trinitrobenzenesulfonic acid-induced colitis model in the rat. This profile suggests that UR-12746 (70) provides an attractive new approach to the treatment of ulcerative colitis. + + + + Carceller + E + E + + Research Center, J. Uriach & Cía.S.A., Degà Bahí 59-67, 08026 Barcelona, Spain. chem-carceller@uriach.com + + + + Salas + J + J + + + Merlos + M + M + + + Giral + M + M + + + Ferrando + R + R + + + Escamilla + I + I + + + Ramis + J + J + + + García-Rafanell + J + J + + + Forn + J + J + + + eng + + Journal Article + +
+ + United States + J Med Chem + 9716531 + 0022-2623 + + + + 0 + 1-((1-(3-(4-aminophenyl)-3-phenylpropenoyl)-4-piperidyl)methyl)-1H-2-methylimidazo(4,5-c)pyridine + + + 0 + Amines + + + 0 + Aminosalicylic Acids + + + 0 + Anti-Inflammatory Agents, Non-Steroidal + + + 0 + Aza Compounds + + + 0 + Azo Compounds + + + 0 + Imidazoles + + + 0 + Platelet Activating Factor + + + 0 + Prodrugs + + + 0 + Pyridines + + + 0 + UR 12746 + + + 4Q81I59GXC + Mesalamine + + + 8T3HQG2ZC4 + Trinitrobenzenesulfonic Acid + + + IM + + + Amines + chemical synthesis + chemistry + pharmacology + + + Aminosalicylic Acids + + + Animals + + + Anti-Inflammatory Agents, Non-Steroidal + chemical synthesis + chemistry + pharmacokinetics + pharmacology + + + Aza Compounds + chemical synthesis + chemistry + pharmacology + + + Azo Compounds + chemical synthesis + chemistry + pharmacokinetics + pharmacology + + + Colitis, Ulcerative + chemically induced + drug therapy + + + Drug Evaluation, Preclinical + + + Female + + + Hypotension + drug therapy + + + Imidazoles + chemical synthesis + chemistry + pharmacology + + + Male + + + Mesalamine + chemical synthesis + chemistry + pharmacology + + + Platelet Activating Factor + antagonists & inhibitors + + + Platelet Aggregation + drug effects + + + Prodrugs + chemical synthesis + chemistry + pharmacokinetics + pharmacology + + + Pyridines + chemical synthesis + chemistry + pharmacology + + + Rats + + + Rats, Sprague-Dawley + + + Rats, Wistar + + + Stereoisomerism + + + Structure-Activity Relationship + + + Trinitrobenzenesulfonic Acid + + +
+ + + + 2001 + 8 + 25 + 10 + 0 + + + 2001 + 9 + 28 + 10 + 1 + + + 2001 + 8 + 25 + 10 + 0 + + + ppublish + + 11520209 + jm010852p + + +
+ + + 11524736 + + 2001 + 12 + 12 + + + 2016 + 11 + 24 + +
+ + 1098-1004 + + 18 + 3 + + 2001 + Sep + + + Human mutation + Hum. Mutat. + + Detection of six novel FBN1 mutations in British patients affected by Marfan syndrome. + + 251 + + + Marfan syndrome (MFS), an autosomal dominant disorder of the extracellular matrix, is due to mutations in fibrillin-1 (FBN1) gene. Investigations carried out in the last decade, unveiled the unpredictability of the site of the mutation, which could be anywhere in the gene. FBN1 mutations have been reported in a spectrum of diseases related to MFS, with no clear evidence for a phenotype-genotype correlation. In this paper we analysed 10 British patients affected by MFS and we were able to characterise five novel missense mutations (C474W, C1402Y, G1987R, C2153Y, G2536R), one novel frameshift mutation (7926delC), one already described mutation (P1424A) and one FBN1 variant (P1148A) classified as a polymorphism in the Asian population. Four out of the five novel missense mutations involved either cysteines or an amino acid conserved in the domain structure. The mutation yield in this study is calculated at 80.0% (8/10), thus indicating that SSCA is a reliable and cost-effective technique for the screening of such a large gene. Our results suggest that this method is reliable to search for FBN1 mutations and that FBN1 screening could be a helpful tool to confirm and possibly anticipate the clinical diagnosis in familial cases. Hum Mutat 18:251, 2001. + Copyright 2001 Wiley-Liss, Inc. + + + + Comeglio + P + P + + Department of Cardiological Sciences, St. George's Hospital Medical School, London, UK. p.comeglio@sghms.ac.uk + + + + Evans + A L + AL + + + Brice + G W + GW + + + Child + A H + AH + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + United States + Hum Mutat + 9215429 + 1059-7794 + + + + 0 + FBN1 protein, human + + + 0 + Fibrillin-1 + + + 0 + Fibrillins + + + 0 + Microfilament Proteins + + + IM + + + Hum Mutat. 2001 Dec;18(6):546-7 + 11748851 + + + + + Adult + + + Base Sequence + + + Child, Preschool + + + Female + + + Fibrillin-1 + + + Fibrillins + + + Frameshift Mutation + + + Humans + + + Male + + + Marfan Syndrome + genetics + + + Microfilament Proteins + genetics + + + Middle Aged + + + Mutation + + + Mutation, Missense + + + Sequence Deletion + + + United Kingdom + + +
+ + + + 2001 + 8 + 29 + 10 + 0 + + + 2002 + 1 + 5 + 10 + 1 + + + 2001 + 8 + 29 + 10 + 0 + + + ppublish + + 11524736 + 10.1002/humu.1181 + 10.1002/humu.1181 + + +
+ + + 11525160 + + 2001 + 08 + 30 + + + 2018 + 11 + 30 + +
+ + 0250-5525 + + 124 + + 2000 + + + Schweizerische medizinische Wochenschrift. Supplementum + Schweiz Med Wochenschr Suppl + + 32nd Annual meeting of the Swiss Society of Nephrology. Lausanne, 14-15 December 2000. Abstracts. + + 1S-20S + + eng + fre + ger + + Congress + Overall + +
+ + Switzerland + Schweiz Med Wochenschr Suppl + 7708316 + 0250-5525 + + IM + + + Animals + + + Humans + + + Kidney Diseases + + + Nephrology + + +
+ + + + 2001 + 8 + 30 + 10 + 0 + + + 2001 + 8 + 31 + 10 + 1 + + + 2001 + 8 + 30 + 10 + 0 + + + ppublish + + 11525160 + + +
+ + + 11537092 + + 1995 + 06 + 16 + + + 2018 + 11 + 13 + +
+ + 0033-183X + + 163 + + 1991 + + + Protoplasma + Protoplasma + + Cytoplasmic calcium levels in protoplasts from the cap and elongation zone of maize roots. + + 181-8 + + + Calcium has been implicated as a key component in the signal transduction process of root gravitropism. We measured cytoplasmic free calcium in protoplasts isolated from the elongation zone and cap of primary roots of light-grown, vertically oriented seedlings of Zea mays L. Protoplasts were loaded with the penta-potassium salts of fura-2 and indo-1 by incubation in acidic solutions of these calcium indicators. Loading increased with decreasing pH but the pH dependence was stronger for indo-1 than for fura-2. In the case of fura-2, loading was enhanced only at the lowest pH (4.5) tested. Dyes loaded in this manner were distributed predominantly in the cytoplasm as indicated by fluorescence patterns. As an alternative method of loading, protoplasts were incubated with the acetoxymethylesters of fura-2 and indo-1. Protoplasts loaded by this method exhibited fluorescence both in the cytoplasm and in association with various organelles. Cytoplasmic calcium levels measured using spectrofluorometry, were found to be 160 +/- 40 nM and 257 +/- 27 nM, respectively, in populations of protoplasts from the root cap and elongation zone. Cytoplasmic free calcium did not increase upon addition of calcium to the incubation medium, indicating that the passive permeability to calcium was low. + + + + Kiss + H G + HG + + Department of Plant Biology, Ohio State University, Columbus. + + + + Evans + M L + ML + + + Johnson + J D + JD + + + eng + + + DMB 8608673 + MB + BHP HRSA HHS + United States + + + + Journal Article + Research Support, U.S. Gov't, Non-P.H.S. + +
+ + Austria + Protoplasma + 9806853 + 0033-183X + + + + 0 + Fluorescent Dyes + + + 0 + Indoles + + + N18RMK75W1 + indo-1 + + + SY7Q814VUP + Calcium + + + TSN3DL106G + Fura-2 + + + S + + + Calcium + analysis + physiology + + + Cytoplasm + chemistry + + + Fluorescent Dyes + + + Fura-2 + + + Gravitropism + physiology + + + Gravity Sensing + physiology + + + Indoles + + + Plant Root Cap + cytology + growth & development + physiology + + + Plant Roots + cytology + growth & development + physiology + + + Protoplasts + chemistry + physiology + + + Signal Transduction + + + Zea mays + cytology + growth & development + physiology + + + 00015446 + + NASA Discipline Number 40-50 + NASA Discipline Plant Biology + NASA Program Space Biology + Non-NASA Center + + + + Evans + M L + ML + + Ohio St U, Columbus, Dept Physiological Chemistry + + + + Grant numbers: NAGW 297 +
+ + + + 1991 + 1 + 1 + 0 + 0 + + + 2001 + 9 + 11 + 10 + 1 + + + 1991 + 1 + 1 + 0 + 0 + + + ppublish + + 11537092 + + + + Plant Physiol. 1990;92:792-6 + + 11537998 + + + + Plant Physiol. 1988;87:803-5 + + 11537876 + + + + Plant Physiol. 1989;89:875-8 + + 11537451 + + + + Stain Technol. 1985 Mar;60(2):69-79 + + 2580370 + + + + Plant Physiol. 1983 Dec;73(4):874-6 + + 16663333 + + + + Plant Physiol. 1982 Nov;70(5):1391-5 + + 16662685 + + + + Plant Physiol. 1989 Aug;90(4):1271-4 + + 16666921 + + + + Planta. 1984;160:536-43 + + 11540830 + + + + Plant Physiol. 1988;86:885-9 + + 11538239 + + + + Plant Physiol. 1990 Jul;93(3):841-5 + + 16667590 + + + + Science. 1983 Jun 24;220(4604):1375-6 + + 17730651 + + + + CRC Crit Rev Plant Sci. 1987;6(1):47-103 + + 11540070 + + + + J Biol Chem. 1985 Mar 25;260(6):3440-50 + + 3838314 + + + + Plant Physiol. 1989 Jun;90(2):482-91 + + 16666797 + + + + Planta. 1988 Dec;174(4):495-9 + + 24221565 + + + + Anal Biochem. 1985 May 1;146(2):349-52 + + 3927770 + + + + Sci Am. 1986 Dec;255(6):112-9 + + 11536593 + + + + Cell Calcium. 1987 Dec;8(6):455-72 + + 3435914 + + + + Plant Physiol. 1981 Aug;68(2):435-8 + + 16661931 + + + + Plant Physiol. 1984 Oct;76(2):342-6 + + 16663844 + + + + Nature. 1990 Jun 7;345:528-30 + + 11540625 + + + + +
+ + + 11540070 + + 1995 + 12 + 11 + + + 2013 + 11 + 21 + +
+ + 0735-2689 + + 6 + 1 + + 1987 + + + Critical reviews in plant sciences + CRC Crit Rev Plant Sci + + Calcium messenger system in plants. + + 47-103 + + + + Poovaiah + B W + BW + + Department of Horticulture, Washington State University, Pullman, USA. + + + + Reddy + A S + AS + + + eng + + + DCB-8502215 + DC + NIDCD NIH HHS + United States + + + + Journal Article + Research Support, U.S. Gov't, Non-P.H.S. + Research Support, U.S. Gov't, P.H.S. + Review + +
+ + United States + CRC Crit Rev Plant Sci + 9889759 + 0735-2689 + + + + 0 + Calcium-Binding Proteins + + + 0 + Calmodulin + + + 0 + Plant Growth Regulators + + + EC 2.7.11.17 + Calcium-Calmodulin-Dependent Protein Kinases + + + SY7Q814VUP + Calcium + + + S + + + Amino Acid Sequence + + + Calcium + physiology + + + Calcium-Binding Proteins + physiology + + + Calcium-Calmodulin-Dependent Protein Kinases + metabolism + + + Calmodulin + metabolism + + + Gene Expression Regulation, Plant + + + Gravitropism + physiology + + + Molecular Sequence Data + + + Plant Cells + + + Plant Growth Regulators + metabolism + + + Plant Physiological Phenomena + + + Plants + genetics + + + Second Messenger Systems + + + Signal Transduction + physiology + + + 363 + 00012050 + + The purpose of this review is to delineate the ubiquitous and pivotal role of Ca2+ in diverse physiological processes. Emphasis will be given to the role of Ca2+ in stimulus-response coupling. In addition to reviewing the present status of research, our intention is to critically evaluate the existing data and describe the newly developing areas of Ca2+ research in plants. + + + NASA Discipline Number 40-30 + NASA Discipline Plant Biology + NASA Program Space Biology + Non-NASA Center + + + + Poovaiah + B W + BW + + WA St U, Pullman, Dept Horticulture + + + + Grant numbers: NAG-10-0032 +
+ + + + 1987 + 1 + 1 + 0 + 0 + + + 2001 + 9 + 11 + 10 + 1 + + + 1987 + 1 + 1 + 0 + 0 + + + ppublish + + 11540070 + 10.1080/07352688709382247 + + +
+ + + 11543891 + + 2001 + 09 + 27 + + + 2011 + 11 + 17 + +
+ + 0198-8859 + + 62 + 9 + + 2001 + Sep + + + Human immunology + Hum. Immunol. + + The origin of Palestinians and their genetic relatedness with other Mediterranean populations. + + 889-900 + + + The genetic profile of Palestinians has, for the first time, been studied by using human leukocyte antigen (HLA) gene variability and haplotypes. The comparison with other Mediterranean populations by using neighbor-joining dendrograms and correspondence analyses reveal that Palestinians are genetically very close to Jews and other Middle East populations, including Turks (Anatolians), Lebanese, Egyptians, Armenians, and Iranians. Archaeologic and genetic data support that both Jews and Palestinians came from the ancient Canaanites, who extensively mixed with Egyptians, Mesopotamian, and Anatolian peoples in ancient times. Thus, Palestinian-Jewish rivalry is based in cultural and religious, but not in genetic, differences. The relatively close relatedness of both Jews and Palestinians to western Mediterranean populations reflects the continuous circum-Mediterranean cultural and gene flow that have occurred in prehistoric and historic times. This flow overtly contradicts the demic diffusion model of western Mediterranean populations substitution by agriculturalists coming from the Middle East in the Mesolithic-Neolithic transition. + + + + Arnaiz-Villena + A + A + + Department of Immunology and Molecular Biology, H. 12 de Octubre, Universidad Complutense, Madrid, Spain. aarnaiz@eucmax.sim.ucm.es + + + + Elaiwa + N + N + + + Silvera + C + C + + + Rostom + A + A + + + Moscoso + J + J + + + Gómez-Casado + E + E + + + Allende + L + L + + + Varela + P + P + + + Martínez-Laso + J + J + + + eng + + Comparative Study + Journal Article + Research Support, Non-U.S. Gov't + Retracted Publication + +
+ + United States + Hum Immunol + 8010936 + 0198-8859 + + + + 0 + HLA Antigens + + + 0 + HLA-A Antigens + + + 0 + HLA-B Antigens + + + 0 + HLA-DQ Antigens + + + 0 + HLA-DQ beta-Chains + + + 0 + HLA-DQB1 antigen + + + 0 + HLA-DR Antigens + + + 0 + HLA-DRB1 Chains + + + IM + + + Hum Immunol. 2001 Oct;62(10):1064 + 11600211 + + + Suciu-Foca N, Lewis R. Hum Immunol. 2001 Oct;62(10):1063 + 11600210 + + + + + Alleles + + + Arabs + genetics + + + Gene Frequency + + + Greece + ethnology + + + HLA Antigens + genetics + + + HLA-A Antigens + genetics + + + HLA-B Antigens + genetics + + + HLA-DQ Antigens + + + HLA-DQ beta-Chains + + + HLA-DR Antigens + genetics + + + HLA-DRB1 Chains + + + Haplotypes + genetics + + + Humans + + + Islam + + + Israel + + + Jews + genetics + + + Linkage Disequilibrium + + + Mediterranean Region + + + Middle East + + + Phylogeny + + + Polymorphism, Genetic + genetics + + +
+ + + + 2001 + 9 + 7 + 10 + 0 + + + 2001 + 9 + 28 + 10 + 1 + + + 2001 + 9 + 7 + 10 + 0 + + + ppublish + + 11543891 + S0198885901002889 + + +
+ + + 11562649 + + 2002 + 02 + 22 + + + 2014 + 11 + 20 + +
+ + 0891-5245 + + 15 + 5 + + 2001 Sep-Oct + + + Journal of pediatric health care : official publication of National Association of Pediatric Nurse Associates & Practitioners + J Pediatr Health Care + + Educating parents about normal stool pattern changes in infants. + + 269-74 + + + + Arias + A + A + + Pediatric Nurse Practitioner Program at Ohio State University College of Nursing, Columbus, USA. + + + + Bennison + J + J + + + Justus + K + K + + + Thurman + D + D + + + eng + + Journal Article + Review + +
+ + United States + J Pediatr Health Care + 8709735 + 0891-5245 + + N + + + J Pediatr Health Care. 2001 Sep-Oct;15(5):270-1 + 11858131 + + + + + Adolescent + + + Child + + + Child, Preschool + + + Consumer Behavior + + + Defecation + + + Feces + chemistry + + + Health Education + methods + + + Humans + + + Infant + + + Infant, Newborn + + + Ohio + + + Parenting + + + 13 +
+ + + + 2001 + 9 + 20 + 10 + 0 + + + 2002 + 2 + 23 + 10 + 1 + + + 2001 + 9 + 20 + 10 + 0 + + + ppublish + + 11562649 + S0891-5245(01)91970-4 + 10.1067/mph.2000.118432 + + +
+ + + 11567133 + + 2001 + 10 + 04 + + + 2007 + 03 + 19 + +
+ + 0036-8075 + + 293 + 5538 + + 2001 + Sep + 21 + + + Science (New York, N.Y.) + Science + + Changes in seismic anisotropy after volcanic eruptions: evidence from Mount Ruapehu. + + 2231-3 + + + The eruptions of andesite volcanoes are explosively catastrophic and notoriously difficult to predict. Yet changes in shear waveforms observed after an eruption of Mount Ruapehu, New Zealand, suggest that forces generated by such volcanoes are powerful and dynamic enough to locally overprint the regional stress regime, which suggests a new method of monitoring volcanoes for future eruptions. These results show a change in shear-wave polarization with time and are interpreted as being due to a localized stress regime caused by the volcano, with a release in pressure after the eruption. + + + + Miller + V + V + + Institute of Geophysics, Victoria University of Wellington, Wellington, New Zealand. + + + + Savage + M + M + + + eng + + Journal Article + +
+ + United States + Science + 0404511 + 0036-8075 + +
+ + + + 2001 + 9 + 22 + 10 + 0 + + + 2001 + 9 + 22 + 10 + 1 + + + 2001 + 9 + 22 + 10 + 0 + + + ppublish + + 11567133 + 10.1126/science.1063463 + 293/5538/2231 + + +
+ + + 11580607 + + 2001 + 10 + 25 + + + 2006 + 11 + 15 + +
+ + 0031-9007 + + 87 + 13 + + 2001 + Sep + 24 + + + Physical review letters + Phys. Rev. Lett. + + Maximal height scaling of kinetically growing surfaces. + + 136101 + + + The scaling properties of the maximal height of a growing self-affine surface with a lateral extent L are considered. In the late-time regime its value measured relative to the evolving average height scales like the roughness: h*(L) approximately L alpha. For large values its distribution obeys logP(h*(L)) approximately (-)A(h*(L)/L(alpha))(a). In the early-time regime where the roughness grows as t(beta), we find h*(L) approximately t(beta)[lnL-(beta/alpha)lnt+C](1/b), where either b = a or b is the corresponding exponent of the velocity distribution. These properties are derived from scaling and extreme-value arguments. They are corroborated by numerical simulations and supported by exact results for surfaces in 1D with the asymptotic behavior of a Brownian path. + + + + Raychaudhuri + S + S + + Department of Physics and Astronomy, University of Rochester, Rochester, New York 14627, USA. + + + + Cranston + M + M + + + Przybyla + C + C + + + Shapir + Y + Y + + + eng + + Journal Article + Research Support, U.S. Gov't, Non-P.H.S. + + + 2001 + 09 + 05 + +
+ + United States + Phys Rev Lett + 0401141 + 0031-9007 + + IM + + + Bacteria + growth & development + + + Crystallization + + + Kinetics + + + Models, Theoretical + + + Surface Properties + + +
+ + + + 2001 + 05 + 07 + + + 2001 + 10 + 3 + 10 + 0 + + + 2001 + 10 + 26 + 10 + 1 + + + 2001 + 10 + 3 + 10 + 0 + + + ppublish + + 11580607 + 10.1103/PhysRevLett.87.136101 + + +
+ + + 11600210 + + 2001 + 10 + 25 + + + 2001 + 10 + 15 + +
+ + 0198-8859 + + 62 + 10 + + 2001 + Oct + + + Human immunology + Hum. Immunol. + + Editorial. Anthropology and genetic markers. + + 1063 + + + + Suciu-Foca + N + N + + + Lewis + R + R + + + eng + + Retraction of Publication + +
+ + United States + Hum Immunol + 8010936 + 0198-8859 + + IM + + + Arnaiz-Villena A, Elaiwa N, Silvera C, Rostom A, Moscoso J, Gómez-Casado E, Allende L, Varela P, Martínez-Laso J. Hum Immunol. 2001 Sep;62(9):889-900 + 11543891 + + +
+ + + + 2001 + 10 + 16 + 10 + 0 + + + 2001 + 10 + 16 + 10 + 1 + + + 2001 + 10 + 16 + 10 + 0 + + + ppublish + + 11600210 + S0198885901003500 + + +
+ + + 11583040 + + 2001 + 10 + 04 + + + 2006 + 11 + 15 + +
+ + 0084-6597 + + 28 + + 2000 + + + Annual review of earth and planetary sciences + Annu Rev Earth Planet Sci + + Understanding oblique impacts from experiments, observations, and modeling. + + 141-67 + + + Natural impacts in which the projectile strikes the target vertically are virtually nonexistent. Nevertheless, our inherent drive to simplify nature often causes us to suppose most impacts are nearly vertical. Recent theoretical, observational, and experimental work is improving this situation, but even with the current wealth of studies on impact cratering, the effect of impact angle on the final crater is not well understood. Although craters' rims may appear circular down to low impact angles, the distribution of ejecta around the crater is more sensitive to the angle of impact and currently serves as the best guide to obliquity of impacts. Experimental studies established that crater dimensions depend only on the vertical component of the impact velocity. The shock wave generated by the impact weakens with decreasing impact angle. As a result, melting and vaporization depend on impact angle; however, these processes do not seem to depend on the vertical component of the velocity alone. Finally, obliquity influences the fate of the projectile: in particular, the amount and velocity of ricochet are a strong function of impact angle. + + + + Pierazzo + E + E + + Lunar and Planetary Lab., University of Arizona, Tucson, 84721, USA. betty@lpl.arizona.edu + + + + Melosh + H J + HJ + + + eng + + Journal Article + Research Support, U.S. Gov't, Non-P.H.S. + Review + +
+ + United States + Annu Rev Earth Planet Sci + 100971465 + 0084-6597 + + S + + + Computer Simulation + + + Evolution, Planetary + + + Gravitation + + + Meteoroids + + + Models, Theoretical + + + Moon + + + Planets + + + 96 + 00026602 + + NASA Discipline Exobiology + Non-NASA Center + + + + Melosh + H J + HJ + + U AZ, Tucson + + + + Grant numbers: NAGW-5159, NAGW-428. +
+ + + + 2001 + 10 + 5 + 10 + 0 + + + 2001 + 10 + 5 + 10 + 1 + + + 2001 + 10 + 5 + 10 + 0 + + + ppublish + + 11583040 + 10.1146/annurev.earth.28.1.141 + + +
+ + + 11600211 + + 2001 + 10 + 25 + + + 2004 + 11 + 17 + +
+ + 0198-8859 + + 62 + 10 + + 2001 + Oct + + + Human immunology + Hum. Immunol. + + Letter from the ASHI president and council. + + 1064 + + + + Tyan + D B + DB + + + eng + + Comment + Letter + +
+ + United States + Hum Immunol + 8010936 + 0198-8859 + + IM + + + Hum Immunol. 2001 Sep;62(9):889-900 + 11543891 + + + + + Ethics, Medical + + + Histocompatibility + + + Humans + + + Immunogenetics + + + Publishing + + + Societies, Medical + + + United States + + +
+ + + + 2001 + 10 + 16 + 10 + 0 + + + 2001 + 10 + 26 + 10 + 1 + + + 2001 + 10 + 16 + 10 + 0 + + + ppublish + + 11600211 + S0198-8859(01)00357-3 + + +
+ + + 11620107 + + 1988 + 11 + 16 + + + 2016 + 10 + 21 + +
+ + 0511-0726 + + 24 + + 1984 + + + A.A.G. bijdragen + A A G Bijdr + + Demographic transition in the Netherlands: a statisticsl analysis of regional differences in the level and development of the birth rate and of fertility, 1850-1890. + + 1-57 + + + + Boonstra + O W + OW + + + van der Woude + A M + AM + + + eng + + Historical Article + Journal Article + +
+ + Netherlands + A A G Bijdr + 100966038 + 0511-0726 + + Q + QO + + + Demography + + + History, Modern 1601- + + + Netherlands + + + Statistics as Topic + history + + +
+ + + + 1984 + 1 + 1 + 0 + 0 + + + 2001 + 10 + 31 + 10 + 1 + + + 1984 + 1 + 1 + 0 + 0 + + + ppublish + + 11620107 + + +
+ + + 11612527 + + 1991 + 03 + 18 + + + 2014 + 11 + 20 + +
+ + 0032-4728 + + 44 + 3 + + 1990 + Nov + + + Population studies + Popul Stud (Camb) + + On the origins of the United States Government's international population policy. + + 385-99 + + + + Donaldson + P J + PJ + + + eng + + Historical Article + Journal Article + +
+ + England + Popul Stud (Camb) + 0376427 + 0032-4728 + + E + Q + QO + + + Demography + + + Global Health + + + History, Modern 1601- + + + Politics + + + Statistics as Topic + history + + + United States + + + 36117 + + Agency for International Development + Genetics and Reproduction + + 50 fn. + KIE Bib: population control +
+ + + + 1990 + 11 + 1 + 0 + 0 + + + 2001 + 10 + 31 + 10 + 1 + + + 1990 + 11 + 1 + 0 + 0 + + + ppublish + + 11612527 + 10.1080/0032472031000144816 + + +
+ + + 11675721 + + 1976 + 07 + 01 + + + 2016 + 11 + 23 + +
+ + 0024-2160 + + 2 + 2 + + 1974 + Jun + + + The Library + Library (Lond) + + Thomas Dover's "Ancient physician's legacy". + + 228 + + + + Payne + L M + LM + + + eng + + Biography + Historical Article + Journal Article + +
+ + England + Library (Lond) + 100969413 + 0024-2160 + + Q + QO + + + Bibliography as Topic + + + History, Modern 1601- + + + Printing + history + + + United Kingdom + + + + + Dover + T + T + + +
+ + + + 1974 + 6 + 1 + 0 + 0 + + + 2001 + 10 + 31 + 10 + 1 + + + 1974 + 6 + 1 + 0 + 0 + + + ppublish + + 11675721 + + +
+ + + 11694165 + + 2001 + 12 + 28 + + + 2016 + 10 + 17 + +
+ + 0098-7484 + + 286 + 17 + + 2001 + Nov + 07 + + + JAMA + JAMA + + msJAMA: Breast reconstruction: one woman's choice. + + 2163 + + + + Bily + L + L + + + eng + + Journal Article + +
+ + United States + JAMA + 7501160 + 0098-7484 + + AIM + IM + + + Body Image + + + Decision Making + + + Female + + + Humans + + + Mammaplasty + methods + psychology + + + Mastectomy + psychology + + +
+ + + + 2001 + 11 + 22 + 10 + 0 + + + 2002 + 1 + 5 + 10 + 1 + + + 2001 + 11 + 22 + 10 + 0 + + + ppublish + + 11694165 + jms1107-7 + + +
+ + + 11686167 + + 1990 + 10 + 17 + + + 2016 + 11 + 23 + +
+ + 8756-2057 + + 25-26 + + 1990 Jan-Apr + + + Reporter on human reproduction and the law + Report Hum Reprod Law + + The dilemma of the Webster decision: deconstitutionalizing the trimester system. + + 276-92 + + + + Kindregan + Charles P + CP + + + eng + + Journal Article + +
+ + United States + Report Hum Reprod Law + 100971950 + 8756-2057 + + E + + + Abortion, Eugenic + + + Abortion, Induced + + + Abortion, Therapeutic + + + Beginning of Human Life + + + Civil Rights + + + Embryonic and Fetal Development + + + Fetal Viability + + + Fetus + + + Government Regulation + + + History + + + Humans + + + International Cooperation + + + Internationality + + + Jurisprudence + + + Legislation as Topic + + + Life + + + Pregnancy + + + Pregnant Women + + + Privacy + + + Religion + + + Social Control, Formal + + + State Government + + + Supreme Court Decisions + + + United Kingdom + + + United States + + + 31521 + + Abortion Act 1967 (Great Britain) + Genetics and Reproduction + Legal Approach + Roe v. Wade + Webster v. Reproductive Health Services + + 63 fn. + KIE BoB Subject Heading: abortion/legal aspects +
+ + + + 1990 + 1 + 1 + 0 + 0 + + + 2001 + 11 + 2 + 10 + 1 + + + 1990 + 1 + 1 + 0 + 0 + + + ppublish + + 11686167 + + +
+ + + 11731716 + + 2002 + 02 + 28 + + + 2018 + 02 + 13 + +
+ + 0031-7012 + + 64 + 1 + + 2002 + Jan + + + Pharmacology + Pharmacology + + Progress in the search for ideal drugs. + + 1-7 + + + The search for ideal drugs to improve patient care requires applications of modern scientific methods to both discovery and development. Using these modern methods, the pharmaceutical industry with strong academic and government collaboration has introduced in the last 25 years many new drugs that approach the ideal. After reviewing Björnsson's classification of drug action and the notion of contributory causality, this commentary defines an ideal drug from the perspectives of pharmacodynamics, pharmacokinetics, and therapeutics. Examples of new drugs for hypertension, heart disease, stroke, osteoporosis, asthma, ulcer, and migraine headaches are described. Finally, the profound implications of progress in developing ideal drugs not only for the patient but also for the academic, educational, and regulatory establishments are briefly reviewed. + Copyright 2002 S. Karger AG, Basel + + + + Spector + Reynold + R + + Department of Medicine, Robert Wood Johnson Medical School, Piscataway, NJ, USA. + + + + eng + + Journal Article + Review + +
+ + Switzerland + Pharmacology + 0152016 + 0031-7012 + + + + 0 + Pharmaceutical Preparations + + + IM + + + Drug Industry + + + Drug Therapy + trends + + + Humans + + + Pharmaceutical Preparations + classification + + + Pharmacokinetics + + + Pharmacology + + + 25 +
+ + + + 2001 + 12 + 4 + 10 + 0 + + + 2002 + 3 + 1 + 10 + 1 + + + 2001 + 12 + 4 + 10 + 0 + + + ppublish + + 11731716 + pha64001 + 10.1159/000056144 + + +
+ + + 11704686 + + 2001 + 12 + 28 + + + 2011 + 11 + 17 + +
+ + 0028-4793 + + 345 + 22 + + 2001 + Nov + 29 + + + The New England journal of medicine + N. Engl. J. Med. + + Recognition and management of anthrax--an update. + + 1621-6 + + + + Swartz + M N + MN + + Department of Medicine, Massachusetts General Hospital, Boston 02114-2696, USA. + + + + eng + + Journal Article + Review + + + 2001 + 11 + 06 + +
+ + United States + N Engl J Med + 0255562 + 0028-4793 + + + + 0 + Anthrax Vaccines + + + 0 + Penicillins + + + AIM + IM + + + N Engl J Med. 2002 Mar 21;346(12):943-5; author reply 943-5 + 11911136 + + + N Engl J Med. 2002 Mar 21;346(12):943-5; author reply 943-5 + 11911138 + + + N Engl J Med 2002 Feb 21;346(8):634 + + + N Engl J Med. 2002 Mar 21;346(12):943-5; author reply 943-5 + 11907299 + + + N Engl J Med. 2002 Mar 21;346(12):943-5; discusson 943-5 + 11911137 + + + + + Anthrax + diagnosis + drug therapy + epidemiology + prevention & control + + + Anthrax Vaccines + + + Antibiotic Prophylaxis + + + Bacillus anthracis + pathogenicity + + + Bioterrorism + + + Clinical Laboratory Techniques + + + Diagnosis, Differential + + + Gastrointestinal Diseases + diagnosis + microbiology + + + Humans + + + Infection Control + methods + + + Meningitis, Bacterial + diagnosis + microbiology + + + Penicillins + therapeutic use + + + Respiratory Tract Infections + diagnosis + drug therapy + microbiology + + + Skin Diseases, Bacterial + diagnosis + microbiology + + + Spores, Bacterial + + + Virulence + + + 11 +
+ + + + 2001 + 11 + 13 + 10 + 0 + + + 2002 + 1 + 5 + 10 + 1 + + + 2001 + 11 + 13 + 10 + 0 + + + ppublish + + 11704686 + 10.1056/NEJMra012892 + NEJMra012892 + + +
+ + + 11686176 + + 1982 + 01 + 01 + + + 2018 + 11 + 30 + +
+ + 0094-6133 + + + 1979 Jan-Feb + + + Malpractice digest + Malpract Dig + + How physicians may minimize their chances of becoming involved in an informed consent claim. + + 1-2 + + + + Bower + John J + JJ + + + eng + + Journal Article + +
+ + United States + Malpract Dig + 9879884 + 0094-6133 + + E + + + Consent Forms + + + Humans + + + Informed Consent + + + Jurisprudence + + + Malpractice + + + Records as Topic + + + 12517 + KIE BoB Subject Heading: INFORMED CONSENT +
+ + + + 1979 + 1 + 1 + 0 + 0 + + + 2001 + 11 + 2 + 10 + 1 + + + 1979 + 1 + 1 + 0 + 0 + + + ppublish + + 11686176 + + +
+ + + 11831940 + + 2002 + 02 + 25 + + + 2015 + 04 + 17 + +
+ + 0003-9950 + + 120 + 2 + + 2002 + Feb + + + Archives of ophthalmology (Chicago, Ill. : 1960) + Arch. Ophthalmol. + + Republication of color figures. + + 234-7 + + + + Dushku + Nicholas + N + + + John + Molykutty K + MK + + + Schultz + Gregory S + GS + + + Reid + Ted W + TW + + + eng + + Comment + Letter + +
+ + United States + Arch Ophthalmol + 7706534 + 0003-9950 + + + + EC 3.4.24.- + Matrix Metalloproteinases + + + AIM + IM + + + Arch Ophthalmol. 2001 May;119(5):695-706 + 11346397 + + + + + Epithelial Cells + enzymology + pathology + + + Fibroblasts + enzymology + pathology + + + Humans + + + Immunoenzyme Techniques + + + Limbus Corneae + pathology + + + Matrix Metalloproteinases + metabolism + + + Pterygium + enzymology + pathology + + +
+ + + + 2002 + 2 + 28 + 10 + 0 + + + 2002 + 2 + 28 + 10 + 1 + + + 2002 + 2 + 28 + 10 + 0 + + + ppublish + + 11831940 + elt0202-4 + + +
+ + + 11748851 + + 2002 + 03 + 07 + + + 2016 + 11 + 24 + +
+ + 1098-1004 + + 18 + 6 + + 2001 + Dec + + + Human mutation + Hum. Mutat. + + Erratum: Detection of six novel FBN1 mutations in British patients affected by Marfan syndrome. + + 546-7 + + + Marfan syndrome (MFS), an autosomal dominant disorder of the extracellular matrix, is due to mutations in fibrillin-1 (FBN1) gene. Investigations carried out in the last decade, unveiled the unpredictability of the site of the mutation, which could be anywhere in the gene. FBN1 mutations have been reported in a spectrum of diseases related to MFS, with no clear evidence for a phenotype-genotype correlation. In this paper we analysed 10 British patients affected by MFS and we were able to characterise five novel missense mutations (C474W, C1402Y, G1987R, C2153Y, G2536R), one novel frameshift mutation (7926delC), one already described mutation (P1424A) and one FBN1 variant (P1148A) classified as a polymorphism in the Asian population. Four out of the five novel missense mutations involved either cysteines or an amino acid conserved in the domain structure. The mutation yield in this study is calculated at 80.0% (8/10), thus indicating that SSCA is a reliable and cost-effective technique for the screening of such a large gene. Our results suggest that this method is reliable to search for FBN1 mutations and that FBN1 screening could be a helpful tool to confirm and possibly anticipate the clinical diagnosis in familial cases. + Copyright 2001 Wiley-Liss, Inc. + + + + Comeglio + P + P + + Department of Cardiological Sciences, St. George's Hospital Medical School, London, UK. p.comeglio@sghms.ac.uk + + + + Evans + A L + AL + + + Brice + G W + GW + + + Child + A H + AH + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + Corrected and Republished Article + +
+ + United States + Hum Mutat + 9215429 + 1059-7794 + + + + 0 + FBN1 protein, human + + + 0 + Fibrillin-1 + + + 0 + Fibrillins + + + 0 + Microfilament Proteins + + + 9007-49-2 + DNA + + + IM + + + Hum Mutat. 2001 Sep;18(3):251 + 11524736 + + + + + Adult + + + Base Sequence + + + Child, Preschool + + + DNA + chemistry + genetics + + + DNA Mutational Analysis + + + Female + + + Fibrillin-1 + + + Fibrillins + + + Frameshift Mutation + + + Humans + + + Male + + + Marfan Syndrome + genetics + pathology + + + Microfilament Proteins + genetics + + + Middle Aged + + + Mutation + + + Mutation, Missense + + + Polymorphism, Genetic + + + Polymorphism, Single-Stranded Conformational + + + United Kingdom + + +
+ + + + 2001 + 12 + 19 + 10 + 0 + + + 2002 + 3 + 8 + 10 + 1 + + + 2001 + 12 + 19 + 10 + 0 + + + ppublish + + 11748851 + 10.1002/humu.1235 + 10.1002/humu.1235 + + +
+ + + 11748856 + + 2002 + 03 + 07 + + + 2016 + 11 + 24 + +
+ + 1098-1004 + + 18 + 6 + + 2001 + Dec + + + Human mutation + Hum. Mutat. + + Eight novel germline MLH1 and MSH2 mutations in hereditary non-polyposis colorectal cancer families from Spain. + + 549 + + + Germline mutations in the MLH1 and MSH2 genes, account for the majority of HNPCC families. We have screened such families from Spain by using DGGE analysis and subsequent direct sequencing techniques. In eight families we identified six novel MLH1 and two novel MSH2 mutations comprising one frame shift mutation (c.1420 del C), two missense mutations (L622H and R687W), two splice site mutations (c.1990-1 G>A and c.453+2 T>C and one nonsense mutation (K329X) in the MLH1 gene as well as two frame shift mutations (c.1979-1980 del AT and c.1704-1705 del AG) in the MSH2 gene. Our analysis contributes to the further characterization of the mutational spectrum of MLH1 and MSH2 genes in HNPCC families. + Copyright 2001 Wiley-Liss, Inc. + + + + Godino + J + J + + Laboratory of Molecular Oncology, San Carlos University Hospital, 28040 Madrid, Spain. + + + + de La Hoya + M + M + + + Diaz-Rubio + E + E + + + Benito + M + M + + + Caldés + T + T + + + eng + + + OMIM + + 114500 + 120435 + 120436 + 600258 + 600259 + 600678 + + + + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + United States + Hum Mutat + 9215429 + 1059-7794 + + + + 0 + Adaptor Proteins, Signal Transducing + + + 0 + Carrier Proteins + + + 0 + DNA-Binding Proteins + + + 0 + MLH1 protein, human + + + 0 + Neoplasm Proteins + + + 0 + Nuclear Proteins + + + 0 + Proto-Oncogene Proteins + + + 9007-49-2 + DNA + + + EC 3.6.1.3 + MSH2 protein, human + + + EC 3.6.1.3 + MutL Protein Homolog 1 + + + EC 3.6.1.3 + MutS Homolog 2 Protein + + + IM + + + Adaptor Proteins, Signal Transducing + + + Carrier Proteins + + + Colorectal Neoplasms, Hereditary Nonpolyposis + genetics + + + DNA + chemistry + genetics + + + DNA Mutational Analysis + + + DNA-Binding Proteins + + + Family Health + + + Female + + + Germ-Line Mutation + + + Humans + + + Male + + + MutL Protein Homolog 1 + + + MutS Homolog 2 Protein + + + Neoplasm Proteins + genetics + + + Nuclear Proteins + + + Proto-Oncogene Proteins + genetics + + + Spain + + +
+ + + + 2001 + 12 + 19 + 10 + 0 + + + 2002 + 3 + 8 + 10 + 1 + + + 2001 + 12 + 19 + 10 + 0 + + + ppublish + + 11748856 + 10.1002/humu.1240 + 10.1002/humu.1240 + + +
+ + + 11838066 + + 2002 + 02 + 25 + + + 2018 + 11 + 30 + +
+ + 0023-7205 + + 99 + 3 + + 2002 + Jan + 17 + + + Lakartidningen + Lakartidningen + + [Unequal distribution of health resources. Research is not supported with consideration to the global significance of the diseases]. + + 148-9 + + + + Milerad + Josef + J + + josef.milerad@lakartidningen.se + + + + swe + + Biography + Historical Article + Journal Article + Portrait + + Ojämn fördelning av hälsoresurser. Forskningspengar satsas inte i proportion till sjukdomars globala betydelse. +
+ + Sweden + Lakartidningen + 0027707 + 0023-7205 + + IM + + + Global Health + + + Health Care Rationing + + + History, 20th Century + + + Humans + + + Nobel Prize + + + Research Support as Topic + economics + organization & administration + + + Sweden + + + United States + + + + + Varmus + Harold + H + + +
+ + + + 2002 + 2 + 13 + 10 + 0 + + + 2002 + 2 + 28 + 10 + 1 + + + 2002 + 2 + 13 + 10 + 0 + + + ppublish + + 11838066 + + +
+ + + 11858625 + + 2002 + 03 + 06 + + + 2004 + 11 + 17 + +
+ + 0002-838X + + 65 + 3 + + 2002 + Feb + 01 + + + American family physician + Am Fam Physician + + Information from your family doctor. Exercise for the elderly. + + 427-8 + + eng + + Journal Article + Patient Education Handout + +
+ + United States + Am Fam Physician + 1272646 + 0002-838X + + AIM + IM + + + Am Fam Physician. 2002 Feb 1;65(3):419-26 + 11858624 + + + + + Aged + + + Exercise + + + Family Practice + + + Health Promotion + + + Humans + + +
+ + + + 2002 + 2 + 23 + 10 + 0 + + + 2002 + 3 + 7 + 10 + 1 + + + 2002 + 2 + 23 + 10 + 0 + + + ppublish + + 11858625 + + +
+ + + 11858276 + + 2002 + 03 + 28 + + + 2008 + 11 + 21 + +
+ + 0094-5765 + + 48 + 5-12 + + 2001 Mar-Jun + + + Acta astronautica + Acta Astronaut + + Phase 1 research program overview. + + 845-51 + + + The Phase 1 research program was unprecedented in its scope and ambitious in its objectives. The National Aeronautics and Space Administration committed to conducting a multidisciplinary long-duration research program on a platform whose capabilities were not well known, not to mention belonging to another country. For the United States, it provided the first opportunity to conduct research in a long-duration space flight environment since the Skylab program in the 1970's. Multiple technical as well as cultural challenges were successfully overcome through the dedicated efforts of a relatively small cadre of individuals. The program developed processes to successfully plan, train for and execute research in a long-duration environment, with significant differences identified from short-duration space flight science operations. Between August 1994 and June 1998, thousands of kilograms of research hardware was prepared and launched to Mir, and thousands of kilograms of hardware and data products were returned to Earth. More than 150 Principal Investigators from eight countries were involved in the program in seven major research disciplines: Advanced Technology; Earth Sciences; Fundamental Biology; Human Life Sciences; International Space Station Risk Mitigation; Microgravity; and Space Sciences. Approximately 75 long-duration investigations were completed on Mir, with additional investigations performed on the Shuttle flights that docked with Mir. The flight phase included the participation of seven US astronauts and 20 Russian cosmonauts. The successful completion of the Phase 1 research program not only resulted in high quality science return but also in numerous lessons learned to make the ISS experience more productive. The cooperation developed during the program was instrumental in its success. + c2001 AIAA. Published by Elsevier Science Ltd. + + + + Uri + J J + JJ + + NASA Johnson Space Center, Houston, TX, USA. + + + + Lebedev + O N + ON + + + eng + + Journal Article + +
+ + England + Acta Astronaut + 9890631 + 0094-5765 + + S + + + Biological Science Disciplines + + + Equipment Design + + + Exobiology + + + Extraterrestrial Environment + + + Humans + + + International Cooperation + + + Program Evaluation + + + Research + instrumentation + organization & administration + + + Russia + + + Space Flight + instrumentation + organization & administration + trends + + + Spacecraft + + + USSR + + + United States + + + United States National Aeronautics and Space Administration + organization & administration + + + Weightlessness + + + 00027286 + Flight Experiment + Mir Project + STS Shuttle Project + long duration + manned + short duration +
+ + + + 2002 + 2 + 23 + 10 + 0 + + + 2002 + 3 + 29 + 10 + 1 + + + 2002 + 2 + 23 + 10 + 0 + + + ppublish + + 11858276 + + +
+ + + 11869993 + + 2002 + 03 + 22 + + + 2016 + 10 + 20 + +
+ + 1052-1577 + + 27 + 4 + + 2002 + Feb + + + Harvard health letter + Harv Health Lett + + By the way doctor... I'm 72 and was recently told that I am losing a bit of my sight because of macular degeneration. My doctor assured me that it was progressing very slowly, but also said there wasn't really anything to do about it. But I read that zinc or vitamins might help. Should I be taking them? + + 8 + + + + Lee + Thomas H + TH + + + eng + + Journal Article + +
+ + United States + Harv Health Lett + 9425764 + 1052-1577 + + + + 0 + Antioxidants + + + 0 + Vitamins + + + J41CSQ7QDS + Zinc + + + K + + + Aged + + + Antioxidants + therapeutic use + + + Drug Therapy, Combination + + + Humans + + + Macular Degeneration + prevention & control + + + Vitamins + therapeutic use + + + Zinc + therapeutic use + + +
+ + + + 2002 + 3 + 1 + 10 + 0 + + + 2002 + 3 + 23 + 10 + 1 + + + 2002 + 3 + 1 + 10 + 0 + + + ppublish + + 11869993 + L0202i + + +
+ + + 11876201 + + 2002 + 03 + 22 + + + 2016 + 11 + 24 + +
+ + 1069-9422 + + 5 + 3 + + 1998 + + + Life support & biosphere science : international journal of earth space + Life Support Biosph Sci + + Consumer acceptance of vegetarian sweet potato products intended for space missions. + + 339-46 + + + Sweet potato is one of the crops selected for NASA's Advanced Life Support Program for potential long-duration lunar/Mars missions. This article presents recipes of products made from sweet potato and determines the consumer acceptability of products containing from 6% to 20% sweet potato on a dry weight basis. These products were developed for use in nutritious and palatable meals for future space explorers. Sensory evaluation (appearance/color, aroma, texture, flavor/taste, and overall acceptability) studies were conducted to determine the consumer acceptability of vegetarian products made with sweet potato using panelists at NASA/Johnson Space Center in Houston, TX. None of these products including the controls, contained any ingredient of animal origin with the exception of sweet potato pie. A 9-point hedonic scale (9 being like extremely and 1 being dislike extremely) was used to evaluate 10 products and compare them to similar commercially available products used as controls. The products tested were pancakes, waffles, tortillas, bread, pie, pound cake, pasta, vegetable patties, doughnuts, and pretzels. All of the products were either liked moderately or liked slightly with the exception of the sweet potato vegetable patties, which were neither liked nor disliked. Mean comparisons of sensory scores of sweet potato recipes and their controls were accomplished by using the Student t-test. Because of their nutritional adequacy and consumer acceptability, these products are being recommended to NASA's Advanced Life Support Program for inclusion in a vegetarian menu plan designed for lunar/Mars space missions. + + + + Wilson + C D + CD + + Center for Food and Environmental Systems for Human Exploration of Space, George Washington Carver Agricultural Experiment Station, Tuskegee University, Tuskegee, AL 36088, USA. + + + + Pace + R D + RD + + + Bromfield + E + E + + + Jones + G + G + + + Lu + J Y + JY + + + eng + + Journal Article + Research Support, U.S. Gov't, Non-P.H.S. + +
+ + United States + Life Support Biosph Sci + 9431217 + 1069-9422 + + S + + + Diet, Vegetarian + psychology + + + Ecological Systems, Closed + + + Evaluation Studies as Topic + + + Feeding Behavior + psychology + + + Food Preferences + psychology + + + Food Technology + + + Humans + + + Ipomoea batatas + + + Life Support Systems + + + Menu Planning + + + Nutritive Value + + + Space Flight + + + United States + + + United States National Aeronautics and Space Administration + + + Weightlessness + + + 00027330 + + NASA Discipline Life Support Systems + Non-NASA Center + + + + Mortley + D G + DG + + Tuskegee U, AL + + + + Grant numbers: NCC 9-51, ALX-FS-2. +
+ + + + 2002 + 3 + 6 + 10 + 0 + + + 2002 + 3 + 23 + 10 + 1 + + + 2002 + 3 + 6 + 10 + 0 + + + ppublish + + 11876201 + + +
+ + + 11885531 + + 2002 + 04 + 08 + + + 2006 + 11 + 15 + +
+ + 0028-2200 + + 99 + 7 + + 1992 + Jul + + + Nederlands tijdschrift voor tandheelkunde + Ned Tijdschr Tandheelkd + + [Microbiological diagnostics in periodontal treatment]. + + 245-6 + + + Periodontal diseases are bacterial infections. The rationale for the use of microbiological diagnostics in periodontal treatment of severe periodontitis patients is discussed as well as the use of adjunct antimicrobial therapy for the elimination of specific bacterial species. + + + + de Graaff + J + J + + Uit de vakgroep Orale Microbiologie van het Academisch Centrum Tandheelkunde Amsterdam (ACTA). + + + + van Winkelhoff + A J + AJ + + + dut + + English Abstract + Journal Article + Review + + Microbiologische diagnostiek in de paradontologie. +
+ + Netherlands + Ned Tijdschr Tandheelkd + 0400771 + 0028-2200 + + + + 0 + Anti-Bacterial Agents + + + D + + + Actinomycetales Infections + drug therapy + + + Anti-Bacterial Agents + therapeutic use + + + Humans + + + Hygiene + + + Periodontal Diseases + diagnosis + drug therapy + microbiology + + + Periodontitis + diagnosis + drug therapy + microbiology + + + Risk Factors + + + 6 +
+ + + + 1992 + 7 + 1 + 0 + 0 + + + 2002 + 4 + 9 + 10 + 1 + + + 1992 + 7 + 1 + 0 + 0 + + + ppublish + + 11885531 + + +
+ + + 11892742 + + 2002 + 03 + 18 + + + 2017 + 12 + 28 + +
+ + 0012-1606 + + 242 + 2 + + 2002 + Feb + 15 + + + Developmental biology + Dev. Biol. + + The major subacrosomal occupant of bull spermatozoa is a novel histone H2B variant associated with the forming acrosome during spermiogenesis. + + 376-87 + + + Recent studies on the structural composition of mammalian sperm heads have shown a congregate of unidentified proteins occupying the periphery of the mammalian sperm nucleus, forming a layer of condensed cytosol. These proteins are the perinuclear theca (PT) and can be categorized into SDS-soluble and SDS-insoluble components. The present study focused on identifying the major SDS-insoluble PT protein, which we localized to the subacrosomal layer of bovine spermatozoa and cloned by immunoscreening a bull testicular cDNA library. The isolated clones encode a protein of 122 amino acids that bears 67% similarity with histone H2B and contains a predicted histone fold motif. The novel amino terminus of the protein contains a potential bipartite nuclear targeting sequence. Hence, we identified this prominent subacrosomal component as a novel H2B variant, SubH2Bv. Northern blot analyses of SubH2Bv mRNA expression showed that it is testis-specific and is also present in murid testes. Immunocytochemical analysis showed SubH2Bv intimately associates, temporally and spatially, with acrosome formation. While the molecular features of SubH2Bv are common to nuclear proteins, it is never seen developmentally within the nucleus of the spermatid. Considering its developmental and molecular characteristics, we have postulated roles of SubH2Bv in acrosome assembly and acrosome-nuclear docking. + Copyright 2001 Academic Press. + + + + Aul + Ritu B + RB + + Department of Anatomy and Cell Biology, Queen's University, Kingston, Ontario, Canada, K7L 3N6. + + + + Oko + Richard J + RJ + + + eng + + Corrected and Republished Article + Journal Article + Research Support, Non-U.S. Gov't + +
+ + United States + Dev Biol + 0372762 + 0012-1606 + + + + 0 + DNA, Complementary + + + 0 + Histones + + + 0 + RNA, Messenger + + + 63231-63-0 + RNA + + + IM + + + Dev Biol. 2001 Nov 15;239(2):376-87 + 11784042 + + + + + Acrosome + chemistry + metabolism + ultrastructure + + + Amino Acid Motifs + + + Amino Acid Sequence + + + Animals + + + Base Sequence + + + Blotting, Northern + + + Blotting, Western + + + Cattle + + + DNA, Complementary + metabolism + + + Electrophoresis, Polyacrylamide Gel + + + Histones + chemistry + + + Immunoblotting + + + Immunohistochemistry + + + Male + + + Mice + + + Molecular Sequence Data + + + RNA + metabolism + + + RNA, Messenger + metabolism + + + Rats + + + Reverse Transcriptase Polymerase Chain Reaction + + + Seminiferous Epithelium + metabolism + + + Sequence Homology, Amino Acid + + + Spermatogenesis + + + Spermatozoa + chemistry + + + Testis + metabolism + + +
+ + + + 2002 + 3 + 15 + 10 + 0 + + + 2002 + 3 + 19 + 10 + 1 + + + 2002 + 3 + 15 + 10 + 0 + + + ppublish + + 11892742 + S0012-1606(02)90575-0 + + +
+ + + 11916658 + + 2002 + 04 + 15 + + + 2016 + 11 + 24 + +
+ + 1070-910X + + 9 + 7 + + 2002 + Mar + + + Harvard women's health watch + Harv Womens Health Watch + + By the way, doctor. A few months ago, I was surprised to read that a new study has raised a question about the value of screening mammograms. Is that true? I thought the importance of having such mammograms was well-established. I'm 52 and have been getting annual mammograms for 10 years. Should I stop? + + 8 + + + + Robb-Nicholson + Celeste + C + + + eng + + Journal Article + +
+ + United States + Harv Womens Health Watch + 9423147 + 1070-910X + + K + + + Breast Neoplasms + diagnostic imaging + mortality + + + Clinical Trials as Topic + standards + + + Female + + + Humans + + + Mammography + + + Middle Aged + + + Patient Education as Topic + + + Research Design + + +
+ + + + 2002 + 3 + 28 + 10 + 0 + + + 2002 + 4 + 16 + 10 + 1 + + + 2002 + 3 + 28 + 10 + 0 + + + ppublish + + 11916658 + W0302f + + +
+ + + 11953811 + + 2002 + 05 + 24 + + + 2018 + 11 + 13 + +
+ + 1432-2218 + + 16 + 5 + + 2002 + May + + + Surgical endoscopy + Surg Endosc + + Disruptive visions: surgeon responsibility during the era of change. + + 733-4 + + + + Satava + R M + RM + + + eng + + Editorial + +
+ + Germany + Surg Endosc + 8806653 + 0930-2794 + + IM + + + Biomedical Technology + + + Commerce + trends + + + Delivery of Health Care + trends + + + General Surgery + standards + trends + + + Health Services Needs and Demand + trends + + + Humans + + +
+ + + + 2002 + 4 + 16 + 10 + 0 + + + 2002 + 5 + 25 + 10 + 1 + + + 2002 + 4 + 16 + 10 + 0 + + + ppublish + + 11953811 + 10.1007/s00464-002-0005-2 + + + + Surg Endosc. 2000 May;14(5):417-8 + + 10858462 + + + + +
+ + + 12038483 + + 2002 + 07 + 26 + + + 2013 + 11 + 21 + +
+ + 0273-1177 + + 26 + 12 + + 2000 + + + Advances in space research : the official journal of the Committee on Space Research (COSPAR) + Adv Space Res + + Planetary protection issues for Mars sample acquisition flight projects. + + 1911-6 + + + The planned NASA sample acquisition flight missions to Mars pose several interesting planetary protection issues. In addition to the usual forward contamination procedures for the adequate protection of Mars for the sake of future missions, there are reasons to ensure that the sample is not contaminated by terrestrial microbes from the acquisition mission. Recent recommendations by the Space Studies Board (SSB) of the National Research Council (United States), would indicate that the scientific integrity of the sample is a planetary protection concern (SSB, 1997). Also, as a practical matter, a contaminated sample would interfere with the process for its release from quarantine after return for distribution to the interested scientists. These matters are discussed in terms of the first planned acquisition mission. + c2001 COSPAR Published by Elsevier Science Ltd. All rights reserved. + + + + Barengoltz + J B + JB + + Jet Propulsion Laboratory, California Institute of Technology, Pasadena, CA 91109, USA. + + + + eng + + Journal Article + Research Support, U.S. Gov't, Non-P.H.S. + +
+ + England + Adv Space Res + 9878935 + 0273-1177 + + + + BBX060AN9V + Hydrogen Peroxide + + + S + + + Containment of Biohazards + + + Environmental Microbiology + + + Extraterrestrial Environment + + + Hot Temperature + + + Hydrogen Peroxide + + + Mars + + + Space Flight + standards + + + Spacecraft + + + Specimen Handling + + + Sterilization + methods + + + United States + + + United States National Aeronautics and Space Administration + standards + + + 00027913 + + NASA Center JPL + NASA Discipline Exobiology + + + + Barengoltz + J B + JB + + JPL + + + +
+ + + + 2002 + 6 + 1 + 10 + 0 + + + 2002 + 7 + 27 + 10 + 1 + + + 2002 + 6 + 1 + 10 + 0 + + + ppublish + + 12038483 + + +
+ + + 11966386 + + 2002 + 05 + 02 + + + 2016 + 10 + 17 + +
+ + 0098-7484 + + 287 + 16 + + 2002 + Apr + 24 + + + JAMA + JAMA + + The 2001 Bethesda System: terminology for reporting results of cervical cytology. + + 2114-9 + + + The Bethesda 2001 Workshop was convened to evaluate and update the 1991 Bethesda System terminology for reporting the results of cervical cytology. A primary objective was to develop a new approach to broaden participation in the consensus process. + Forum groups composed of 6 to 10 individuals were responsible for developing recommendations for discussion at the workshop. Each forum group included at least 1 cytopathologist, cytotechnologist, clinician, and international representative to ensure a broad range of views and interests. More than 400 cytopathologists, cytotechnologists, histopathologists, family practitioners, gynecologists, public health physicians, epidemiologists, patient advocates, and attorneys participated in the workshop, which was convened by the National Cancer Institute and cosponsored by 44 professional societies. More than 20 countries were represented. + Literature review, expert opinion, and input from an Internet bulletin board were all considered in developing recommendations. The strength of evidence of the scientific data was considered of paramount importance. + Bethesda 2001 was a year-long iterative review process. An Internet bulletin board was used for discussion of issues and drafts of recommendations. More than 1000 comments were posted to the bulletin board over the course of 6 months. The Bethesda Workshop, held April 30-May 2, 2001, was open to the public. Postworkshop recommendations were posted on the bulletin board for a last round of critical review prior to finalizing the terminology. + Bethesda 2001 was developed with broad participation in the consensus process. The 2001 Bethesda System terminology reflects important advances in biological understanding of cervical neoplasia and cervical screening technology. + + + + Solomon + Diane + D + + EPN Room 2130, 6130 Executive Blvd, Bethesda, MD 20892, USA. ds87v@nih.gov + + + + Davey + Diane + D + + + Kurman + Robert + R + + + Moriarty + Ann + A + + + O'Connor + Dennis + D + + + Prey + Marianne + M + + + Raab + Stephen + S + + + Sherman + Mark + M + + + Wilbur + David + D + + + Wright + Thomas + T + Jr + + + Young + Nancy + N + + + Forum Group Members + + + Bethesda 2001 Workshop + + + eng + + Consensus Development Conference + Consensus Development Conference, NIH + Guideline + Journal Article + Review + +
+ + United States + JAMA + 7501160 + 0098-7484 + + AIM + IM + + + JAMA. 2002 Apr 24;287(16):2140-1 + 11966390 + + + + + Cervical Intraepithelial Neoplasia + classification + pathology + + + Female + + + Humans + + + Laboratories + standards + + + Quality Control + + + Terminology as Topic + + + Uterine Cervical Dysplasia + classification + pathology + + + Uterine Cervical Neoplasms + diagnosis + pathology + + + Vaginal Smears + classification + standards + + + 28 +
+ + + + 2002 + 4 + 23 + 10 + 0 + + + 2002 + 5 + 3 + 10 + 1 + + + 2002 + 4 + 23 + 10 + 0 + + + ppublish + + 11966386 + jst10014 + + +
+ + + 12101218 + + 2002 + 08 + 12 + + + 2006 + 11 + 15 + +
+ + 0021-9258 + + 277 + 28 + + 2002 + Jul + 12 + + + The Journal of biological chemistry + J. Biol. Chem. + + Interaction between FtsZ and FtsW of Mycobacterium tuberculosis. + + 24983-7 + + + The recruitment of FtsZ to the septum and its subsequent interaction with other cell division proteins in a spatially and temporally controlled manner are the keys to bacterial cell division. In the present study, we have tested the hypothesis that FtsZ and FtsW of Mycobacterium tuberculosis could be binding partners. Using gel renaturation, pull-down, and solid-phase assays, we confirm that FtsZ and FtsW interact through their C-terminal tails, which carry extensions absent in their Escherichia coli counterparts. Crucial to these interactions is the cluster of aspartate residues Asp(367) to Asp(370) of FtsZ, which most likely interact with a cluster of positively charged residues in the C-terminal tail of FtsW. Mutations of the aspartate residues 367-370 showed that changing three aspartate residues to alanine resulted in complete loss of interaction. This is the first demonstration of the direct interaction between FtsZ and FtsW. We speculate that this interaction between FtsZ and FtsW could serve to anchor FtsZ to the membrane and link septum formation to peptidoglycan synthesis in M. tuberculosis. The findings assume particular significance in view of the global efforts to explore new targets in M. tuberculosis for chemotherapeutic intervention. + + + + Datta + Pratik + P + + Department of Chemistry, Bose Institute, 93/1 Acharya Prafulla Chandra Road, Kolkata 700009, India. + + + + Dasgupta + Arunava + A + + + Bhakta + Sanjib + S + + + Basu + Joyoti + J + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + + + 2002 + 05 + 06 + +
+ + United States + J Biol Chem + 2985121R + 0021-9258 + + + + 0 + Bacterial Proteins + + + 0 + Cytoskeletal Proteins + + + 0 + DNA Primers + + + 0 + FtsZ protein, Bacteria + + + 0 + Membrane Proteins + + + 125724-13-2 + FtsW protein, Bacteria + + + IM + + + Amino Acid Sequence + + + Bacterial Proteins + chemistry + metabolism + + + Base Sequence + + + Cytoskeletal Proteins + + + DNA Primers + + + Membrane Proteins + + + Molecular Sequence Data + + + Mycobacterium tuberculosis + metabolism + + + Protein Binding + + +
+ + + + 2002 + 7 + 9 + 10 + 0 + + + 2002 + 8 + 13 + 10 + 1 + + + 2002 + 7 + 9 + 10 + 0 + + + ppublish + + 12101218 + 10.1074/jbc.M203847200 + M203847200 + + +
+ + + 12145319 + + 2002 + 09 + 16 + + + 2018 + 11 + 30 + +
+ + 0021-9258 + + 277 + 31 + + 2002 + Aug + 02 + + + The Journal of biological chemistry + J. Biol. Chem. + + Amisyn, a novel syntaxin-binding protein that may regulate SNARE complex assembly. + + 28271-9 + + + The regulation of SNARE complex assembly likely plays an important role in governing the specificity as well as the timing of membrane fusion. Here we identify a novel brain-enriched protein, amisyn, with a tomosyn- and VAMP-like coiled-coil-forming domain that binds specifically to syntaxin 1a and syntaxin 4 both in vitro and in vivo, as assessed by co-immunoprecipitation from rat brain. Amisyn is mostly cytosolic, but a fraction co-sediments with membranes. The amisyn coil domain can form SNARE complexes of greater thermostability than can VAMP2 with syntaxin 1a and SNAP-25 in vitro, but it lacks a transmembrane anchor and so cannot act as a v-SNARE in this complex. The amisyn coil domain prevents the SNAP-25 C-terminally mediated rescue of botulinum neurotoxin E inhibition of norepinephrine exocytosis in permeabilized PC12 cells to a greater extent than it prevents the regular exocytosis of these vesicles. We propose that amisyn forms nonfusogenic complexes with syntaxin 1a and SNAP-25, holding them in a conformation ready for VAMP2 to replace it to mediate the membrane fusion event, thereby contributing to the regulation of SNARE complex formation. + + + + Scales + Suzie J + SJ + + Howard Hughes Medical Institute, Department of Molecular and Cellular Physiology, Stanford University School of Medicine, Stanford, California 94305-5345, USA. + + + + Hesser + Boris A + BA + + + Masuda + Esteban S + ES + + + Scheller + Richard H + RH + + + eng + + + GENBANK + + AF391153 + + + + + Journal Article + + + 2002 + 05 + 24 + +
+ + United States + J Biol Chem + 2985121R + 0021-9258 + + + + 0 + Carrier Proteins + + + 0 + Membrane Proteins + + + 0 + Nerve Tissue Proteins + + + 0 + Qa-SNARE Proteins + + + 0 + Recombinant Fusion Proteins + + + 0 + SNAP25 protein, human + + + 0 + SNARE Proteins + + + 0 + STX1A protein, human + + + 0 + STXBP6 protein, human + + + 0 + Snap25 protein, rat + + + 0 + Stx1a protein, rat + + + 0 + Synaptosomal-Associated Protein 25 + + + 0 + Syntaxin 1 + + + 0 + Vesicular Transport Proteins + + + EC 2.5.1.18 + Glutathione Transferase + + + X4W3ENH1CV + Norepinephrine + + + IM + + + Amino Acid Sequence + + + Animals + + + Binding Sites + + + Carrier Proteins + chemistry + genetics + physiology + + + Exocytosis + + + Glutathione Transferase + genetics + + + HeLa Cells + + + Humans + + + Kinetics + + + Membrane Proteins + chemistry + metabolism + physiology + + + Molecular Sequence Data + + + Nerve Tissue Proteins + chemistry + metabolism + + + Norepinephrine + antagonists & inhibitors + secretion + + + PC12 Cells + + + Pheochromocytoma + + + Protein Structure, Secondary + + + Qa-SNARE Proteins + + + Rats + + + Recombinant Fusion Proteins + metabolism + + + SNARE Proteins + + + Sequence Alignment + + + Sequence Homology, Amino Acid + + + Synaptosomal-Associated Protein 25 + + + Syntaxin 1 + + + Thermodynamics + + + Vesicular Transport Proteins + + +
+ + + + 2002 + 7 + 30 + 10 + 0 + + + 2002 + 9 + 17 + 10 + 1 + + + 2002 + 7 + 30 + 10 + 0 + + + ppublish + + 12145319 + 10.1074/jbc.M204929200 + M204929200 + + +
+ + + 12159900 + + 2002 + 08 + 22 + + + 2013 + 06 + 07 + +
+ + 0362-4331 + + + 2002 + Jul + 02 + + + The New York times on the Web + N Y Times Web + + Weighing medical ethics for many years to come: a conversation with Harold Shapiro. Interview by Howard Markel. + + F6 + + + + Shapiro + Harold + H + + + eng + + Interview + Newspaper Article + +
+ + United States + N Y Times Web + 9877126 + 0362-4331 + + E + + + Advisory Committees + + + Bioethical Issues + + + Biomedical Research + + + Biotechnology + + + Cloning, Organism + + + Conflict of Interest + + + Embryo Research + + + Embryo, Mammalian + cytology + + + Financing, Government + + + Health Priorities + + + Human Experimentation + + + Humans + + + Research Support as Topic + + + Stem Cells + + + United States + + + 103061 + VF 2.1 + + Bioethics and Professional Ethics + National Bioethics Advisory Commission + Popular Approach/Source + + KIE Bib: bioethics +
+ + + + 2002 + 8 + 6 + 10 + 0 + + + 2002 + 8 + 23 + 10 + 1 + + + 2002 + 8 + 6 + 10 + 0 + + + ppublish + + 12159900 + + +
+ + + 12174865 + + 2002 + 08 + 21 + + + 2004 + 11 + 17 + +
+ + 1145-0762 + + 11 + 2 + + 2000 + Jun + + + Journal international de bioethique = International journal of bioethics + J Int Bioethique + + Physicians' attitudes towards medical ethics issues in Turkey. + + 57-67 + + + + Pelin + S S + SS + + Dept. of Deontology, Faculty of Medicine, University of Ankara, Tip. Fak. Dekanligi, Morfoloji Terleskesi, Anakara, Sihhiye - 06100 Turkey. + + + + Arda + B + B + + + eng + + Journal Article + +
+ + France + J Int Bioethique + 9015754 + 1145-0762 + + E + + + Abortion, Induced + + + Animal Experimentation + + + Animals + + + Attitude of Health Personnel + + + Bioethical Issues + + + Biomedical Research + + + Complementary Therapies + + + Confidentiality + + + Data Collection + + + Ethics, Medical + + + Ethics, Research + + + Euthanasia + + + Humans + + + Physician-Patient Relations + + + Physicians + psychology + + + Prejudice + + + Reproductive Techniques, Assisted + + + Truth Disclosure + + + Turkey + + + 102894 + + Bioethics and Professional Ethics + Empirical Approach + + Pelin, Serap Sahinoglu; Arda, Berna + KIE Bib: bioethics; medical ethics +
+ + + + 2002 + 8 + 15 + 10 + 0 + + + 2002 + 8 + 22 + 10 + 1 + + + 2002 + 8 + 15 + 10 + 0 + + + ppublish + + 12174865 + + +
+ + + 12192682 + + 2002 + 09 + 09 + + + 2006 + 11 + 15 + +
+ + 0018-9251 + + 35 + 3 + + 1999 + Jul + + + IEEE transactions on aerospace and electronic systems + IEEE Trans Aerosp Electron Syst + + Intelligent control of a planning system for astronaut training. + + 1055-70 + + + This work intends to design, analyze and solve, from the systems control perspective, a complex, dynamic, and multiconstrained planning system for generating training plans for crew members of the NASA-led International Space Station. Various intelligent planning systems have been developed within the framework of artificial intelligence. These planning systems generally lack a rigorous mathematical formalism to allow a reliable and flexible methodology for their design, modeling, and performance analysis in a dynamical, time-critical, and multiconstrained environment. Formulating the planning problem in the domain of discrete-event systems under a unified framework such that it can be modeled, designed, and analyzed as a control system will provide a self-contained theory for such planning systems. This will also provide a means to certify various planning systems for operations in the dynamical and complex environments in space. The work presented here completes the design, development, and analysis of an intricate, large-scale, and representative mathematical formulation for intelligent control of a real planning system for Space Station crew training. This planning system has been tested and used at NASA-Johnson Space Center. + + + + Ortiz + J + J + + Johnson Space Center, USA. + + + + Chen + G + G + + + eng + + Journal Article + Research Support, U.S. Gov't, Non-P.H.S. + +
+ + United States + IEEE Trans Aerosp Electron Syst + 9876802 + 0018-9251 + + S + + + Algorithms + + + Artificial Intelligence + + + Astronauts + education + + + Humans + + + Inservice Training + + + Space Flight + education + + + Spacecraft + + + Systems Analysis + + + Time Management + + + United States + + + United States National Aeronautics and Space Administration + + + 00028138 + Grant numbers: DAAG55-98-1-0198. +
+ + + + 2002 + 8 + 24 + 10 + 0 + + + 2002 + 9 + 11 + 10 + 1 + + + 2002 + 8 + 24 + 10 + 0 + + + ppublish + + 12192682 + + +
+ + + 12179763 + + 1991 + 12 + 03 + + + 2018 + 11 + 30 + +
+ + 1226-0282 + + 10 + 2 + + 1990 + Dec + + + Pogon sahoe nonjip = Journal of population, health, and social welfare + Bogeon sahoe nonjib + + Recent changes in the population control policy and its future directions in Korea. + + 152-73 + + + + Cho + N H + NH + + + Seo + M H + MH + + + Tan + B A + BA + + + eng + + Journal Article + +
+ + Korea (South) + Bogeon sahoe nonjib + 9422396 + 1226-0282 + + J + + + Adult + + + Age Factors + + + Aged + + + Asia + + + Birth Rate + + + Conservation of Natural Resources + + + Contraception + + + Delivery of Health Care + + + Demography + + + Dependency (Psychology) + + + Developing Countries + + + Economics + + + Employment + + + Environment + + + Family Planning Services + + + Far East + + + Fertility + + + Health + + + Health Manpower + + + Health Planning + + + Health Services + + + Korea + + + Maternal-Child Health Centers + + + Organization and Administration + + + Population + + + Population Characteristics + + + Population Density + + + Population Dynamics + + + Population Growth + + + Primary Health Care + + + Program Evaluation + + + Public Policy + + + Public Sector + + + Research + + + Social Welfare + + + Socioeconomic Factors + + + Sterilization, Reproductive + + + 067656 + 00204408 + + The total fertility rate (TFR) in Korea decreased from 6.0 to 1.6 over the period 1960-87. A national family planning program and socioeconomic development have played roles in this decline. Should this most recent TFR prevail, the nation's population will increase to 50.2 million by 2020, shifting to negative growth thereafter. Demographic aging and labor shortages will ensue. Future population policy should consider Korea's socioeconomic conditions and its burgeoning population in relation to the available land area, and aim to maintain a minimum positive population growth rate. In this context, this paper considers future population policy directions for Korea, acknowledging that its strategies and objectives must change. Postponing reaching the goal of zero population growth rate is suggested to allow a moderate population infusion of economically active individuals. These people will help facilitate greater economic development and work to improve the quality of life in Korea. Strengthened family planning/maternal-child health programs which encourage and support temporary contraceptive methods instead of sterilization will help to achieve this goal. Improving qualitative program aspects should be the center of attention in these programs. The paper also calls upon the Korea Institute for Health and Social Affairs to strengthen its research and evaluation capabilities. + + + Adult + Age Factors + Aged + Asia + Birth Rate + Carrying Capacity + Contraception + Contraceptive Methods + Delivery Of Health Care + Demographic Aging + Demographic Factors + Demographic Transition + Dependency Burden + Developing Countries + Eastern Asia + Economic Development + Economic Factors + Environment + Family Planning + Family Planning Programs + Fertility + Fertility Measurements + Fertility Rate + Health + Health Services + Human Resources + Korea + Labor Force + Macroeconomic Factors + Maternal-child Health Services + Microeconomic Factors + Natural Resources + Organization And Administration + Policy + Population + Population Characteristics + Population Decrease + Population Dynamics + Population Growth + Population Policy + Population Pressure + Population Size + Primary Health Care + Program Evaluation + Programs + Public Sector + Research Methodology + Social Policy + Social Welfare + Socioeconomic Factors + Sterilization, Sexual + Total Fertility Rate--changes + Zero Population Growth + + TJ: JOURNAL OF POPULATION, HEALTH AND SOCIAL WELFARE +
+ + + + 1990 + 12 + 1 + 0 + 0 + + + 2002 + 10 + 9 + 4 + 0 + + + 1990 + 12 + 1 + 0 + 0 + + + ppublish + + 12179763 + + +
+ + + 12211241 + + 2002 + 09 + 13 + + + 2007 + 03 + 19 + +
+ + 1095-9203 + + 297 + 5586 + + 2002 + Aug + 30 + + + Science (New York, N.Y.) + Science + + Mycobacterium leprae and demyelination. + + 1475-6; author reply 1475-6 + + + + Ottenhoff + Tom H M + TH + + + eng + + Comment + Letter + +
+ + United States + Science + 0404511 + 0036-8075 + + IM + + + Science. 2002 May 3;296(5569):927-31 + 11988579 + + + + + Bacterial Adhesion + + + Demyelinating Diseases + immunology + microbiology + pathology + + + Humans + + + Leprosy + immunology + microbiology + pathology + + + Mycobacterium leprae + pathogenicity + physiology + + + Schwann Cells + microbiology + + +
+ + + + 2002 + 9 + 5 + 10 + 0 + + + 2002 + 9 + 14 + 10 + 1 + + + 2002 + 9 + 5 + 10 + 0 + + + ppublish + + 12211241 + + +
+ + + 12219757 + + 2002 + 09 + 13 + + + 2016 + 11 + 24 + +
+ + 1225-505X + + 10 + 1 + + 2001 + Jun + + + Ui sahak + Uisahak + + Development of neurophysiology in the early twentieth century: Charles Scott Sherrington and The Integrative action of the nervous system. + + 1-21 + + + + Kim + O J + OJ + + Department of the Medical History and Medical Humanities, Seoul National University College of Medicine. + + + + eng + + Biography + Historical Article + Journal Article + +
+ + Korea (South) + Uisahak + 9605018 + 1225-505X + + Q + + + Books + history + + + History, 19th Century + + + History, 20th Century + + + Neurophysiology + history + + + United Kingdom + + + + + Sherrington + C S + CS + + +
+ + + + 2002 + 9 + 11 + 10 + 0 + + + 2002 + 9 + 14 + 10 + 1 + + + 2002 + 9 + 11 + 10 + 0 + + + ppublish + + 12219757 + + +
+ + + 12211266 + + 2002 + 09 + 25 + + + 2004 + 11 + 17 + +
+ + 1054-6863 + + 12 + 1 + + 2002 + Mar + + + Kennedy Institute of Ethics journal + Kennedy Inst Ethics J + + Public policy and the sale of human organs. + + 47-64 + + + Gill and Sade, in the preceding article in this issue of the Kennedy Institute of Ethics Journal, argue that living individuals should be free from legal constraints against selling their organs. The present commentary responds to several of their claims. It explains why an analogy between kidneys and blood fails; why, as a matter of public policy, we prohibit the sale of human solid organs, yet allow the sale of blood; and why their attack on Kant's putative argument against the sale of human body parts is misplaced. Finally, it rejects the claim that the state is entitled to interfere with the actions of individuals only if such actions would harm others. We draw certain lines grounded in what Rawls has termed "public reason" beyond which we do not give effect to the autonomous self-regarding decisions of individuals. Public resistance to the sale of human body parts, no matter how voluntary or well informed, is grounded in the conviction that such a practice would diminish human dignity and our sense of solidarity. A system of organ donation, in contrast, conveys our respect for persons and honors our common humanity. + + + + Cohen + Cynthia B + CB + + Kennedy Institute of Ethics, Georgetown University, Washington, DC, USA. + + + + eng + + Journal Article + +
+ + United States + Kennedy Inst Ethics J + 9109135 + 1054-6863 + + E + + + Blood Donors + + + Commodification + + + Ethical Analysis + + + Fees and Charges + + + Human Body + + + Humans + + + Kidney + + + Kidney Transplantation + economics + + + Living Donors + + + Public Policy + + + Tissue and Organ Procurement + economics + + + United States + + + 103573 + + Analytical Approach + Health Care and Public Health + + 24 refs. 4 fn. + KIE Bib: blood donation; organ and tissue donation +
+ + + + 2002 + 9 + 5 + 10 + 0 + + + 2002 + 9 + 26 + 6 + 0 + + + 2002 + 9 + 5 + 10 + 0 + + + ppublish + + 12211266 + + +
+ + + 12227380 + + 2002 + 09 + 13 + + + 2004 + 11 + 17 + +
+ + 0269-8897 + + 15 + 1 + + 2002 + Mar + + + Science in context + Sci Context + + Paracelsus, Paracelsianism, and the secularization of the worldview. + + 9-27 + + + This paper examines Paracelsus and Paracelsianism in the light of the ideas of Max Weber concerning the social consequences of the Reformation, with special reference to his theories of Entzauberung and secularization. He linked these tendencies both to the rise of capitalism and the growth of experimental science. The detailed case study of Paracelsus' account of diseases linked with saints, in common with his interpretation of many other conditions, demonstrates that he self-consciously extended the boundaries of medicine and eroded the role of magic and witchcraft associated with the church. On the other hand, Paracelsus adopted the Neoplatonic worldview, was immersed in popular magic, and evolved a system of medicine that self-consciously revolved around magic. These factors seem to place a distinct limit on his role in the demystification of knowledge. However, the magic of Paracelsus entailed a decisive break with the entrenched elitist and esoteric tradition of the occultists and hermeticists. It is argued that this reconstructed magic re-establishes the credentials of Paracelsus as a significant contributor to the disenchantment and secularization of the worldview. + + + + Webster + Charles + C + + All Souls College, Oxford. + + + + eng + + Biography + Historical Article + Journal Article + +
+ + England + Sci Context + 8904113 + 0269-8897 + + Q + + + Europe + + + History, 17th Century + + + History, 20th Century + + + History, Early Modern 1451-1600 + + + Magic + history + + + Medicine + + + Philosophy + history + + + Religion and Medicine + + + Sciatica + history + + + + + Paracelsus + + + Weber + Max + M + + +
+ + + + 2002 + 9 + 14 + 10 + 0 + + + 2002 + 9 + 14 + 10 + 1 + + + 2002 + 9 + 14 + 10 + 0 + + + ppublish + + 12227380 + + +
+ + + 12230355 + + 2002 + 09 + 25 + + + 2005 + 11 + 17 + +
+ + 1539-3704 + + 137 + 6 + + 2002 + Sep + 17 + + + Annals of internal medicine + Ann. Intern. Med. + + Screening for osteoporosis in postmenopausal women: recommendations and rationale. + + 526-8 + + + + U.S. Preventive Services Task Force + + + eng + + Guideline + Journal Article + Practice Guideline + +
+ + United States + Ann Intern Med + 0372351 + 0003-4819 + + AIM + IM + + + Ann Intern Med. 2003 Apr 15;138(8):689; author reply 389-90 + 12693905 + + + Ann Intern Med. 2002 Sep 17;137(6):I59 + 12230384 + + + + + Age Factors + + + Aged + + + Female + + + Fractures, Bone + etiology + prevention & control + + + Humans + + + Mass Screening + + + Middle Aged + + + Osteoporosis, Postmenopausal + complications + diagnosis + + + Risk Factors + + +
+ + + + 2002 + 9 + 17 + 10 + 0 + + + 2002 + 9 + 26 + 6 + 0 + + + 2002 + 9 + 17 + 10 + 0 + + + ppublish + + 12230355 + 200209170-00014 + + +
+ + + 12230384 + + 2002 + 09 + 25 + + + 2005 + 11 + 17 + +
+ + 1539-3704 + + 137 + 6 + + 2002 + Sep + 17 + + + Annals of internal medicine + Ann. Intern. Med. + + Summaries for patients. Screening for osteoporosis: recommendations from the U.S. Preventive Services Task Force. + + I59 + + eng + + Journal Article + Patient Education Handout + +
+ + United States + Ann Intern Med + 0372351 + 0003-4819 + + AIM + IM + + + Ann Intern Med. 2002 Sep 17;137(6):526-8 + 12230355 + + + Ann Intern Med. 2002 Sep 17;137(6):529-41 + 12230356 + + + + + Aged + + + Bone Density + + + Evidence-Based Medicine + + + Female + + + Fractures, Bone + etiology + prevention & control + + + Humans + + + Mass Screening + + + Middle Aged + + + Osteoporosis, Postmenopausal + complications + diagnosis + therapy + + + Risk Factors + + + United States + + +
+ + + + 2002 + 9 + 17 + 10 + 0 + + + 2002 + 9 + 26 + 6 + 0 + + + 2002 + 9 + 17 + 10 + 0 + + + ppublish + + 12230384 + 200209170-00006 + + +
+ + + 12349809 + + 2000 + 12 + 06 + + + 2007 + 11 + 15 + +
+ + 0251-7329 + + 37 + 2 + + 2000 + + + UN chronicle + UN Chron + + Gender and globalization. A century in retrospect. + + 69-70 + + + + Chinkin + C + C + + + eng + + Journal Article + +
+ + United States + UN Chron + 8305532 + 0251-7329 + + J + + + Economics + + + Evaluation Studies as Topic + + + Interpersonal Relations + + + Social Change + + + Socioeconomic Factors + + + Women's Rights + + + 152034 + 00297373 + + In the past, power structures of the nation-State have been organized around patriarchal assumptions, granting men monopoly over power, authority, and wealth. A number of structures have been erected to achieve this imbalance, which have disguised its inequity by making it appear as natural and universal. However, with globalization, this centralization of power within the Sovereign State has been fragmented. Although globalization opens up new spaces by weakening the nation-State, subsequently making possible the undermining of traditional gender hierarchies and devising new bases for gender relations, the reality that the State is no longer the sole institution that can define identity and belonging within it has denied women the space to assert their own claims to gendered self-determination. In this regard, globalization has impacted upon gender relations in complex and contradictory ways. This paper discusses such impacts of globalization on gender relations. Overall, it has become apparent that forms of inequality still exist regardless of a State's prevailing political ideology. Their manifestations may differ, but the reality of women's subordination remains constant. + + + Critique + Economic Factors + Gender Issues + Gender Relations + Social Change + Socioeconomic Factors + Women's Status + World + + TJ: UN CHRONICLE +
+ + + + 2002 + 9 + 28 + 4 + 0 + + + 2002 + 10 + 9 + 4 + 0 + + + 2002 + 9 + 28 + 4 + 0 + + + ppublish + + 12349809 + + +
+ + + 12369570 + + 2003 + 02 + 21 + + + 2017 + 12 + 13 + +
+ + 8750-7587 + + 93 + 4 + + 2002 + Oct + + + Journal of applied physiology (Bethesda, Md. : 1985) + J. Appl. Physiol. + + Human unilateral lower limb suspension as a model for spaceflight effects on skeletal muscle. + + 1563-5; author reply 1565-6 + + + + Adams + Gregory R + GR + + + eng + + Comment + Letter + +
+ + United States + J Appl Physiol (1985) + 8502536 + 0161-7567 + + IM + S + + + J Appl Physiol (1985). 2002 Jul;93(1):354-60 + 12070225 + + + + + Bed Rest + + + Humans + + + Immobilization + + + Leg + + + Muscle Fibers, Skeletal + physiology + + + Muscle, Skeletal + physiology + + + Space Flight + + + Weight-Bearing + + + + NASA Discipline Musculoskeletal + Non-NASA Center + + Flight Experiment + STS-78 Shuttle Project + manned + short duration + + + Adams + G R + GR + + U CA, Irvine + + + + Fitts + R H + RH + + Vanderbilt U, Nashville, TN + + + +
+ + + + 2002 + 10 + 9 + 4 + 0 + + + 2003 + 2 + 22 + 4 + 0 + + + 2002 + 10 + 9 + 4 + 0 + + + ppublish + + 12369570 + 10.1152/japplphysiol.00412.2002 + + +
+ + + 12501715 + + 2003 + 01 + 08 + + + 2005 + 11 + 16 + +
+ + 0559-7765 + + 29 + 1 + + 1998 + Jan + + + Sheng li ke xue jin zhan [Progress in physiology] + Sheng Li Ke Xue Jin Zhan + + [Mechanism of bone mineral loss in microgravity]. + + 84-6 + + + + Cui + W + W + + + chi + + Journal Article + Review + +
+ + China + Sheng Li Ke Xue Jin Zhan + 20730140R + 0559-7765 + + IM + S + + + Bone Demineralization, Pathologic + etiology + + + Humans + + + Space Flight + + + Weightlessness + adverse effects + + + Weightlessness Simulation + adverse effects + + + 10 + Cosmos 1129 Project + Cosmos 2044 Project + Flight Experiment + STS-51B Shuttle Project + STS-54 Shuttle Project + manned + short duration + unmanned +
+ + + + 2002 + 12 + 28 + 4 + 0 + + + 2003 + 1 + 9 + 4 + 0 + + + 2002 + 12 + 28 + 4 + 0 + + + ppublish + + 12501715 + + +
+ + + 12599353 + + 2003 + 03 + 10 + + + 2018 + 11 + 30 + +
+ + 0025-4282 + + 53 + 4 + + 1994 + + + Maryland law review (Baltimore, Md. : 1936) + MD Law Rev + + The new Uniform Health Care Decisions Act: paving a health care decisions superhighway? + + 1238-54 + + + + Sabatino + C P + CP + + American Bar Association, Commission on Legal Problems of the Elderly, USA. + + + + eng + + Journal Article + +
+ + United States + MD Law Rev + 100971842 + 0025-4282 + + E + + + Advance Directives + legislation & jurisprudence + + + Decision Making + + + Humans + + + Legislation, Medical + + + Life Support Care + + + Personal Autonomy + + + Proxy + legislation & jurisprudence + + + Records as Topic + + + United States + + + 106309 + Special Issue + + Death and Euthanasia + Legal Approach + Uniform Health-Care Decisions Act + Uniform Rights of the Terminally Ill Act + + Sabatino, Charles P + 102 fn. + KIE Bib: advance directives +
+ + + + 1994 + 1 + 1 + 0 + 0 + + + 2003 + 3 + 11 + 4 + 0 + + + 1994 + 1 + 1 + 0 + 0 + + + ppublish + + 12599353 + + +
+ + + 12599354 + + 2003 + 03 + 10 + + + 2004 + 11 + 17 + +
+ + 0025-4282 + + 53 + 4 + + 1994 + + + Maryland law review (Baltimore, Md. : 1936) + MD Law Rev + + The right to refuse life-sustaining medical treatment: national trend and recent changes in Maryland law. + + 1306-43 + + + + Goldmeier + K E + KE + + + eng + + Journal Article + +
+ + United States + MD Law Rev + 100971842 + 0025-4282 + + E + + + Decision Making + + + Euthanasia, Passive + legislation & jurisprudence + + + Family + psychology + + + Humans + + + Legal Guardians + legislation & jurisprudence + + + Life Support Care + + + Maryland + + + Persistent Vegetative State + + + Right to Die + legislation & jurisprudence + + + Treatment Refusal + legislation & jurisprudence + + + United States + + + 106310 + Special Issue + + Death and Euthanasia + Legal Approach + Mack v. Mack + + Goldmeier, Karen E + 235 fn. + KIE Bib: allowing to die/legal aspects; treatment refusal +
+ + + + 1994 + 1 + 1 + 0 + 0 + + + 2003 + 3 + 11 + 4 + 0 + + + 1994 + 1 + 1 + 0 + 0 + + + ppublish + + 12599354 + + +
+ + + 12416895 + + 2003 + 04 + 01 + + + 2015 + 11 + 19 + +
+ + 1528-9117 + + 8 + 5 + + 2002 Sep-Oct + + + Cancer journal (Sudbury, Mass.) + Cancer J + + Radiotherapy alone for lymphocyte-predominant Hodgkin's disease. + + 377-83 + + + The purpose of the study was to analyze the results with radiotherapy alone in a select group of asymptomatic adults with nonbulky, early-stage lymphocyte-predominant Hodgkin's disease. + Between 1963 and 1995, 36 patients with nonbulky stage IA (N = 27) or IIA (N = 9) supradiaphragmatic (N = 27) or subdiaphragmatic (N = 9) lymphocyte-predominant Hodgkin's disease were treated with radiotherapy alone. Eleven of the patients underwent laparotomy. Limited-field radiotherapy involving only one side of the diaphragm and extended-field radiotherapy encompassing both sides of the diaphragm were used in 28 and 8 cases, respectively. Median dose to involved areas was 40.0 Gy given daily in 20 2.0-Gy fractions. Salvage treatmentconsisted of MOPP (mechlorethamine, vincristine, prednisone, procarbazine), CVPP/ABDIC (cyclophosphamide, vinblastine, procarbazine and prednisone/doxorubicin, bleomycin, dacarbazine, lomustine, and prednisone), or ABVD (doxorubicin, bleomycin, vinblastine, dacarbazine) chemotherapy and/or involved-field radiotherapy. + Median follow-up was 8.8 years (range, 3.0-34.4 years). None of the 15 patients with supradiaphragmatic disease who received limited-field radiotherapy to regions that did not include the mediastinal or hilar nodes subsequently experienced relapse there. Only one of 20 patients who received supradiaphragmatic limited-field radiotherapy alone experienced relapse in the paraaortic nodes or spleen. The 5-year relapse-free and overall survival rates for the 20 patients with stage IA lymphocyte-predominant Hodgkin's disease treated with involved-field or regional radiotherapy were 95% and 100%, respectively. There were no cases of severe or life-threatening cardiac toxicity. No solid tumors have been observed in-field in patients treated with limited-field radiotherapy, even though they have been followed up longer than those treated with extended-field radiotherapy (median follow-up, 11.6 vs 5.5 years); two solid tumors have developed in-field in patients who received extended-field radiotherapy. + Involved-field or regional radiotherapy alone may be adequate in stage IA lymphocyte-predominant Hodgkin's disease patients. Longer follow-up will help to more clearly define the risks of cardiac toxicity and solid tumors that result from involved-field or regional radiotherapy, which appear to be low based on follow-up to date. + + + + Schlembach + Pamela J + PJ + + Department of Radiation Oncology, The University of Texas M. D. Anderson Cancer Center, Houston 77030-4009, USA. + + + + Wilder + Richard B + RB + + + Jones + Dan + D + + + Ha + Chul S + CS + + + Fayad + Luis E + LE + + + Younes + Anas + A + + + Hagemeister + Fredrick + F + + + Hess + Mark + M + + + Cabanillas + Fernando + F + + + Cox + James D + JD + + + eng + + + CA 16672 + CA + NCI NIH HHS + United States + + + CA 6294 + CA + NCI NIH HHS + United States + + + + Journal Article + Research Support, U.S. Gov't, P.H.S. + +
+ + United States + Cancer J + 100931981 + 1528-9117 + + + + 11056-06-7 + Bleomycin + + + 35S93Y190K + Procarbazine + + + 50D9XSG0VR + Mechlorethamine + + + 5J49Q6B70F + Vincristine + + + 5V9KLZ54CY + Vinblastine + + + 7BRF0Z81KG + Lomustine + + + 7GR28W0FJI + Dacarbazine + + + 80168379AG + Doxorubicin + + + VB0R961HZT + Prednisone + + + + ABDIC protocol + ABVD protocol + CVPP protocol + MOPP protocol + + IM + + + Cancer J. 2002 Sep-Oct;8(5):367-8 + 12416892 + + + + + Adolescent + + + Adult + + + Antineoplastic Combined Chemotherapy Protocols + administration & dosage + therapeutic use + + + Bleomycin + administration & dosage + + + Combined Modality Therapy + + + Dacarbazine + administration & dosage + + + Doxorubicin + administration & dosage + + + Female + + + Hodgkin Disease + drug therapy + radiotherapy + + + Humans + + + Lomustine + administration & dosage + + + Male + + + Mechlorethamine + administration & dosage + + + Middle Aged + + + Prednisone + administration & dosage + + + Procarbazine + administration & dosage + + + Radiotherapy Dosage + + + Retrospective Studies + + + Salvage Therapy + methods + + + Survival Analysis + + + Treatment Outcome + + + Vinblastine + administration & dosage + + + Vincristine + administration & dosage + + +
+ + + + 2002 + 11 + 6 + 4 + 0 + + + 2003 + 4 + 2 + 5 + 0 + + + 2002 + 11 + 6 + 4 + 0 + + + ppublish + + 12416895 + + +
+ + + 12742516 + + 2009 + 02 + 27 + + + 2013 + 11 + 21 + +
+ + 1879-0712 + + 468 + 2 + + 2003 + May + 09 + + + European journal of pharmacology + Eur. J. Pharmacol. + + S-15176 inhibits mitochondrial permeability transition via a mechanism independent of its antioxidant properties. + + 93-101 + + + Mitochondrial Ca(2+) accumulation can induce a sudden increase in the permeability of the inner membrane. This phenomenon is due to the generation of a large nonselective ion channel, termed the permeability transition pore (PTP), which contributes to cellular injury during ischemia and reperfusion. Inhibition of PTP generation constitutes a relevant pharmacological target to protect a cell from death. In this study, we examined the effect of S-15176 ((N-[(3,5-di-tertiobutyl-4-hydroxy-1-thiophenyl)]-3-propyl-N'-(2,3,4-trimethoxybenzyl)piperazine), a novel anti-ischemic agent, on PTP in rat liver mitochondria. S-15176 prevented PTP opening generated by various triggering agents, as attested by the concentration-dependent inhibition of mitochondrial swelling, of mitochondrial membrane potential dissipation and of NADPH oxidation. These effects were associated with an increase in the Ca(2+) loading capacity of mitochondria. S-15176 was a strong inhibitor of lipid peroxidation, but experiments with another trimetazidine derivative devoid of antioxidant activity indicated that this activity was not essential to the inhibitory effect. Binding studies demonstrated that [3H]S-15176 bound to mitochondrial binding sites, especially those localized in the inner membrane. These sites were shared by several well-known inhibitors of PTP opening. These results demonstrate that the mechanism by which S-15176 protects mitochondria against the deleterious effects of ischemia-reperfusion involves inhibition of PTP opening and provide evidence that the drug operates through low structural specificity binding sites located in the inner mitochondrial membrane. + + + + Elimadi + Aziz + A + + Département de Pharmacologie, Faculté de Médecine de Paris XII, Créteil, France + + + + Jullien + Vincent + V + + + Tillement + Jean Paul + JP + + + Morin + Didier + D + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + Netherlands + Eur J Pharmacol + 1254354 + 0014-2999 + + + + 0 + Antioxidants + + + 0 + Mitochondrial Membrane Transport Proteins + + + 0 + Piperazines + + + 0 + S 15176 + + + 0 + mitochondrial permeability transition pore + + + 53-59-8 + NADP + + + SY7Q814VUP + Calcium + + + IM + + + Animals + + + Antioxidants + pharmacology + + + Binding Sites + + + Calcium + metabolism + + + Lipid Peroxidation + drug effects + + + Male + + + Membrane Potential, Mitochondrial + drug effects + + + Mitochondria, Liver + drug effects + metabolism + + + Mitochondrial Membrane Transport Proteins + drug effects + metabolism + + + NADP + metabolism + + + Oxidation-Reduction + + + Piperazines + pharmacology + + + Rats + + + Rats, Wistar + + +
+ + + + 2003 + 5 + 14 + 5 + 0 + + + 2009 + 2 + 28 + 9 + 0 + + + 2003 + 5 + 14 + 5 + 0 + + + ppublish + + 12742516 + S0014299903016716 + + +
+ + + 12742518 + + 2009 + 02 + 27 + + + 2014 + 11 + 20 + +
+ + 1879-0712 + + 468 + 2 + + 2003 + May + 09 + + + European journal of pharmacology + Eur. J. Pharmacol. + + Behavioral effects of rimcazole analogues alone and in combination with cocaine. + + 109-19 + + + Several sigma receptor ligands have been reported to also have affinity for the dopamine transporter, among them rimcazole (9-[3-(cis-3,5-dimethyl-1-piperazinyl)propyl]carbazole dihydrochloride). However, rimcazole lacks behavioral effects like those of other dopamine uptake inhibitors, such as cocaine and GBR 12909 (1-(2-[bis(4-fluorophenyl)methoxy]ethyl)-4-(3-phenylpropyl)piperazine dihydrochloride). Because of this profile, the interactions with cocaine of rimcazole and several of its novel analogues were assessed. The compounds studied were rimcazole, its N-methyl analogue, SH 1-73 (9-[3-(cis-3,5-dimethyl-4-methyl-1-piperazinyl)-propyl]carbazole hydrobromide), the dibrominated analogue, SH 1-76 (3,6-dibromo-9-[3-(cis-3,5-dimethyl-1-piperazinyl)-propyl]carbazole hydrochloride), and the N-propylphenyl analogues, SH 3-24 ([3-(cis-3,5-dimethyl-4-[3-phenylpropyl]-1-piperazinyl)-propyl]diphenylamine hydrochloride) and SH 3-28 (9-[3-(cis-3,5-dimethyl-4-[3-phenylpropyl]-1-piperazinyl)-propyl]carbazole hydrobromide). The former has a diphenyl-amine group in place of the carbazole moiety of rimcazole, giving the compound additional structural similarity to GBR 12909. The rimcazole analogues produced dose-related decreases in locomotor activity, and also decreased cocaine-stimulated activity in mice. In rats trained to discriminate 10 mg/kg cocaine (i.p.) from saline injections, cocaine and GBR 12909 each produced a dose-related increase in cocaine-appropriate responding. Cocaine also increased rates of responding. SH 3-28 decreased cocaine-appropriate responding at the cocaine training dose to about 58% (SH 3-28) with two of five subjects selecting the cocaine response key. Neither rimcazole nor SH 3-24 produced a significant attenuation of the discriminative effects of cocaine. Rimcazole and its analogs all attenuated the increases in rates of responding produced by cocaine. In contrast to effects obtained with rimcazole analogs, GBR 12909 potentiated the cocaine-induced increases in locomotor activity and operant behavior, as well as the discriminative-stimulus effects of cocaine. The present results indicate that analogues of rimcazole can attenuate the behavioral effects of cocaine, and though the mechanism for these effects is not presently clear, it is possible that this attenuation maybe mediated by actions of the rimcazole analogues at the dopamine transporter and/or sigma receptors. + + + + Katz + Jonathan L + JL + + Department of Health and Human Services, Medications Discovery Research Branch, NIDA Intramural Research Program, National Institutes of Health, Baltimore, MD 21224, USA. jkatz@intra.nida.nih.gov + + + + Libby + Therissa A + TA + + + Kopajtic + Theresa + T + + + Husbands + Stephen M + SM + + + Newman + Amy Hauck + AH + + + eng + + Journal Article + Research Support, N.I.H., Extramural + +
+ + Netherlands + Eur J Pharmacol + 1254354 + 0014-2999 + + + + 0 + Carbazoles + + + 0 + Dopamine Plasma Membrane Transport Proteins + + + 0 + Dopamine Uptake Inhibitors + + + 0 + Receptors, sigma + + + C3N1PS8CX1 + rimcazole + + + I5Y540LHVR + Cocaine + + + IM + + + Animals + + + Behavior, Animal + drug effects + + + Carbazoles + administration & dosage + agonists + pharmacology + + + Cocaine + administration & dosage + pharmacology + + + Conditioning, Operant + drug effects + + + Dopamine Plasma Membrane Transport Proteins + drug effects + metabolism + + + Dopamine Uptake Inhibitors + administration & dosage + pharmacology + + + Dose-Response Relationship, Drug + + + Male + + + Mice + + + Motor Activity + drug effects + + + Rats + + + Rats, Sprague-Dawley + + + Receptors, sigma + drug effects + metabolism + + + Structure-Activity Relationship + + +
+ + + + 2003 + 5 + 14 + 5 + 0 + + + 2009 + 2 + 28 + 9 + 0 + + + 2003 + 5 + 14 + 5 + 0 + + + ppublish + + 12742518 + S0014299903016388 + + +
+ + + 12742519 + + 2009 + 02 + 27 + + + 2014 + 11 + 20 + +
+ + 1879-0712 + + 468 + 2 + + 2003 + May + 09 + + + European journal of pharmacology + Eur. J. Pharmacol. + + Risperidone reduces limited access alcohol drinking in alcohol-preferring rats. + + 121-7 + + + An atypical antipsychotic drug risperidone reduced ethanol drinking of ethanol-preferring Alko, Alcohol (AA) rats in a limited access paradigm. Its effect was transient at a dose known to preferentially antagonize the 5-HT(2) receptors (0.1 mg/kg, s.c.), but long-lasting when the dose was increased to 1.0 mg/kg that also blocks dopamine D(2) receptors. Risperidone also reduced dose-dependently locomotor activity and limited access saccharin intake of the AA rats, indicating that its effect on ethanol drinking was not selective. Risperidone at 0.1 mg/kg given before four successive daily ethanol-drinking sessions significantly reduced the ethanol intake. These data from an animal model of high ethanol intake suggest that risperidone should be tested in various populations of alcoholics for reducing ethanol consumption. + + + + Ingman + Kimmo + K + + Department of Pharmacology and Clinical Pharmacology, University of Turku, Turku, Finland + + + + Honkanen + Aapo + A + + + Hyytiä + Petri + P + + + Huttunen + Matti O + MO + + + Korpi + Esa R + ER + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + Netherlands + Eur J Pharmacol + 1254354 + 0014-2999 + + + + 0 + Antipsychotic Agents + + + 0 + Dopamine D2 Receptor Antagonists + + + 0 + Serotonin 5-HT2 Receptor Antagonists + + + FST467XS7D + Saccharin + + + L6UH7ZF8HC + Risperidone + + + IM + + + Alcohol Drinking + prevention & control + + + Alcoholism + drug therapy + + + Animals + + + Antipsychotic Agents + administration & dosage + pharmacology + + + Disease Models, Animal + + + Dopamine D2 Receptor Antagonists + + + Dose-Response Relationship, Drug + + + Male + + + Motor Activity + drug effects + + + Rats + + + Risperidone + administration & dosage + pharmacology + + + Saccharin + + + Self Administration + + + Serotonin 5-HT2 Receptor Antagonists + + +
+ + + + 2003 + 5 + 14 + 5 + 0 + + + 2009 + 2 + 28 + 9 + 0 + + + 2003 + 5 + 14 + 5 + 0 + + + ppublish + + 12742519 + S0014299903016698 + + +
+ + + 13072632 + + 2003 + 05 + 01 + + + 2018 + 12 + 01 + +
+ + + 217 + 2 + + 1953 + Jan + 05 + + + Naunyn-Schmiedebergs Archiv fur experimentelle Pathologie und Pharmakologie + Naunyn Schmiedebergs Arch Exp Pathol Pharmakol + + [Pharmacology of phosphoric acid esters; diethylthiophosphoric acid ester of ethylthioglycol]. + + 144-52 + + + + WIRTH + W + W + + + und + + Journal Article + + Zur Pharmakologie der Phosphorsäureester; diathylthiophosphorsäureester des Athylthioglykol Systox-Wirkstoff. +
+ + Germany + Naunyn Schmiedebergs Arch Exp Pathol Pharmakol + 0054224 + + + + 0 + Esters + + + 0 + Insecticides + + + 0 + Organophosphates + + + 0 + Phosphates + + + OM + + + Esters + + + Insecticides + + + Organophosphates + + + Phosphates + + + 5324:43336:331:494 + + INSECTICIDES + PHOSPHATES + +
+ + + + 1953 + 1 + 5 + + + 1953 + 1 + 5 + 0 + 1 + + + 1953 + 1 + 5 + 0 + 0 + + + ppublish + + 13072632 + + +
+ + + 11909345 + + 2002 + 05 + 16 + + + 2003 + 11 + 03 + +
+ + 0031-9007 + + 88 + 10 + + 2002 + Mar + 11 + + + Physical review letters + Phys. Rev. Lett. + + Measurement of B --> K*gamma branching fractions and charge asymmetries. + + 101805 + + + The branching fractions of the exclusive decays B0-->K(*0)gamma and B+-->K(*+)gamma are measured from a sample of (22.74+/-0.36)x10(6) BB decays collected with the BABAR detector at the PEP-II asymmetric e(+)e(-) collider. We find B (B0-->K(*0)gamma) = [4.23+/-0.40(stat)+/-0.22(syst)]x10(-5), B(B+-->K(*+)gamma) = [3.83+/-0.62(stat)+/-0.22(syst)]x10(-5) and constrain the CP-violating charge asymmetry to be -0.170<A(CP)(B-->K(*)gamma)<0.082 at 90% C.L. + + + + Aubert + B + B + + Laboratoire de Physique des Particules, F-74941 Annecy-le-Vieux, France. + + + + Boutigny + D + D + + + Gaillard + J-M + JM + + + Hicheur + A + A + + + Karyotakis + Y + Y + + + Lees + J P + JP + + + Robbe + P + P + + + Tisserand + V + V + + + Palano + A + A + + + Chen + G P + GP + + + Chen + J C + JC + + + Qi + N D + ND + + + Rong + G + G + + + Wang + P + P + + + Zhu + Y S + YS + + + Eigen + G + G + + + Reinertsen + P L + PL + + + Stugu + B + B + + + Abbott + B + B + + + Abrams + G S + GS + + + Borgland + A W + AW + + + Breon + A B + AB + + + Brown + D N + DN + + + Button-Shafer + J + J + + + Cahn + R N + RN + + + Clark + A R + AR + + + Gill + M S + MS + + + Gritsan + A V + AV + + + Groysman + Y + Y + + + Jacobsen + R G + RG + + + Kadel + R W + RW + + + Kadyk + J + J + + + Kerth + L T + LT + + + Kluth + S + S + + + Kolomensky + Yu G + YG + + + Kral + J F + JF + + + LeClerc + C + C + + + Levi + M E + ME + + + Liu + T + T + + + Lynch + G + G + + + Meyer + A B + AB + + + Momayezi + M + M + + + Oddone + P J + PJ + + + Perazzo + A + A + + + Pripstein + M + M + + + Roe + N A + NA + + + Romosan + A + A + + + Ronan + M T + MT + + + Shelkov + V G + VG + + + Telnov + A V + AV + + + Wenzel + W A + WA + + + Zisman + M S + MS + + + Bright-Thomas + P G + PG + + + Harrison + T J + TJ + + + Hawkes + C M + CM + + + Knowles + D J + DJ + + + O'Neale + S W + SW + + + Penny + R C + RC + + + Watson + A T + AT + + + Watson + N K + NK + + + Deppermann + T + T + + + Goetzen + K + K + + + Koch + H + H + + + Krug + J + J + + + Kunze + M + M + + + Lewandowski + B + B + + + Peters + K + K + + + Schmuecker + H + H + + + Steinke + M + M + + + Andress + J C + JC + + + Barlow + N R + NR + + + Bhimji + W + W + + + Chevalier + N + N + + + Clark + P J + PJ + + + Cottingham + W N + WN + + + De Groot + N + N + + + Dyce + N + N + + + Foster + B + B + + + McFall + J D + JD + + + Wallom + D + D + + + Wilson + F F + FF + + + Abe + K + K + + + Hearty + C + C + + + Mattison + T S + TS + + + McKenna + J A + JA + + + Thiessen + D + D + + + Jolly + S + S + + + McKemey + A K + AK + + + Tinslay + J + J + + + Blinov + V E + VE + + + Bukin + A D + AD + + + Bukin + D A + DA + + + Buzykaev + A R + AR + + + Golubev + V B + VB + + + Ivanchenko + V N + VN + + + Korol + A A + AA + + + Kravchenko + E A + EA + + + Onuchin + A P + AP + + + Salnikov + A A + AA + + + Serednyakov + S I + SI + + + Skovpen + Yu I + YI + + + Telnov + V I + VI + + + Yushkov + A N + AN + + + Best + D + D + + + Lankford + A J + AJ + + + Mandelkern + M + M + + + McMahon + S + S + + + Stoker + D P + DP + + + Ahsan + A + A + + + Arisaka + K + K + + + Buchanan + C + C + + + Chun + S + S + + + Branson + J G + JG + + + MacFarlane + D B + DB + + + Prell + S + S + + + Rahatlou + Sh + Sh + + + Raven + G + G + + + Sharma + V + V + + + Campagnari + C + C + + + Dahmes + B + B + + + Hart + P A + PA + + + Kuznetsova + N + N + + + Levy + S L + SL + + + Long + O + O + + + Lu + A + A + + + Richman + J D + JD + + + Verkerke + W + W + + + Witherell + M + M + + + Yellin + S + S + + + Beringer + J + J + + + Dorfan + D E + DE + + + Eisner + A M + AM + + + Frey + A + A + + + Grillo + A A + AA + + + Grothe + M + M + + + Heusch + C A + CA + + + Johnson + R P + RP + + + Kroeger + W + W + + + Lockman + W S + WS + + + Pulliam + T + T + + + Sadrozinski + H + H + + + Schalk + T + T + + + Schmitz + R E + RE + + + Schumm + B A + BA + + + Seiden + A + A + + + Turri + M + M + + + Walkowiak + W + W + + + Williams + D C + DC + + + Wilson + M G + MG + + + Chen + E + E + + + Dubois-Felsmann + G P + GP + + + Dvoretskii + A + A + + + Hitlin + D G + DG + + + Metzler + S + S + + + Oyang + J + J + + + Porter + F C + FC + + + Ryd + A + A + + + Samuel + A + A + + + Weaver + M + M + + + Yang + S + S + + + Zhu + R Y + RY + + + Devmal + S + S + + + Geld + T L + TL + + + Jayatilleke + S + S + + + Mancinelli + G + G + + + Meadows + B T + BT + + + Sokoloff + M D + MD + + + Barillari + T + T + + + Bloom + P + P + + + Dima + M O + MO + + + Fahey + S + S + + + Ford + W T + WT + + + Johnson + D R + DR + + + Nauenberg + U + U + + + Olivas + A + A + + + Park + H + H + + + Rankin + P + P + + + Roy + J + J + + + Sen + S + S + + + Smith + J G + JG + + + van Hoek + W C + WC + + + Wagner + D L + DL + + + Blouw + J + J + + + Harton + J L + JL + + + Krishnamurthy + M + M + + + Soffer + A + A + + + Toki + W H + WH + + + Wilson + R J + RJ + + + Zhang + J + J + + + Brandt + T + T + + + Brose + J + J + + + Colberg + T + T + + + Dahlinger + G + G + + + Dickopp + M + M + + + Dubitzky + R S + RS + + + Hauke + A + A + + + Maly + E + E + + + Müller-Pfefferkorn + R + R + + + Otto + S + S + + + Schubert + K R + KR + + + Schwierz + R + R + + + Spaan + B + B + + + Wilden + L + L + + + Behr + L + L + + + Bernard + D + D + + + Bonneaud + G R + GR + + + Brochard + F + F + + + Cohen-Tanugi + J + J + + + Ferrag + S + S + + + Roussot + E + E + + + T'Jampens + S + S + + + Thiebaux + Ch + Ch + + + Vasileiadis + G + G + + + Verderi + M + M + + + Anjomshoaa + A + A + + + Bernet + R + R + + + Khan + A + A + + + Lavin + D + D + + + Muheim + F + F + + + Playfer + S + S + + + Swain + J E + JE + + + Falbo + M + M + + + Borean + C + C + + + Bozzi + C + C + + + Dittongo + S + S + + + Folegani + M + M + + + Piemontese + L + L + + + Treadwell + E + E + + + Anulli + F + F + + + Baldini-Ferroli + R + R + + + Calcaterra + A + A + + + de Sangro + R + R + + + Falciai + D + D + + + Finocchiaro + G + G + + + Patteri + P + P + + + Peruzzi + I M + IM + + + Piccolo + M + M + + + Xie + Y + Y + + + Zallo + A + A + + + Bagnasco + S + S + + + Buzzo + A + A + + + Contri + R + R + + + Crosetti + G + G + + + Fabbricatore + P + P + + + Farinon + S + S + + + Lo Vetere + M + M + + + Macri + M + M + + + Monge + M R + MR + + + Musenich + R + R + + + Pallavicini + M + M + + + Parodi + R + R + + + Passaggio + S + S + + + Pastore + F C + FC + + + Patrignani + C + C + + + Pia + M G + MG + + + Priano + C + C + + + Robutti + E + E + + + Santroni + A + A + + + Morii + M + M + + + Bartoldus + R + R + + + Dignan + T + T + + + Hamilton + R + R + + + Mallik + U + U + + + Cochran + J + J + + + Crawley + H B + HB + + + Fischer + P-A + PA + + + Lamsa + J + J + + + Meyer + W T + WT + + + Rosenberg + E I + EI + + + Benkebil + M + M + + + Grosdidier + G + G + + + Hast + C + C + + + Höcker + A + A + + + Lacker + H M + HM + + + Laplace + S + S + + + Lepeltier + V + V + + + Lutz + A M + AM + + + Plaszczynski + S + S + + + Schune + M H + MH + + + Trincaz-Duvoid + S + S + + + Valassi + A + A + + + Wormser + G + G + + + Bionta + R M + RM + + + Brigljević + V V + VV + + + Lange + D J + DJ + + + Mugge + M + M + + + Shi + X + X + + + van Bibber + K + K + + + Wenaus + T J + TJ + + + Wright + D M + DM + + + Wuest + C R + CR + + + Carroll + M + M + + + Fry + J R + JR + + + Gabathuler + E + E + + + Gamet + R + R + + + George + M + M + + + Kay + M + M + + + Payne + D J + DJ + + + Sloane + R J + RJ + + + Touramanis + C + C + + + Aspinwall + M L + ML + + + Bowerman + D A + DA + + + Dauncey + P D + PD + + + Egede + U + U + + + Eschrich + I + I + + + Gunawardane + N J W + NJ + + + Nash + J A + JA + + + Sanders + P + P + + + Smith + D + D + + + Azzopardi + D E + DE + + + Back + J J + JJ + + + Dixon + P + P + + + Harrison + P F + PF + + + Potter + R J L + RJ + + + Shorthouse + H W + HW + + + Strother + P + P + + + Vidal + P B + PB + + + Williams + M I + MI + + + Cowan + G + G + + + George + S + S + + + Green + M G + MG + + + Kurup + A + A + + + Marker + C E + CE + + + McGrath + P + P + + + McMahon + T R + TR + + + Ricciardi + S + S + + + Salvatore + F + F + + + Scott + I + I + + + Vaitsas + G + G + + + Brown + D + D + + + Davis + C L + CL + + + Allison + J + J + + + Barlow + R J + RJ + + + Boyd + J T + JT + + + Forti + A C + AC + + + Fullwood + J + J + + + Jackson + F + F + + + Lafferty + G D + GD + + + Savvas + N + N + + + Simopoulos + E T + ET + + + Weatherall + J H + JH + + + Farbin + A + A + + + Jawahery + A + A + + + Lillard + V + V + + + Olsen + J + J + + + Roberts + D A + DA + + + Schieck + J R + JR + + + Blaylock + G + G + + + Dallapiccola + C + C + + + Flood + K T + KT + + + Hertzbach + S S + SS + + + Kofler + R + R + + + Moore + T B + TB + + + Staengle + H + H + + + Willocq + S + S + + + Brau + B + B + + + Cowan + R + R + + + Sciolla + G + G + + + Taylor + F + F + + + Yamamoto + R K + RK + + + Milek + M + M + + + Patel + P M + PM + + + Trischuk + J + J + + + Lanni + F + F + + + Palombo + F + F + + + Bauer + J M + JM + + + Booke + M + M + + + Cremaldi + L + L + + + Eschenburg + V + V + + + Kroeger + R + R + + + Reidy + J + J + + + Sanders + D A + DA + + + Summers + D J + DJ + + + Martin + J P + JP + + + Nief + J Y + JY + + + Seitz + R + R + + + Taras + P + P + + + Zacek + V + V + + + Nicholson + H + H + + + Sutton + C S + CS + + + Cartaro + C + C + + + Cavallo + N + N + + + De Nardo + G + G + + + Fabozzi + F + F + + + Gatto + C + C + + + Lista + L + L + + + Paolucci + P + P + + + Piccolo + D + D + + + Sciacca + C + C + + + LoSecco + J M + JM + + + Alsmiller + J R G + JR + + + Gabriel + T A + TA + + + Handler + T + T + + + Brau + J + J + + + Frey + R + R + + + Iwasaki + M + M + + + Sinev + N B + NB + + + Strom + D + D + + + Colecchia + F + F + + + Dal Corso + F + F + + + Dorigo + A + A + + + Galeazzi + F + F + + + Margoni + M + M + + + Michelon + G + G + + + Morandin + M + M + + + Posocco + M + M + + + Rotondo + M + M + + + Simonetto + F + F + + + Stroili + R + R + + + Torassa + E + E + + + Voci + C + C + + + Benayoun + M + M + + + Briand + H + H + + + Chauveau + J + J + + + David + P + P + + + de La Vaissière + Ch + Ch + + + Del Buono + L + L + + + Hamon + O + O + + + Le Diberder + F + F + + + Leruste + Ph + P + + + Lory + J + J + + + Roos + L + L + + + Stark + J + J + + + Versillé + S + S + + + Manfredi + P F + PF + + + Re + V + V + + + Speziali + V + V + + + Frank + E D + ED + + + Gladney + L + L + + + Guo + Q H + QH + + + Panetta + J H + JH + + + Angelini + C + C + + + Batignani + G + G + + + Bettarini + S + S + + + Bondioli + M + M + + + Carpinelli + M + M + + + Forti + F + F + + + Giorgi + M A + MA + + + Lusiani + A + A + + + Martinez-Vidal + F + F + + + Morganti + M + M + + + Neri + N + N + + + Paoloni + E + E + + + Rama + M + M + + + Rizzo + G + G + + + Sandrelli + F + F + + + Simi + G + G + + + Triggiani + G + G + + + Walsh + J + J + + + Haire + M + M + + + Judd + D + D + + + Paick + K + K + + + Turnbull + L + L + + + Wagoner + D E + DE + + + Albert + J + J + + + Bula + C + C + + + Elmer + P + P + + + Lu + C + C + + + McDonald + K T + KT + + + Miftakov + V + V + + + Schaffner + S F + SF + + + Smith + A J S + AJ + + + Tumanov + A + A + + + Varnes + E W + EW + + + Cavoto + G + G + + + del Re + D + D + + + Faccini + R + R + + + Ferrarotto + F + F + + + Ferroni + F + F + + + Fratini + K + K + + + Lamanna + E + E + + + Leonardi + E + E + + + Mazzoni + M A + MA + + + Morganti + S + S + + + Piredda + G + G + + + Safai Tehrani + F + F + + + Serra + M + M + + + Voena + C + C + + + Christ + S + S + + + Waldi + R + R + + + Adye + T + T + + + Franek + B + B + + + Geddes + N I + NI + + + Gopal + G P + GP + + + Xella + S M + SM + + + Aleksan + R + R + + + De Domenico + G + G + + + Emery + S + S + + + Gaidot + A + A + + + Ganzhur + S F + SF + + + Giraud + P-F + PF + + + Hamel Monchenault + G + G + + + Kozanecki + W + W + + + Langer + M + M + + + London + G W + GW + + + Mayer + B + B + + + Serfass + B + B + + + Vasseur + G + G + + + Yèche + Ch + Ch + + + Zito + M + M + + + Copty + N + N + + + Purohit + M V + MV + + + Singh + H + H + + + Yumiceva + F X + FX + + + Adam + I + I + + + Anthony + P L + PL + + + Aston + D + D + + + Baird + K + K + + + Berger + J P + JP + + + Bloom + E + E + + + Boyarski + A M + AM + + + Bulos + F + F + + + Calderini + G + G + + + Claus + R + R + + + Convery + M R + MR + + + Coupal + D P + DP + + + Coward + D H + DH + + + Dorfan + J + J + + + Doser + M + M + + + Dunwoodie + W + W + + + Field + R C + RC + + + Glanzman + T + T + + + Godfrey + G L + GL + + + Gowdy + S J + SJ + + + Grosso + P + P + + + Himel + T + T + + + Hryn'ova + T + T + + + Huffer + M E + ME + + + Innes + W R + WR + + + Jessop + C P + CP + + + Kelsey + M H + MH + + + Kim + P + P + + + Kocian + M L + ML + + + Langenegger + U + U + + + Leith + D W G S + DW + + + Luitz + S + S + + + Luth + V + V + + + Lynch + H L + HL + + + Marsiske + H + H + + + Menke + S + S + + + Messner + R + R + + + Moffeit + K C + KC + + + Mount + R + R + + + Muller + D R + DR + + + O'Grady + C P + CP + + + Perl + M + M + + + Petrak + S + S + + + Quinn + H + H + + + Ratcliff + B N + BN + + + Robertson + S H + SH + + + Rochester + L S + LS + + + Roodman + A + A + + + Schietinger + T + T + + + Schindler + R H + RH + + + Schwiening + J + J + + + Seeman + J T + JT + + + Serbo + V V + VV + + + Snyder + A + A + + + Soha + A + A + + + Spanier + S M + SM + + + Stelzer + J + J + + + Su + D + D + + + Sullivan + M K + MK + + + Tanaka + H A + HA + + + Va'vra + J + J + + + Wagner + S R + SR + + + Weinstein + A J R + AJ + + + Wienands + U + U + + + Wisniewski + W J + WJ + + + Wright + D H + DH + + + Young + C C + CC + + + Burchat + P R + PR + + + Cheng + C H + CH + + + Kirkby + D + D + + + Meyer + T I + TI + + + Roat + C + C + + + De Silva + A + A + + + Henderson + R + R + + + Bugg + W + W + + + Cohn + H + H + + + Weidemann + A W + AW + + + Izen + J M + JM + + + Kitayama + I + I + + + Lou + X C + XC + + + Turcotte + M + M + + + Bianchi + F + F + + + Bona + M + M + + + Di Girolamo + B + B + + + Gamba + D + D + + + Smol + A + A + + + Zanin + D + D + + + Bosisio + L + L + + + Della Ricca + G + G + + + Lanceri + L + L + + + Pompili + A + A + + + Poropat + P + P + + + Vuagnin + G + G + + + Panvini + R S + RS + + + Brown + C M + CM + + + Kowalewski + R + R + + + Roney + J M + JM + + + Band + H R + HR + + + Charles + E + E + + + Dasu + S + S + + + Di Lodovico + F + F + + + Eichenbaum + A M + AM + + + Hu + H + H + + + Johnson + J R + JR + + + Liu + R + R + + + Nielsen + J + J + + + Pan + Y + Y + + + Prepost + R + R + + + Scott + I J + IJ + + + Sekula + S J + SJ + + + von Wimmersperg-Toeller + J H + JH + + + Wu + S L + SL + + + Yu + Z + Z + + + Zobernig + H + H + + + Kordich + T M B + TM + + + Neal + H + H + + + BABAR Collaborations + + + eng + + Journal Article + + + 2002 + 02 + 26 + +
+ + United States + Phys Rev Lett + 0401141 + 0031-9007 + +
+ + + + 2001 + 10 + 25 + + + 2002 + 3 + 23 + 10 + 0 + + + 2002 + 3 + 23 + 10 + 1 + + + 2002 + 3 + 23 + 10 + 0 + + + ppublish + + 11909345 + 10.1103/PhysRevLett.88.101805 + + +
+ + + 14177620 + + 1996 + 12 + 01 + + + 2018 + 12 + 01 + +
+ + 0016-5662 + + 67 + + 1963 + Dec + 31 + + + Gazzetta internazionale di medicina e chirurgia + Gazz Int Med Chir + + [JEJUNAL BIOPSY AND LIPEMIA TOLERANCE TEST IN CIRRHOTIC PATIENTS]. + + SUPPL:4309-22 + + + + CESAREBASILE + R + R + + + GABBRIELLI + L + L + + + COLAVOLPE + V + V + + + RULLI + V + V + + + ita + + Journal Article + + BIOPSIA DIGIUNALE E LIPEMIA DA CARICO DEL CIRROTICO. +
+ + Italy + Gazz Int Med Chir + 0373000 + 0016-5662 + + + + 0 + Chylomicrons + + + 0 + Lipids + + + 0 + Lipoproteins + + + OM + + + Ascites + + + Biopsy + + + Chylomicrons + + + Diabetes Mellitus + + + Gastric Acidity Determination + + + Gastritis + + + Hepatitis + + + Hepatitis A + + + Humans + + + Hyperlipidemias + + + Jaundice + + + Jejunum + + + Lipid Metabolism + + + Lipids + blood + + + Lipoproteins + + + Liver Cirrhosis + + + Malaria + + + Pathology + + + Pleurisy + + + Protein Deficiency + + + + ASCITES + BLOOD LIPIDS + CHYLOMICRONS + DIABETES MELLITUS + GASTRIC ACIDITY DETERMINATION + GASTRITIS + HEPATITIS, INFECTIOUS + JAUNDICE + JEJUNUM + LIPID METABOLISM + LIPOPROTEINS + LIVER CIRRHOSIS + MALARIA + PATHOLOGY + PLEURISY + PROTEIN DEFICIENCY + +
+ + + + 1963 + 12 + 31 + + + 1963 + 12 + 31 + 0 + 1 + + + 1963 + 12 + 31 + 0 + 0 + + + ppublish + + 14177620 + + +
+ + + 13634534 + + 2000 + 07 + 01 + + + 2018 + 12 + 01 + +
+ + 0014-2565 + + 71 + 6 + + 1958 + Dec + 31 + + + Revista clinica espanola + Rev Clin Esp + + [Physiopathology of phosphorus and calcium changes and of bone lesions in glomerular nephropathies]. + + 365-77 + + + + LICHTWITZ + A + A + + + DE SEZE + S + S + + + PARLIER + R + R + + + HIOCO + D + D + + + BORDIER + P + P + + + STRAUSS + M + M + + + FERGOLA-MIRAVET + L + L + + + spa + + Journal Article + + Fisiopatología de las modificaciones fosfocálcicas y de las lesiones óseas en las nefropatías glomerulares. +
+ + Spain + Rev Clin Esp + 8608576 + 0014-2565 + + + + 27YLU75U4W + Phosphorus + + + SY7Q814VUP + Calcium + + + OM + + + Bone Diseases + physiology + + + Calcium + metabolism + + + Glomerulonephritis + physiology + + + Humans + + + Kidney Diseases + + + Phosphorus + metabolism + + + 5936:8365:92:105:226:416 + + BONE DISEASES/physiology + CALCIUM/metabolism + GLOMERULONEPHRITIS/physiology + PHOSPHORUS/metabolism + +
+ + + + 1958 + 12 + 31 + + + 1958 + 12 + 31 + 0 + 1 + + + 1958 + 12 + 31 + 0 + 0 + + + ppublish + + 13634534 + + +
+ + + 14316043 + + 1996 + 12 + 01 + + + 2018 + 12 + 01 + +
+ + 0042-0255 + + 2 + + 1965 Dec-1966 Jan + + + University of Toronto undergraduate dental journal + Univ Toronto Undergrad Dent J + + THE RESPONSIBILITY OF THE DENTIST AND THE DENTAL PROFESSION WITH RESPECT TO JAW FRACTURES. + + 5-11 + + + + PHILLIPS + H + H + + + eng + + Journal Article + +
+ + Canada + Univ Toronto Undergrad Dent J + 7905911 + 0042-0255 + + D + OM + + + Dentists + + + Fracture Fixation + + + Fractures, Bone + + + Humans + + + Interprofessional Relations + + + Jaw + + + Jaw Fractures + + + Mandibular Injuries + + + Maxillofacial Injuries + + + Practice Management, Dental + + + + DENTISTS + FRACTURE FIXATION + FRACTURES + INTERPROFESSIONAL RELATIONS + JAW + MANDIBULAR INJURIES + MAXILLOFACIAL INJURIES + PRACTICE MANAGEMENT, DENTAL + +
+ + + + 1965 + 12 + 1 + + + 1965 + 12 + 1 + 0 + 1 + + + 1965 + 12 + 1 + 0 + 0 + + + ppublish + + 14316043 + + +
+ + + 14337379 + + 1996 + 12 + 01 + + + 2018 + 12 + 01 + +
+ + 0002-9378 + + 93 + + 1965 + Oct + 01 + + + American journal of obstetrics and gynecology + Am. J. Obstet. Gynecol. + + SEROTONIN CONTENT OF HUMAN PLACENTA AND FETUS DURING PREGNANCY. + + 411-5 + + + + KOREN + Z + Z + + + PFEIFER + Y + Y + + + SULMAN + F G + FG + + + eng + + Journal Article + +
+ + United States + Am J Obstet Gynecol + 0370476 + 0002-9378 + + + + 333DO1RDJY + Serotonin + + + OM + + + Abortion, Induced + + + Cesarean Section + + + Female + + + Fetus + + + Histocytochemistry + + + Humans + + + Metabolism + + + Placenta + + + Pregnancy + + + Serotonin + + + + ABORTION + CESAREAN SECTION + FETUS + HISTOCYTOCHEMISTRY + METABOLISM + PLACENTA + PREGNANCY + SEROTONIN + +
+ + + + 1965 + 10 + 1 + + + 1965 + 10 + 1 + 0 + 1 + + + 1965 + 10 + 1 + 0 + 0 + + + ppublish + + 14337379 + 0002-9378(65)90070-0 + + +
+ + + 14594616 + + 2004 + 02 + 02 + + + 2004 + 11 + 17 + +
+ + 1087-2108 + + 9 + 4 + + 2003 + Oct + + + Dermatology online journal + Dermatol. Online J. + + Epidermal nevus. + + 43 + + + A 20-year-old woman presented with an asymptomatic, life-long, verrucous, hyperpigmented plaque on the face and neck that corresponded to the lines of Blaschko. Histopathologic examination shows an epidermal nevus. This nevus presents a challenge in management because of the location and extent of the lesion. + + + + Cassetty + Christopher T + CT + + Ronald O. Perelman Department of Dermatology, New York University, USA. + + + + Leonard + Aimee L + AL + + + eng + + Case Reports + Journal Article + +
+ + United States + Dermatol Online J + 9610776 + 1087-2108 + + IM + + + Adult + + + Facial Neoplasms + pathology + therapy + + + Female + + + Humans + + + Nevus + pathology + therapy + + + Skin Neoplasms + pathology + therapy + + +
+ + + + 2003 + 11 + 5 + 5 + 0 + + + 2004 + 2 + 3 + 5 + 0 + + + 2003 + 11 + 5 + 5 + 0 + + + ppublish + + 14594616 + + +
+ + + 14668029 + + 2015 + 02 + 20 + + + 2018 + 11 + 30 + +
+ + 1607-8454 + + 8 + 6 + + 2003 + Dec + + + Hematology (Amsterdam, Netherlands) + Hematology + + Clopidogrel: interactions with the P2Y12 receptor and clinical relevance. + + 359-65 + + + + Dorsam + Robert T + RT + + + Murugappan + Swaminathan + S + + + Ding + Zhongren + Z + + + Kunapuli + Satya P + SP + + + eng + + Journal Article + Review + +
+ + England + Hematology + 9708388 + 1024-5332 + + + + 0 + Platelet Aggregation Inhibitors + + + 0 + Purinergic P2Y Receptor Antagonists + + + 0 + Receptors, Purinergic P2Y12 + + + A74586SNO7 + clopidogrel + + + OM90ZUW7M1 + Ticlopidine + + + IM + + + Amino Acid Sequence + + + Animals + + + Blood Platelets + drug effects + metabolism + + + Humans + + + Molecular Sequence Data + + + Platelet Aggregation Inhibitors + chemistry + pharmacology + + + Purinergic P2Y Receptor Antagonists + chemistry + pharmacology + + + Receptors, Purinergic P2Y12 + blood + chemistry + metabolism + + + Ticlopidine + analogs & derivatives + chemistry + pharmacology + + +
+ + + + 2003 + 12 + 12 + 5 + 0 + + + 2015 + 2 + 24 + 6 + 0 + + + 2003 + 12 + 12 + 5 + 0 + + + ppublish + + 14668029 + 10.1080/10245330310001621260 + 3FQ445E3467ML63X + + +
+ + + 14668030 + + 2015 + 02 + 20 + + + 2003 + 12 + 11 + +
+ + 1607-8454 + + 8 + 6 + + 2003 + Dec + + + Hematology (Amsterdam, Netherlands) + Hematology + + Platelet counts and interleukin-6 (IL-6) promoter polymorphism in patients with Gaucher disease. + + 367-8 + + + The purpose of this study was to ascertain whether polymorphism of the IL-6 promoter gene affects platelet counts among patients with Gaucher disease since it has been shown that in healthy individuals, the CC genotype is correlated with lower platelet counts. + Blood samples from all adult patients seen at a referral clinic during a 12 month period were taken for PCR analysis for the IL-6 promoter polymorphism. Platelet counts were culled from the records on date of presentation and prior to advent of enzyme replacement therapy where relevant. + Of 138 Ashkenazi Jewish patients, 31 patients had platelet counts <60,000/mm<PRE>3</PRE> and 37 patients had normal platelet counts (>150,000/mm<PRE>3</PRE>). Of the former group, 4/31 (13%) and of the latter group, 3/37 (8%), had the CC genotype. Although all seven patients had relatively mild Gaucher disease (only one required therapy), there was no statistically significant difference in allele frequency of the IL-6 promoter polymorphism in either group relative to healthy Ashkenazi Jews. + Whether comparing patients with Gaucher disease with normal platelet counts or with thrombocytopenia to healthy Ashkenazi Jews, there was no difference in frequency of the CC state. Thus, the IL-6 promoter polymorphism may not influence Gaucher disease to induce lower platelet counts as shown in other normal Caucasians. + + + + Elstein + Deborah + D + + + Altarescu + Gheona + G + + + Zimran + Ari + A + + + eng + + Journal Article + +
+ + England + Hematology + 9708388 + 1024-5332 + + + + 0 + Interleukin-6 + + + IM + + + Adolescent + + + Adult + + + Aged + + + Aged, 80 and over + + + Case-Control Studies + + + Child + + + Child, Preschool + + + Female + + + Gaucher Disease + blood + genetics + + + Humans + + + Interleukin-6 + blood + genetics + + + Jews + genetics + + + Male + + + Middle Aged + + + Platelet Count + + + Polymorphism, Genetic + + + Promoter Regions, Genetic + + + Thrombocytopenia + blood + genetics + + + Young Adult + + +
+ + + + 2003 + 12 + 12 + 5 + 0 + + + 2015 + 2 + 24 + 6 + 0 + + + 2003 + 12 + 12 + 5 + 0 + + + ppublish + + 14668030 + 10.1080/10245330310001621297 + MAT9NVAB4BEMLX27 + + +
+ + + 14695699 + + 2005 + 04 + 12 + + + 2013 + 11 + 21 + +
+ + 1226-0479 + + 9 + 4 + + 2003 + Dec + + + Taehan Kan Hakhoe chi = The Korean journal of hepatology + Taehan Kan Hakhoe Chi + + [The significance of urine sodium measurement after furosemide administration in diuretics-unresponsive patients with liver cirrhosis]. + + 324-31 + + + The diagnosis of refractory ascites means a poor prognosis for patients with liver cirrhosis. The definition of refractory ascites has already been established, but using the dosage of diuretics that correlates with the definition of refractory ascites in an out-patient department will lower the compliance of the patient, as well as causing serious complications, such as hepatic encephalopathy and hyponatremia, as the dosage of diuretics is increased. Due to this fact, it is very difficult to apply this definition of refractory ascites to patients in a domestic out-patient department. In this study, in situations where there are difficulties in applying the diuretics dosage according to definition of refractory ascites, we tried to find out whether measuring the value of urine sodium after the administration of intravenous furosemide can be the standard in early differentiation of the response to diuretics treatment. + We reviewed 16 cases of liver cirrhosis with ascites and classified them into two groups by the response to diuretics. The diuretics-responsive ascites group was 8 cases and the diuretics-unresponsive ascites group consisted of 8 cases. After admission, we examined the patients' CBC, biochemical liver function test, spot urine sodium, and 24 hour creatinine clearance. After the beginning of the experiment, all diuretic therapy was stopped for 3 days. Daily we examined the patients' CBC, biochemical liver function test, and in the 3rd experiment day, we measured 24-hour urine volume and sodium. In the 4th experiment day, after sampling for ADH, plasma renin activity and plasma aldosterone level, we administrated the furosemide 80 mg I.V, and measured the amount of 8 hour urine volume and sodium. + The plasma aldosterone level was significantly higher in the diuretics- unresponsive ascites group than in the diuretics-responsive ascites group. In the 4th experiment day, the amount of urine volume and sodium was very significantly lower in the diuretics-unresponsive ascites group than in the diuretics-responsive ascites group (1297.5 +/-80.9 vs 2003.7 +/-114.6 ml, p<0.005, 77.3 +/-8.2 vs 211.8 +/-12.6 mEq, p<0.001). + In out-patient departments, the measurement of urine sodium 8 hours after administrating 80 mg of intravenous furosemide, will help in differentiating ascites patients with lower treatment response to diuretics. + + + + Cho + Hyun Seok + HS + + Research Institute of Digestive Disease, Hanyang University College of Medicine, Seoul, Korea. + + + + Park + Geun Tae + GT + + + Kim + Young Hoon + YH + + + Shim + Sung Gon + SG + + + Kim + Jin Bae + JB + + + Lee + Oh Young + OY + + + Choi + Ho Soon + HS + + + Hahm + Joon Soo + JS + + + Lee + Min Ho + MH + + + kor + + English Abstract + Journal Article + +
+ + Korea (South) + Taehan Kan Hakhoe Chi + 9607534 + 1226-0479 + + + + 0 + Diuretics + + + 7LXU5N7ZO5 + Furosemide + + + 9NEZ333N27 + Sodium + + + IM + + + Adult + + + Aged + + + Ascites + drug therapy + etiology + urine + + + Diuretics + administration & dosage + + + Female + + + Furosemide + administration & dosage + + + Humans + + + Infusions, Intravenous + + + Liver Cirrhosis + complications + + + Male + + + Middle Aged + + + Sodium + urine + + +
+ + + + 2003 + 12 + 27 + 5 + 0 + + + 2005 + 4 + 13 + 9 + 0 + + + 2003 + 12 + 27 + 5 + 0 + + + ppublish + + 14695699 + 200312324 + + +
+ + + 14729922 + + 2004 + 02 + 11 + + + 2018 + 11 + 13 + +
+ + 1362-4962 + + 32 + 1 + + 2004 + + + Nucleic acids research + Nucleic Acids Res. + + Local homology recognition and distance measures in linear time using compressed amino acid alphabets. + + 380-5 + + + Methods for discovery of local similarities and estimation of evolutionary distance by identifying k-mers (contiguous subsequences of length k) common to two sequences are described. Given unaligned sequences of length L, these methods have O(L) time complexity. The ability of compressed amino acid alphabets to extend these techniques to distantly related proteins was investigated. The performance of these algorithms was evaluated for different alphabets and choices of k using a test set of 1848 pairs of structurally alignable sequences selected from the FSSP database. Distance measures derived from k-mer counting were found to correlate well with percentage identity derived from sequence alignments. Compressed alphabets were seen to improve performance in local similarity discovery, but no evidence was found of improvements when applied to distance estimates. The performance of our local similarity discovery method was compared with the fast Fourier transform (FFT) used in MAFFT, which has O(L log L) time complexity. The method for achieving comparable coverage to FFT is revealed here, and is more than an order of magnitude faster. We suggest using k-mer distance for fast, approximate phylogenetic tree construction, and show that a speed improvement of more than three orders of magnitude can be achieved relative to standard distance methods, which require alignments. + + + + Edgar + Robert C + RC + + bob@drive5.com + + + + eng + + Journal Article + + + 2004 + 01 + 16 + +
+ + England + Nucleic Acids Res + 0411011 + 0305-1048 + + + + 0 + Amino Acids + + + 0 + Proteins + + + IM + + + Algorithms + + + Amino Acids + analysis + + + Computational Biology + methods + + + Evolution, Molecular + + + Molecular Sequence Data + + + Phylogeny + + + Proteins + chemistry + + + Sequence Alignment + methods + + + Sequence Homology, Amino Acid + + + Software + + + Time Factors + + +
+ + + + 2004 + 1 + 20 + 5 + 0 + + + 2004 + 2 + 12 + 5 + 0 + + + 2004 + 1 + 20 + 5 + 0 + + + epublish + + 14729922 + 10.1093/nar/gkh180 + 32/1/380 + PMC373290 + + + + Mol Biol Evol. 1987 Jul;4(4):406-25 + + 3447015 + + + + J Theor Biol. 1986 Mar 21;119(2):205-18 + + 3461222 + + + + J Mol Biol. 1990 Oct 5;215(3):403-10 + + 2231712 + + + + J Mol Biol. 1991 Jun 5;219(3):555-65 + + 2051488 + + + + Comput Appl Biosci. 1992 Jun;8(3):275-82 + + 1633570 + + + + Proc Natl Acad Sci U S A. 1992 Nov 15;89(22):10915-9 + + 1438297 + + + + Nucleic Acids Res. 1994 Nov 11;22(22):4673-80 + + 7984417 + + + + Proc Int Conf Intell Syst Mol Biol. 1996;4:230-40 + + 8877523 + + + + Nucleic Acids Res. 1998 Jan 1;26(1):316-9 + + 9399863 + + + + Proteins. 2000 Feb 1;38(2):149-64 + + 10656262 + + + + Protein Eng. 2000 Mar;13(3):149-52 + + 10775656 + + + + J Comput Biol. 2000 Feb-Apr;7(1-2):1-46 + + 10890386 + + + + Mol Biol Evol. 2002 Jan;19(1):8-13 + + 11752185 + + + + Nucleic Acids Res. 2002 Jul 15;30(14):3059-66 + + 12136088 + + + + J Mol Biol. 2003 Feb 7;326(1):317-36 + + 12547212 + + + + Bioinformatics. 2003 Mar 1;19(4):513-23 + + 12611807 + + + + Protein Eng. 2003 May;16(5):323-30 + + 12826723 + + + + Proc Natl Acad Sci U S A. 1988 Apr;85(8):2444-8 + + 3162770 + + + + +
+ + + 14749521 + + 2004 + 02 + 23 + + + 2013 + 11 + 21 + +
+ + 1539-6150 + + 2004 + 4 + + 2004 + Jan + 28 + + + Science of aging knowledge environment : SAGE KE + Sci Aging Knowledge Environ + + Hampering a heartbreaker. Antibiotic might stem injury from heart attack. + + nf13 + + + A TV ad urges people who think they're having a heart attack to pop an aspirin before rushing to the emergency room. They might be even better off taking antibiotics, according to a new study. The work shows that an antibiotic stems a previously untreatable form of heart damage not by killing bugs but by suppressing cellular enzymes. + + + + Leslie + Mitch + M + + + eng + + News + + + 2004 + 01 + 28 + +
+ + United States + Sci Aging Knowledge Environ + 101146039 + 1539-6150 + + + + 0 + Enzyme Inhibitors + + + 66974FR9Q1 + Chloramphenicol + + + IM + + + Animals + + + Chloramphenicol + therapeutic use + + + Enzyme Inhibitors + therapeutic use + + + Humans + + + Myocardial Infarction + enzymology + prevention & control + + + Myocardial Ischemia + enzymology + prevention & control + + + Myocardial Reperfusion Injury + enzymology + prevention & control + + + Rats + + +
+ + + + 2004 + 1 + 30 + 5 + 0 + + + 2004 + 2 + 24 + 5 + 0 + + + 2004 + 1 + 30 + 5 + 0 + + + epublish + + 14749521 + 10.1126/sageke.2004.4.nf13 + 2004/4/nf13 + + +
+ + + 14744982 + + 2004 + 02 + 02 + + + 2018 + 11 + 13 + +
+ + 1362-4962 + + 32 + 1 + + 2004 + Jan + 15 + + + Nucleic acids research + Nucleic Acids Res. + + Superior 5' homogeneity of RNA from ATP-initiated transcription under the T7 phi 2.5 promoter. + + e14 + + + Transcription from the commonly used GTP- initiating T7 class III promoter phi6.5 frequently produces heterogeneous RNA at both 3' and 5' ends. We demonstrate here that RNA transcripts from the T7 class II promoter phi2.5 have superior 5' homogeneity over those from the phi6.5 promoter, with comparable total RNA yields. The overall homogeneity of RNA transcripts is improved to different degrees depending on RNA sequences, although transcription under phi2.5 does not affect the 3' heterogeneity of RNA. In combination with 3' RNA trimming by DNAzymes or ribozymes, this ATP- initiated transcription system based on the T7 phi2.5 promoter can provide excellent quality of RNA for applications requiring a high degree of RNA size homogeneity. + + + + Coleman + Tricia M + TM + + Department of Chemistry and Biochemistry, University of Southern Mississippi, Hattiesburg, MS 39406-5043, USA. + + + + Wang + Guocan + G + + + Huang + Faqing + F + + + eng + + Journal Article + Research Support, U.S. Gov't, Non-P.H.S. + + + 2004 + 01 + 15 + +
+ + England + Nucleic Acids Res + 0411011 + 0305-1048 + + + + 0 + 3' Untranslated Regions + + + 0 + 5' Untranslated Regions + + + 0 + RNA, Viral + + + 8L70Q75FXE + Adenosine Triphosphate + + + IM + + + 3' Untranslated Regions + genetics + metabolism + + + 5' Untranslated Regions + genetics + metabolism + + + Adenosine Triphosphate + metabolism + pharmacology + + + Bacteriophage T7 + genetics + + + Base Sequence + + + Gene Expression Regulation, Viral + + + Molecular Sequence Data + + + Molecular Weight + + + Promoter Regions, Genetic + genetics + + + RNA, Viral + chemistry + genetics + metabolism + + + Transcription, Genetic + drug effects + + +
+ + + + 2004 + 1 + 28 + 5 + 0 + + + 2004 + 2 + 3 + 5 + 0 + + + 2004 + 1 + 28 + 5 + 0 + + + epublish + + 14744982 + 10.1093/nar/gnh007 + 32/1/e14 + PMC373309 + + + + Curr Opin Struct Biol. 2000 Jun;10(3):298-302 + + 10851189 + + + + RNA. 1999 Sep;5(9):1268-72 + + 10496227 + + + + Methods. 2001 Mar;23(3):201-5 + + 11243833 + + + + Nucleic Acids Res. 2002 Jun 15;30(12):e56 + + 12060694 + + + + Chem Biol. 2002 Nov;9(11):1227-36 + + 12445773 + + + + Nucleic Acids Res. 2003 Feb 1;31(3):e8 + + 12560511 + + + + Nucleic Acids Res. 2003 Aug 1;31(15):e82 + + 12888534 + + + + Chembiochem. 2003 Oct 6;4(10):936-62 + + 14523911 + + + + RNA. 2003 Dec;9(12):1562-70 + + 14624011 + + + + J Mol Biol. 1983 Jun 5;166(4):477-535 + + 6864790 + + + + Nucleic Acids Res. 1987 Nov 11;15(21):8783-98 + + 3684574 + + + + J Biol Chem. 1988 Dec 5;263(34):18123-7 + + 3192528 + + + + Nature. 1992 Jan 9;355(6356):184-6 + + 1370345 + + + + Nucleic Acids Res. 1992 Sep 11;20(17):4515-23 + + 1383928 + + + + Proc Natl Acad Sci U S A. 1993 Apr 15;90(8):3680-4 + + 7682716 + + + + Nature. 1994 Nov 3;372(6501):68-74 + + 7969422 + + + + J Mol Biol. 1995 Jun 2;249(2):398-408 + + 7540213 + + + + Methods Enzymol. 1995;261:300-22 + + 8569501 + + + + Methods Enzymol. 1995;261:350-80 + + 8569503 + + + + Nucleic Acids Res. 1996 Mar 1;24(5):977-8 + + 8600468 + + + + Science. 1996 Sep 20;273(5282):1678-85 + + 8781224 + + + + Proc Natl Acad Sci U S A. 1997 Apr 29;94(9):4262-6 + + 9113977 + + + + RNA. 1998 Oct;4(10):1313-7 + + 9769105 + + + + Science. 1998 Oct 9;282(5387):259-64 + + 9841391 + + + + RNA. 1999 May;5(5):618-21 + + 10334331 + + + + Biochemistry. 2000 Dec 19;39(50):15548-55 + + 11112541 + + + + +
+ + + 14796701 + + 2004 + 02 + 15 + + + 2018 + 12 + 01 + +
+ + 0028-0836 + + 166 + 4234 + + 1950 + Dec + 23 + + + Nature + Nature + + Reduction by molecular hydrogen of acetoacetate to butyrate by butyric acid bacteria. + + 1077-8 + + + + COHEN + G N + GN + + + COHEN-BAZIRE + G + G + + + eng + + Journal Article + +
+ + England + Nature + 0410462 + 0028-0836 + + + + 0 + Acetoacetates + + + 0 + Butyrates + + + 107-92-6 + Butyric Acid + + + 4ZI204Y1MC + acetoacetic acid + + + 7YNJ3PO35Z + Hydrogen + + + OM + + + Acetoacetates + + + Bacteria + + + Butyrates + + + Butyric Acid + + + Hydrogen + + + 5120:27591:5:76:156 + + ACETOACETIC ACID + BACTERIA + BUTYRIC ACID + +
+ + + + 1950 + 12 + 23 + + + 1950 + 12 + 23 + 0 + 1 + + + 1950 + 12 + 23 + 0 + 0 + + + ppublish + + 14796701 + + +
+ + + 14817685 + + 2004 + 02 + 15 + + + 2018 + 12 + 01 + +
+ + + 47 + 52 + + 1950 + Dec + 29 + + + Svenska lakartidningen + Sven Lakartidn + + [The beriberi heart]. + + 3017-23 + + + + PALMBORG + G + G + + + und + + Journal Article + + Om beriberihjärta. +
+ + Sweden + Sven Lakartidn + 0030130 + + + + 0 + Anti-Infective Agents, Local + + + OM + + + Anti-Infective Agents, Local + + + Beriberi + + + Heart + + + Heart Diseases + + + Humans + + + 5120:49529:96:423 + + BERIBERI + HEART IN VARIOUS DISEASES + +
+ + + + 1950 + 12 + 29 + + + 1950 + 12 + 29 + 0 + 1 + + + 1950 + 12 + 29 + 0 + 0 + + + ppublish + + 14817685 + + +
+ + + 14991249 + + 2005 + 03 + 15 + + + 2018 + 11 + 13 + +
+ + 0364-2348 + + 33 + 5 + + 2004 + May + + + Skeletal radiology + Skeletal Radiol. + + Spontaneous resolution of solitary osteochondroma in the young adult. + + 303-5 + + + Spontaneous resolution of a solitary osteochondroma is rare. Such a case is presented in a patient nearing skeletal maturity. Based on a search of the English literature this is the first such report in a patient of this age. + + + + Reston + S C + SC + + Department of Orthopaedics, Queen Alexandra Hospital, Portsmouth, UK. + + + + Savva + N + N + + + Richards + R H + RH + + + eng + + Case Reports + Journal Article + + + 2004 + 02 + 26 + +
+ + Germany + Skeletal Radiol + 7701953 + 0364-2348 + + IM + + + Adolescent + + + Bone Neoplasms + diagnosis + + + Femur + diagnostic imaging + + + Follow-Up Studies + + + Humans + + + Male + + + Osteochondroma + diagnosis + + + Radiography + + + Remission, Spontaneous + + +
+ + + + 2003 + 08 + 09 + + + 2003 + 12 + 01 + + + 2003 + 12 + 06 + + + 2004 + 3 + 3 + 5 + 0 + + + 2005 + 3 + 16 + 9 + 0 + + + 2004 + 3 + 3 + 5 + 0 + + + ppublish + + 14991249 + 10.1007/s00256-003-0739-5 + + + + Skeletal Radiol. 1983;10 (1):40-2 + + 6879215 + + + + Skeletal Radiol. 1998 Jan;27(1):53-5 + + 9507614 + + + + J Pediatr Orthop. 1997 Jul-Aug;17(4):455-9 + + 9364382 + + + + J Bone Joint Surg Br. 1961 Nov;43-B:700-16 + + 14039414 + + + + Orthopedics. 1989 Jun;12(6):861-3 + + 2740267 + + + + J Bone Joint Surg Am. 1984 Dec;66(9):1454-9 + + 6238969 + + + + +
+ + + 15110832 + + 2004 + 12 + 10 + + + 2006 + 11 + 15 + +
+ + 0968-0896 + + 12 + 10 + + 2004 + May + 15 + + + Bioorganic & medicinal chemistry + Bioorg. Med. Chem. + + Aminyl and iminyl radicals from arylhydrazones in the photo-induced DNA cleavage. + + 2509-15 + + + Photolytic cleavage of the nitrogen-nitrogen single bond in benzaldehyde phenylhydrazones produced aminyl (R2N*) and iminyl (R2C=N*) radicals. This photochemical property was utilized in the development of hydrazones as photo-induced DNA-cleaving agents. Irradiation with 350 nm UV light of arylhydrazones bearing substituents of various types in a phosphate buffer solution containing the supercoiled circular phiX174 RFI DNA at pH 6.0 resulted in single-strand cleavage of DNA. Attachment of the electron-donating OMe group to arylhydrazones increased their DNA-cleaving activity. Results from systematic studies indicate that both the aminyl and the iminyl radicals possessed DNA-cleaving ability. + + + + Hwu + Jih Ru + JR + + Institute of Chemistry, Academia Sinica, Nankang, Taipei 11529, Taiwan, ROC. jrhwu@mx.nthu.edu.tw + + + + Lin + Chun Chieh + CC + + + Chuang + Shih Hsien + SH + + + King + Ke Yung + KY + + + Su + Tzu-Rong + TR + + + Tsay + Shwu-Chen + SC + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + England + Bioorg Med Chem + 9413298 + 0968-0896 + + + + 0 + Hydrazones + + + IM + + + DNA Damage + + + Hydrazones + chemical synthesis + chemistry + + + Molecular Structure + + + Photolysis + + +
+ + + + 2004 + 02 + 03 + + + 2004 + 03 + 17 + + + 2004 + 03 + 18 + + + 2004 + 4 + 28 + 5 + 0 + + + 2004 + 12 + 16 + 9 + 0 + + + 2004 + 4 + 28 + 5 + 0 + + + ppublish + + 15110832 + 10.1016/j.bmc.2004.03.037 + S096808960400224X + + +
+ + + 15117668 + + 2004 + 05 + 10 + + + 2004 + 04 + 30 + +
+ + 0022-2895 + + 22 + 3 + + 1990 + Sep + + + Journal of motor behavior + J Mot Behav + + The First Conference on Motor Control in Down Syndrome. + + 444-6 + + + + Latash + M L + ML + + + eng + + Journal Article + +
+ + United States + J Mot Behav + 0236512 + 0022-2895 + +
+ + + + 1990 + 9 + 1 + 0 + 0 + + + 1990 + 9 + 1 + 0 + 1 + + + 1990 + 9 + 1 + 0 + 0 + + + ppublish + + 15117668 + + +
+ + + 15206831 + + 2004 + 07 + 29 + + + 2007 + 11 + 14 + +
+ + 0896-4289 + + 29 + 3 + + 2003 + Fall + + + Behavioral medicine (Washington, D.C.) + Behav Med + + Warm partner contact is related to lower cardiovascular reactivity. + + 123-30 + + + The authors investigated the relationship between brief warm social and physical contact among cohabitating couples and blood pressure (BP) reactivity to stress in a sample of healthy adults (66 African American, 117 Caucasian; 74 women, 109 men). Prior to stress, the warm contact group underwent a 10-minute period of handholding while viewing a romantic video. Followed by a 20-second hug with their partner, while the no contact group rested quietly for 10 minutes and 20 seconds. In response to a public speaking task, individuals receiving prestress partner contact demonstrated lower systolic BP diastolic BP, and heart rate increases compared with the no contact group. The effects of warm contact were comparable for men and women and were greater for African Americans compared with Caucasians. These findings suggest that affectionate relationships with a supportive partner may contribute to lower reactivity to stressful life events and may partially mediate the benefit of marital support on better cardiovascular health. + + + + Grewen + Karen M + KM + + Department of Psychiatry, University of North Carolina at Chapel Hill, 27599-7175, USA. karen_grewen@med.unc.edu + + + + Anderson + Bobbi J + BJ + + + Girdler + Susan S + SS + + + Light + Kathleen C + KC + + + eng + + + HL64927 + HL + NHLBI NIH HHS + United States + + + RR00046 + RR + NCRR NIH HHS + United States + + + + Journal Article + Research Support, U.S. Gov't, P.H.S. + +
+ + United States + Behav Med + 8804264 + 0896-4289 + + IM + + + Adult + + + Affect + + + Blood Pressure + physiology + + + Body Temperature + + + Female + + + Heart Rate + physiology + + + Humans + + + Life Change Events + + + Male + + + Marriage + psychology + + + Middle Aged + + + Speech + + + Spouses + + + Touch + + +
+ + + + 2004 + 6 + 23 + 5 + 0 + + + 2004 + 7 + 30 + 5 + 0 + + + 2004 + 6 + 23 + 5 + 0 + + + ppublish + + 15206831 + 10.1080/08964280309596065 + + +
+ + + 15228064 + + 2004 + 08 + 06 + + + 2018 + 06 + 29 + +
+ + 1080-6032 + + 15 + 2 + + 2004 + Summer + + + Wilderness & environmental medicine + Wilderness Environ Med + + Acute coronary ischemia following centipede envenomation: case report and review of the literature. + + 109-12 + + + This is the first known case report of electrocardiographic (ECG) changes suggestive of coronary vasospasm following a centipede envenomation. A 60-year-old man presented to the emergency department (ED) 1 hour after being stung by a 12-cm centipede. He complained of right great toe pain that did not radiate to his leg. The patient had no known ischemic heart disease. He did not describe any exertional symptoms but admitted experiencing weakness. During the ED course, concurrent with obtaining peripheral intravenous access, the patient experienced diaphoresis, dizziness, hypotension, and bradycardia. His ECG showed new ST-T wave changes, which suggested an acute ischemic process. The patient's blood pressure was 89/60 mm Hg, his pulse rate was 47 beats/min, and his respiration rate was 28 breaths/min. In the following hours, ECG findings returned to baseline. His blood pressure improved gradually with fluid resuscitation after approximately 5 hours. Cardiac markers returned to normal in the 13th hour after the event, and the patient underwent exercise stress testing, which was negative. The patient was discharged with cardiology follow-up. Adult patients with centipede envenomation should be closely monitored in anticipation of possible myocardial ischemia due to vasospasm, hypotension, and myocardial toxic effects of the venom. A child receiving the same amount of venom would be potentially at greater risk. + + + + Ozsarac + Murat + M + + Dokuz Eylul University School of Medicine, Department of Emergency Medicine, Inciralti, Izmir, Turkey. mozsarac@hotmail.com + + + + Karcioglu + Ozgur + O + + + Ayrik + Cuneyt + C + + + Somuncu + Fatih + F + + + Gumrukcu + Serhat + S + + + eng + + Case Reports + Journal Article + Review + +
+ + United States + Wilderness Environ Med + 9505185 + 1080-6032 + + IM + + + Animals + + + Arthropods + + + Diagnosis, Differential + + + Electrocardiography + + + Emergency Treatment + + + Humans + + + Male + + + Middle Aged + + + Myocardial Ischemia + complications + diagnosis + therapy + + + Spider Bites + complications + diagnosis + therapy + + + 18 +
+ + + + 2004 + 7 + 2 + 5 + 0 + + + 2004 + 8 + 7 + 5 + 0 + + + 2004 + 7 + 2 + 5 + 0 + + + ppublish + + 15228064 + S1080-6032(04)70455-X + + +
+ + + 15278624 + + 2005 + 02 + 07 + + + 2018 + 11 + 13 + +
+ + 0913-8668 + + 5 + 3 + + 1991 + Jul + + + Journal of anesthesia + J Anesth + + Hypoxic ventilatory response in cats lightly anesthetized with ketamine: effects of halothane and sevoflurane in low concentrations. + + 233-8 + + + The effect of low concentration sevoflurane and halothane on the ventilatory response to isocapnic hypoxia was studied in sixteen cats. The cats were divided into two groups, sevoflurane group and halothane group, of eight subjects each. As parameters of the hypoxic ventilatory response, A value [the slope of the hyperbolic curve, V(E) = V(0) + A/(Pa(O)(2)-32)] and ratio of V(50) (the minute volume obtained from the hyperbolic equation when Pa(O)(2) = 50 mmHg) to V(0) were studied. These two parameters were examined at three states, sedative state with ketamine as the control, ketamine plus 0.1 MAC inhalation anesthetic, and ketamine plus 0.5 MAC inhalation anesthetic. In the sevoflurane group, the A values were 4789 +/- 1518, 2187 +/- 1214, 1730 +/- 880 (mean +/- SE. ml.min(-1).mmHg) at the control state, 0.1 MAC and 0.5 MAC, respectively. In the halothane group, the A values were 6411 +/- 2368, 2529 +/- 842 and 2372 +/- 545, respectively. The ratios of V(50) to V(0) were 1.32 +/- 0.09, 1.22 +/- 0.09, 1.25 +/- 0.08 in the sevoflurane group, 1.47 +/- 0.18, 1.32 +/- 0.11, 1.54 +/- 0.18 in the halothane group, respectively. The A value at 0.1 MAC of the halothane group was less than the control value significantly. This proved that even low concentration halothane depressed the hypoxic ventilatory responses. The depression of hypoxic ventilatory response could cause postanesthetic hypoventilation. On the other hand, we could not find significant depression on the hypoxic ventilatory response in the sevoflurane group, but we should notice that variances of the hypoxic ventilatory response were large. + + + + Tamura + C + C + + Department of Anesthesiology and Critical Care Medicine, Hamamatsu University School of Medicine, Japan. + + + + Doi + M + M + + + Ikeda + K + K + + + eng + + Journal Article + +
+ + Japan + J Anesth + 8905667 + 0913-8668 + +
+ + + + 1990 + 07 + 19 + + + 1990 + 11 + 15 + + + 1991 + 7 + 1 + 0 + 0 + + + 1991 + 7 + 1 + 0 + 1 + + + 1991 + 7 + 1 + 0 + 0 + + + ppublish + + 15278624 + 10.1007/s0054010050233 + + + + Q J Exp Physiol Cogn Med Sci. 1958 Apr;43(2):214-27 + + 13542754 + + + + J Clin Invest. 1970 Jun;49(6):1061-72 + + 5422012 + + + + Anesthesiology. 1975 Dec;43(6):628-34 + + 1190538 + + + + Kokyu To Junkan. 1984 Apr;32(4):349-56 + + 6379796 + + + + Anesthesiology. 1974 Oct;41(4):350-60 + + 4413139 + + + + Masui. 1986 Nov;35(11):1680-4 + + 3820557 + + + + Am Rev Respir Dis. 1980 Dec;122(6):867-71 + + 7458060 + + + + Respir Physiol. 1972 Sep;16(1):109-25 + + 5073532 + + + + J Appl Physiol. 1975 Dec;39(6):911-5 + + 1213971 + + + + Anesthesiology. 1978 Oct;49(4):244-51 + + 697078 + + + + Respir Physiol. 1975 Mar;23(2):181-99 + + 1144940 + + + + +
+ + + 15284444 + + 2004 + 09 + 29 + + + 2018 + 11 + 13 + +
+ + 0027-8424 + + 101 + 32 + + 2004 + Aug + 10 + + + Proceedings of the National Academy of Sciences of the United States of America + Proc. Natl. Acad. Sci. U.S.A. + + Tubular precipitation and redox gradients on a bubbling template. + + 11537-41 + + + Tubular structures created by precipitation abound in nature, from chimneys at hydrothermal vents to soda straws in caves. Their formation is controlled by chemical gradients within which precipitation occurs, defining a surface that templates the growing structure. We report a self-organized periodic templating mechanism producing tubular structures electrochemically in iron-ammonium-sulfate solutions; iron oxides precipitate on the surface of bubbles that linger at the tube rim and then detach, leaving behind a ring of material. The acid-base and redox gradients spontaneously generated by diffusion of ammonia from the bubble into solution organize radial compositional layering within the tube wall, a mechanism studied on a larger scale by complex Liesegang patterns of iron oxides formed as ammonia diffuses through a gel containing FeSO(4). When magnetite forms within the wall, a tube may grow curved in an external magnetic field. Connections with free-boundary problems in speleothem formation are emphasized. + + + + Stone + David A + DA + + Department of Soil, Water, and Environmental Science, Program in Applied Mathematics, University of Arizona, Tucson, AZ 85721, USA. + + + + Goldstein + Raymond E + RE + + + eng + + Journal Article + + + 2004 + 07 + 29 + +
+ + United States + Proc Natl Acad Sci U S A + 7505876 + 0027-8424 + +
+ + + + 2004 + 7 + 31 + 5 + 0 + + + 2004 + 7 + 31 + 5 + 1 + + + 2004 + 7 + 31 + 5 + 0 + + + ppublish + + 15284444 + 10.1073/pnas.0404544101 + 0404544101 + PMC511016 + + + + Nature. 2002 May 9;417(6885):139 + + 12000951 + + + + Science. 2004 Mar 12;303(5664):1656-8 + + 15016997 + + + + Phys Rev Lett. 1990 Jun 11;64(24):2953-2956 + + 10041855 + + + + Philos Trans R Soc Lond B Biol Sci. 2003 Jan 29;358(1429):59-83; discussion 83-5 + + 12594918 + + + + Science. 1988 Dec 23;242(4885):1585 + + 17788426 + + + + Science. 1979 Mar 16;203(4385):1073-83 + + 17776033 + + + + Science. 2003 Oct 24;302(5645):580-1 + + 14576411 + + + + J Geol Soc London. 1997 May;154(3):377-402 + + 11541234 + + + + J Am Chem Soc. 2003 Apr 9;125(14):4338-41 + + 12670257 + + + + Science. 1965 Feb 5;147(3658):563-75 + + 17783259 + + + + +
+ + + 15611660 + + 2006 + 03 + 23 + + + 2017 + 11 + 16 + +
+ + 1551-4005 + + 4 + 1 + + 2005 + Jan + + + Cell cycle (Georgetown, Tex.) + Cell Cycle + + Altered epigenetic patterning leading to replicative senescence and reduced longevity. A role of a novel SNF2 factor, PASG. + + 3-5 + + + Understanding the biological mechanisms underlying aging and cancer predisposition remains a fundamentally important goal in biomedicine. The generation of a PASG hypomorphic mutant mouse model shows that PASG, an SNF2 family member, is essential for properly maintaining normal DNA methylation and gene expression patterns. Disruption of PASG leads to decreased incorporation of BrdU, accumulation of senescence-associated tumor suppressor genes, and increased senescence-associated beta-galactosidase as well as age-related phenotypes. These observations demonstrate that PASG plays a critical role in maintenance of tissue homeostasis, normal growth and longevity. + + + + Sun + Lin-Quan + LQ + + Division of Pediatric Oncology, Sidney Kimmel Comprehensive Cancer Center, Johns Hopkins University School of Medicine, Baltimore, Maryland, USA. + + + + Arceci + Robert J + RJ + + + eng + + Journal Article + + + 2005 + 01 + 03 + +
+ + United States + Cell Cycle + 101137841 + 1551-4005 + + + + 9007-49-2 + DNA + + + EC 2.1.1.- + Methyltransferases + + + EC 3.2.1.23 + beta-Galactosidase + + + EC 3.6.4.- + DNA Helicases + + + EC 5.99.- + Hells protein, mouse + + + G34N38R2N1 + Bromodeoxyuridine + + + IM + + + Animals + + + Bromodeoxyuridine + metabolism + + + Cell Cycle + genetics + physiology + + + Cell Proliferation + + + Cellular Senescence + genetics + + + DNA + metabolism + + + DNA Helicases + antagonists & inhibitors + genetics + physiology + + + DNA Methylation + + + Epigenesis, Genetic + + + Gene Expression Regulation, Developmental + + + Homeostasis + genetics + physiology + + + Longevity + genetics + + + Methyltransferases + physiology + + + Mice + + + Mice, Mutant Strains + + + Mutation + + + beta-Galactosidase + metabolism + + +
+ + + + 2004 + 12 + 22 + 9 + 0 + + + 2006 + 3 + 24 + 9 + 0 + + + 2004 + 12 + 22 + 9 + 0 + + + ppublish + + 15611660 + 1341 + 10.4161/cc.4.1.1341 + + +
+ + + 15611661 + + 2006 + 03 + 23 + + + 2009 + 11 + 19 + +
+ + 1551-4005 + + 4 + 1 + + 2005 + Jan + + + Cell cycle (Georgetown, Tex.) + Cell Cycle + + TrkAIII. A novel hypoxia-regulated alternative TrkA splice variant of potential physiological and pathological importance. + + 8-9 + + + Nerve growth factor receptor TrkA is critical for development and maturation of central and peripheral nervous systems, regulating proliferation, differentiation and apoptosis. In cancer, TrkA frequently exhibits suppressor activity in nonmutated form and oncogenic activity upon mutation. Our identification of a novel hypoxia-regulated alternative TrkAIII splice variant, expressed by neural crest-derived neuroblastic tumors, that exhibits neuroblastoma tumor promoting activity, adds significantly to our understanding of potential TrkA involvement in cancer. Our observation that hypoxia, which characterizes the tumor micro-environment, stimulates alternative TrkAIII splicing, provides a way by which TrkA tumor suppressing signals may convert to tumor promoting signals during progression and is consistent with conservation and pathological subversion by neural crest-derived neuroblastic tumors of a mechanism of potential physiological importance to normal neural stem/neural crest progenitors. + + + + Tacconelli + Antonella + A + + Department of Experimental Medicine, University of L'Aquila, L'Aquila, Italy. + + + + Farina + Antonietta R + AR + + + Cappabianca + Lucia + L + + + Gulino + Alberto + A + + + Mackay + Andrew R + AR + + + eng + + Journal Article + + + 2005 + 01 + 05 + +
+ + United States + Cell Cycle + 101137841 + 1551-4005 + + + + 0 + DNA, Neoplasm + + + EC 2.7.10.1 + Receptor, trkA + + + IM + + + Alternative Splicing + + + Cell Differentiation + genetics + + + Cell Hypoxia + + + Cell Line, Tumor + + + Cell Proliferation + + + DNA, Neoplasm + genetics + + + Gene Expression Regulation, Neoplastic + + + Genetic Variation + + + Humans + + + Neoplastic Stem Cells + pathology + physiology + + + Neural Crest + cytology + physiology + + + Neuroblastoma + genetics + pathology + physiopathology + + + Receptor, trkA + genetics + physiology + + + Signal Transduction + genetics + + +
+ + + + 2004 + 12 + 22 + 9 + 0 + + + 2006 + 3 + 24 + 9 + 0 + + + 2004 + 12 + 22 + 9 + 0 + + + ppublish + + 15611661 + 1349 + 10.4161/cc.4.1.1349 + + +
+ + + 15611667 + + 2006 + 03 + 23 + + + 2013 + 11 + 21 + +
+ + 1551-4005 + + 4 + 1 + + 2005 + Jan + + + Cell cycle (Georgetown, Tex.) + Cell Cycle + + Replication timing of human chromosome 6. + + 172-6 + + + Genomic microarrays have been used to assess DNA replication timing in a variety of eukaryotic organisms. A replication timing map of the human genome has already been published at a 1Mb resolution. Here we describe how the same method can be used to assess the replication timing of chromosome 6 with a greater resolution using an array of overlapping tile path clones. We report the replication timing map of the whole of chromosome 6 in general, and the MHC region in particular. Positive correlations are observed between replication timing and a number of genomic features including GC content, repeat content and transcriptional activity. + + + + Woodfine + Kathryn + K + + Wellcome Trust Sanger Institute, Wellcome Trust Genome Campus, Hinxton, Cambridge, UK. + + + + Beare + David M + DM + + + Ichimura + Koichi + K + + + Debernardi + Silvana + S + + + Mungall + Andrew J + AJ + + + Fiegler + Heike + H + + + Collins + V Peter + VP + + + Carter + Nigel P + NP + + + Dunham + Ian + I + + + eng + + Journal Article + + + 2005 + 01 + 05 + +
+ + United States + Cell Cycle + 101137841 + 1551-4005 + + + + 5Z93L87A1R + Guanine + + + 8J337D1HZY + Cytosine + + + 9007-49-2 + DNA + + + IM + + + Cell Line + + + Chromosome Mapping + + + Chromosomes, Human, Pair 6 + genetics + physiology + + + Cytosine + analysis + + + DNA + chemistry + genetics + + + DNA Repeat Expansion + + + DNA Replication Timing + + + Epigenesis, Genetic + + + G1 Phase + genetics + physiology + + + Gene Expression Regulation + + + Guanine + analysis + + + Humans + + + Major Histocompatibility Complex + genetics + + + Oligonucleotide Array Sequence Analysis + methods + + + S Phase + genetics + physiology + + + Transcription, Genetic + + +
+ + + + 2004 + 12 + 22 + 9 + 0 + + + 2006 + 3 + 24 + 9 + 0 + + + 2004 + 12 + 22 + 9 + 0 + + + ppublish + + 15611667 + 1350 + 10.4161/cc.4.1.1350 + + +
+ + + 15739502 + + 2010 + 04 + 15 + + + 2016 + 10 + 18 + +
+ + 1000-8713 + + 15 + 5 + + 1997 + Sep + + + Se pu = Chinese journal of chromatography + Se Pu + + [The determination of olaquindox in feeds by HPLC]. + + 440-1 + + + A liquid chromatographic procedure for the determination of olaquindox in feeds is described. Chromatography was performed on a PC8-10/S2504 (4.0 mm i.d. x 250 mm, 10 microm, Shimadzu Co.) column at 30 degrees C by using a mobile phase of methanol:water (20:80, V/V ) with a flow rate of 0.8 mL/min and UV detection at 260 nm. Acetanilide was used as internal standard. Olaquindox was extracted with dimethylformamide (DMF) from the feeds. The average recoveries of olaquindox were 98.58%-101.63% and the relative standard deviations were 2.67%-4.25%. The method is simple, rapid, reliable and inexpensive. + + + + Li + L + L + + Institute of Applied Chemistry, Nanchang University, Nanchang, 330047. + + + + Qiu + S + S + + + chi + + English Abstract + Evaluation Studies + Journal Article + Research Support, Non-U.S. Gov't + +
+ + China + Se Pu + 9424804 + 1000-8713 + + + + 0 + Food Additives + + + 0 + Quinoxalines + + + G3LAW9U88T + olaquindox + + + IM + + + Animal Feed + analysis + + + Chromatography, High Pressure Liquid + methods + + + Food Additives + analysis + + + Quinoxalines + analysis + + +
+ + + + 2005 + 3 + 3 + 9 + 0 + + + 2010 + 4 + 16 + 6 + 0 + + + 2005 + 3 + 3 + 9 + 0 + + + ppublish + + 15739502 + + +
+ + + 15810377 + + 2010 + 05 + 21 + + + 2005 + 04 + 06 + +
+ + 1000-0593 + + 17 + 5 + + 1997 + Oct + + + Guang pu xue yu guang pu fen xi = Guang pu + Guang Pu Xue Yu Guang Pu Fen Xi + + [Study on cleavage mechanisms of dimer (t-Bu)2NO in several solvent phases]. + + 124-7 + + + In this paper, we studied the cleavage products of dimer t-BuNO in aqueous and organic solutions using method of 1HNMR and UV-Vis, analyzed the reactive kinetics, put forward that dimer (t-Bu)2NO homolytically cleavaged in nonpolar organic solution, and that dimer (t-Bu)2NO homolytically and heterolyticall cleavaged in a competitive manner in polar aqueous solution. + + + + Ma + X + X + + Cancer Research Institute, Hunan Medical University, Changsha. + + + + Tang + J + J + + + chi + + English Abstract + Journal Article + +
+ + China + Guang Pu Xue Yu Guang Pu Fen Xi + 9424805 + 1000-0593 + +
+ + + + 2005 + 4 + 7 + 9 + 0 + + + 2005 + 4 + 7 + 9 + 1 + + + 2005 + 4 + 7 + 9 + 0 + + + ppublish + + 15810377 + + +
+ + + 15968009 + + 2005 + 06 + 27 + + + 2014 + 07 + 29 + +
+ + 1539-3704 + + 142 + 12 Pt 1 + + 2005 + Jun + 21 + + + Annals of internal medicine + Ann. Intern. Med. + + The effect of combined estrogen and progesterone hormone replacement therapy on disease activity in systemic lupus erythematosus: a randomized trial. + + 953-62 + + + There is concern that exogenous female hormones may worsen disease activity in women with systemic lupus erythematosus (SLE). + To evaluate the effect of hormone replacement therapy (HRT) on disease activity in postmenopausal women with SLE. + Randomized, double-blind, placebo-controlled noninferiority trial conducted from March 1996 to June 2002. + 16 university-affiliated rheumatology clinics or practices in 11 U.S. states. + 351 menopausal patients (mean age, 50 years) with inactive (81.5%) or stable-active (18.5%) SLE. + 12 months of treatment with active drug (0.625 mg of conjugated estrogen daily, plus 5 mg of medroxyprogesterone for 12 days per month) or placebo. The 12-month follow-up rate was 82% for the HRT group and 87% for the placebo group. + The primary end point was occurrence of a severe flare as defined by Safety of Estrogens in Lupus Erythematosus, National Assessment-Systemic Lupus Erythematosus Disease Activity Index composite. + Severe flare was rare in both treatment groups: The 12-month severe flare rate was 0.081 for the HRT group and 0.049 for the placebo group, yielding an estimated difference of 0.033 (P = 0.23). The upper limit of the 1-sided 95% CI for the treatment difference was 0.078, within the prespecified margin of 9% for noninferiority. Mild to moderate flares were significantly increased in the HRT group: 1.14 flares/person-year for HRT and 0.86 flare/person-year for placebo (relative risk, 1.34; P = 0.01). The probability of any type of flare by 12 months was 0.64 for the HRT group and 0.51 for the placebo group (P = 0.01). In the HRT group, there were 1 death, 1 stroke, 2 cases of deep venous thrombosis, and 1 case of thrombosis in an arteriovenous graft; in the placebo group, 1 patient developed deep venous thrombosis. + Findings are not generalizable to women with high-titer anticardiolipin antibodies, lupus anticoagulant, or previous thrombosis. + Adding a short course of HRT is associated with a small risk for increasing the natural flare rate of lupus. Most of these flares are mild to moderate. The benefits of HRT can be balanced against the risk for flare because HRT did not significantly increase the risk for severe flare compared with placebo. + + + + Buyon + Jill P + JP + + Hospital for Joint Diseases, New York University School of Medicine, New York, New York, USA. jill.buyon@nyumc.org + + + + Petri + Michelle A + MA + + + Kim + Mimi Y + MY + + + Kalunian + Kenneth C + KC + + + Grossman + Jennifer + J + + + Hahn + Bevra H + BH + + + Merrill + Joan T + JT + + + Sammaritano + Lisa + L + + + Lockshin + Michael + M + + + Alarcón + Graciela S + GS + + + Manzi + Susan + S + + + Belmont + H Michael + HM + + + Askanase + Anca D + AD + + + Sigler + Lisa + L + + + Dooley + Mary Anne + MA + + + Von Feldt + Joan + J + + + McCune + W Joseph + WJ + + + Friedman + Alan + A + + + Wachs + Jane + J + + + Cronin + Mary + M + + + Hearth-Holmes + Michelene + M + + + Tan + Mark + M + + + Licciardi + Frederick + F + + + eng + + + ClinicalTrials.gov + + NCT00000419 + + + + + + AR 43727 + AR + NIAMS NIH HHS + United States + + + M01 RR00052 + RR + NCRR NIH HHS + United States + + + M01 RR00096 + RR + NCRR NIH HHS + United States + + + U01 AR42540 + AR + NIAMS NIH HHS + United States + + + + Clinical Trial + Journal Article + Multicenter Study + Randomized Controlled Trial + Research Support, N.I.H., Extramural + Research Support, U.S. Gov't, P.H.S. + +
+ + United States + Ann Intern Med + 0372351 + 0003-4819 + + + + 0 + Estrogens, Conjugated (USP) + + + HSU1C9YRES + Medroxyprogesterone + + + AIM + IM + + + Ann Intern Med. 2005 Jun 21;142(12 Pt 1):I22 + 15968006 + + + Ann Intern Med. 2005 Jun 21;142(12 Pt 1):1014-5 + 15968016 + + + + + Adolescent + + + Aged + + + Aged, 80 and over + + + Double-Blind Method + + + Estrogen Replacement Therapy + adverse effects + + + Estrogens, Conjugated (USP) + therapeutic use + + + Female + + + Follow-Up Studies + + + Humans + + + Lupus Erythematosus, Systemic + physiopathology + + + Medroxyprogesterone + therapeutic use + + + Middle Aged + + + Postmenopause + + + Risk Factors + + +
+ + + + 2005 + 6 + 22 + 9 + 0 + + + 2005 + 6 + 28 + 9 + 0 + + + 2005 + 6 + 22 + 9 + 0 + + + ppublish + + 15968009 + 142/12_Part_1/953 + + +
+ + + 16776646 + + 2006 + 08 + 09 + + + 2016 + 10 + 20 + +
+ + 0248-4900 + + 98 + 7 + + 2006 + Jul + + + Biology of the cell + Biol. Cell + + Books for free? How can this be? - A PubMed resource you may be overlooking. + + 439-43 + + + The NCBI (National Center for Biotechnology Information) at the National Institutes of Health collects a wide range of molecular biological data, and develops tools and databases to analyse and disseminate this information. Many life scientists are familiar with the website maintained by the NCBI (http://www.ncbi.nlm.nih.gov), because they use it to search GenBank for homologues of their genes of interest or to search the PubMed database for scientific literature of interest. There is also a database called the Bookshelf that includes searchable popular life science textbooks, medical and research reference books and NCBI reference materials. The Bookshelf can be useful for researchers and educators to find basic biological information. This article includes a representative list of the resources currently available on the Bookshelf, as well as instructions on how to access the information in these resources. + + + + Corsi + Ann K + AK + + Department of Biology, The Catholic University of America, Washington, DC 20064, USA. corsi@cua.edu + + + + eng + + Journal Article + +
+ + England + Biol Cell + 8108529 + 0248-4900 + + IM + + + Biological Science Disciplines + + + Books + + + Humans + + + Internet + + + National Library of Medicine (U.S.) + + + PubMed + + + Reference Books + + + Reference Books, Medical + + + Textbooks as Topic + + + United States + + +
+ + + + 2006 + 6 + 17 + 9 + 0 + + + 2006 + 8 + 10 + 9 + 0 + + + 2006 + 6 + 17 + 9 + 0 + + + ppublish + + 16776646 + BC20050093 + 10.1042/BC20050093 + + +
+ + + 16779244 + + 2007 + 02 + 15 + + + 2018 + 11 + 13 + +
+ + 1942-597X + + + 2005 + + + AMIA ... Annual Symposium proceedings. AMIA Symposium + AMIA Annu Symp Proc + + MeSH Speller + askMEDLINE: auto-completes MeSH terms then searches MEDLINE/PubMed via free-text, natural language queries. + + 957 + + + Medical terminology is challenging even for healthcare personnel. Spelling errors can make searching MEDLINE/PubMed ineffective. We developed a utility that provides MeSH term and Specialist Lexicon Vocabulary suggestions as it is typed on a search page. The correctly spelled term can be incorporated into a free-text, natural language search or used as a clinical queries search. + + + + Fontelo + Paul + P + + Office of High Performance Computing and Communications, National Library of Medicine, 8600 Rockville Pike, Bethesda, Maryland 20894, USA. + + + + Liu + Fang + F + + + Ackerman + Michael + M + + + eng + + + Z99 LM999999 + NULL + Intramural NIH HHS + United States + + + + Journal Article + +
+ + United States + AMIA Annu Symp Proc + 101209213 + 1559-4076 + + IM + + + Information Storage and Retrieval + methods + + + Medical Subject Headings + + + Natural Language Processing + + + PubMed + + +
+ + + + 2006 + 6 + 17 + 9 + 0 + + + 2007 + 2 + 16 + 9 + 0 + + + 2006 + 6 + 17 + 9 + 0 + + + ppublish + + 16779244 + 57378 + PMC1513542 + + + + JAMA. 1998 Oct 21;280(15):1336-8 + + 9794314 + + + + J Med Internet Res. 2003 Dec 11;5(4):e31 + + 14713659 + + + + +
+ + + 16888359 + + 2006 + 09 + 28 + + + 2018 + 11 + 13 + +
+ + 1064-3745 + + 338 + + 2006 + + + Methods in molecular biology (Clifton, N.J.) + Methods Mol. Biol. + + Mining microarray data at NCBI's Gene Expression Omnibus (GEO)*. + + 175-90 + + + The Gene Expression Omnibus (GEO) at the National Center for Biotechnology Information (NCBI) has emerged as the leading fully public repository for gene expression data. This chapter describes how to use Web-based interfaces, applications, and graphics to effectively explore, visualize, and interpret the hundreds of microarray studies and millions of gene expression patterns stored in GEO. Data can be examined from both experiment-centric and gene-centric perspectives using user-friendly tools that do not require specialized expertise in microarray analysis or time-consuming download of massive data sets. The GEO database is publicly accessible through the World Wide Web at http://www.ncbi.nlm.nih.gov/geo. + + + + Barrett + Tanya + T + + National Center for Biotechnology Information, National Institutes of Health, Bethesda, MD, USA. + + + + Edgar + Ron + R + + + eng + + Journal Article + +
+ + United States + Methods Mol Biol + 9214969 + 1064-3745 + + IM + + + Algorithms + + + Animals + + + Cluster Analysis + + + Data Interpretation, Statistical + + + Databases, Genetic + + + Gene Expression Profiling + statistics & numerical data + + + Humans + + + Information Storage and Retrieval + + + Internet + + + National Library of Medicine (U.S.) + + + Oligonucleotide Array Sequence Analysis + statistics & numerical data + + + Software + + + United States + + +
+ + + + 2006 + 8 + 5 + 9 + 0 + + + 2006 + 9 + 29 + 9 + 0 + + + 2006 + 8 + 5 + 9 + 0 + + + ppublish + + 16888359 + 1-59745-097-9:175 + 10.1385/1-59745-097-9:175 + PMC1619899 + NIHMS12705 + + + + Nucleic Acids Res. 2004 Jul 1;32(Web Server issue):W213-6 + + 15215383 + + + + Science. 2003 Jun 13;300(5626):1749-51 + + 12805549 + + + + Nucleic Acids Res. 2002 Jan 1;30(1):207-10 + + 11752295 + + + + Mol Cell Proteomics. 2005 May;4(5):683-92 + + 15722371 + + + + Nucleic Acids Res. 2005 Jan 1;33(Database issue):D562-6 + + 15608262 + + + + Physiol Genomics. 2004 Sep 16;19(1):131-42 + + 15238619 + + + + J Mol Biol. 1990 Oct 5;215(3):403-10 + + 2231712 + + + + Nucleic Acids Res. 2005 Jan 1;33(Database issue):D39-45 + + 15608222 + + + + PLoS Biol. 2004 Dec;2(12):e427 + + 15562319 + + + + Methods Enzymol. 1996;266:141-62 + + 8743683 + + + + Proc Natl Acad Sci U S A. 2004 Sep 14;101(37):13618-23 + + 15353598 + + + + +
+ + + 16923641 + + 2007 + 01 + 25 + + + 2006 + 08 + 22 + +
+ + 0803-9488 + + 60 + 4 + + 2006 + + + Nordic journal of psychiatry + Nord J Psychiatry + + The use of PubMed/Medline in psychiatry. 3: Searching PubMed. + + 310-5 + + + This paper is the third in a series of three, intended as a tutorial in the use of PubMed/Medline for an inexperienced user. The papers have the following contents: I--a description of NLM, Medline, PubMed and the system of Medical Subject Headings (MeSH), which form the basis for the indexing of scientific articles, books and other items at NLM. II--A description and a tutorial of the PubMed search window. III--The present article deals mainly with the searching for references in PubMed. Ways of restricting and concentrating the search are presented, and exercises are proposed. A reader may also find guidance for a search for medical books in the NLM Catalog, and in the use of tools like Related Articles, Bookshelf, and Index. With eating disorders as an example, more information is presented on the use of MeSH terms. + + + + Theander + Sten S + SS + + Division of Psychiatry, Department of Clinical Neuroscience, Lund University, Sweden. sten.theander@med.lu.se + + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + England + Nord J Psychiatry + 100927567 + 0803-9488 + + IM + + + MEDLINE + + + Medical Subject Headings + + + Psychiatry + + + PubMed + + +
+ + + + 2006 + 8 + 23 + 9 + 0 + + + 2007 + 1 + 26 + 9 + 0 + + + 2006 + 8 + 23 + 9 + 0 + + + ppublish + + 16923641 + P37WU15215LX0170 + 10.1080/08039480600790481 + + +
+ + + 16949478 + + 2006 + 09 + 21 + + + 2006 + 09 + 04 + +
+ + 1558-3597 + + 48 + 5 + + 2006 + Sep + 05 + + + Journal of the American College of Cardiology + J. Am. Coll. Cardiol. + + ACC/AHA/ESC 2006 guidelines for management of patients with ventricular arrhythmias and the prevention of sudden cardiac death: a report of the American College of Cardiology/American Heart Association Task Force and the European Society of Cardiology Committee for Practice Guidelines (Writing Committee to Develop Guidelines for Management of Patients With Ventricular Arrhythmias and the Prevention of Sudden Cardiac Death). + + e247-346 + + + + European Heart Rhythm Association + + + Heart Rhythm Society + + + Zipes + Douglas P + DP + + + Camm + A John + AJ + + + Borggrefe + Martin + M + + + Buxton + Alfred E + AE + + + Chaitman + Bernard + B + + + Fromer + Martin + M + + + Gregoratos + Gabriel + G + + + Klein + George + G + + + Moss + Arthur J + AJ + + + Myerburg + Robert J + RJ + + + Priori + Silvia G + SG + + + Quinones + Miguel A + MA + + + Roden + Dan M + DM + + + Silka + Michael J + MJ + + + Tracy + Cynthia + C + + + Smith + Sidney C + SC + Jr + + + Jacobs + Alice K + AK + + + Adams + Cynthia D + CD + + + Antman + Elliott M + EM + + + Anderson + Jeffrey L + JL + + + Hunt + Sharon A + SA + + + Halperin + Jonathan L + JL + + + Nishimura + Rick + R + + + Ornato + Joseph P + JP + + + Page + Richard L + RL + + + Riegel + Barbara + B + + + Priori + Silvia G + SG + + + Blanc + Jean-Jacques + JJ + + + Budaj + Andrzej + A + + + Camm + A John + AJ + + + Dean + Veronica + V + + + Deckers + Jaap W + JW + + + Despres + Catherine + C + + + Dickstein + Kenneth + K + + + Lekakis + John + J + + + McGregor + Keith + K + + + Metra + Marco + M + + + Morais + Joao + J + + + Osterspey + Ady + A + + + Tamargo + Juan Luis + JL + + + Zamorano + José Luis + JL + + + American College of Cardiology + + + American Heart Association Task Force + + + European Society of Cardiology Committee for Practice Guidelines + + + eng + + Journal Article + Practice Guideline + +
+ + United States + J Am Coll Cardiol + 8301365 + 0735-1097 + + + + 0 + Anti-Arrhythmia Agents + + + AIM + IM + + + Anti-Arrhythmia Agents + therapeutic use + + + Cardiac Output, Low + + + Cardiomyopathies + complications + + + Catheter Ablation + + + Death, Sudden, Cardiac + etiology + prevention & control + + + Defibrillators, Implantable + + + Electrocardiography + + + Heart Arrest + etiology + therapy + + + Heart Function Tests + + + Humans + + + Tachycardia, Ventricular + complications + drug therapy + physiopathology + + + Ventricular Fibrillation + complications + drug therapy + physiopathology + + +
+ + + + 2006 + 9 + 5 + 9 + 0 + + + 2006 + 9 + 22 + 9 + 0 + + + 2006 + 9 + 5 + 9 + 0 + + + ppublish + + 16949478 + S0735-1097(06)01817-1 + 10.1016/j.jacc.2006.07.010 + + +
+ + + 17712873 + + 2007 + 08 + 22 + + + 2007 + 10 + 01 + +
+ + 1432-2218 + + 21 + 6 + + 2007 + Jun + + + Surgical endoscopy + Surg Endosc + + Crura ultrastructural alterations in patients with hiatal hernia: a pilot study. + + 907-11 + + + + Fei + L + L + + Unit of Surgical Digestive Physiopathology, Second University of Naples, via Pansini 5, I-80131 Naples, Italy. landino.fei@tin.it + + + + del Genio + G + G + + + Brusciano + L + L + + + Esposito + V + V + + + Cuttitta + D + D + + + Pizza + F + F + + + Rossetti + G + G + + + Trapani + V + V + + + Filippone + G + G + + + Moccia + F + F + + + Francesco + M + M + + + del Genio + A + A + + + eng + + Journal Article + +
+ + Germany + Surg Endosc + 8806653 + 0930-2794 + + IM + + + Surg Endosc. 2007 Aug;21(8):1473 + Francesco, M [removed]; Moccia, F [added] + + + + + Adult + + + Biopsy + + + Connective Tissue + ultrastructure + + + Diaphragm + abnormalities + ultrastructure + + + Female + + + Gastroesophageal Reflux + etiology + surgery + + + Hernia, Hiatal + etiology + surgery + + + Humans + + + Male + + + Microscopy, Electron, Transmission + + + Middle Aged + + + Muscle, Skeletal + ultrastructure + + + Recurrence + + +
+ + + + 2007 + 8 + 23 + 9 + 0 + + + 2007 + 8 + 23 + 9 + 1 + + + 2007 + 8 + 23 + 9 + 0 + + + ppublish + + 17712873 + + +
+ + + 17059514 + + 2007 + 05 + 07 + + + 2006 + 10 + 24 + +
+ + 0269-2813 + + 24 + 9 + + 2006 + Nov + 01 + + + Alimentary pharmacology & therapeutics + Aliment. Pharmacol. Ther. + + Effectiveness of an 'half elemental diet' as maintenance therapy for Crohn's disease: A randomized-controlled trial. + + 1333-40 + + + Although thiopurines have a proven role in maintenance therapy for Crohn's disease, an alternative therapy is needed for patients intolerant or resistant to thiopurines. + To evaluate the effectiveness of home enteral nutrition as a maintenance therapy regimen in which half of the daily calorie requirement is provided by an elemental diet and the remaining half by a free diet. We refer to this home enteral nutrition therapy as 'half elemental diet'. + Between 2002 and 2005, 51 patients in remission from two hospitals were randomly assigned to a half elemental diet group (n = 26) or a free diet group (n = 25). The primary outcome measure of this study was the occurrence of relapse over the 2-year period. + The relapse rate in the half elemental diet group was significantly lower [34.6% vs. 64.0%; multivariate hazard ratio 0.40 (95% CI: 0.16-0.98)] than that in the free diet group after a mean follow-up of 11.9 months. Compliance was similar in the two groups. No adverse event occurred in any of the patients throughout the study. + This randomized-controlled trial shows the effectiveness of an half elemental diet, which is a promising maintenance therapy for Crohn's disease patients. + + + + Takagi + S + S + + Division of Gastroenterology, Department of Internal Medicine, Tohoku University Graduate School of Medicine, Sendai, Japan. stakagi@int3.med.tohoku.ac.jp + + + + Utsunomiya + K + K + + + Kuriyama + S + S + + + Yokoyama + H + H + + + Takahashi + S + S + + + Iwabuchi + M + M + + + Takahashi + H + H + + + Takahashi + S + S + + + Kinouchi + Y + Y + + + Hiwatashi + N + N + + + Funayama + Y + Y + + + Sasaki + I + I + + + Tsuji + I + I + + + Shimosegawa + T + T + + + eng + + Journal Article + Randomized Controlled Trial + +
+ + England + Aliment Pharmacol Ther + 8707234 + 0269-2813 + + IM + + + Adult + + + Crohn Disease + diet therapy + + + Enteral Nutrition + methods + + + Female + + + Follow-Up Studies + + + Food, Formulated + + + Humans + + + Male + + + Parenteral Nutrition + methods + + + Recurrence + + + Treatment Outcome + + +
+ + + + 2006 + 10 + 25 + 9 + 0 + + + 2007 + 5 + 8 + 9 + 0 + + + 2006 + 10 + 25 + 9 + 0 + + + ppublish + + 17059514 + APT3120 + 10.1111/j.1365-2036.2006.03120.x + + +
+ + + 17713168 + + 2007 + 10 + 19 + + + 2007 + 11 + 30 + +
+ + 1359-6535 + + 12 + 5 + + 2007 + + + Antiviral therapy + Antivir. Ther. (Lond.) + + Declining prevalence of HIV-1 drug resistance in treatment-failing patients: a clinical cohort study. + + 835-9 + + + A major barrier to successful viral suppression in HIV type 1 (HIV-1)-infected individuals is the emergence of virus resistant to antiretroviral drugs. We explored the evolution of genotypic drug resistance prevalence in treatment-failing patients from 1999 to 2005 in a clinical cohort. + Prevalence of major International AIDS Society-USA HIV-1 drug resistance mutations was measured over calendar years in a population with treatment failure and undergoing resistance testing. Predictors of the presence of resistance mutations were analysed by logistic regression. + Significant reductions of the prevalence of resistance to all three drug classes examined were observed. This was accompanied by a reduction in the proportion of treatment-failing patients. Independent predictors of drug resistance were the earlier calendar year, prior use of suboptimal nucleoside analogue therapy, male sex and higher CD4 levels at testing. + In a single clinical cohort, we observed a decrease in the prevalence of resistance to all three examined antiretroviral drug classes over time. If this finding is confirmed in multicentre cohorts it may translate into reduced transmission of drug-resistant virus from treated patients. + + + + Di Giambenedetto + Simona + S + + Institute of Clinical Infectious Diseases, Catholic University, Rome, Italy. simona.digiambenedetto@rm.unicatt.it + + + + Bracciale + Laura + L + + + Colafigli + Manuela + M + + + Colatigli + Manuela + M + + + Cattani + Paola + P + + + Pinnetti + Carmen + C + + + Pannetti + Carmen + C + + + Bacarelli + Alessandro + A + + + Prosperi + Mattia + M + + + Fadda + Giovanni + G + + + Cauda + Roberto + R + + + De Luca + Andrea + A + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + England + Antivir Ther + 9815705 + 1359-6535 + + + + 0 + Anti-HIV Agents + + + 0 + RNA, Viral + + + IM + + + Antivir Ther. 2007;12(7):1145 + Colatigli, Manuela [corrected to Colafigli, Manuela; Cattani, Paola [added]; Pannetti, Carmen [corrected to Pinnetti, Carmen] + + + + + Adult + + + Anti-HIV Agents + therapeutic use + + + Antiretroviral Therapy, Highly Active + + + CD4 Lymphocyte Count + + + Cohort Studies + + + Drug Resistance, Viral + genetics + + + Female + + + Genotype + + + HIV Infections + drug therapy + epidemiology + immunology + virology + + + HIV-1 + genetics + + + Humans + + + Logistic Models + + + Male + + + Middle Aged + + + Mutation + + + Odds Ratio + + + Population Surveillance + + + Prevalence + + + RNA, Viral + + + Risk Assessment + + + Risk Factors + + + Sex Factors + + + Time Factors + + + Treatment Failure + + +
+ + + + 2007 + 8 + 24 + 9 + 0 + + + 2007 + 10 + 20 + 9 + 0 + + + 2007 + 8 + 24 + 9 + 0 + + + ppublish + + 17713168 + + +
+ + + 17823161 + + 2007 + 09 + 17 + + + 2013 + 11 + 21 + +
+ + 1756-1833 + + 335 + 7618 + + 2007 + Sep + 08 + + + BMJ (Clinical research ed.) + BMJ + + Agency warns about dosing error for amphotericin after patients with cancer die. + + 467 + + + + Hawkes + Nigel + N + + + eng + + News + +
+ + England + BMJ + 8900488 + 0959-8138 + + + + 0 + Antifungal Agents + + + 7XU7A7DROE + Amphotericin B + + + AIM + IM + + + BMJ. 2008 Jan 12;336(7635). doi: 10.1136/bmj.39454.454676.AD + + + + + Adult + + + Amphotericin B + poisoning + + + Antifungal Agents + poisoning + + + England + + + Humans + + + Male + + + Medication Errors + + + Mycoses + drug therapy + + + Neoplasms + complications + + +
+ + + + 2007 + 9 + 8 + 9 + 0 + + + 2007 + 9 + 18 + 9 + 0 + + + 2007 + 9 + 8 + 9 + 0 + + + ppublish + + 17823161 + 335/7618/467 + 10.1136/bmj.39329.504757.DB + PMC1971151 + + +
+ + + 17926191 + + 2008 + 04 + 09 + + + 2013 + 11 + 21 + +
+ + 1042-8194 + + 48 + 11 + + 2007 + Nov + + + Leukemia & lymphoma + Leuk. Lymphoma + + Advanced age and high initial WBC influence the outcome of inv(3) (q21q26)/t(3;3) (q21;q26) positive AML. + + 2145-51 + + + AML with inv(3)/t(3;3) are generally considered of having a poor prognosis. For further insight in this rare entity the outcome of 65 inv(3)/t(3;3) positive AML cases were examined with special emphasis o n patient a nd disease related factors at diagnosis. Survival data were available from 35 patients. A hematological CR was achieved in 16/35 patients (46%). Eight patients (50%) relapsed. The median duration of remission was 177 days. Probability of OS was 23% at 2 years. Advanced age and high initial WBC count were associated with shorter OS (p = 0.021 and p = 0.005, respectively). Loss of chromosome 7 was the most frequent additional aberration (n = 34; 52%), followed complex aberrant aberrations (n = 5). Cases with monosomy 7 or the presence of FLT3-length mutations (FLT3-LM)--detected in 13% of cases--were not associated with an even more inferior outcome. Allogeneic stem cell translplantation, performed in 12 cases, resulted in a probability of OS of 62% at 2 years. Our data (1) confirm that inv(3)/t(3;3) AML has a poor prognosis (2) show that age and initial WBC are risk factors for prognosis; (3) suggest that this group may benefit from allogeneic stem cell transplantation. + + + + Weisser + Martin + M + + Medical Department III, Klinikum Grosshadern, Ludwig-Maximilians-University, Munich, Germany. martin.weisser@gmx.de + + + + Haferlach + Claudia + C + + + Haferlach + Torsten + T + + + Schnittger + Susanne + S + + + eng + + Evaluation Studies + Journal Article + +
+ + England + Leuk Lymphoma + 9007422 + 1026-8022 + + + + 04079A1RDZ + Cytarabine + + + 094ZI81Y45 + Tamoxifen + + + 0O54ZQ14I9 + Aminoglutethimide + + + BZ114NVM5P + Mitoxantrone + + + N29QWW3BUO + Danazol + + + + MAC chemotherapy protocol + TAD protocol + + IM + + + Leuk Lymphoma. 2007 Nov;48(11):2096-7 + 17990175 + + + + + Adult + + + Age Factors + + + Aged + + + Aged, 80 and over + + + Aminoglutethimide + therapeutic use + + + Antineoplastic Combined Chemotherapy Protocols + therapeutic use + + + Chromosome Inversion + + + Chromosomes, Human, Pair 3 + + + Cohort Studies + + + Cytarabine + therapeutic use + + + Danazol + therapeutic use + + + Female + + + Follow-Up Studies + + + Hematopoietic Stem Cell Transplantation + + + Humans + + + Karyotyping + + + Leukemia, Myeloid, Acute + diagnosis + genetics + mortality + therapy + + + Leukocyte Count + + + Male + + + Middle Aged + + + Mitoxantrone + therapeutic use + + + Prognosis + + + Survival Analysis + + + Tamoxifen + therapeutic use + + + Translocation, Genetic + + +
+ + + + 2007 + 10 + 11 + 9 + 0 + + + 2008 + 4 + 10 + 9 + 0 + + + 2007 + 10 + 11 + 9 + 0 + + + ppublish + + 17926191 + 782923449 + 10.1080/10428190701632848 + + +
+ + + 18243949 + + 2012 + 10 + 02 + + + 2008 + 02 + 04 + +
+ + 0278-0062 + + 4 + 1 + + 1985 + + + IEEE transactions on medical imaging + IEEE Trans Med Imaging + + Electrophoretic recording of electronically stored radiographs. + + 39-43 + + + Continuous tone hard copies of electronically stored radiographs are recorded on transparent film with a silverless conductive coating by electrophoretic deposition of toner particles. A stationary experimental print head with a row of 320 electrodes (eight electrodes per mm) was employed. The performance of the recording process with regard to the most important parameters, i.e., toner concentration, width of the gap between recording medium and electrodes, recording voltage, and speed will be described. The process exhibits continuous tone characteristics, because the optical density can be varied continuously by the recording voltage. The image resolution which can be achieved is characterized by a modulation transfer function. + + + + Hinz + H D + HD + + + Lobl + H + H + + + eng + + Journal Article + +
+ + United States + IEEE Trans Med Imaging + 8310780 + 0278-0062 + +
+ + + + 1985 + 1 + 1 + 0 + 0 + + + 1985 + 1 + 1 + 0 + 1 + + + 1985 + 1 + 1 + 0 + 0 + + + ppublish + + 18243949 + 10.1109/TMI.1985.4307691 + + +
+ + + 18122624 + + 2007 + 12 + 27 + + + 2018 + 12 + 01 + +
+ + 0891-3633 + + 59 (1 vol.) + + 1947-1948 + + + Transactions of the Southern Surgical Association. Southern Surgical Association (U.S.) + Trans South Surg Assoc + + Mesenteric vascular occlusion. + + 136-55 + + + + RIVES + J D + JD + + + STRUG + L H + LH + + + ESSRIG + I M + IM + + + eng + + Journal Article + +
+ + United States + Trans South Surg Assoc + 20930080R + 0891-3633 + + OM + + + Humans + + + Mesenteric Vascular Occlusion + + + Mesentery + + + Vascular Diseases + + + 4916:397a1 + + MESENTERY/occlusion + +
+ + + + 1947 + 1 + 1 + 0 + 0 + + + 2018 + 12 + 4 + 6 + 0 + + + 1947 + 1 + 1 + 0 + 0 + + + ppublish + + 18122624 + + +
+ + + 18311089 + + 2016 + 04 + 23 + + + 2018 + 12 + 01 + +
+ + 1091-0220 + + 12 + 3 + + 2008 + Mar + + + Mayo Clinic women's healthsource + Mayo Clin Womens Healthsource + + Cancer death rates have fallen faster since 2002. + + 3 + + eng + + Journal Article + +
+ + United States + Mayo Clin Womens Healthsource + 9891120 + 1091-0220 + + K + + + Cause of Death + + + Humans + + + Neoplasms + + +
+ + + + 2008 + 3 + 4 + 9 + 0 + + + 2016 + 4 + 24 + 6 + 0 + + + 2008 + 3 + 4 + 9 + 0 + + + ppublish + + 18311089 + + +
+ + + 18964660 + + 2012 + 10 + 02 + + + 2008 + 10 + 30 + +
+ + 0039-9140 + + 35 + 12 + + 1988 + Dec + + + Talanta + Talanta + + Multiparametric curve fitting-XIII Reliability of formation constants determined by analysis of potentiometric titration data. + + 981-91 + + + The formation (protonation) constants log K(i), of the acid H(j)L are determined by regression analysis of potentiometric titration data when common parameters (log K(i), i = 1,..., j) and group parameters (E(0)', L(0), H(T)) are refined. The influence of three kinds of error on the protonation constants has been investigated: error from the strategy of minimization, random error, and error from uncertain estimates of group parameters. An analysis of variance of the log K(i), matrix was made for 7 identical titrations and 8 computational strategies, or of 7 identical titrations and 8 different options of group parameters to be refined. The influence of the standard potential E(0) of the glass-electrode cell on the systematic error in log K is greater than that of the acid concentration (L(0)) or the concentration of titrant used (H(T)). The ill-conditioned group parameters should be refined together with the common parameters (K(i)), otherwise the estimates of log K(i), are not accurate enough. Two ways of calibrating the glass electrode cell were compared. Internal calibration (performed during titration) was more accurate than external calibration done separately. Of the programs tested ESAB and ACBA are the most powerful because they permit refinement of group parameters and internal calibration. Citric acid was chosen as model substance. + + + + Meloun + M + M + + Department of Analytical Chemistry, College of Chemical Technology, CS-532 10 Pardubice, Czechoslovakia. + + + + Bartos + M + M + + + Högfeldt + E + E + + + eng + + Journal Article + +
+ + Netherlands + Talanta + 2984816R + 0039-9140 + +
+ + + + 1987 + 04 + 24 + + + 1988 + 06 + 29 + + + 1988 + 08 + 12 + + + 1988 + 12 + 1 + 0 + 0 + + + 1988 + 12 + 1 + 0 + 1 + + + 1988 + 12 + 1 + 0 + 0 + + + ppublish + + 18964660 + 0039-9140(88)80233-9 + + +
+ + + 18941263 + + 2015 + 07 + 23 + + + 2018 + 01 + 12 + +
+ + 1833-3575 + + 37 + 3 + + 2008 + + + Health information management : journal of the Health Information Management Association of Australia + Health Inf Manag + + Issues in the measurement of social determinants of health. + + 26-32 + + + This article focuses on the measurement of the social determinants of health, and specifically on issues relating to two key variables relevant to the analysis of public health information: poverty and inequality. Although the paper has been written from the perspective of economics, the discipline of the two authors, it is also of relevance to researchers in other disciplines. It is argued that there is a need to ensure that, when considering measurement in this largely neglected area of research, sufficient thought is given to the relationships that are being examined or assessed. We argue further that any attempt at measurement in this area must take into account the historical backdrop and the complex nature of the relationships between these key variables. + + + + Mooney + Gavin + G + + Curtin University of Technology, Perth, Western Australia. g.mooney@curtin.edu.au + + + + Fohtung + Nubong G + NG + + + eng + + Journal Article + +
+ + Australia + Health Inf Manag + 9438200 + 1833-3583 + + H + + + Australia + + + Health Services Needs and Demand + + + Humans + + + Poverty + + + Public Health + + + Social Class + + + Social Determinants of Health + + + Socioeconomic Factors + + +
+ + + + 2008 + 10 + 23 + 9 + 0 + + + 2015 + 7 + 24 + 6 + 0 + + + 2008 + 10 + 23 + 9 + 0 + + + ppublish + + 18941263 + + +
+ + + 19771122 + + 2009 + 12 + 11 + + + 2009 + 09 + 22 + +
+ + 0146-9592 + + 15 + 24 + + 1990 + Dec + 15 + + + Optics letters + Opt Lett + + Ultrashort-laser-pulse amplification in a XeF[C --> A] excimer amplifier. + + 1461-3 + + + Tunable blue-green subpicosecond laser pulses have been amplified in an electron-beam-pumped XeF(C --> A) excimer amplifier. Small-signal gains of 3.5% cm(-1) were measured using a 50-cm active gain length. At output energy densities as high as 170 mJ/cm(2), only a small degree of saturation occurred, resulting in a gain of 2.5% cm(-1). + + + + Sharp + T E + TE + + Department of Electrical and Computer Engineering, Rice University, P.O. Box 1892, Houston, Texas 77251, USA. + + + + Hofmann + T + T + + + Dane + C B + CB + + + Wilson + W L + WL + Jr + + + Tittel + F K + FK + + + Wisoff + P J + PJ + + + Szabó + G + G + + + eng + + Journal Article + +
+ + United States + Opt Lett + 7708433 + 0146-9592 + +
+ + + + 2009 + 9 + 23 + 6 + 0 + + + 1990 + 12 + 15 + 0 + 0 + + + 1990 + 12 + 15 + 0 + 1 + + + ppublish + + 19771122 + 59797 + + +
+ + + 18719013 + + 2008 + 09 + 02 + + + 2018 + 11 + 13 + +
+ + 1756-1833 + + 337 + + 2008 + Aug + 21 + + + BMJ (Clinical research ed.) + BMJ + + Health related quality of life after combined hormone replacement therapy: randomised controlled trial. + + a1190 + + 10.1136/bmj.a1190 + 337/aug21_2/a1190 + + To assess the effect of combined hormone replacement therapy (HRT) on health related quality of life. + Randomised placebo controlled double blind trial. + General practices in United Kingdom (384), Australia (94), and New Zealand (24). + Postmenopausal women aged 50-69 at randomisation; 3721 women with a uterus were randomised to combined oestrogen and progestogen (n=1862) or placebo (n=1859). Data on health related quality of life at one year were available from 1043 and 1087 women, respectively. + Conjugated equine oestrogen 0.625 mg plus medroxyprogesterone acetate 2.5/5.0 mg or matched placebo orally daily for one year. + Health related quality of life and psychological wellbeing as measured by the women's health questionnaire. Changes in emotional and physical menopausal symptoms as measured by a symptoms questionnaire and depression by the Centre for Epidemiological Studies depression scale (CES-D). Overall health related quality of life and overall quality of life as measured by the European quality of life instrument (EuroQol) and visual analogue scale, respectively. + After one year small but significant improvements were observed in three of nine components of the women's health questionnaire for those taking combined HRT compared with those taking placebo: vasomotor symptoms (P<0.001), sexual functioning (P<0.001), and sleep problems (P<0.001). Significantly fewer women in the combined HRT group reported hot flushes (P<0.001), night sweats (P<0.001), aching joints and muscles (P=0.001), insomnia (P<0.001), and vaginal dryness (P<0.001) than in the placebo group, but greater proportions reported breast tenderness (P<0.001) or vaginal discharge (P<0.001). Hot flushes were experienced in the combined HRT and placebo groups by 30% and 29% at trial entry and 9% and 25% at one year, respectively. No significant differences in other menopausal symptoms, depression, or overall quality of life were observed at one year. + Combined HRT started many years after the menopause can improve health related quality of life. + ISRCTN 63718836. + + + + Welton + Amanda J + AJ + + MRC General Practice Research Framework, Stephenson House, London NW1 2ND. + + + + Vickers + Madge R + MR + + + Kim + Joseph + J + + + Ford + Deborah + D + + + Lawton + Beverley A + BA + + + MacLennan + Alastair H + AH + + + Meredith + Sarah K + SK + + + Martin + Jeannett + J + + + Meade + Tom W + TW + + + WISDOM team + + + eng + + + ISRCTN + + ISRCTN63718836 + + + + + + British Heart Foundation + United Kingdom + + + Medical Research Council + United Kingdom + + + Department of Health + United Kingdom + + + MC_U122797165 + Medical Research Council + United Kingdom + + + G0701113 + Medical Research Council + United Kingdom + + + + Journal Article + Multicenter Study + Randomized Controlled Trial + Research Support, Non-U.S. Gov't + + + 2008 + 08 + 21 + +
+ + England + BMJ + 8900488 + 0959-8138 + + + + 0 + Estrogens + + + 0 + Progestins + + + AIM + IM + + + BMJ. 2009;338:a2597 + 19139137 + + + BMJ. 2008;337:a1494 + 18768558 + + + Nat Clin Pract Endocrinol Metab. 2009 Mar;5(3):136-7 + 19229231 + + + + + Aged + + + Double-Blind Method + + + Drug Therapy, Combination + + + Estrogens + administration & dosage + + + Female + + + Health Status + + + Hormone Replacement Therapy + methods + + + Humans + + + Middle Aged + + + Postmenopause + psychology + + + Progestins + administration & dosage + + + Prognosis + + + Quality of Life + + + Surveys and Questionnaires + + + Women's Health + + + + + Abdalla + M + M + + + DeStavola + B L + BL + + + Allen + P + P + + + Allen + H + H + + + Bastick + R + R + + + Brown + H + H + + + Foulger + K + K + + + Fox + S + S + + + Glynn + V + V + + + Hall + A + A + + + Hand + L + L + + + Hill + A + A + + + Leathem + C + C + + + Mackinnon + W + W + + + Marshall + E + E + + + Williams + A + A + + + Collins N + N + N + + + O'Conner + B + B + + + Darbyshire + J H + JH + + + Ghali + M + M + + + Furness + P + P + + + Islam + M Z + MZ + + + Harrild + K + K + + + Knott + C + C + + + Taylor + L + L + + + Walgrove + M A + MA + + + Wilkes + H C + HC + + + Zhu + C-Q + CQ + + + Zuhrie + S R + SR + + + Griffith + E + E + + + Ryan + P + P + + + Komesaroff + P + P + + + Marley + J + J + + + Paine + B J + BJ + + + Stocks + N P + NP + + + Dowell + A + A + + + Rose + S + S + + +
+ + + + 2008 + 8 + 23 + 9 + 0 + + + 2008 + 9 + 3 + 9 + 0 + + + 2008 + 8 + 23 + 9 + 0 + + + epublish + + 18719013 + PMC2518695 + 10.1136/bmj.a1190 + + + + Horm Behav. 1996 Sep;30(3):244-50 + + 8918680 + + + + Biol Psychiatry. 2004 Feb 15;55(4):406-12 + + 14960294 + + + + Arch Gen Psychiatry. 2001 Jun;58(6):529-34 + + 11386980 + + + + N Engl J Med. 2006 Apr 6;354(14):1497-506 + + 16598046 + + + + Soc Sci Med. 1994 Dec;39(11):1537-44 + + 7817218 + + + + Annu Rev Public Health. 1994;15:535-59 + + 8054098 + + + + N Engl J Med. 2004 Feb 5;350(6):622 + + 14762196 + + + + Qual Life Res. 1996 Oct;5(5):469-80 + + 8973126 + + + + Decubitus. 1993 Sep;6(5):56-8 + + 8286021 + + + + Qual Life Res. 2004 Mar;13(2):311-20 + + 15085903 + + + + Am J Obstet Gynecol. 2000 Aug;183(2):414-20 + + 10942479 + + + + Support Care Cancer. 1995 Jan;3(1):11-22 + + 7697298 + + + + JAMA. 2005 Jul 13;294(2):183-93 + + 16014592 + + + + Am J Obstet Gynecol. 1994 Feb;170(2):618-24 + + 7509570 + + + + Am J Psychiatry. 1983 Jan;140(1):41-6 + + 6847983 + + + + BMJ. 2007 Aug 4;335(7613):239 + + 17626056 + + + + Arch Intern Med. 2003 Jan 27;163(2):205-9 + + 12546611 + + + + Med Care. 1997 Nov;35(11):1109-18 + + 9366890 + + + + Hypertension. 2006 May;47(5):833-9 + + 16585410 + + + + JAMA. 2002 Feb 6;287(5):591-7 + + 11829697 + + + + J Gen Intern Med. 2006 Apr;21(4):363-6 + + 16686814 + + + + BMJ. 1993 Oct 2;307(6908):836-40 + + 8401125 + + + + Horm Behav. 2006 Apr;49(4):441-9 + + 16257405 + + + + Menopause. 2003 Jan-Feb;10(1):4-5 + + 12544670 + + + + JAMA. 2002 Jul 17;288(3):321-33 + + 12117397 + + + + Climacteric. 2007 Jun;10(3):181-94 + + 17487645 + + + + BMJ. 2004 Feb 14;328(7436):371 + + 14962874 + + + + Fertil Steril. 2005 Mar;83(3):558-66 + + 15749481 + + + + Arch Intern Med. 2005 Apr 25;165(8):863-7 + + 15851636 + + + + Stroke. 1997 Oct;28(10):1876-82 + + 9341688 + + + + Health Qual Life Outcomes. 2003;1:24 + + 12848895 + + + + J Allergy Clin Immunol. 1998 Jul;102(1):16-7 + + 9679842 + + + + Climacteric. 2002 Dec;5(4):317-25 + + 12626209 + + + + Fertil Steril. 2001 Jun;75(6):1080-7 + + 11384630 + + + + N Engl J Med. 2003 May 8;348(19):1839-54 + + 12642637 + + + + Menopause. 2004 Sep-Oct;11(5):508-18 + + 15356403 + + + + Neurobiol Aging. 2006 Jan;27(1):141-9 + + 16298249 + + + + Neurology. 2007 Sep 25;69(13):1322-30 + + 17893293 + + + + J Gen Intern Med. 2004 Jul;19(7):791-804 + + 15209595 + + + + Br J Obstet Gynaecol. 1997 Oct;104(10):1191-5 + + 9332999 + + + + Arch Intern Med. 2005 Sep 26;165(17):1976-86 + + 16186467 + + + + Stroke. 1998 Jan;29(1):63-8 + + 9445330 + + + + Climacteric. 2005 Mar;8(1):49-55 + + 15804731 + + + + BMC Womens Health. 2007 Feb 26;7:2 + + 17324282 + + + + +
+ + + 21002435 + + 2010 + 10 + 28 + + + 2018 + 12 + 01 + +
+ + 0002-9955 + + 132 + 12 + + 1946 + Nov + 23 + + + Journal of the American Medical Association + J Am Med Assoc + + BRUTALITIES of Nazi physicians. + + 714 + + eng + + Journal Article + +
+ + United States + J Am Med Assoc + 7507176 + 0002-9955 + + OM + + + Biomedical Research + + + Human Experimentation + + + Humans + + + National Socialism + + + Physicians + + + Research + + + War Crimes + + + 4611:956w + + RESEARCH, MEDICAL/human experimentation + WAR/crimes + +
+ + + + 2010 + 10 + 29 + 6 + 0 + + + 1946 + 11 + 23 + 0 + 0 + + + 2014 + 8 + 13 + 6 + 0 + + + ppublish + + 21002435 + + +
+ + + 20405411 + + 2011 + 05 + 04 + + + 2010 + 04 + 20 + +
+ + 1828-1427 + + 44 + 1 + + 2008 Jan-Mar + + + Veterinaria italiana + Vet. Ital. + + Long distance animal transport: the way forward. + + 43-7 + + + Too often, the issue of animal welfare during transport is the subject of emotional debates. For farmers within the International Federation of Agricultural Producers, it is important that the economic, scientific and practical aspects be taken into account when setting international rules for animal welfare. Farmers also stress the need to combine scientific data with their practical experience. Raising awareness, adopting a risk-based approach, education, labelling, slaughterhouse capacity and animal health, as well as standards and rules, are issues of importance for developing a long distance transportation infrastructure respectful of animal welfare around the world. + + + + Osinga + Klaas Johan + KJ + + International Federation of Agricultural Producers/LTO Netherland, Drachten, The Netherlands. klaasjohan@yahoo.com + + + + eng + + Journal Article + +
+ + Italy + Vet Ital + 0201543 + 0505-401X + +
+ + + + 2010 + 4 + 21 + 6 + 0 + + + 2008 + 1 + 1 + 0 + 0 + + + 2008 + 1 + 1 + 0 + 1 + + + ppublish + + 20405411 + + +
+ + + 21007460 + + 2010 + 10 + 28 + + + 2018 + 12 + 01 + +
+ + + + 1944-1945 + + + The Proceedings of the Cardiff Medical Society + Proc Cardiff Med Soc + + Social psychiatry in the post-war world. + + 55-9 + + + + REES + J R + JR + + + eng + + Journal Article + +
+ + Wales + Proc Cardiff Med Soc + 7505858 + + OM + + + Community Psychiatry + + + Humans + + + Warfare + + + 4610:216i1 + + PSYCHIATRY/social + +
+ + + + 2010 + 10 + 29 + 6 + 0 + + + 1944 + 1 + 1 + 0 + 0 + + + 2011 + 4 + 13 + 6 + 0 + + + ppublish + + 21007460 + + +
+ + + 21024418 + + 2010 + 11 + 12 + + + 2018 + 12 + 01 + +
+ + + 64 + + 1944-1945 + + + Transactions. Ophthalmological Society of the United Kingdom + Trans Ophthalmol Soc U K + + Preventable blindness in war. + + 165-78 + + + + CRUISE + R + R + + + eng + + Journal Article + +
+ + England + Trans Ophthalmol Soc U K + 0201270 + + OM + + + Blindness + + + Humans + + + Military Medicine + + + Ophthalmology + + + Warfare + + + 4610:1030s + + BLINDNESS/in war + MILITARY MEDICINE/ophthalmology + +
+ + + + 2010 + 10 + 29 + 6 + 0 + + + 1944 + 1 + 1 + 0 + 0 + + + 2014 + 8 + 13 + 6 + 0 + + + ppublish + + 21024418 + + +
+ + + 23674598 + + 2013 + 07 + 16 + + + 2017 + 09 + 22 + +
+ + 1477-9129 + + 140 + 11 + + 2013 + Jun + + + Development (Cambridge, England) + Development + + The neural crest. + + 2247-51 + + 10.1242/dev.091751 + + The neural crest (NC) is a highly migratory multipotent cell population that forms at the interface between the neuroepithelium and the prospective epidermis of a developing embryo. Following extensive migration throughout the embryo, NC cells eventually settle to differentiate into multiple cell types, ranging from neurons and glial cells of the peripheral nervous system to pigment cells, fibroblasts to smooth muscle cells, and odontoblasts to adipocytes. NC cells migrate in large numbers and their migration is regulated by multiple mechanisms, including chemotaxis, contact-inhibition of locomotion and cell sorting. Here, we provide an overview of NC formation, differentiation and migration, highlighting the molecular mechanisms governing NC migration. + + + + Mayor + Roberto + R + + Department of Cell and Developmental Biology, University College London, Gower Street, London WC1E 6BT, UK. r.mayor@ucl.ac.uk + + + + Theveneau + Eric + E + + + eng + + + MR/J000655/1 + Medical Research Council + United Kingdom + + + Biotechnology and Biological Sciences Research Council + United Kingdom + + + Medical Research Council + United Kingdom + + + Wellcome Trust + United Kingdom + + + + Journal Article + Research Support, Non-U.S. Gov't + Review + +
+ + England + Development + 8701744 + 0950-1991 + + IM + + + Animals + + + Cell Movement + + + Chemotaxis + + + Chick Embryo + + + Embryonic Development + physiology + + + Epithelial-Mesenchymal Transition + + + Gene Expression Regulation, Developmental + + + Humans + + + Mice + + + Neoplasms + metabolism + + + Neural Crest + embryology + physiology + + + Xenopus + + + Zebrafish + + + + Cancer + Cell migration + Chemotaxis + Contact-inhibition of locomotion + Epithelium-to-mesenchyme transition + Neural crest cells + Neurocristopathies + +
+ + + + 2013 + 5 + 16 + 6 + 0 + + + 2013 + 5 + 16 + 6 + 0 + + + 2013 + 7 + 17 + 6 + 0 + + + ppublish + + 23674598 + 140/11/2247 + 10.1242/dev.091751 + + +
+ + + 23326248 + + 2013 + 06 + 28 + + + 2018 + 11 + 13 + +
+ + 1612-3174 + + 11 + + 2013 + + + German medical science : GMS e-journal + Ger Med Sci + + Transcatheter Amplatzer vascular plug-embolization of a giant postnephrectomy arteriovenous fistula combined with an aneurysm of the renal pedicle by through-and-through, arteriovenous access. + + Doc01 + + 10.3205/000169 + + Although endovascular transcatheter embolization of arteriovenous fistulas is minimally invasive, the torrential flow prevailing within a fistula implies the risk of migration of the deployed embolization devices into the downstream venous and pulmonary circulation. We present the endovascular treatment of a giant postnephrectomy arteriovenous fistula between the right renal pedicle and the residual renal vein in a 63-year-old man. The purpose of this case report is to demonstrate that the Amplatzer vascular plug (AVP) can be safely positioned to embolize even relatively large arteriovenous fistulas (AVFs). Secondly, we illustrate that this occluder can even be introduced to the fistula via a transvenous catheter in cases where it is initially not possible to advance the deployment-catheter through a tortuous feeder artery. Migration of the vascular plug was ruled out at follow-up 4 months subsequently to the intervention. Thus, the Amplatzer vascular plug and the arteriovenous through-and-through guide wire access with subsequent transvenous deployment should be considered in similar cases. + + + + Kayser + Ole + O + + Department of Radiology, University Hospital Schleswig-Holstein, Kiel, Germany. o.kayser@rad.uni-kiel.de + + + + Schäfer + Philipp + P + + + eng + + Case Reports + Journal Article + + + 2013 + 01 + 14 + +
+ + Germany + Ger Med Sci + 101227686 + 1612-3174 + + IM + + + Aneurysm + diagnosis + etiology + therapy + + + Aortography + + + Arteriovenous Fistula + diagnosis + etiology + therapy + + + Early Diagnosis + + + Embolization, Therapeutic + instrumentation + methods + + + Humans + + + Kidney + injuries + + + Male + + + Middle Aged + + + Nephrectomy + + + Postoperative Complications + diagnosis + etiology + therapy + + + Renal Artery + + + Septal Occluder Device + + + Tomography, X-Ray Computed + + + Ultrasonography, Doppler, Duplex + + + Vena Cava, Inferior + + + + Obwohl die endovaskuläre Katheter-Embolisation von arteriovenösen Fisteln minimal-invasiv ist, impliziert die, in der Fistel vorherrschende, hohe Strömungsgeschwindigkeit ein Risiko zur Migration des Embolisats in den nachgeschalteten venösen Abstrom und in den Lungenkreislauf. Wir beschreiben die endovaskuläre Behandlung einer großen arteriovenösen Fistel zwischen der rechten Nierenarterie und residueller Nierenvene nach Nephrektomie im Fall eines 63-jährigen Mannes.Dieser Fallbericht demonstriert, dass der Amplatzer vascular plug sicher innerhalb sogar relativ großkalibriger AVFs platziert werden kann. Zweitens zeigen wir, dass dieser "Occluder" sogar über einen transvenösen Katheter in die Fistel eingebracht werden kann, falls es initial nicht möglich ist, den Freisetzungs-Katheter über die (in unserem Fall) stark gewundene zuführende Arterie in die Fistel einzuführen. Migration des "vascular plug" wurde in der Verlaufskontrolle 4 Monate postinterventionell ausgeschlossen.Der hier vorgestellte kombiniert-arteriovenöse Zugangsweg mittels transfistulär durchgezogenem Führungsdraht und nachfolgender, transvenöser Freisetzung des Amplatzer vascular plugs sollte in ähnlichen Fällen berücksichtigt werden. + + + AV-fistula + Amplatzer vascular plug + arteriovenous access + arteriovenous fistula + embolisation + endovascular treatment + nephrectomy + through-and-through + transvenous access + +
+ + + + 2012 + 11 + 10 + + + 2012 + 11 + 26 + + + 2013 + 1 + 18 + 6 + 0 + + + 2013 + 1 + 18 + 6 + 0 + + + 2013 + 7 + 3 + 6 + 0 + + + ppublish + + 23326248 + 10.3205/000169 + 000169 + PMC3546418 + + + + Cardiovasc Intervent Radiol. 2008 Jul;31 Suppl 2:S92-5 + + 18049835 + + + + Emerg Radiol. 2008 Mar;15(2):119-22 + + 17593408 + + + + Cardiovasc Intervent Radiol. 2009 May;32(3):543-7 + + 18574625 + + + + Int J Urol. 2009 Jul;16(7):648-9 + + 19659804 + + + + Heart Vessels. 2010 Jul;25(4):356-8 + + 20676847 + + + + Urology. 2011 Oct;78(4):820-6 + + 21813164 + + + + J Endovasc Ther. 2011 Dec;18(6):811-8 + + 22149231 + + + + Vasc Endovascular Surg. 2003 Jan-Feb;37(1):47-57 + + 12577139 + + + + Curr Vasc Pharmacol. 2003 Oct;1(3):347-54 + + 15320481 + + + + J Chir (Paris). 1978 Oct;115(10):541-4 + + 739047 + + + + Urology. 1985 Jan;25(1):13-6 + + 3966275 + + + + Surgery. 1986 Jan;99(1):114-8 + + 3941996 + + + + Surgery. 1989 Jan;105(1):1-12 + + 2643193 + + + + Ann Vasc Surg. 1992 Jul;6(4):378-80 + + 1390028 + + + + J Cardiovasc Surg (Torino). 1998 Aug;39(4):433-6 + + 9788787 + + + + Br J Urol. 1962 Mar;34:15-8 + + 13899592 + + + + Am J Med. 1964 Oct;37:499-513 + + 14215839 + + + + J Vasc Interv Radiol. 2006 Feb;17(2 Pt 1):363-7 + + 16517784 + + + + Vascular. 2009 Jan-Feb;17(1):40-3 + + 19344582 + + + + +
+ + + 23807877 + + 2013 + 07 + 01 + + + 2018 + 11 + 13 + +
+ + 1662-4548 + + 7 + + 2013 + + + Frontiers in neuroscience + Front Neurosci + + Improved blood velocity measurements with a hybrid image filtering and iterative Radon transform algorithm. + + 106 + + 10.3389/fnins.2013.00106 + + Neural activity leads to hemodynamic changes which can be detected by functional magnetic resonance imaging (fMRI). The determination of blood flow changes in individual vessels is an important aspect of understanding these hemodynamic signals. Blood flow can be calculated from the measurements of vessel diameter and blood velocity. When using line-scan imaging, the movement of blood in the vessel leads to streaks in space-time images, where streak angle is a function of the blood velocity. A variety of methods have been proposed to determine blood velocity from such space-time image sequences. Of these, the Radon transform is relatively easy to implement and has fast data processing. However, the precision of the velocity measurements is dependent on the number of Radon transforms performed, which creates a trade-off between the processing speed and measurement precision. In addition, factors like image contrast, imaging depth, image acquisition speed, and movement artifacts especially in large mammals, can potentially lead to data acquisition that results in erroneous velocity measurements. Here we show that pre-processing the data with a Sobel filter and iterative application of Radon transforms address these issues and provide more accurate blood velocity measurements. Improved signal quality of the image as a result of Sobel filtering increases the accuracy and the iterative Radon transform offers both increased precision and an order of magnitude faster implementation of velocity measurements. This algorithm does not use a priori knowledge of angle information and therefore is sensitive to sudden changes in blood flow. It can be applied on any set of space-time images with red blood cell (RBC) streaks, commonly acquired through line-scan imaging or reconstructed from full-frame, time-lapse images of the vasculature. + + + + Chhatbar + Pratik Y + PY + + Department of Neurosciences, Medical University of South Carolina Charleston, SC, USA. + + + + Kara + Prakash + P + + + eng + + + R01 EY017925 + EY + NEI NIH HHS + United States + + + + Journal Article + + + 2013 + 06 + 18 + +
+ + Switzerland + Front Neurosci + 101478481 + 1662-453X + + + Sobel filtering + blood flow + line-scan + space-time images + two-photon imaging + velocity + +
+ + + + 2013 + 04 + 01 + + + 2013 + 05 + 24 + + + 2013 + 6 + 29 + 6 + 0 + + + 2013 + 6 + 29 + 6 + 0 + + + 2013 + 6 + 29 + 6 + 1 + + + epublish + + 23807877 + 10.3389/fnins.2013.00106 + PMC3684769 + + + + J Biomed Opt. 2010 Sep-Oct;15(5):056014 + + 21054108 + + + + Neuroimage. 2012 Feb 1;59(3):2569-88 + + 21925275 + + + + Nat Methods. 2010 Aug;7(8):655-60 + + 20581828 + + + + Nature. 2005 Feb 10;433(7026):597-603 + + 15660108 + + + + Front Mol Neurosci. 2013 Mar 04;6:2 + + 23459413 + + + + IEEE Trans Med Imaging. 2011 Aug;30(8):1527-45 + + 21427018 + + + + J Vis Exp. 2012 Dec 12;(70):e50025 + + 23271035 + + + + Nat Methods. 2009 Dec;6(12):875-81 + + 19898485 + + + + Proc Natl Acad Sci U S A. 2003 Jun 10;100(12):7319-24 + + 12777621 + + + + J Neurophysiol. 2008 Feb;99(2):787-98 + + 18046008 + + + + Proc Natl Acad Sci U S A. 2011 May 17;108(20):8473-8 + + 21536897 + + + + Trends Neurosci. 1988 Oct;11(10):419-24 + + 2469158 + + + + PLoS One. 2012;7(6):e38590 + + 22761686 + + + + PLoS One. 2011;6(8):e24056 + + 21887370 + + + + Nature. 2012 Apr 04;484(7392):24-6 + + 22481337 + + + + Proc Natl Acad Sci U S A. 2003 Oct 28;100(22):13081-6 + + 14569029 + + + + Front Neural Circuits. 2012 Dec 13;6:101 + + 23248588 + + + + J Comput Neurosci. 2010 Aug;29(1-2):5-11 + + 19459038 + + + + Nat Methods. 2012 Jan 22;9(3):273-6 + + 22266543 + + + + PLoS Biol. 2006 Feb;4(2):e22 + + 16379497 + + + + Proc Natl Acad Sci U S A. 1998 Dec 22;95(26):15741-6 + + 9861040 + + + + J Neurosci. 2005 Jun 1;25(22):5333-8 + + 15930381 + + + + +
+ + + 23685357 + + 2013 + 08 + 12 + + + 2018 + 11 + 13 + +
+ + 1460-2075 + + 32 + 12 + + 2013 + Jun + 12 + + + The EMBO journal + EMBO J. + + Eps8 controls dendritic spine density and synaptic plasticity through its actin-capping activity. + + 1730-44 + + 10.1038/emboj.2013.107 + + Actin-based remodelling underlies spine structural changes occurring during synaptic plasticity, the process that constantly reshapes the circuitry of the adult brain in response to external stimuli, leading to learning and memory formation. A positive correlation exists between spine shape and synaptic strength and, consistently, abnormalities in spine number and morphology have been described in a number of neurological disorders. In the present study, we demonstrate that the actin-regulating protein, Eps8, is recruited to the spine head during chemically induced long-term potentiation in culture and that inhibition of its actin-capping activity impairs spine enlargement and plasticity. Accordingly, mice lacking Eps8 display immature spines, which are unable to undergo potentiation, and are impaired in cognitive functions. Additionally, we found that reduction in the levels of Eps8 occurs in brains of patients affected by autism compared to controls. Our data reveal the key role of Eps8 actin-capping activity in spine morphogenesis and plasticity and indicate that reductions in actin-capping proteins may characterize forms of intellectual disabilities associated with spine defects. + + + + Menna + Elisabetta + E + + CNR Institute of Neuroscience, Milano, Italy. e.menna@in.cnr.it + + + + Zambetti + Stefania + S + + + Morini + Raffaella + R + + + Donzelli + Andrea + A + + + Disanza + Andrea + A + + + Calvigioni + Daniela + D + + + Braida + Daniela + D + + + Nicolini + Chiara + C + + + Orlando + Marta + M + + + Fossati + Giuliana + G + + + Cristina Regondi + Maria + M + + + Pattini + Linda + L + + + Frassoni + Carolina + C + + + Francolini + Maura + M + + + Scita + Giorgio + G + 0000000179841889 + + + Sala + Mariaelvina + M + + + Fahnestock + Margaret + M + + + Matteoli + Michela + M + + + eng + + + GGP12115 + Telethon + Italy + + + + Journal Article + Research Support, Non-U.S. Gov't + + + 2013 + 05 + 17 + +
+ + England + EMBO J + 8208664 + 0261-4189 + + + + 0 + Actins + + + 0 + Adaptor Proteins, Signal Transducing + + + 0 + Eps8 protein, mouse + + + 0 + Nerve Tissue Proteins + + + IM + + + Actins + genetics + metabolism + + + Adaptor Proteins, Signal Transducing + genetics + metabolism + + + Animals + + + Autistic Disorder + genetics + metabolism + + + Brain + metabolism + + + Cognition + physiology + + + Dendritic Spines + genetics + metabolism + + + Humans + + + Long-Term Potentiation + physiology + + + Mice + + + Mice, Knockout + + + Nerve Tissue Proteins + genetics + metabolism + + + Synapses + genetics + metabolism + + +
+ + + + 2013 + 01 + 14 + + + 2013 + 04 + 15 + + + 2013 + 5 + 21 + 6 + 0 + + + 2013 + 5 + 21 + 6 + 0 + + + 2013 + 8 + 13 + 6 + 0 + + + ppublish + + 23685357 + emboj2013107 + 10.1038/emboj.2013.107 + PMC3680733 + + + + Nat Rev Neurosci. 2004 Jan;5(1):45-54 + + 14708003 + + + + J Neurosci. 2010 Nov 10;30(45):14937-42 + + 21068295 + + + + Curr Opin Neurobiol. 2009 Apr;19(2):231-4 + + 19545994 + + + + J Neuropathol Exp Neurol. 2012 Apr;71(4):289-97 + + 22437340 + + + + EMBO J. 1999 Oct 1;18(19):5300-9 + + 10508163 + + + + Mol Brain. 2009;2:27 + + 19674479 + + + + Neuron. 2003 May 8;38(3):447-60 + + 12741991 + + + + Front Mol Neurosci. 2010 Feb 09;3:1 + + 20162032 + + + + Science. 2008 Mar 21;319(5870):1683-7 + + 18309046 + + + + J Cell Biol. 1992 Jul;118(2):335-46 + + 1629237 + + + + Hum Mol Genet. 2009 Mar 15;18(6):1075-88 + + 19153075 + + + + Genes Cells. 2010 Jun;15(7):737-47 + + 20545768 + + + + J Neurosci. 1984 Aug;4(8):1944-53 + + 6470762 + + + + Nat Cell Biol. 2004 Dec;6(12):1180-8 + + 15558031 + + + + J Cell Biol. 1995 Jan;128(1-2):61-70 + + 7822423 + + + + Cell. 2008 Oct 31;135(3):401-6 + + 18984149 + + + + PLoS Comput Biol. 2011 Jul;7(7):e1002088 + + 21814501 + + + + Biol Psychiatry. 2011 May 1;69(9):875-82 + + 21306704 + + + + J Neurosci. 2012 Feb 8;32(6):1989-2001 + + 22323713 + + + + J Neurodev Disord. 2009 Sep;1(3):185-96 + + 19966931 + + + + PLoS Biol. 2010;8(6):e1000387 + + 20532239 + + + + J Neurosci. 2009 Sep 30;29(39):12167-73 + + 19793974 + + + + J Neurosci. 2009 Jan 14;29(2):351-8 + + 19144835 + + + + Cell. 1996 Dec 13;87(6):1025-35 + + 8978607 + + + + J Neurosci. 2008 May 28;28(22):5654-9 + + 18509026 + + + + Mol Cell Neurosci. 2001 Aug;18(2):210-20 + + 11520181 + + + + Trends Neurosci. 2006 Jan;29(1):8-20 + + 16337695 + + + + Mol Biol Cell. 2008 Apr;19(4):1561-74 + + 18256280 + + + + Proc Natl Acad Sci U S A. 2000 Jun 6;97(12):6856-61 + + 10823894 + + + + J Neurosci. 2011 Jul 13;31(28):10228-33 + + 21752999 + + + + Neuron. 2000 Jul;27(1):11-4 + + 10939326 + + + + Nat Genet. 2007 Jan;39(1):25-7 + + 17173049 + + + + PLoS One. 2010;5(3):e9468 + + 20209148 + + + + Science. 2000 Oct 27;290(5492):754-8 + + 11052932 + + + + J Neurosci. 2003 Sep 17;23(24):8498-505 + + 13679418 + + + + Neuron. 2002 Jul 3;35(1):121-33 + + 12123613 + + + + Trends Neurosci. 2003 Jul;26(7):360-8 + + 12850432 + + + + Annu Rev Physiol. 2009;71:261-82 + + 19575680 + + + + J Biol Chem. 2008 Jun 6;283(23):15912-20 + + 18430734 + + + + PLoS Biol. 2009 Jun 30;7(6):e1000138 + + 19564905 + + + + Nat Neurosci. 2004 Oct;7(10):1104-12 + + 15361876 + + + + J Cell Biol. 2010 May 17;189(4):619-29 + + 20457765 + + + + Trends Neurosci. 2008 Sep;31(9):487-94 + + 18684518 + + + + J Cell Biol. 2009 Apr 20;185(2):323-39 + + 19380880 + + + + J Autism Dev Disord. 1994 Oct;24(5):659-85 + + 7814313 + + + + Nat Cell Biol. 2004 Dec;6(12):1173-9 + + 15558032 + + + + EMBO J. 2011 Feb 16;30(4):719-30 + + 21252856 + + + + Nat Neurosci. 2011 Mar;14(3):285-93 + + 21346746 + + + + J Neurosci. 1992 Jul;12(7):2685-705 + + 1613552 + + + + Cell. 2008 May 30;133(5):841-51 + + 18510928 + + + + J Neurosci. 2007 Jan 10;27(2):355-65 + + 17215396 + + + + Nat Rev Neurosci. 2008 May;9(5):344-56 + + 18425089 + + + + J Neurosci. 1996 May 1;16(9):2983-94 + + 8622128 + + + + Behav Brain Res. 2004 Aug 31;153(2):423-9 + + 15265638 + + + + Cell. 2006 Oct 6;127(1):213-26 + + 17018287 + + + + Biophys J. 2005 Aug;89(2):782-95 + + 15879474 + + + + Curr Opin Neurobiol. 2009 Apr;19(2):146-53 + + 19523814 + + + + Nat Genet. 2003 May;34(1):27-9 + + 12669065 + + + + Dev Biol. 2006 Sep 1;297(1):214-27 + + 16806147 + + + + J Cell Biol. 1992 Dec;119(5):1151-62 + + 1447293 + + + + EMBO J. 2004 Aug 4;23(15):3010-9 + + 15282541 + + + + Exp Cell Res. 2010 Jul 15;316(12):1914-24 + + 20184880 + + + + J Neurosci. 2001 Aug 15;21(16):6105-14 + + 11487634 + + + + Brain Res. 1977 May 13;126(3):397-42 + + 861729 + + + + Cereb Cortex. 2014 Feb;24(2):364-76 + + 23064108 + + + + Trends Genet. 2010 Aug;26(8):363-72 + + 20609491 + + + + Biochem Biophys Res Commun. 2002 Feb 15;291(1):62-7 + + 11829462 + + + + Brain Res. 2010 Jan 14;1309:83-94 + + 19896929 + + + + J Neurosci. 1998 Nov 1;18(21):8900-11 + + 9786995 + + + + J Neurosci. 2003 Nov 19;23(33):10645-9 + + 14627649 + + + + Neuron. 2001 Jan;29(1):243-54 + + 11182095 + + + + World J Gastroenterol. 2012 Aug 7;18(29):3896-903 + + 22876043 + + + + Cell. 2008 Jul 11;134(1):175-87 + + 18614020 + + + + J Neurosci. 2010 Sep 1;30(35):11565-75 + + 20810878 + + + + Nat Neurosci. 2000 Jun;3(6):545-50 + + 10816309 + + + + J Neurosci. 2010 Mar 31;30(13):4757-66 + + 20357126 + + + + Nat Cell Biol. 2006 Dec;8(12):1337-47 + + 17115031 + + + + Curr Neurol Neurosci Rep. 2010 May;10(3):207-14 + + 20425036 + + + + Neuron. 2008 Mar 13;57(5):719-29 + + 18341992 + + + + Immunity. 2011 Sep 23;35(3):388-99 + + 21835647 + + + + Hippocampus. 2006;16(5):472-9 + + 16502390 + + + + Neuron. 1996 Jul;17(1):91-102 + + 8755481 + + + + Arch Gen Psychiatry. 2000 Apr;57(4):331-40 + + 10768694 + + + + Mol Cell Biol. 2004 Dec;24(24):10905-22 + + 15572692 + + + + PLoS Biol. 2009 Oct;7(10):e1000208 + + 19806181 + + + + J Comp Neurol. 2011 Sep 1;519(13):2522-45 + + 21456011 + + + + Brain Res. 2008 Jan 10;1188:241-53 + + 18022143 + + + + Mol Biol Cell. 2010 Jan 1;21(1):165-76 + + 19889835 + + + + Annu Rev Neurosci. 2001;24:1071-89 + + 11520928 + + + + Nature. 2010 Jul 15;466(7304):368-72 + + 20531469 + + + + PLoS Biol. 2011 Apr;9(4):e1001048 + + 21526224 + + + + Neuroscience. 2007 Mar 2;145(1):116-29 + + 17223277 + + + + Proc Natl Acad Sci U S A. 1999 Nov 9;96(23):13438-43 + + 10557339 + + + + J Neurosci. 2013 Feb 6;33(6):2661-70 + + 23392693 + + + + +
+ + + 23852273 + + 2013 + 07 + 15 + + + 2018 + 11 + 13 + +
+ + 2157-3999 + + 5 + + 2013 + Jul + 02 + + + PLoS currents + PLoS Curr + + Twitter as a sentinel in emergency situations: lessons from the Boston marathon explosions. + 10.1371/currents.dis.ad70cd1c8bc585e9470046cde334ee4b + ecurrents.dis.ad70cd1c8bc585e9470046cde334ee4b + + Immediately following the Boston Marathon attacks, individuals near the scene posted a deluge of data to social media sites. Previous work has shown that these data can be leveraged to provide rapid insight during natural disasters, disease outbreaks and ongoing conflicts that can assist in the public health and medical response. Here, we examine and discuss the social media messages posted immediately after and around the Boston Marathon bombings, and find that specific keywords appear frequently prior to official public safety and news media reports. Individuals immediately adjacent to the explosions posted messages within minutes via Twitter which identify the location and specifics of events, demonstrating a role for social media in the early recognition and characterization of emergency events. *Christopher Cassa and Rumi Chunara contributed equally to this work. + + + + Cassa + Christopher A + CA + + Harvard Medical School Brigham and Women's Hospital. + + + + Chunara + Rumi + R + + + Mandl + Kenneth + K + + + Brownstein + John S + JS + + + eng + + + K99 HG007229 + HG + NHGRI NIH HHS + United States + + + + Journal Article + + + 2013 + 07 + 02 + +
+ + United States + PLoS Curr + 101515638 + 2157-3999 + +
+ + + + 2013 + 7 + 16 + 6 + 0 + + + 2013 + 7 + 16 + 6 + 0 + + + 2013 + 7 + 16 + 6 + 1 + + + epublish + + 23852273 + 10.1371/currents.dis.ad70cd1c8bc585e9470046cde334ee4b + PMC3706072.1 + + + + Proc Natl Acad Sci U S A. 2012 Jul 17;109(29):11576-81 + + 22711804 + + + + MMWR Suppl. 2004 Sep 24;53:130-6 + + 15714642 + + + + PLoS Med. 2008 Jul 8;5(7):e151 + + 18613747 + + + + PLoS Med. 2007 Jun;4(6):e210 + + 17593895 + + + + J Am Med Inform Assoc. 2007 Sep-Oct;14(5):581-8 + + 17600100 + + + + Proc Natl Acad Sci U S A. 2007 May 29;104(22):9404-9 + + 17519338 + + + + Am J Trop Med Hyg. 2012 Jan;86(1):39-45 + + 22232449 + + + + +
+ + + 24090994 + + 2014 + 06 + 02 + + + 2018 + 07 + 10 + +
+ + 1873-6971 + + 91 + + 2013 + Dec + + + Fitoterapia + Fitoterapia + + Modulation of COX, LOX and NFκB activities by Xanthium spinosum L. root extract and ziniolide. + + 284-289 + + S0367-326X(13)00260-8 + 10.1016/j.fitote.2013.09.015 + + Xanthium spinosum L. (Asteraceae) is a medicinal weed distributed worldwide. Many of its diverse ethnopharmacological uses - namely diarrhoea, inflammation, liver disorders, snake bite and fever - are linked - at least in part - to an uncontrolled release of arachidonic acid metabolites. The crude extract of X. spinosum roots from Jordanian origin dose-dependently inhibited the 5-LOX (IC50 is approximately equal to 10 μg/mL), COX-1(IC50 is approximately equal to 50 μg/mL), and 12-LOX (IC50 is approximately equal to 170 μg/mL) enzymatic pathways in intact pro-inflammatory cells. A direct activity at the level of PLA2 is not probable, but the extract induced the synthesis of the anti-inflammatory eicosanoid 15(S)-HETE, which may in turn inhibit this enzyme. 5-LOX bioguided fractionation of the crude extract led to the isolation of ziniolide, a known 12,8-guaianolide sesquiterpene lactone, from the hydro-alcoholic fraction of the n-hexane extract (IC50=69 μM). Both the plant extract and ziniolide are in vitro inhibitors of the phorbol-induced NFκB activation, a key regulator of the arachidonic pathway. + © 2013. + + + + Bader + Ammar + A + + Department of Pharmacognosy, Faculty of Pharmacy, Umm Al-Qura University, Makkah, 21955, Saudi Arabia. + + + + Giner + Rosa M + RM + + Departament de Farmacologia, Facultat de Farmacia, Universitat de Valencia, Av. Vicent Andrés Estellés, s/n. 46100 Burjassot, València, Spain. + + + + Martini + Francesca + F + + Departament de Farmacologia, Facultat de Farmacia, Universitat de Valencia, Av. Vicent Andrés Estellés, s/n. 46100 Burjassot, València, Spain. + + + + Schinella + Guillermo R + GR + + Departament de Farmacologia, Facultat de Farmacia, Universitat de Valencia, Av. Vicent Andrés Estellés, s/n. 46100 Burjassot, València, Spain; Cátedra de Farmacología Básica, Facultad de Ciencias Médicas, Universidad Nacional de La Plata, CIC Provincia de Buenos Aires, La Plata, Buenos Aires, Argentina. + + + + Ríos + José L + JL + + Departament de Farmacologia, Facultat de Farmacia, Universitat de Valencia, Av. Vicent Andrés Estellés, s/n. 46100 Burjassot, València, Spain. + + + + Braca + Alessandra + A + + Dipartimento di Farmacia, Universita di Pisa, Via Bonanno 33, 56126 Pisa, Italy. + + + + Prieto + José M + JM + + Departament de Farmacologia, Facultat de Farmacia, Universitat de Valencia, Av. Vicent Andrés Estellés, s/n. 46100 Burjassot, València, Spain; Centre for Pharmacognosy and Phytotherapy, University College London School of Pharmacy, 29-39 Brunswick Square, WC1N 1AX London, United Kingdom. Electronic address: j.prieto@ucl.ac.uk. + + + + eng + + Journal Article + + + 2013 + 10 + 01 + +
+ + Netherlands + Fitoterapia + 16930290R + 0367-326X + + + + 0 + Anti-Inflammatory Agents + + + 0 + Cyclooxygenase Inhibitors + + + 0 + Hydroxyeicosatetraenoic Acids + + + 0 + Lipoxygenase Inhibitors + + + 0 + NF-kappa B + + + 0 + Phorbols + + + 0 + Plant Extracts + + + 0 + Sesquiterpenes, Guaiane + + + 0 + ziniolide + + + 73945-47-8 + 15-hydroxy-5,8,11,13-eicosatetraenoic acid + + + EC 1.13.11.- + Lipoxygenases + + + EC 1.14.99.1 + Cyclooxygenase 1 + + + XUZ76S9127 + phorbol + + + IM + + + Anti-Inflammatory Agents + isolation & purification + pharmacology + therapeutic use + + + Cyclooxygenase 1 + metabolism + + + Cyclooxygenase Inhibitors + isolation & purification + pharmacology + therapeutic use + + + Dose-Response Relationship, Drug + + + HeLa Cells + + + Humans + + + Hydroxyeicosatetraenoic Acids + biosynthesis + + + Inflammation + chemically induced + drug therapy + metabolism + + + Inhibitory Concentration 50 + + + Lipoxygenase Inhibitors + isolation & purification + pharmacology + therapeutic use + + + Lipoxygenases + metabolism + + + NF-kappa B + antagonists & inhibitors + + + Phorbols + + + Phytotherapy + + + Plant Extracts + chemistry + pharmacology + therapeutic use + + + Plant Roots + chemistry + + + Sesquiterpenes, Guaiane + isolation & purification + pharmacology + therapeutic use + + + Xanthium + chemistry + + + + Cyclooxygenase + Lipoxygenases + NF-κB + Sesquiterpene lactones + Xanthium spinosum + Ziniolide + +
+ + + + 2012 + 12 + 15 + + + 2013 + 09 + 15 + + + 2013 + 09 + 22 + + + 2013 + 10 + 5 + 6 + 0 + + + 2013 + 10 + 5 + 6 + 0 + + + 2014 + 6 + 3 + 6 + 0 + + + ppublish + + 24090994 + S0367-326X(13)00260-8 + 10.1016/j.fitote.2013.09.015 + + +
+ + + 25031417 + + 2014 + 09 + 05 + + + 2014 + 11 + 20 + +
+ + 1529-2401 + + 34 + 29 + + 2014 + Jul + 16 + + + The Journal of neuroscience : the official journal of the Society for Neuroscience + J. Neurosci. + + A new pathway mediating social effects on the endocrine system: female presence acting via norepinephrine release stimulates gonadotropin-inhibitory hormone in the paraventricular nucleus and suppresses luteinizing hormone in quail. + + 9803-11 + + 10.1523/JNEUROSCI.3706-13.2014 + + Rapid effects of social interactions on transient changes in hormonal levels are known in a wide variety of vertebrate taxa, ranging from fish to humans. Although these responses are mediated by the brain, neurochemical pathways that translate social signals into reproductive physiological changes are unclear. In this study, we analyzed how a female presence modifies synthesis and/or release of various neurochemicals, such as monoamines and neuropeptides, in the brain and downstream reproductive hormones in sexually active male Japanese quail. By viewing a female bird, sexually active males rapidly increased norepinephrine (NE) release in the paraventricular nucleus (PVN) of the hypothalamus, in which gonadotropin-inhibitory hormone (GnIH) neuronal cell bodies exist, increased GnIH precursor mRNA expression in the PVN, and decreased luteinizing hormone (LH) concentration in the plasma. GnIH is a hypothalamic neuropeptide that inhibits gonadotropin secretion from the pituitary. It was further shown that GnIH can rapidly suppress LH release after intravenous administration in this study. Centrally administered NE decreased plasma LH concentration in vivo. It was also shown that NE stimulated the release of GnIH from diencephalic tissue blocks in vitro. Fluorescence double-label immunohistochemistry indicated that GnIH neurons received noradrenergic innervations, and immunohistochemistry combined with in situ hybridization have further shown that GnIH neurons expressed α2A-adrenergic receptor mRNA. These results indicate that a female presence increases NE release in the PVN and stimulates GnIH release, resulting in the suppression of LH release in sexually active male quail. + Copyright © 2014 the authors 0270-6474/14/349803-09$15.00/0. + + + + Tobari + Yasuko + Y + http://orcid.org/0000-0003-0572-4123 + + Laboratory of Integrative Brain Sciences, Department of Biology and Center for Medical Life Science, Waseda University, Shinjuku-ku, Tokyo 162-8480, Japan, and. + + + + Son + You Lee + YL + + Laboratory of Integrative Brain Sciences, Department of Biology and Center for Medical Life Science, Waseda University, Shinjuku-ku, Tokyo 162-8480, Japan, and. + + + + Ubuka + Takayoshi + T + http://orcid.org/0000-0002-4731-8118 + + Laboratory of Integrative Brain Sciences, Department of Biology and Center for Medical Life Science, Waseda University, Shinjuku-ku, Tokyo 162-8480, Japan, and. + + + + Hasegawa + Yoshihisa + Y + + Experimental Animal Science, School of Veterinary Medicine and Animal Sciences, Kitasato University, Aomori 034-8628, Japan. + + + + Tsutsui + Kazuyoshi + K + + Laboratory of Integrative Brain Sciences, Department of Biology and Center for Medical Life Science, Waseda University, Shinjuku-ku, Tokyo 162-8480, Japan, and k-tsutsui@waseda.jp. + + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + +
+ + United States + J Neurosci + 8102140 + 0270-6474 + + + + 0 + Avian Proteins + + + 0 + Biogenic Monoamines + + + 0 + Hypothalamic Hormones + + + 0 + RNA, Messenger + + + 0 + Receptors, Adrenergic, alpha-2 + + + 0 + gonadotropin-inhibitory hormone, Coturnix japonica + + + 33515-09-2 + Gonadotropin-Releasing Hormone + + + 9002-67-9 + Luteinizing Hormone + + + X4W3ENH1CV + Norepinephrine + + + IM + + + Analysis of Variance + + + Animals + + + Avian Proteins + pharmacology + + + Biogenic Monoamines + metabolism + + + Enzyme-Linked Immunosorbent Assay + + + Female + + + Gonadotropin-Releasing Hormone + genetics + metabolism + + + Hypothalamic Hormones + pharmacology + + + Interpersonal Relations + + + Luteinizing Hormone + blood + + + Male + + + Microdialysis + + + Norepinephrine + metabolism + pharmacology + + + Organ Culture Techniques + + + Paraventricular Hypothalamic Nucleus + drug effects + metabolism + + + Quail + + + RNA, Messenger + metabolism + + + Receptors, Adrenergic, alpha-2 + genetics + metabolism + + + Sexual Behavior, Animal + + + + bird + monoamine + neurochemical pathway + neuropeptide + social signal + visual stimuli + +
+ + + + 2014 + 7 + 18 + 6 + 0 + + + 2014 + 7 + 18 + 6 + 0 + + + 2014 + 9 + 6 + 6 + 0 + + + ppublish + + 25031417 + 34/29/9803 + 10.1523/JNEUROSCI.3706-13.2014 + + +
+ + + 27190381 + + 2018 + 01 + 11 + + + 2018 + 12 + 02 + +
+ + 1460-2385 + + 32 + 6 + + 2017 + Jun + 01 + + + Nephrology, dialysis, transplantation : official publication of the European Dialysis and Transplant Association - European Renal Association + Nephrol. Dial. Transplant. + + Prevalence of reduced kidney function and albuminuria in older adults: the Berlin Initiative Study. + + 997-1005 + + 10.1093/ndt/gfw079 + + Although CKD is said to increase among older adults, epidemiologic data on kidney function in people ≥70 years of age are scarce. The Berlin Initiative Study (BIS) aims to fill this gap by evaluating the CKD burden in older adults. + The BIS is a prospective population-based cohort study whose participants are members of Germany's biggest insurance company. This cross-sectional analysis (i) gives a detailed baseline characterization of the participants, (ii) analyses the representativeness of the cohort's disease profile, (iii) assesses GFR and albuminuria levels across age categories, (iv) associates cardiovascular risk factors with GFR as well as albuminuria and (v) compares means of GFR values according to different estimating equations with measured GFR. + A total of 2069 participants (52.6% female, mean age 80.4 years) were enrolled: 26.1% were diabetic, 78.8% were on antihypertensive medication, 8.7% had experienced a stroke, 14% a myocardial infarction, 22.6% had cancer, 17.8% were anaemic and 26.5% were obese. The distribution of comorbidities in the BIS cohort was very similar to that in the insurance 'source population'. Creatinine and cystatin C as well as the albumin:creatinine ratio (ACR) increased with increasing age. After multivariate adjustments, reduced GFR and elevated ACR were associated with most cardiovascular risk factors. The prevalence of a GFR <60 mL/min/1.73 m 2 ranged from 38 to 62% depending on the estimation equation used. + The BIS is a very well-characterized, representative cohort of older adults. Participants with an ACR ≥30 had significantly higher odds for most cardiovascular risk factors compared with an ACR <30 mg/g. Kidney function declined and ACR rose with increasing age. + © The Author 2016. Published by Oxford University Press on behalf of ERA-EDTA. All rights reserved. + + + + Ebert + Natalie + N + + Institute of Public Health, Charité University Medicine, Campus Virchow, Berlin, Germany. + + + + Jakob + Olga + O + + Institute for Biostatistics and Clinical Epidemiology, Charité University Medicine, Campus Benjamin Franklin, Berlin, Germany. + + + + Gaedeke + Jens + J + + Department of Nephrology, Charité University Medicine, Campus Mitte Berlin, Germany. + + + + van der Giet + Markus + M + + Department of Nephrology, Charité University Medicine, Campus Benjamin Franklin, Berlin, Germany. + + + + Kuhlmann + Martin K + MK + + Department of Nephrology, Vivantes Klinikum im Friedrichshain, Berlin, Germany. + + + + Martus + Peter + P + + Institute of Clinical Epidemiology and Medical Biostatistics, Friedrich Karls-University, Tübingen, Germany. + + + + Mielke + Nina + N + + Institute of Public Health, Charité University Medicine, Campus Virchow, Berlin, Germany. + + + + Schuchardt + Mirjam + M + + Department of Nephrology, Charité University Medicine, Campus Benjamin Franklin, Berlin, Germany. + + + + Tölle + Markus + M + + Department of Nephrology, Charité University Medicine, Campus Benjamin Franklin, Berlin, Germany. + + + + Wenning + Volker + V + + AOK-Nordost - die Gesundheitskasse, Berlin, Germany. + + + + Schaeffner + Elke S + ES + + Institute of Public Health, Charité University Medicine, Campus Virchow, Berlin, Germany. + + + + eng + + Journal Article + +
+ + England + Nephrol Dial Transplant + 8706402 + 0931-0509 + + + + 0 + Cystatin C + + + AYI8EX34EU + Creatinine + + + IM + + + Aged + + + Aged, 80 and over + + + Albuminuria + blood + epidemiology + physiopathology + + + Berlin + epidemiology + + + Cardiovascular Diseases + blood + epidemiology + physiopathology + + + Comorbidity + + + Creatinine + blood + + + Cross-Sectional Studies + + + Cystatin C + blood + + + Female + + + Glomerular Filtration Rate + + + Humans + + + Male + + + Prevalence + + + Prospective Studies + + + Renal Insufficiency, Chronic + blood + epidemiology + physiopathology + + + Risk Factors + + + + GFR + albuminuria + chronic kidney disease + cohort + older adults + +
+ + + + 2016 + 02 + 12 + + + 2016 + 03 + 11 + + + 2016 + 5 + 18 + 6 + 0 + + + 2018 + 1 + 13 + 6 + 0 + + + 2016 + 5 + 19 + 6 + 0 + + + ppublish + + 27190381 + gfw079 + 10.1093/ndt/gfw079 + + +
+ + + 27687974 + + 2018 + 01 + 16 + + + 2018 + 12 + 02 + +
+ + 1941-0611 + + 9 + + 2017 + 01 + 03 + + + Annual review of marine science + Ann Rev Mar Sci + + SAR11 Bacteria: The Most Abundant Plankton in the Oceans. + + 231-255 + + 10.1146/annurev-marine-010814-015934 + + SAR11 is a group of small, carbon-oxidizing bacteria that reach a global estimated population size of 2.4×1028 cells-approximately 25% of all plankton. They are found throughout the oceans but reach their largest numbers in stratified, oligotrophic gyres, which are an expanding habitat in the warming oceans. SAR11 likely had a Precambrian origin and, over geological time, evolved into the niche of harvesting labile, low-molecular-weight dissolved organic matter (DOM). SAR11 cells are minimal in size and complexity, a phenomenon known as streamlining that is thought to benefit them by lowering the material costs of replication and maximizing transport functions that are essential to competition at ultralow nutrient concentrations. One of the surprises in SAR11 metabolism is their ability to both oxidize and produce a variety of volatile organic compounds that can diffuse into the atmosphere. SAR11 cells divide slowly and lack many forms of regulation commonly used by bacterial cells to adjust to changing environmental conditions. As a result of genome reduction, they require an unusual range of nutrients, which leads to complex biochemical interactions with other plankton. The study of SAR11 is providing insight into the biogeochemistry of labile DOM and is affecting microbiology beyond marine science by providing a model for understanding the evolution and function of streamlined cells. + + + + Giovannoni + Stephen J + SJ + + Department of Microbiology, Oregon State University, Corvallis, Oregon 97331; email: steve.giovannoni@oregonstate.edu. + + + + eng + + Journal Article + + + 2016 + 09 + 28 + +
+ + United States + Ann Rev Mar Sci + 101536246 + 1941-0611 + + + + 7440-44-0 + Carbon + + + IM + + + Bacteria + classification + genetics + + + Carbon + + + Genes, Bacterial + + + Oceans and Seas + + + Plankton + + + Water Microbiology + + + + carbon cycle + dissolved organic matter + proteorhodopsin + streamlining + +
+ + + + 2016 + 10 + 1 + 6 + 0 + + + 2018 + 1 + 18 + 6 + 0 + + + 2016 + 10 + 1 + 6 + 0 + + + ppublish + + 27687974 + 10.1146/annurev-marine-010814-015934 + + +
+ + + 27529501 + + 2017 + 02 + 13 + + + 2017 + 02 + 13 + +
+ + 2161-5063 + + 6 + 1 + + 2017 + 01 + 20 + + + ACS synthetic biology + ACS Synth Biol + + Short Synthetic Terminators for Assembly of Transcription Units in Vitro and Stable Chromosomal Integration in Yeast S. cerevisiae. + + 130-138 + + 10.1021/acssynbio.6b00165 + + Assembly of synthetic genetic circuits is central to synthetic biology. Yeast S. cerevisiae, in particular, has proven to be an ideal chassis for synthetic genome assemblies by exploiting its efficient homologous recombination. However, this property of efficient homologous recombination poses a problem for multigene assemblies in yeast, since repeated usage of standard parts, such as transcriptional terminators, can lead to rearrangements of the repeats in assembled DNA constructs in vivo. To address this issue in developing a library of orthogonal genetic components for yeast, we designed a set of short synthetic terminators based on a consensus sequence with random linkers to avoid repetitive sequences. We constructed a series of expression vectors with these synthetic terminators for efficient assembly of synthetic genes using Gateway recombination reactions. We also constructed two BAC (bacterial artificial chromosome) vectors for assembling multiple transcription units with the synthetic terminators in vitro and their integration in the yeast genome. The tandem array of synthetic genes integrated in the genome by this method is highly stable because there are few homologous segments in the synthetic constructs. Using this system of assembly and genomic integration of transcription units, we tested the synthetic terminators and their influence on the proximal transcription units. Although all the synthetic terminators have the common consensus with the identical length, they showed different activities and impacts on the neighboring transcription units. + + + + MacPherson + Murray + M + + Institute of Medical Sciences, School of Medicine, Medical Sciences and Nutrition, University of Aberdeen , Aberdeen AB25 2ZD, U.K. + + + + Saka + Yasushi + Y + + Institute of Medical Sciences, School of Medicine, Medical Sciences and Nutrition, University of Aberdeen , Aberdeen AB25 2ZD, U.K. + + + + eng + + Journal Article + Research Support, Non-U.S. Gov't + + + 2016 + 08 + 25 + +
+ + United States + ACS Synth Biol + 101575075 + 2161-5063 + + + + 0 + Luminescent Proteins + + + IM + + + Chromosomes, Artificial, Bacterial + genetics + + + Chromosomes, Fungal + genetics + + + Genes, Fungal + + + Genes, Synthetic + + + Genetic Engineering + methods + + + Homologous Recombination + + + Luminescent Proteins + genetics + + + Saccharomyces cerevisiae + genetics + + + Synthetic Biology + + + Terminator Regions, Genetic + + + Transcription, Genetic + + + + Saccharomyces cerevisiae + bacterial artificial chromosome + gene assembly + transcriptional terminator + yeast + +
+ + + + 2016 + 8 + 17 + 6 + 0 + + + 2017 + 2 + 14 + 6 + 0 + + + 2016 + 8 + 17 + 6 + 0 + + + ppublish + + 27529501 + 10.1021/acssynbio.6b00165 + + +
+ + + 27763809 + + 2017 + 10 + 24 + + + 2018 + 11 + 13 + +
+ + 2164-554X + + 13 + 3 + + 2017 + 03 + 04 + + + Human vaccines & immunotherapeutics + Hum Vaccin Immunother + + Do Australian immunoglobulin products meet international measles antibody titer standards? + + 607-612 + + 10.1080/21645515.2016.1234554 + + The effectiveness of passive immunisation post-exposure to measles appears subject to a dose-response effect. New Zealand and the United Kingdom have increased the recommended dose of polyclonal human immunoglobulin for post-exposure prophylaxis within the last decade in response to concerns about decreasing levels of measles antibodies in these products. This study used the plaque-reduction neutralization test (PRNT) to measure the titer of measles-specific antibodies in Australian immunoglobulin products for post-exposure prophylaxis and compared the utility of an enzyme-linked immunosorbent assay (ELISA) to the PRNT in available Australian and international samples: Australian intramuscular (n = 10), Australian intravenous (n = 28), New Zealand intramuscular (n = 2), Hizentra (subcutaneous)(USA) (n = 3), and Privigen (intravenous)(USA) (n = 2). Measles titres in Australian IM and IV immunoglobulins ranged from 51 to 76 IU/mL and 6 to 24 IU/mL respectively, as measured by PRNT calibrated to the WHO 3rd international standard. ELISA titres were variable but higher than PRNT titres in all tested samples. Measles antibody titres in Australian immunoglobulin products meet consensus-prescribed international thresholds. Development of a convenient, standardized, readily accessible assay for determination of measles titres in immunoglobulin products would be useful for future studies and facilitate international comparisons. + + + + Young + Megan K + MK + + a School of Medicine and Menzies Health Institute Queensland , Griffith University , Gold Coast , Australia. + + + + Bertolini + Joseph + J + + b CSL Behring (Australia) Pty Ltd , Broadmeadows , Australia. + + + + Kotharu + Pushpa + P + + b CSL Behring (Australia) Pty Ltd , Broadmeadows , Australia. + + + + Maher + Darryl + D + + b CSL Behring (Australia) Pty Ltd , Broadmeadows , Australia. + + + + Cripps + Allan W + AW + + a School of Medicine and Menzies Health Institute Queensland , Griffith University , Gold Coast , Australia. + + + + eng + + Comparative Study + Journal Article + + + 2016 + 10 + 20 + +
+ + United States + Hum Vaccin Immunother + 101572652 + 2164-5515 + + + + 0 + Antibodies, Viral + + + 0 + Biological Products + + + IM + + + Antibodies, Viral + immunology + + + Australia + + + Biological Products + standards + + + Enzyme-Linked Immunosorbent Assay + + + Humans + + + Immunization, Passive + methods + + + Measles + prevention & control + + + Neutralization Tests + + + Post-Exposure Prophylaxis + methods + + + Viral Plaque Assay + + + + Australia + blood products + immunoglobulin + measles + prevention + +
+ + + + 2016 + 10 + 21 + 6 + 0 + + + 2017 + 10 + 25 + 6 + 0 + + + 2016 + 10 + 21 + 6 + 0 + + + ppublish + + 27763809 + 10.1080/21645515.2016.1234554 + PMC5360119 + + + + CMAJ. 2014 Apr 15;186(7):E205-6 + + 24638029 + + + + Am J Epidemiol. 2000 Jun 1;151(11):1039-48; discussion 1049-52 + + 10873127 + + + + J Clin Immunol. 2010 Jul;30(4):574-82 + + 20405177 + + + + Hum Vaccin Immunother. 2013 Sep;9(9):1885-93 + + 23783220 + + + + MMWR Recomm Rep. 2013 Jun 14;62(RR-04):1-34 + + 23760231 + + + + Cochrane Database Syst Rev. 2014 Apr 01;(4):CD010056 + + 24687262 + + + + Wkly Epidemiol Rec. 2012 Feb 3;87(5):45-52 + + 22308581 + + + + J Virol Methods. 2011 Dec;178(1-2):124-8 + + 21939689 + + + + Przegl Epidemiol. 2014;68(3):417-20, 527-9 + + 25394302 + + + + J Pediatr. 2001 Jun;138(6):926-8 + + 11391343 + + + + MMWR Morb Mortal Wkly Rep. 2015 Feb 20;64(6):153-4 + + 25695321 + + + + Euro Surveill. 2014 Dec 11;19(49):null + + 25523970 + + + + Vaccine. 2007 Dec 21;26(1):59-66 + + 18063236 + + + + N Z Med J. 2015 Sep 25;128(1422):53-62 + + 26411847 + + + + +
+ + + 27687975 + + 2018 + 11 + 13 + +
+ + 2045-2322 + + 6 + + 2016 + Sep + 30 + + + Scientific reports + Sci Rep + + Novel roles for the radial spoke head protein 9 in neural and neurosensory cilia. + + 34437 + + 10.1038/srep34437 + + Cilia are cell surface organelles with key roles in a range of cellular processes, including generation of fluid flow by motile cilia. The axonemes of motile cilia and immotile kinocilia contain 9 peripheral microtubule doublets, a central microtubule pair, and 9 connecting radial spokes. Aberrant radial spoke components RSPH1, 3, 4a and 9 have been linked with primary ciliary dyskinesia (PCD), a disorder characterized by ciliary dysmotility; yet, radial spoke functions remain unclear. Here we show that zebrafish Rsph9 is expressed in cells bearing motile cilia and kinocilia, and localizes to both 9 + 2 and 9 + 0 ciliary axonemes. Using CRISPR mutagenesis, we show that rsph9 is required for motility of presumptive 9 + 2 olfactory cilia and, unexpectedly, 9 + 0 neural cilia. rsph9 is also required for the structural integrity of 9 + 2 and 9 + 0 ciliary axonemes. rsph9 mutant larvae exhibit reduced initiation of the acoustic startle response consistent with hearing impairment, suggesting a novel role for Rsph9 in the kinocilia of the inner ear and/or lateral line neuromasts. These data identify novel roles for Rsph9 in 9 + 0 motile cilia and in sensory kinocilia, and establish a useful zebrafish PCD model. + + + + Sedykh + Irina + I + + Department of Zoology, University of Wisconsin, Madison, WI, 53706, USA. + + + Department of Neuroscience, University of Wisconsin, Madison, WI, 53706, USA. + + + + TeSlaa + Jessica J + JJ + + Department of Zoology, University of Wisconsin, Madison, WI, 53706, USA. + + + Department of Neuroscience, University of Wisconsin, Madison, WI, 53706, USA. + + + Cellular and Molecular Biology Training Program, University of Wisconsin, Madison, WI, 53706, USA. + + + + Tatarsky + Rose L + RL + + Department of Zoology, University of Wisconsin, Madison, WI, 53706, USA. + + + Department of Neuroscience, University of Wisconsin, Madison, WI, 53706, USA. + + + + Keller + Abigail N + AN + + Department of Zoology, University of Wisconsin, Madison, WI, 53706, USA. + + + Department of Neuroscience, University of Wisconsin, Madison, WI, 53706, USA. + + + + Toops + Kimberly A + KA + + Department of Ophthalmology and Visual Sciences, University of Wisconsin-Madison, Madison, WI 53706, USA. + + + McPherson Eye Research Institute, University of Wisconsin, Madison, WI, 53706, USA. + + + + Lakkaraju + Aparna + A + + Department of Ophthalmology and Visual Sciences, University of Wisconsin-Madison, Madison, WI 53706, USA. + + + McPherson Eye Research Institute, University of Wisconsin, Madison, WI, 53706, USA. + + + + Nyholm + Molly K + MK + + Department of Zoology, University of Wisconsin, Madison, WI, 53706, USA. + + + Department of Neuroscience, University of Wisconsin, Madison, WI, 53706, USA. + + + + Wolman + Marc A + MA + + Department of Zoology, University of Wisconsin, Madison, WI, 53706, USA. + + + + Grinblat + Yevgenya + Y + + Department of Zoology, University of Wisconsin, Madison, WI, 53706, USA. + + + Department of Neuroscience, University of Wisconsin, Madison, WI, 53706, USA. + + + McPherson Eye Research Institute, University of Wisconsin, Madison, WI, 53706, USA. + + + + eng + + + P30 EY016665 + EY + NEI NIH HHS + United States + + + R01 EY022098 + EY + NEI NIH HHS + United States + + + + Journal Article + + + 2016 + 09 + 30 + +
+ + England + Sci Rep + 101563288 + 2045-2322 + +
+ + + + 2016 + 02 + 05 + + + 2016 + 09 + 14 + + + 2016 + 10 + 1 + 6 + 0 + + + 2016 + 10 + 1 + 6 + 0 + + + 2016 + 10 + 1 + 6 + 0 + + + epublish + + 27687975 + PMC5043386 + srep34437 + 10.1038/srep34437 + + + + J Exp Biol. 2005 Apr;208(Pt 7):1363-72 + + 15781896 + + + + Nat Cell Biol. 2010 Apr;12(4):407-12 + + 20305649 + + + + Neuroscience. 1982;7(12):3091-103 + + 6984492 + + + + J Cell Biol. 1970 Oct;47(1):159-82 + + 4935335 + + + + Am J Hum Genet. 2013 Oct 3;93(4):672-86 + + 24094744 + + + + Curr Biol. 2014 Oct 6;24(19):R973-82 + + 25291643 + + + + Hum Mol Genet. 2014 Jul 1;23(13):3362-74 + + 24518672 + + + + Hum Mutat. 2013 Mar;34(3):462-72 + + 23255504 + + + + J Comp Neurol. 1993 Jul 8;333(2):289-300 + + 8345108 + + + + Dev Cell. 2015 Mar 23;32(6):756-64 + + 25752963 + + + + Cells. 2015 Sep 11;4(3):500-19 + + 26378583 + + + + BMC Dev Biol. 2006 Jan 13;6:1 + + 16412219 + + + + Nat Commun. 2014 Dec 04;5:5727 + + 25473808 + + + + Dev Dyn. 2007 Jul;236(7):1963-9 + + 17503454 + + + + Am J Respir Cell Mol Biol. 2015 Oct;53(4):563-73 + + 25789548 + + + + Methods Cell Biol. 2010;97:415-35 + + 20719283 + + + + Cilia. 2015 Jan 22;4(1):2 + + 25610612 + + + + Dev Dyn. 2003 Nov;228(3):464-74 + + 14579384 + + + + J Cell Biol. 1985 Jun;100(6):2008-18 + + 2860115 + + + + Dev Dyn. 1995 Jul;203(3):253-310 + + 8589427 + + + + J Cell Biol. 1981 Dec;91(3 Pt 2):107s-124s + + 6459326 + + + + J Otolaryngol. 2002 Feb;31(1):13-7 + + 11881766 + + + + Development. 2014 Apr;141(7):1427-41 + + 24644260 + + + + Am J Respir Crit Care Med. 2014 Mar 15;189(6):707-17 + + 24568568 + + + + PLoS One. 2013;8(3):e59436 + + 23527195 + + + + Nat Genet. 2000 Oct;26(2):216-20 + + 11017081 + + + + Development. 2012 May;139(10):1777-87 + + 22461562 + + + + Proc Natl Acad Sci U S A. 2010 Oct 26;107(43):18499-504 + + 20937855 + + + + J Neurosci. 2007 May 2;27(18):4984-94 + + 17475807 + + + + Nat Rev Genet. 2010 May;11(5):331-44 + + 20395968 + + + + Am J Hum Genet. 2013 Sep 5;93(3):561-70 + + 23993197 + + + + Development. 2005 Apr;132(8):1907-21 + + 15790966 + + + + Annu Rev Physiol. 2007;69:401-22 + + 16945069 + + + + Chem Senses. 1998 Feb;23(1):39-48 + + 9530968 + + + + PLoS One. 2012;7(3):e33667 + + 22448264 + + + + Dev Biol. 2008 Feb 15;314(2):261-75 + + 18178183 + + + + Hum Mol Genet. 2015 May 1;24(9):2482-91 + + 25601850 + + + + J Med Genet. 2014 Jan;51(1):61-7 + + 24203976 + + + + Dev Cell. 2015 Oct 26;35(2):236-46 + + 26506310 + + + + Nature. 2009 Jan 8;457(7226):205-9 + + 19043402 + + + + J Biophys Biochem Cytol. 1959 Mar 25;5(2):269-78 + + 13654448 + + + + Hum Mol Genet. 2002 Mar 15;11(6):715-21 + + 11912187 + + + + Nat Rev Drug Discov. 2014 Oct;13(10):759-80 + + 25233993 + + + + Hum Mol Genet. 2009 Jan 15;18(2):289-303 + + 18971206 + + + + Nat Biotechnol. 2013 Mar;31(3):227-9 + + 23360964 + + + + Nature. 2009 May 7;459(7243):98-102 + + 19305393 + + + + Nat Genet. 2008 Dec;40(12):1445-53 + + 19011630 + + + + Am J Hum Genet. 2013 Aug 8;93(2):346-56 + + 23891471 + + + + PLoS One. 2008 Sep 01;3(9):e3090 + + 18769618 + + + + Am J Respir Crit Care Med. 2013 Oct 15;188(8):913-22 + + 23796196 + + + + Annu Rev Physiol. 2007;69:377-400 + + 17009929 + + + + Development. 2009 Nov;136(22):3791-800 + + 19855021 + + + + Proc Natl Acad Sci U S A. 2011 Sep 13;108(37):15468-73 + + 21876167 + + + + Development. 2005 Mar;132(6):1247-60 + + 15716348 + + + + Biol Open. 2012 Aug 15;1(8):815-25 + + 23213475 + + + + J Cell Biol. 1974 Oct;63(1):35-63 + + 4424314 + + + + Bioarchitecture. 2014 Jan-Feb;4(1):6-15 + + 24481178 + + + + Methods Cell Biol. 2009;93:197-217 + + 20409819 + + + + Am J Hum Genet. 2013 Oct 3;93(4):711-20 + + 24055112 + + + + Am J Hum Genet. 2013 Aug 8;93(2):357-67 + + 23849778 + + + + Development. 2014 Sep;141(17):3410-9 + + 25139857 + + + + Genet Med. 2009 Jul;11(7):473-87 + + 19606528 + + + + PLoS One. 2011;6(5):e19713 + + 21603650 + + + + Development. 2004 Aug;131(16):4085-93 + + 15269167 + + + + J Cell Biol. 1965 Apr;25:1-8 + + 14283628 + + + + PLoS One. 2013 Aug 26;8(8):e72299 + + 23991085 + + + + Dev Dyn. 2004 Jul;230(3):403-9 + + 15188426 + + + + J Cell Biol. 2014 Mar 3;204(5):807-19 + + 24590175 + + + + Hum Mol Genet. 2004 Sep 15;13(18):2133-41 + + 15269178 + + + + Am J Hum Genet. 2009 Feb;84(2):197-209 + + 19200523 + + + + Cell. 2006 Apr 7;125(1):33-45 + + 16615888 + + + + Methods Enzymol. 2013;525:219-44 + + 23522472 + + + + Am J Hum Genet. 2015 Jul 2;97(1):153-62 + + 26073779 + + + + Biotechniques. 2007 Nov;43(5):610, 612, 614 + + 18072590 + + + + +
+ + + 28647898 + + 2018 + 06 + 18 + + + 2018 + 11 + 13 + +
+ + 1439-0973 + + 45 + 6 + + 2017 + Dec + + + Infection + Infection + + Respiratory diphtheria due to Corynebacterium ulcerans transmitted by a companion dog, Italy 2014. + + 903-905 + + 10.1007/s15010-017-1040-1 + + A serious respiratory tract infection due to Corynebacterium ulcerans was observed in a 70-year-old woman. Clinical presentation included pseudomembranes in the upper respiratory tract and lung involvement. C. ulcerans was recovered from the nose of the patient's dog. Both dog's and patient's isolates belonged to Sequence Type 331. + + + + Monaco + Monica + M + + Istituto Superiore di Sanità, Rome, Italy. monica.monaco@iss.it. + + + + Sacchi + Anna Rita + AR + + Azienda Unità Sanitaria locale, Piacenza, Italy. + + + + Scotti + Marzia + M + + Ospedale Guglielmo da Saliceto, Piacenza, Italy. + + + + Mancini + Fabiola + F + + Istituto Superiore di Sanità, Rome, Italy. + + + + Riccio + Carlo + C + + Azienda Unità Sanitaria locale, Piacenza, Italy. + + + + Errico + Giulia + G + + Istituto Superiore di Sanità, Rome, Italy. + + + + Ratti + Giovanna + G + + Ospedale Guglielmo da Saliceto, Piacenza, Italy. + + + + Bondi + Filippo + F + + Ospedale Guglielmo da Saliceto, Piacenza, Italy. + + + + Ciervo + Alessandra + A + + Istituto Superiore di Sanità, Rome, Italy. + + + + Pantosti + Annalisa + A + + Istituto Superiore di Sanità, Rome, Italy. + + + + eng + + Case Reports + Journal Article + + + 2017 + 06 + 24 + +
+ + Germany + Infection + 0365307 + 0300-8126 + + IM + + + Infection. 2017 Dec;45(6):931 + 28786003 + + + + + Aged + + + Animals + + + Diphtheria + diagnosis + drug therapy + microbiology + + + Dog Diseases + diagnosis + drug therapy + microbiology + transmission + + + Dogs + + + Female + + + Humans + + + Italy + + + Respiratory Tract Infections + diagnosis + drug therapy + microbiology + + + Zoonoses + diagnosis + drug therapy + microbiology + + + + Corynebacterium ulcerans + Diphtheria toxin + Dog + Molecular typing + Respiratory diphtheria + +
+ + + + 2017 + 06 + 14 + + + 2017 + 06 + 19 + + + 2017 + 6 + 26 + 6 + 0 + + + 2018 + 6 + 19 + 6 + 0 + + + 2017 + 6 + 26 + 6 + 0 + + + ppublish + + 28647898 + 10.1007/s15010-017-1040-1 + 10.1007/s15010-017-1040-1 + + + + Clin Microbiol Infect. 2015 Aug;21(8):768-71 + + 26027917 + + + + J Clin Microbiol. 2014 Dec;52(12):4318-24 + + 25320226 + + + + Emerg Infect Dis. 2015 Feb;21(2):356-8 + + 25625779 + + + + Epidemiol Infect. 2010 Nov;138(11):1519-30 + + 20696088 + + + + J Med Microbiol. 2003 Feb;52(Pt 2):181-8 + + 12543926 + + + + Ann Biol Clin (Paris). 2016 Jan-Feb;74(1):117-20 + + 26878616 + + + + J Clin Microbiol. 1997 Feb;35(2):495-8 + + 9003626 + + + + Diagn Microbiol Infect Dis. 2012 Jun;73(2):111-20 + + 22494559 + + + + J Clin Microbiol. 2015 Feb;53(2):567-72 + + 25502525 + + + + Euro Surveill. 2014 Jun 19;19(24):null + + 24970373 + + + + Genome Med. 2014 Nov 28;6(11):113 + + 25587356 + + + + +
+ + + 29049350 + + 2017 + 11 + 07 + + + 2018 + 11 + 13 + +
+ + 1932-6203 + + 12 + 10 + + 2017 + + + PloS one + PLoS ONE + + An integrative in-silico approach for therapeutic target identification in the human pathogen Corynebacterium diphtheriae. + + e0186401 + + 10.1371/journal.pone.0186401 + + Corynebacterium diphtheriae (Cd) is a Gram-positive human pathogen responsible for diphtheria infection and once regarded for high mortalities worldwide. The fatality gradually decreased with improved living standards and further alleviated when many immunization programs were introduced. However, numerous drug-resistant strains emerged recently that consequently decreased the efficacy of current therapeutics and vaccines, thereby obliging the scientific community to start investigating new therapeutic targets in pathogenic microorganisms. In this study, our contributions include the prediction of modelome of 13 C. diphtheriae strains, using the MHOLline workflow. A set of 463 conserved proteins were identified by combining the results of pangenomics based core-genome and core-modelome analyses. Further, using subtractive proteomics and modelomics approaches for target identification, a set of 23 proteins was selected as essential for the bacteria. Considering human as a host, eight of these proteins (glpX, nusB, rpsH, hisE, smpB, bioB, DIP1084, and DIP0983) were considered as essential and non-host homologs, and have been subjected to virtual screening using four different compound libraries (extracted from the ZINC database, plant-derived natural compounds and Di-terpenoid Iso-steviol derivatives). The proposed ligand molecules showed favorable interactions, lowered energy values and high complementarity with the predicted targets. Our proposed approach expedites the selection of C. diphtheriae putative proteins for broad-spectrum development of novel drugs and vaccines, owing to the fact that some of these targets have already been identified and validated in other organisms. + + + + Jamal + Syed Babar + SB + + PG program in Bioinformatics (LGCM), Institute of Biological Sciences, Federal University of Minas Gerais, Belo Horizonte, MG, Brazil. + + + + Hassan + Syed Shah + SS + + PG program in Bioinformatics (LGCM), Institute of Biological Sciences, Federal University of Minas Gerais, Belo Horizonte, MG, Brazil. + + + Department of Chemistry, Islamia College University Peshawar, KPK, Pakistan. + + + + Tiwari + Sandeep + S + + PG program in Bioinformatics (LGCM), Institute of Biological Sciences, Federal University of Minas Gerais, Belo Horizonte, MG, Brazil. + + + + Viana + Marcus V + MV + + PG program in Bioinformatics (LGCM), Institute of Biological Sciences, Federal University of Minas Gerais, Belo Horizonte, MG, Brazil. + + + + Benevides + Leandro de Jesus + LJ + + PG program in Bioinformatics (LGCM), Institute of Biological Sciences, Federal University of Minas Gerais, Belo Horizonte, MG, Brazil. + + + + Ullah + Asad + A + + Department of Chemistry, Islamia College University Peshawar, KPK, Pakistan. + + + + Turjanski + Adrián G + AG + + Departamento de Química Biológica, Facultad de Ciencias Exactas y Naturales, Universidad de Buenos Aires, Pabellón II, Buenos Aires, Argentina. + + + + Barh + Debmalya + D + + Centre for Genomics and Applied Gene Technology, Institute of Integrative Omics and Applied Biotechnology, Nonakuri, Purba Medinipur, West Bengal, India. + + + + Ghosh + Preetam + P + + Department of Computer Science, Virginia Commonwealth University, Richmond, VA, United States of America. + + + + Costa + Daniela Arruda + DA + + PG program in Bioinformatics (LGCM), Institute of Biological Sciences, Federal University of Minas Gerais, Belo Horizonte, MG, Brazil. + + + + Silva + Artur + A + + Institute of Biologic Sciences, Federal University of Para, Belém, PA, Brazil. + + + + Röttger + Richard + R + + Department of Mathematics and Computer Science, University of Southern Denmark, Odense, Denmark. + + + + Baumbach + Jan + J + + Department of Mathematics and Computer Science, University of Southern Denmark, Odense, Denmark. + + + + Azevedo + Vasco A C + VAC + + PG program in Bioinformatics (LGCM), Institute of Biological Sciences, Federal University of Minas Gerais, Belo Horizonte, MG, Brazil. + + + Department of General Biology (LGCM), Institute of Biologic Sciences, Federal University of Minas Gerais, Belo Horizonte, MG, Brazil. + + + + eng + + Journal Article + Validation Studies + + + 2017 + 10 + 19 + +
+ + United States + PLoS One + 101285081 + 1932-6203 + + + + 0 + Anti-Bacterial Agents + + + 0 + Bacterial Proteins + + + 0 + Bacterial Vaccines + + + 0 + Ligands + + + IM + + + Anti-Bacterial Agents + pharmacology + + + Bacterial Proteins + metabolism + + + Bacterial Vaccines + pharmacology + + + Computer Simulation + + + Corynebacterium diphtheriae + drug effects + genetics + metabolism + pathogenicity + + + Genome, Bacterial + + + Humans + + + Ligands + + + Models, Biological + + + Molecular Docking Simulation + + +
+ + + + 2016 + 12 + 06 + + + 2017 + 09 + 29 + + + 2017 + 10 + 20 + 6 + 0 + + + 2017 + 10 + 20 + 6 + 0 + + + 2017 + 11 + 8 + 6 + 0 + + + epublish + + 29049350 + 10.1371/journal.pone.0186401 + PONE-D-16-48307 + PMC5648181 + + + + Chem Biol Drug Des. 2011 Jul;78(1):73-84 + + 21443692 + + + + BMC Genomics. 2014;15 Suppl 7:S3 + + 25573232 + + + + Structure. 1996 Sep 15;4(9):1093-104 + + 8805594 + + + + Nat Rev Drug Discov. 2008 Nov;7(11):900-7 + + 18927591 + + + + PLoS One. 2013;8(3):e59126 + + 23527108 + + + + PLoS One. 2012;7(8):e43080 + + 22912793 + + + + BMC Genomics. 2011 Jan 27;12:75 + + 21272313 + + + + Nucleic Acids Res. 2000 Jan 1;28(1):27-30 + + 10592173 + + + + J Med Chem. 1998 Nov 19;41(24):4790-9 + + 9822549 + + + + J Periodontol. 2015 Oct;86(10 ):1176-84 + + 26110450 + + + + Proc Natl Acad Sci U S A. 2003 Oct 28;100(22):12989-94 + + 14569030 + + + + Database (Oxford). 2011 Mar 29;2011:bar009 + + 21447597 + + + + Mol Biol Rep. 2014 Jan;41(1):337-45 + + 24234753 + + + + Proteins. 2015 Aug;83(8):1539-46 + + 26010010 + + + + Clin Microbiol Rev. 1997 Jan;10(1):125-59 + + 8993861 + + + + Acta Crystallogr D Biol Crystallogr. 2008 Jun;64(Pt 6):627-35 + + 18560150 + + + + Integr Biol (Camb). 2013 Mar;5(3):495-509 + + 23288366 + + + + In Silico Biol. 2007;7(4-5):453-65 + + 18391237 + + + + Postgrad Med J. 1996 Oct;72(852):619-20 + + 8977947 + + + + Bioinformatics. 2012 Aug 1;28(15):2074-5 + + 22628523 + + + + Bioinformation. 2009 Oct 11;4(4):143-50 + + 20198190 + + + + J Comput Chem. 2004 Oct;25(13):1605-12 + + 15264254 + + + + Nucleic Acids Res. 2007 Jan;35(Database issue):D395-400 + + 17090594 + + + + In Silico Biol. 2006;6(1-2):43-7 + + 16789912 + + + + J Med Chem. 2002 Aug 29;45(18):3865-77 + + 12190310 + + + + J Med Chem. 2006 Jun 1;49(11):3315-21 + + 16722650 + + + + Nucleic Acids Res. 2014 Jan;42(Database issue):D222-30 + + 24288371 + + + + Science. 2000 Mar 10;287(5459):1816-20 + + 10710308 + + + + Epidemiol Infect. 2010 Nov;138(11):1519-30 + + 20696088 + + + + Nat Struct Biol. 2000 Jun;7(6):475-8 + + 10881194 + + + + In Silico Biol. 2004;4(3):355-60 + + 15724285 + + + + Adv Enzymol Relat Areas Mol Biol. 1975;42:193-226 + + 236638 + + + + Nature. 2003 Aug 7;424(6949):699-703 + + 12904796 + + + + In Silico Biol. 2009;9(4):225-31 + + 20109152 + + + + J Chem Inf Comput Sci. 2001 May-Jun;41(3):702-12 + + 11410049 + + + + BMC Bioinformatics. 2009 May 20;10:154 + + 19457249 + + + + Science. 2004 Jan 2;303(5654):76-9 + + 14704425 + + + + Pediatr Clin North Am. 1979 May;26(2):445-59 + + 379784 + + + + Proc Natl Acad Sci U S A. 1980 Apr;77(4):1837-41 + + 6445562 + + + + J Inorg Biochem. 2005 Mar;99(3):841-51 + + 15708806 + + + + J Adv Pharm Technol Res. 2012 Oct;3(4):200-1 + + 23378939 + + + + In Silico Biol. 2006;6(4):341-6 + + 16922696 + + + + Nucleic Acids Res. 2004 Jan 1;32(Database issue):D271-2 + + 14681410 + + + + Bioinformatics. 2001 Sep;17(9):849-50 + + 11590105 + + + + Nucleic Acids Res. 2002 Jan 1;30(1):276-80 + + 11752314 + + + + BMC Syst Biol. 2016 Nov 4;10 (1):103 + + 27814699 + + + + PLoS One. 2009;4(2):e4413 + + 19198654 + + + + Integr Biol (Camb). 2014 Nov;6(11):1088-99 + + 25212181 + + + + Pharm Biol. 2014 Sep;52(9):1170-8 + + 24766364 + + + + Chem Biol Drug Des. 2008 Jun;71(6):554-62 + + 18489439 + + + + CSH Protoc. 2007 Jul 01;2007:pdb.top17 + + 21357135 + + + + PLoS Negl Trop Dis. 2010 Aug 24;4(8):e804 + + 20808766 + + + + Bioinformation. 2009 Dec 31;4(6):245-8 + + 20975918 + + + + Protein Sci. 2004 May;13(5):1402-6 + + 15096640 + + + + Curr Protoc Protein Sci. 2007 Nov;Chapter 2:Unit 2.9 + + 18429317 + + + + +
+ + + 29635139 + + 2018 + 09 + 21 + + + 2018 + 10 + 04 + +
+ + 1873-4499 + + 49 + + 2018 May - Jun + + + Clinical imaging + Clin Imaging + + Bilateral absence of the cruciate ligaments with meniscal dysplasia: Unexpected diagnosis in a child with juvenile idiopathic arthritis. + + 193-197 + + S0899-7071(18)30064-0 + 10.1016/j.clinimag.2018.03.015 + + Bilateral agenesis of the cruciate ligaments is a rare congenital anomaly. We report a unique case of a young girl who had congenital short femur and diagnosed with polyarticular juvenile idiopathic arthritis (JIA) and later discovered to have congenital absence of both anterior and posterior cruciate ligaments and meniscal dysplasia in both the knees when MRI was performed at 11 years of age. The MRI was performed to evaluate knee laxity and persistent symptoms despite medical management and multiple steroid injections for arthritis treatment. This patient is one of the youngest with congenital absence of both the cruciate ligaments to be treated with ACL reconstruction. We highlight the unique radiographic imaging manifestations of congenital cruciate ligament agenesis and emphasize the role of MRI to confirm and depict additional intraarticular abnormalities. + Copyright © 2018 Elsevier Inc. All rights reserved. + + + + Degnan + Andrew J + AJ + + Department of Radiology, Children's Hospital of Philadelphia, Philadelphia, PA, United States. + + + + Kietz + Daniel A + DA + + Department of Rheumatology, Children's Hospital of Pittsburgh of UPMC, Pittsburgh, PA, United States. + + + + Grudziak + Jan S + JS + + Division of Orthopedics, Children's Hospital of Pittsburgh of UPMC, Pittsburgh, PA, United States. + + + + Shah + Amisha + A + + Department of Radiology, Children's Hospital of Pittsburgh of UPMC, Pittsburgh, PA, United States. Electronic address: shaha3@upmc.edu. + + + + eng + + Case Reports + Journal Article + + + 2018 + 03 + 26 + +
+ + United States + Clin Imaging + 8911831 + 0899-7071 + + IM + + + Anterior Cruciate Ligament + abnormalities + + + Arthritis, Juvenile + diagnostic imaging + etiology + pathology + + + Child + + + Female + + + Femur + abnormalities + + + Humans + + + Knee + abnormalities + + + Knee Joint + diagnostic imaging + + + Magnetic Resonance Imaging + methods + + + Menisci, Tibial + pathology + + + Meniscus + pathology + + + Posterior Cruciate Ligament + abnormalities + + + Radiography + + + + Congenital + Cruciate ligament agenesis + Juvenile idiopathic arthritis + Meniscal dysplasia + +
+ + + + 2018 + 01 + 23 + + + 2018 + 03 + 21 + + + 2018 + 03 + 23 + + + 2018 + 4 + 11 + 6 + 0 + + + 2018 + 9 + 22 + 6 + 0 + + + 2018 + 4 + 11 + 6 + 0 + + + ppublish + + 29635139 + S0899-7071(18)30064-0 + 10.1016/j.clinimag.2018.03.015 + + +
+ + + 29869631 + + 2018 + 11 + 14 + +
+ + 2296-2646 + + 6 + + 2018 + + + Frontiers in chemistry + Front Chem + + Discovery of the Linear Region of Near Infrared Diffuse Reflectance Spectra Using the Kubelka-Munk Theory. + + 154 + + 10.3389/fchem.2018.00154 + + Particle size is of great importance for the quantitative model of the NIR diffuse reflectance. In this paper, the effect of sample particle size on the measurement of harpagoside in Radix Scrophulariae powder by near infrared diffuse (NIR) reflectance spectroscopy was explored. High-performance liquid chromatography (HPLC) was employed as a reference method to construct the quantitative particle size model. Several spectral preprocessing methods were compared, and particle size models obtained by different preprocessing methods for establishing the partial least-squares (PLS) models of harpagoside. Data showed that the particle size distribution of 125-150 μm for Radix Scrophulariae exhibited the best prediction ability with + + + R + + + pre + + + 2 + + + = 0.9513, RMSEP = 0.1029 mg·g-1, and RPD = 4.78. For the hybrid granularity calibration model, the particle size distribution of 90-180 μm exhibited the best prediction ability with + + + R + + + pre + + + 2 + + + = 0.8919, RMSEP = 0.1632 mg·g-1, and RPD = 3.09. Furthermore, the Kubelka-Munk theory was used to relate the absorption coefficient k (concentration-dependent) and scatter coefficient s (particle size-dependent). The scatter coefficient s was calculated based on the Kubelka-Munk theory to study the changes of s after being mathematically preprocessed. A linear relationship was observed between k/s and absorption A within a certain range and the value for k/s was >4. According to this relationship, the model was more accurately constructed with the particle size distribution of 90-180 μm when s was kept constant or in a small linear region. This region provided a good reference for the linear modeling of diffuse reflectance spectroscopy. To establish a diffuse reflectance NIR model, further accurate assessment should be obtained in advance for a precise linear model. + + + + Dai + Shengyun + S + + Key Laboratory of TCM-Information Engineering of State Administration of TCM, Pharmaceutical Engineering and New Drug Development of Traditional Chinese, Medicine of Ministry of Education, Beijing University of Chinese Medicine, Beijing, China. + + + + Pan + Xiaoning + X + + Key Laboratory of TCM-Information Engineering of State Administration of TCM, Pharmaceutical Engineering and New Drug Development of Traditional Chinese, Medicine of Ministry of Education, Beijing University of Chinese Medicine, Beijing, China. + + + + Ma + Lijuan + L + + Key Laboratory of TCM-Information Engineering of State Administration of TCM, Pharmaceutical Engineering and New Drug Development of Traditional Chinese, Medicine of Ministry of Education, Beijing University of Chinese Medicine, Beijing, China. + + + + Huang + Xingguo + X + + Key Laboratory of TCM-Information Engineering of State Administration of TCM, Pharmaceutical Engineering and New Drug Development of Traditional Chinese, Medicine of Ministry of Education, Beijing University of Chinese Medicine, Beijing, China. + + + + Du + Chenzhao + C + + Key Laboratory of TCM-Information Engineering of State Administration of TCM, Pharmaceutical Engineering and New Drug Development of Traditional Chinese, Medicine of Ministry of Education, Beijing University of Chinese Medicine, Beijing, China. + + + + Qiao + Yanjiang + Y + + Key Laboratory of TCM-Information Engineering of State Administration of TCM, Pharmaceutical Engineering and New Drug Development of Traditional Chinese, Medicine of Ministry of Education, Beijing University of Chinese Medicine, Beijing, China. + + + + Wu + Zhisheng + Z + + Key Laboratory of TCM-Information Engineering of State Administration of TCM, Pharmaceutical Engineering and New Drug Development of Traditional Chinese, Medicine of Ministry of Education, Beijing University of Chinese Medicine, Beijing, China. + + + + eng + + Journal Article + + + 2018 + 05 + 07 + +
+ + Switzerland + Front Chem + 101627988 + 2296-2646 + + + Kubelka-Munk theory + Near infrared (NIR) diffuse reflectance spectroscopy + PLS + Radix Scrophulariae + harpagoside + particle size + +
+ + + + 2017 + 11 + 30 + + + 2018 + 04 + 19 + + + 2018 + 6 + 6 + 6 + 0 + + + 2018 + 6 + 6 + 6 + 0 + + + 2018 + 6 + 6 + 6 + 1 + + + epublish + + 29869631 + 10.3389/fchem.2018.00154 + PMC5949317 + + + + Talanta. 2013 Mar 30;107:248-54 + + 23598219 + + + + Meat Sci. 2009 Sep;83(1):96-103 + + 20416617 + + + + Int J Pharm. 2011 Sep 30;417(1-2):32-47 + + 21167266 + + + + Anal Chem. 2012 Jan 3;84(1):320-6 + + 22084930 + + + + J Pharm Biomed Anal. 2011 Apr 5;54(5):1059-64 + + 21232895 + + + + Soil Biol Biochem. 2008 Jul;40(7):1923-1930 + + 23226882 + + + + Anal Bioanal Chem. 2011 Feb;399(6):2137-47 + + 20922517 + + + + J Anal Methods Chem. 2015;2015:583841 + + 25821634 + + + + Analyst. 1998 Oct;123(10):2043-6 + + 10209891 + + + + Anal Chim Acta. 2006 Oct 2;579(1):25-32 + + 17723723 + + + + J Pharm Biomed Anal. 2008 Feb 13;46(3):568-73 + + 18068323 + + + + J Pharm Biomed Anal. 2011 Dec 5;56(4):830-5 + + 21839598 + + + + Anal Chim Acta. 2008 Jun 23;618(2):121-30 + + 18513533 + + + + +
+ + + 30426925 + + 2018 + 11 + 16 + + + 2018 + 12 + 07 + +
+ + 2050-084X + + 7 + + 2018 + 11 + 14 + + + eLife + Elife + + Closing the circle. + 10.7554/eLife.42507 + e42507 + + In Chlamydomonas the different stages of the Calvin-Benson cycle take place in separate locations within the chloroplast. + © 2018, Machingura et al. + + + + Machingura + Marylou C + MC + + Department of Biology, Georgia Southern University, Savannah, United States. + + + + Moroney + James V + JV + https://orcid.org/0000-0002-3652-5293 + + Department of Biological Sciences, Louisiana State University, Baton Rouge, United States. + + + + eng + + Journal Article + Comment + + + 2018 + 11 + 14 + +
+ + England + Elife + 101579614 + 2050-084X + + + + EC 4.1.1.39 + Ribulose-Bisphosphate Carboxylase + + + IM + + + Elife. 2018 Oct 11;7:null + 30306890 + + + + + Chlamydomonas + + + Chlamydomonas reinhardtii + + + Chloroplasts + + + Photosynthesis + + + Ribulose-Bisphosphate Carboxylase + + + + Chlamydomonas reinhardtii + biochemistry + carbon fixation + chemical biology + microcompartment + photosynthesis + plant biology + pyrenoid + rubisco + + MM, JM No competing interests declared +
+ + + + 2018 + 11 + 06 + + + 2018 + 11 + 06 + + + 2018 + 11 + 15 + 6 + 0 + + + 2018 + 11 + 15 + 6 + 0 + + + 2018 + 11 + 18 + 6 + 0 + + + epublish + + 30426925 + 10.7554/eLife.42507 + 42507 + PMC6235559 + + + + J Eukaryot Microbiol. 2014 Jan-Feb;61(1):75-94 + + 24460699 + + + + Cell. 2017 Sep 21;171(1):148-162.e19 + + 28938114 + + + + Metabolites. 2018 Mar 13;8(1):null + + 29534024 + + + + Elife. 2018 Oct 11;7: + + 30306890 + + + + Elife. 2015 Jan 13;4: + + 25584625 + + + + J Exp Bot. 2017 Jun 1;68(14):3959-3969 + + 28582571 + + + + Proc Natl Acad Sci U S A. 2016 May 24;113(21):5958-63 + + 27166422 + + + + Plant J. 2015 May;82(3):429-48 + + 25765072 + + + + +
+ + + 29869639 + + 2018 + 11 + 14 + +
+ + 1664-462X + + 9 + + 2018 + + + Frontiers in plant science + Front Plant Sci + + Multivariate Analysis of Water Quality and Benthic Macrophyte Communities in Florida Bay, USA Reveals Hurricane Effects and Susceptibility to Seagrass Die-Off. + + 630 + + 10.3389/fpls.2018.00630 + + Seagrass communities, dominated by Thalassia testudinum, form the principal benthic ecosystem within Florida Bay, Florida USA. The bay has had several large-scale seagrass die-offs in recent decades associated with drought and hypersaline conditions. In addition, three category-5 hurricanes passed in close proximity to the bay during the fall of 2005. This study investigated temporal and spatial trends in macrophyte abundance and water quality from 2006 to 2013 at 15 permanent transect sites, which were co-located with long-term water quality stations. Relationships, by year and by transect location (basin), between antecedent water quality (mean, minimum and maximum for a 6-month period) and benthic macrophyte communities were examined using multivariate analyses. Total phosphorus, salinity, pH, turbidity, dissolved inorganic nitrogen (DIN), DIN to phosphate ratio (DIN: + + + PO + + + 4 + + + - + 3 + + + ), chlorophyll a, and dissolved oxygen correlated with temporal and spatial variations in the macrophyte communities. Temporal analysis (MDS and LINKTREE) indicated that the fall 2005 hurricanes affected both water quality and macrophyte communities for approximately a 2-year period. Spatial analysis revealed that five basins, which subsequently exhibited a major seagrass die-off during summer 2015, significantly differed from the other ten basins in macrophyte community structure and water quality more than 2 years before this die-off event. High total phosphorus, high pH, low DIN, and low DIN: + + + PO + + + 4 + + + - + 3 + + + , in combination with deep sediments and high seagrass cover were characteristic of sites that subsequently exhibited severe die-off. Our results indicate basins with more mixed seagrass communities and higher macroalgae abundance are less susceptible to die-off, which is consistent with the management goals of promoting more heterogeneous benthic macrophyte communities. + + + + Cole + Amanda M + AM + + Department of Biology and Marine Biology, Center for Marine Science, The University of North Carolina Wilmington, Wilmington, NC, United States. + + + + Durako + Michael J + MJ + + Department of Biology and Marine Biology, Center for Marine Science, The University of North Carolina Wilmington, Wilmington, NC, United States. + + + + Hall + Margaret O + MO + + Florida Fish and Wildlife Research Institute, Florida Fish and Wildlife Conservation Commission, St. Petersburg, FL, United States. + + + + eng + + Journal Article + + + 2018 + 05 + 08 + +
+ + Switzerland + Front Plant Sci + 101568200 + 1664-462X + + + Florida Bay + die-off + hurricanes + macroalgae + multivariate analyses + seagrasses + water quality + +
+ + + + 2017 + 08 + 28 + + + 2018 + 04 + 20 + + + 2018 + 6 + 6 + 6 + 0 + + + 2018 + 6 + 6 + 6 + 0 + + + 2018 + 6 + 6 + 6 + 1 + + + epublish + + 29869639 + 10.3389/fpls.2018.00630 + PMC5952043 + + + + Science. 2000 Sep 22;289(5487):2068-74 + + 11000103 + + + + +
+ + + 28726616 + + 2018 + 04 + 11 + + + 2018 + 11 + 13 + +
+ + 1080-6059 + + 23 + 8 + + 2017 + 08 + + + Emerging infectious diseases + Emerging Infect. Dis. + + Molecular Characterization of Corynebacterium diphtheriae Outbreak Isolates, South Africa, March-June 2015. + + 1308-1315 + + 10.3201/eid2308.162039 + + In 2015, a cluster of respiratory diphtheria cases was reported from KwaZulu-Natal Province in South Africa. By using whole-genome analysis, we characterized 21 Corynebacterium diphtheriae isolates collected from 20 patients and contacts during the outbreak (1 patient was infected with 2 variants of C. diphtheriae). In addition, we included 1 cutaneous isolate, 2 endocarditis isolates, and 2 archived clinical isolates (ca. 1980) for comparison. Two novel lineages were identified, namely, toxigenic sequence type (ST) ST-378 (n = 17) and nontoxigenic ST-395 (n = 3). One archived isolate and the cutaneous isolate were ST-395, suggesting ongoing circulation of this lineage for >30 years. The absence of preexisting molecular sequence data limits drawing conclusions pertaining to the origin of these strains; however, these findings provide baseline genotypic data for future cases and outbreaks. Neither ST has been reported in any other country; this ST appears to be endemic only in South Africa. + + + + du Plessis + Mignon + M + + + Wolter + Nicole + N + + + Allam + Mushal + M + + + de Gouveia + Linda + L + + + Moosa + Fahima + F + + + Ntshoe + Genevie + G + + + Blumberg + Lucille + L + + + Cohen + Cheryl + C + + + Smith + Marshagne + M + + + Mutevedzi + Portia + P + + + Thomas + Juno + J + + + Horne + Valentino + V + + + Moodley + Prashini + P + + + Archary + Moherndran + M + + + Mahabeer + Yesholata + Y + + + Mahomed + Saajida + S + + + Kuhn + Warren + W + + + Mlisana + Koleka + K + + + McCarthy + Kerrigan + K + + + von Gottberg + Anne + A + + + eng + + Historical Article + Journal Article + +
+ + United States + Emerg Infect Dis + 9508155 + 1080-6040 + + IM + + + Adolescent + + + Adult + + + CRISPR-Cas Systems + + + Child + + + Child, Preschool + + + Corynebacterium diphtheriae + classification + genetics + isolation & purification + + + Diphtheria + epidemiology + history + microbiology + + + Disease Outbreaks + + + Female + + + Genome, Viral + + + History, 21st Century + + + Humans + + + Infant + + + Male + + + Multilocus Sequence Typing + + + Phylogeny + + + Registries + + + South Africa + epidemiology + + + Whole Genome Sequencing + + + Young Adult + + + + CRISPR + Corynebacterium diphtheriae + MLST + South Africa + bacteria + cutaneous diphtheria + diphtheria + molecular epidemiology + outbreak + respiratory diphtheria + respiratory infections + sequence type + whole-genome sequencing + +
+ + + + 2017 + 7 + 21 + 6 + 0 + + + 2017 + 7 + 21 + 6 + 0 + + + 2018 + 4 + 12 + 6 + 0 + + + ppublish + + 28726616 + 10.3201/eid2308.162039 + PMC5547784 + + + + Infect Immun. 2010 Sep;78(9):3791-800 + + 20547743 + + + + S Afr Med J. 1954 Aug 14;28(33):685-9 + + 13195862 + + + + Bioinformatics. 2015 Nov 15;31(22):3691-3 + + 26198102 + + + + Epidemiol Infect. 2017 Jul 3;:1 + + 28669370 + + + + J Bacteriol. 2012 Jun;194(12):3199-215 + + 22505676 + + + + Genome Announc. 2016 Nov 23;4(6):null + + 27881543 + + + + Euro Surveill. 2010 Oct 28;15(43):null + + 21087580 + + + + Euro Surveill. 2008 May 08;13(19):null + + 18761980 + + + + Emerg Infect Dis. 2013 Nov;19(11):1870-2 + + 24209492 + + + + BMC Infect Dis. 2006 Aug 15;6:129 + + 16911772 + + + + J Clin Microbiol. 2010 Nov;48(11):4177-85 + + 20844217 + + + + Bioinformatics. 2014 May 1;30(9):1312-3 + + 24451623 + + + + Am J Epidemiol. 1975 Aug;102(2):179-84 + + 808123 + + + + Clin Microbiol Infect. 2016 Dec;22(12 ):1005.e1-1005.e7 + + 27585941 + + + + J Infect Dis. 2000 Feb;181 Suppl 1:S27-34 + + 10657187 + + + + Bioinformatics. 2009 Aug 15;25(16):2071-3 + + 19515959 + + + + J Bacteriol. 2004 Mar;186(5):1518-30 + + 14973027 + + + + S Afr Med J. 1961 Aug 26;35:711-5 + + 13870743 + + + + Nucleic Acids Res. 2007 Jul;35(Web Server issue):W52-7 + + 17537822 + + + + J Clin Microbiol. 2012 Jan;50(1):173-5 + + 22090411 + + + + J Clin Microbiol. 1978 Dec;8(6):767-8 + + 106070 + + + + J Clin Microbiol. 2005 Jan;43(1):223-8 + + 15634975 + + + + Nucleic Acids Res. 2003 Nov 15;31(22):6516-23 + + 14602910 + + + + Infect Genet Evol. 2014 Jan;21:54-7 + + 24200588 + + + + Genome Announc. 2017 Mar 2;5(9):null + + 28254972 + + + + Nat Rev Microbiol. 2011 Jun;9(6):467-77 + + 21552286 + + + + Diagn Microbiol Infect Dis. 2012 Jun;73(2):111-20 + + 22494559 + + + + J Clin Microbiol. 2006 May;44(5):1625-9 + + 16672385 + + + + Emerg Infect Dis. 1998 Oct-Dec;4(4):539-50 + + 9866730 + + + + J Clin Microbiol. 2002 Dec;40(12):4713-9 + + 12454177 + + + + J Clin Microbiol. 2005 Apr;43(4):1662-8 + + 15814981 + + + + +
+ + + 29869640 + + 2018 + 11 + 14 + +
+ + 1664-302X + + 9 + + 2018 + + + Frontiers in microbiology + Front Microbiol + + Synthesis and Antibacterial Activity of Metal(loid) Nanostructures by Environmental Multi-Metal(loid) Resistant Bacteria and Metal(loid)-Reducing Flavoproteins. + + 959 + + 10.3389/fmicb.2018.00959 + + Microbes are suitable candidates to recover and decontaminate different environments from soluble metal ions, either via reduction or precipitation to generate insoluble, non-toxic derivatives. In general, microorganisms reduce toxic metal ions generating nanostructures (NS), which display great applicability in biotechnological processes. Since the molecular bases of bacterial reduction are still unknown, the search for new -environmentally safe and less expensive- methods to synthesize NS have made biological systems attractive candidates. Here, 47 microorganisms isolated from a number of environmental samples were analyzed for their tolerance or sensitivity to 19 metal(loid)s. Ten of them were highly tolerant to some of them and were assessed for their ability to reduce these toxicants in vitro. All isolates were analyzed by 16S rRNA gene sequencing, fatty acids composition, biochemical tests and electron microscopy. Results showed that they belong to the Enterobacter, Staphylococcus, Acinetobacter, and Exiguobacterium genera. Most strains displayed metal(loid)-reducing activity using either NADH or NADPH as cofactor. While Acinetobacter schindleri showed the highest tellurite ( + + + TeO + + + 3 + + + 2 + - + + + ) and tetrachloro aurate ( + + + AuCl + + + 4 + + + - + + + ) reducing activity, Staphylococcus sciuri and Exiguobacterium acetylicum exhibited selenite ( + + + SeO + + + 3 + + + 2 + - + + + ) and silver (Ag+) reducing activity, respectively. Based on these results, we used these bacteria to synthetize, in vivo and in vitro Te, Se, Au, and Ag-containing nanostructures. On the other hand, we also used purified E. cloacae glutathione reductase to synthesize in vitro Te-, Ag-, and Se-containing NS, whose morphology, size, composition, and chemical composition were evaluated. Finally, we assessed the putative anti-bacterial activity exhibited by the in vitro synthesized NS: Te-containing NS were more effective than Au-NS in inhibiting Escherichia coli and Listeria monocytogenes growth. Aerobically synthesized TeNS using MF09 crude extracts showed MICs of 45- and 66- μg/ml for E. coli and L. monocytogenes, respectively. Similar MIC values (40 and 82 μg/ml, respectively) were observed for TeNS generated using crude extracts from gorA-overexpressing E. coli. In turn, AuNS MICs for E. coli and L. monocytogenes were 64- and 68- μg/ml, respectively. + + + + Figueroa + Maximiliano + M + + Laboratorio Microbiología Molecular, Departamento de Biología, Facultad de Química y Biología, Universidad de Santiago de Chile, Santiago, Chile. + + + + Fernandez + Valentina + V + + Laboratorio Microbiología Molecular, Departamento de Biología, Facultad de Química y Biología, Universidad de Santiago de Chile, Santiago, Chile. + + + + Arenas-Salinas + Mauricio + M + + Centro de Bioinformática y Simulación Molecular, Universidad de Talca, Talca, Chile. + + + + Ahumada + Diego + D + + Laboratorio Microbiología Molecular, Departamento de Biología, Facultad de Química y Biología, Universidad de Santiago de Chile, Santiago, Chile. + + + + Muñoz-Villagrán + Claudia + C + + Laboratorio Microbiología Molecular, Departamento de Biología, Facultad de Química y Biología, Universidad de Santiago de Chile, Santiago, Chile. + + + Departamento de Ciencias Básicas, Facultad de Ciencia, Universidad Santo Tomas, Sede Santiago, Chile. + + + + Cornejo + Fabián + F + + Laboratorio Microbiología Molecular, Departamento de Biología, Facultad de Química y Biología, Universidad de Santiago de Chile, Santiago, Chile. + + + + Vargas + Esteban + E + + Center for the Development of Nanoscience and Nanotechnology, Santiago, Chile. + + + + Latorre + Mauricio + M + + Mathomics, Centro de Modelamiento Matemático, Universidad de Chile, Beauchef, Santiago, Chile. + + + Fondap-Center of Genome Regulation, Facultad de Ciencias, Universidad de Chile, Santiago, Chile. + + + Laboratorio de Bioinformática y Expresión Génica, INTA, Universidad de Chile, Santiago, Chile. + + + Instituto de Ciencias de la Ingeniería, Universidad de O'Higgins, Rancagua, Chile. + + + + Morales + Eduardo + E + + uBiome, San Francisco, CA, United States. + + + + Vásquez + Claudio + C + + Laboratorio Microbiología Molecular, Departamento de Biología, Facultad de Química y Biología, Universidad de Santiago de Chile, Santiago, Chile. + + + + Arenas + Felipe + F + + Laboratorio Microbiología Molecular, Departamento de Biología, Facultad de Química y Biología, Universidad de Santiago de Chile, Santiago, Chile. + + + +eng + + Journal Article + + + 2018 + 05 + 15 + +
+ + Switzerland + Front Microbiol + 101548977 + 1664-302X + + + bioremediation + environmental bacteria + flavoprotein + metal + metalloid + nanostructure + reduction + resistance + +
+ + + + 2017 + 12 + 12 + + + 2018 + 04 + 24 + + + 2018 + 6 + 6 + 6 + 0 + + + 2018 + 6 + 6 + 6 + 0 + + + 2018 + 6 + 6 + 6 + 1 + + + epublish + + 29869640 + 10.3389/fmicb.2018.00959 + PMC5962736 + + + + Microbiology. 2009 Jun;155(Pt 6):1840-6 + + 19383690 + + + + Biotechnol Lett. 2007 Mar;29(3):439-45 + + 17237973 + + + + Biochim Biophys Acta. 2008 Nov;1780(11):1170-200 + + 18423382 + + + + Annu Rev Microbiol. 2003;57:395-418 + + 14527285 + + + + Mol Biol Evol. 1987 Jul;4(4):406-25 + + 3447015 + + + + EcoSal Plus. 2009 Aug;3(2):null + + 26443772 + + + + ACS Nano. 2008 Oct 28;2(10):1984-6 + + 19206441 + + + + Biotechnol Adv. 2012 Sep-Oct;30(5):954-63 + + 21907273 + + + + Nat Rev Microbiol. 2013 Jun;11(6):371-84 + + 23669886 + + + + J Ind Microbiol Biotechnol. 2005 Dec;32(11-12):587-605 + + 16133099 + + + + Mater Sci Eng C Mater Biol Appl. 2014 Nov;44:278-84 + + 25280707 + + + + FEMS Microbiol Rev. 2009 Jul;33(4):820-32 + + 19368559 + + + + Antioxid Redox Signal. 2010 Apr 1;12(7):867-80 + + 19769465 + + + + Int J Nanomedicine. 2012;7:6003-9 + + 23233805 + + + + Trends Microbiol. 1999 Mar;7(3):111-5 + + 10203839 + + + + Annu Rev Microbiol. 1978;32:637-72 + + 360977 + + + + Free Radic Biol Med. 2011 Jun 1;50(11):1620-9 + + 21397686 + + + + Biometals. 2011 Feb;24(1):135-41 + + 20938718 + + + + Curr Opin Biotechnol. 1999 Jun;10(3):230-3 + + 10361068 + + + + PLoS One. 2013;8(3):e59140 + + 23555625 + + + + IET Nanobiotechnol. 2017 Jun;11(4):403-410 + + 28530189 + + + + Nanomedicine (Lond). 2008 Jun;3(3):329-41 + + 18510428 + + + + Arch Microbiol. 2010 Nov;192(11):969-73 + + 20821193 + + + + Sci Rep. 2017 Jun 12;7(1):3239 + + 28607388 + + + + PLoS One. 2007 Feb 14;2(2):e211 + + 17299591 + + + + Front Microbiol. 2016 Jul 26;7:1160 + + 27507969 + + + + Appl Environ Microbiol. 2005 Sep;71(9):5607-9 + + 16151159 + + + + Colloids Surf B Biointerfaces. 2009 Nov 1;74(1):328-35 + + 19716685 + + + + J Nanosci Nanotechnol. 2011 Dec;11(12):10279-94 + + 22408900 + + + + Environ Sci Technol. 2011 Oct 15;45(20):9003-8 + + 21950450 + + + + FEMS Microbiol Rev. 1999 Oct;23(5):615-27 + + 10525169 + + + + Nanoscale. 2011 Jul;3(7):2819-43 + + 21629911 + + + + Nanomedicine. 2010 Apr;6(2):257-62 + + 19616126 + + + + J Ind Microbiol. 1995 Oct;15(4):372-6 + + 8605074 + + + + Front Mol Biosci. 2015 Dec 18;2:69 + + 26732755 + + + + Appl Environ Microbiol. 2014 Nov;80(22):7061-70 + + 25193000 + + + + J Ind Microbiol. 1995 Feb;14(2):186-99 + + 7766211 + + + + Biomaterials. 2012 Mar;33(7):2327-33 + + 22182745 + + + + Adv Microb Physiol. 2008;53:1-72 + + 17707143 + + + + Crit Rev Biotechnol. 2012 Mar;32(1):49-73 + + 21696293 + + + + Appl Microbiol Biotechnol. 1999 Jun;51(6):730-50 + + 10422221 + + + + Appl Microbiol Biotechnol. 2016 Apr;100(7):2967-84 + + 26860944 + + + + Res Microbiol. 2005 Aug;156(7):807-13 + + 15946826 + + + + Adv Colloid Interface Sci. 2009 Jan 30;145(1-2):83-96 + + 18945421 + + + + Chem Asian J. 2012 May;7(5):930-4 + + 22438287 + + + + Biochimie. 2014 Jul;102:174-82 + + 24680738 + + + + Chem Biol Interact. 2000 Feb 15;125(1):29-38 + + 10724364 + + + + Biotechnol Adv. 2009 Jan-Feb;27(1):76-83 + + 18854209 + + + + Trends Biotechnol. 2010 Nov;28(11):580-8 + + 20724010 + + + + Adv Colloid Interface Sci. 2010 Apr 22;156(1-2):1-13 + + 20181326 + + + + Microb Cell Fact. 2013 Aug 06;12:75 + + 23919572 + + + + Biomed Res Int. 2013;2013:563756 + + 23991420 + + + + Langmuir. 2009 Jul 21;25(14):8192-9 + + 19425601 + + + + Nano Lett. 2012 Aug 8;12(8):4271-5 + + 22765771 + + + + Proc Natl Acad Sci U S A. 2004 Jul 27;101(30):11030-5 + + 15258291 + + + + Org Biomol Chem. 2010 Oct 7;8(19):4203-16 + + 20714663 + + + + Arch Microbiol. 2007 Feb;187(2):127-35 + + 17013634 + + + + +
+ + 23203860 + 23203861 + 23203892 + 23203893 + 23203894 + 23203895 + 23203896 + +
-- cgit v1.2.3