zotero/translators/OVID Tagged.js

1157 lines
111 KiB
JavaScript
Raw Permalink Normal View History

2024-08-27 21:48:20 -05:00
{
"translatorID": "59e7e93e-4ef0-4777-8388-d6eddb3261bf",
"label": "OVID Tagged",
"creator": "Sebastian Karcher",
"target": "txt",
"minVersion": "4.0",
"maxVersion": "",
"priority": 100,
"inRepository": true,
"translatorType": 1,
"lastUpdated": "2021-10-12 19:51:31"
}
/*
***** BEGIN LICENSE BLOCK *****
OVID Tagged import translator
(Based on hhttp://ospguides.ovid.com/OSPguides/medline.htm#PT and lots of testing
Created as part of the 2014 Zotero Trainer Workshop in Syracus
and with contributions from participants.)
Copyright © 2014 Sebastian Karcher
This file is part of Zotero.
Zotero is free software: you can redistribute it and/or modify
it under the terms of the GNU Affero General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
Zotero is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU Affero General Public License for more details.
You should have received a copy of the GNU Affero General Public License
along with Zotero. If not, see <http://www.gnu.org/licenses/>.
***** END LICENSE BLOCK *****
*/
function detectImport() {
var line;
var i = 0;
while ((line = Zotero.read()) !== false) {
line = line.replace(/^\s+/, "");
if (line != "") {
// All Ovid databases have this at the top:
if (line.match(/^VN\s{1,2}- Ovid Technologies/)) {
return true;
}
else if (i++ > 3) {
return false;
}
}
}
return false;
}
var fieldMap = {
TI: "title",
VI: "volume",
IP: "issue",
PL: "place",
PB: "publisher",
BT: "bookTitle",
JT: "publicationTitle",
TA: "journalAbbreviation",
PG: "pages",
PN: "patentNumber",
RO: "rights",
DG: "issueDate",
IB: "ISBN",
IS: "ISSN",
LG: "language",
EN: "edition",
DB: "libraryCatalog",
AB: "abstractNote",
AN: "callNumber"
};
// Only the most basic types. Mostly guessing from existing Ovid records here
var inputTypeMap = {
Book: "book",
"Book Chapter": "bookSection",
"Book chapter": "bookSection",
Chapter: "bookSection",
Dissertation: "thesis",
"Dissertation Abstract": "thesis",
"Journal Article": "journalArticle",
"Newspaper Article": "newspaperArticle",
"Video-Audio Media": "videoRecording",
"Technical Report": "report",
"Legal Case": "case",
Legislation: "statute",
Patent: "patent"
};
function processTag(item, tag, value) {
value = Zotero.Utilities.trim(value);
if (fieldMap[tag]) {
item[fieldMap[tag]] = value;
}
else if (tag == "PT" || tag == "DT") {
if (inputTypeMap[value]) { // first check inputTypeMap
item.itemType = inputTypeMap[value];
}
// I don't think FED or ED exist, but let's keep them to be safe
}
else if (tag == "FA" || tag == "FED") {
let type;
if (tag == "FA") {
type = "author";
}
else if (tag == "FED") {
type = "editor";
}
item.creators.push(Zotero.Utilities.cleanAuthor(value, type, value.includes(",")));
}
else if (tag == "AU" || tag == "ED") {
let type;
if (tag == "AU") {
type = "author";
}
else if (tag == "ED") {
type = "editor";
}
value = value.replace(/[0-9,+*\s]+$/, "").replace(/ Ph\.?D\.?.*/, "").replace(/\[.+/, "")
.replace(/(\b(?:MD|[BM]Sc|[BM]A|MPH|MB)(,\s*)?)+$/gi, "");
// Z.debug(value)
item.creatorsBackup.push(Zotero.Utilities.cleanAuthor(value, type, value.includes(",")));
}
else if (tag == "UI") {
item.PMID = "PMID: " + value;
}
else if (tag == "DI" || tag == "DO") {
if (value.includes("10.")) item.DOI = value;
}
else if (tag == "YR") {
item.date = value;
}
else if (tag == "IN") {
item.institution = value;
}
else if (tag == "SO") {
item.citation = value;
}
else if (tag == "PU") {
item.publishing = value;
}
else if (tag == "KW") {
let tags = value.split(/;\s*/);
for (let tag of tags) {
item.tags.push({ tag });
}
}
}
function doImport() {
var line = true;
var potentialItemID, checkID;
do { // first valid line is type
Zotero.debug("ignoring " + line);
line = Zotero.read();
line = line.replace(/^\s+/, "");
checkID = line.match(/^<\s*(\d+)\.\s*>\s*$/);
if (checkID) potentialItemID = checkID[1];
} while (line !== false && line.search(/^[A-Z0-9]+\s*-/) == -1);
var item = new Zotero.Item();
item.creatorsBackup = [];
if (potentialItemID) item.itemID = potentialItemID;
potentialItemID = null;
var tag = line.match(/^[A-Z0-9]+/)[0];
var data = line.substr(line.indexOf("-") + 1);
while ((line = Zotero.read()) !== false) { // until EOF
line = line.replace(/^\s+/, "");
checkID = line.match(/^<\s*(\d+)\.\s*>\s*$/);
if (checkID && !potentialItemID) potentialItemID = checkID[1];
if (line.search(/^[A-Z0-9]+\s*-/) != -1) {
// if this line is a tag, take a look at the previous line to map
// its tag
if (tag) {
processTag(item, tag, data);
}
// then fetch the tag and data from this line
tag = line.match(/^[A-Z0-9]+/)[0];
if (tag == 'VN') {
// New item, finalize last one
finalizeItem(item);
item = new Zotero.Item();
item.creatorsBackup = [];
if (potentialItemID) item.itemID = potentialItemID;
potentialItemID = null;
}
data = line.substr(line.indexOf("-") + 1);
}
else if (tag) {
// otherwise, assume this is data from the previous line continued
data += " " + line;
}
}
if (tag) { // save any unprocessed tags
processTag(item, tag, data);
// and finalize with some post-processing
finalizeItem(item);
}
}
function finalizeItem(item) {
if (item.creators.length == 0 && item.creatorsBackup.length > 0) {
item.creators = item.creatorsBackup;
}
delete item.creatorsBackup;
if (!item.itemType) item.itemType = inputTypeMap["Journal Article"];
item.title = item.title
.replace(/(\.\s*)?(\[(Article|Report|Miscellaneous|References)\])?([.\s]*)?$/, "")
.replace(/^\s*"(.+)"\s*$/, '$1');
var monthRegex = /(?:[-/]?(?:Jan(?:uary)?|Feb(?:ruary)?|Mar(?:ch)?|Apr(?:il)?|May|Jun(?:e)?|Jul(?:y)?|Aug(?:ust)?|Sep(?:tember)?|Oct(?:ober)?|Nov(?:ember)?|Dec(?:ember)?))+\b/;
var value = item.citation;
if (!value && item.itemType == "bookSection") value = item.bookTitle;
if (item.itemType == "journalArticle" && value) {
if (value.match(/\d{4}/)) {
if (!item.date) item.date = value.match(/\d{4}/)[0];
}
var month = monthRegex.exec(value);
if (month) item.date = item.date += " " + (month)[0];
if (value.match(/(\d+)\((\d+(?:-\d+)?)\)/)) {
var voliss = value.match(/(\d+)\((\d+(?:-\d+)?)\)/);
item.volume = voliss[1];
item.issue = voliss[2];
}
if (value.match(/vol\.\s*(\d+)/)) {
item.volume = value.match(/vol\.\s*(\d+)/)[1];
}
if (!item.volume && value.match(/\d{4};(\d+):/)) item.volume = value.match(/\d{4};(\d+):/)[1];
if (value.match(/vol\.\s*\d+\s*,\s*no\.\s*(\d+)/)) {
item.issue = value.match(/vol\.\s*\d+\s*,\s*no\.\s*(\d+)/)[1];
}
if (value.match(/:\s*\d+-\d+/)) item.pages = value.match(/:\s*(\d+-\d+)/)[1];
if (value.match(/pp\.\s*(\d+-\d+)/)) item.pages = value.match(/pp\.\s*(\d+-\d+)/)[1];
if (value.match(/^\s*[J|j]ournal[-\s\w&:]+/)) {
item.publicationTitle = value.match(/^\s*[J|j]ournal[-\s\w&:]+/)[0];
}
else {
item.publicationTitle = Zotero.Utilities.trimInternal(value.split(/(\.|;|(,\s*vol\.))/)[0]);
}
item.publicationTitle = item.publicationTitle.split(monthRegex)[0];
}
if (item.itemType == "bookSection" && value) {
if (!item.pages) {
if (value.match(/:\s*\d+-\d+/)) item.pages = value.match(/:\s*(\d+-\d+)/)[1];
if (value.match(/pp\.\s*(\d+-\d+)/)) item.pages = value.match(/pp\.\s*(\d+-\d+)/)[1];
}
// editors are only listed as part of the citation...
if (/(.+?)\[Ed(itor|\.|\])/.test(value)) {
var editors = value.match(/.+?\[Ed(itor|\.|\])/g);
for (let editor of editors) {
editor = editor.replace(/\[Ed(itor|\.|\]).*$/, "").replace(/.*?\][,\s]*/, "");
item.creators.push(ZU.cleanAuthor(editor, "editor", true));
}
}
if (value.match(/.+\[Ed(?:\.|itor)?\][.\s]*([^.]+)/)) {
item.bookTitle = value.match(/.+\[Ed(?:\.|itor)?\][.\s]*(?:\(\d{4}\)\.)?([^.]+)/)[1];
}
}
// fix all caps authors
for (var i in item.creators) {
if (item.creators[i].lastName && item.creators[i].lastName == item.creators[i].lastName.toUpperCase()) {
item.creators[i].lastName = ZU.capitalizeTitle(item.creators[i].lastName.toLowerCase(), true);
}
}
if (item.pages) {
// Z.debug(item.pages)
// where page ranges are given in an abbreviated format, convert to full
// taken verbatim from NCBI Pubmed translator
var pageRangeRE = /(\d+)-(\d+)/g;
pageRangeRE.lastIndex = 0;
var range = pageRangeRE.exec(item.pages);
if (range) {
var pageRangeStart = range[1];
var pageRangeEnd = range[2];
var diff = pageRangeStart.length - pageRangeEnd.length;
if (diff > 0) {
pageRangeEnd = pageRangeStart.substring(0, diff) + pageRangeEnd;
var newRange = pageRangeStart + "-" + pageRangeEnd;
var fullPageRange = item.pages.substring(0, range.index) // everything before current range
+ newRange // insert the new range
+ item.pages.substring(range.index + range[0].length); // everything after the old range
// adjust RE index
pageRangeRE.lastIndex += newRange.length - range[0].length;
item.pages = fullPageRange;
}
}
}
if ((item.itemType == "book" || item.itemType == "bookSection") && !item.publisher) {
item.publisher = item.publishing;
}
if (item.publisher && !item.pace) {
if (item.publisher.search(/,./) != -1) {
item.place = item.publisher.match(/,(.+?)$/)[1];
item.publisher = item.publisher.replace(/,.+?$/, "");
}
}
if (item.itemType == "thesis" && item.institution) {
item.publisher = item.institution.replace(/^.+:\s*/, "");
delete item.institution;
}
if (item.ISBN) item.ISBN = ZU.cleanISBN(item.ISBN);
if (item.ISSN) item.ISSN = ZU.cleanISSN(item.ISSN);
if (item.DOI) item.DOI = ZU.cleanDOI(item.DOI);
if (item.callNumber) {
item.callNumber = item.callNumber.replace(/[.\s]+$/, '');
}
// strip extraneous label at the end of title (reported for Psycinfo)
if (item.libraryCatalog && item.libraryCatalog.includes("MEDLINE") && item.PMID) {
item.extra = item.PMID;
delete item.PMID;
}
delete item.publishing;
delete item.citation;
delete item.itemID;
item.complete();
}
/** BEGIN TEST CASES **/
var testCases = [
{
"type": "import",
"input": "<1. >\r\nVN - Ovid Technologies\r\nDB - BIOSIS Previews\r\nAN - PREV200400474164\r\nRO - Copyright Thomson 2004.\r\nAU - Walsdorf, Neill B. [Inventor, Reprint Author]\r\nAU - Wabner, Cindy L. [Inventor]\r\nAU - Alexandrides, George [Inventor]\r\nIN - Canyon Lake, TX, USA.\r\nCY - USA\r\nTI - Dietary supplements containing ultradense calcium citrate and carbonyl iron\r\nSO - Official Gazette of the United States Patent & Trademark Office Patents. 1288(3), Nov. 16, 2004.\r\nJL - http://www.uspto.gov/web/menu/patdata.html\r\nPT - Patent\r\nIS - 0098-1133 (ISSN print)\r\nPN - US 6818228\r\nDG - November 16, 2004\r\nCL - 424-464\r\nPC - USA\r\nPA - Mission Pharmacal Company\r\nCC - [10069] Biochemistry studies - Minerals\r\nCC - [12512] Pathology - Therapy\r\nCC - [13202] Nutrition - General studies, nutritional status and methods\r\nCC - [22002] Pharmacology - General\r\nCC - [22501] Toxicology - General and methods\r\nCC - [22504] Toxicology - Pharmacology\r\nLG - English\r\nAB - A vitamin and mineral supplement containing ULTRADENSE.TM. calcium citrate and carbonyl iron for use in humans. Calcium in the form of citrate enhances absorption of iron, zinc, and magnesium. ULTRADENSE.TM. calcium citrate provides more bioavailable calcium than usual preparations of calcium citrate. Carbonyl iron provides iron in a form that significantly reduces the risk to children of accidental iron poisoning from formulations that provide iron in salt form. The supplement may further contain a number of vitamins and minerals in a tablet that is elegantly small, weighing about 1.5-1.6 g. The small size allows ease of swallowing and encourages patient acceptability. Methods of making such a supplement and methods of treating maladies in need of vitamin and mineral supplementation are provided.\r\nMC - Methods and Techniques\r\nMC - Nutrition\r\nMC - Pharmacology\r\nDS - accidental iron poisoning: toxicity\r\nCB - calcium citrate: 7693-13-2, food supplement, ultradense\r\nCB - carbonyl iron: 7439-89-6, food supplement\r\nCB - dietary supplements: vitamin-drug, food supplement, size\r\nCB - iron: 7439-89-6, nutrient\r\nCB - magnesium: 7439-95-4, nutrient\r\nCB - zinc: 7440-66-6, nutrient\r\nYR - 2004\r\nUP - 200400. BIOSIS Update: 20041209.\r\nXL - http://ovidsp.ovid.com/ovidweb.cgi?T=JS&CSC=Y&NEWS=N&PAGE=fulltext&D=biop30&AN=PREV200400474164\r\nXL - http://hopper.library.northwestern.edu/sfx/?sid=OVID:biopdb&id=pmid:&id=doi:&issn=0098-1133&isbn=&volume=1288&issue=3&spage=&pages=&date=2004&title=Official+Gazette+of+the+United+States+Patent+%26+Trademark+Office+Patents&atitle=Dietary+supplements+containing+ultradense+calcium+citrate+and+carbonyl+iron&aulast=Walsdorf&pid=%3Cauthor%3EWalsdorf%2C+Neill+B.%3BWabner%2C+Cindy+L.%3BAlexandrides%2C+George%3C%2Fauthor%3E&%3CAN%3EPREV200400474164%3C%2FAN%3E&%3CDT%3EPatent%3C%2FDT%3E\r\n\r\n<241. >\r\nVN - Ovid Technologies\r\nDB - BIOSIS Previews\r\nAN - PREV200400473722\r\nRO - Copyright Thomson 2004.\r\nAU - Werner, S. M. [Author, Reprint Author; E-mail: shahlawerner@yahoo.com]\r\nAU - Nordheim, E. V. [Author]\r\nAU - Raffa, K. F. [Author]\r\nIN - Forest Pest Management, DCNR, 208 Airport Dr,2nd Floor, Middletown, PA, 17057, USA.\r\nCY - USA\r\nTI - Comparison of methods for sampling Thysanoptera on basswood (Tilia americana L.) trees in mixed northern hardwood deciduous forests\r\nSO - Forest Ecology & Management. 201(2-3):327-334, November 15, 2004.\r\nPT - Article\r\nIS - 0378-1127 (ISSN print)\r\nCC - [05500] Social biology and human ecology\r\nCC - [07506] Ecology: environmental biology - Plant\r\nCC - [07508] Ecology: environmental biology - Animal\r\nCC - [25502] Development and Embryology - General and descriptive\r\nCC - [37001] Public health - General and miscellaneous\r\nCC - [53500] Forestry and forest products\r\nCC - [60502] Parasitology - General\r\nCC - [60504] Parasitology - Medical\r\nCC - [64076] Invertebrata: comparative, experimental morphology, physiology and pathology - Insecta: physiology\r\nLG - English\r
"items": [
{
"itemType": "patent",
"title": "Dietary supplements containing ultradense calcium citrate and carbonyl iron",
"creators": [
{
"firstName": "Neill B.",
"lastName": "Walsdorf",
"creatorType": "author"
},
{
"firstName": "Cindy L.",
"lastName": "Wabner",
"creatorType": "author"
},
{
"firstName": "George",
"lastName": "Alexandrides",
"creatorType": "author"
}
],
"issueDate": "2004",
"abstractNote": "A vitamin and mineral supplement containing ULTRADENSE.TM. calcium citrate and carbonyl iron for use in humans. Calcium in the form of citrate enhances absorption of iron, zinc, and magnesium. ULTRADENSE.TM. calcium citrate provides more bioavailable calcium than usual preparations of calcium citrate. Carbonyl iron provides iron in a form that significantly reduces the risk to children of accidental iron poisoning from formulations that provide iron in salt form. The supplement may further contain a number of vitamins and minerals in a tablet that is elegantly small, weighing about 1.5-1.6 g. The small size allows ease of swallowing and encourages patient acceptability. Methods of making such a supplement and methods of treating maladies in need of vitamin and mineral supplementation are provided.",
"language": "English",
"patentNumber": "US 6818228",
"rights": "Copyright Thomson 2004.",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
},
{
"itemType": "journalArticle",
"title": "Comparison of methods for sampling Thysanoptera on basswood (Tilia americana L.) trees in mixed northern hardwood deciduous forests",
"creators": [
{
"firstName": "S. M.",
"lastName": "Werner",
"creatorType": "author"
},
{
"firstName": "E. V.",
"lastName": "Nordheim",
"creatorType": "author"
},
{
"firstName": "K. F.",
"lastName": "Raffa",
"creatorType": "author"
}
],
"date": "2004 November",
"ISSN": "0378-1127",
"abstractNote": "Canopy arthropods play integral roles in the functioning, biodiversity, and productivity of forest ecosystems. Yet quantitative sampling of arboreal arthropods poses formidable challenges. We evaluated three methods of sampling the introduced basswood thrips, Thrips calcaratus Uzel (Thysanoptera: Thripidae), from the foliage of basswood canopies with respect to statistical variability and practical considerations (legal, economic and logistical accessibility). All three methods involved removal of foliage, which was performed using a pole-pruner, shotgun, and certified tree-climber. We also tested a fourth method, in which the tree-climber enclosed samples in a plastic bag to estimate losses that occur when branches fall to the ground, even though this is often not practical. The climber plus bag and pole-pruning methods obtained the highest numbers of thrips. Mean number of larval thrips did not vary significantly among the three main sampling methods. Site had a stronger effect on the number of larval thrips obtained than on the number of adults. A significant method by site interaction was observed with adults but not larvae. Significant collection date (which corresponds to thrips life stage) by site interaction was also observed. We regressed sampling methods to determine if the number of thrips obtained using one method can be used to predict the number obtained with another. Tree-climber and pole-pruner data were highly predictive of each other, but shotgun data cannot be used to estimate other methods. Pole-pruning is the most cost-effective and legally permissible technique, but is limited to trees with accessible lower branches. The shotgun method is cost-effective and useful in sampling trees at least up to 27 m, but is prohibited close to human activity. The tree-climber is effective and broadly applicable, but incurs the highest costs. This study shows the need to evaluate a variety of techniques when sampling arboreal insects with respect to predictability, pragmatics and life stages. Copyright 2004, Elsevier B.V. All rights reserved.",
"callNumber": "PREV200400473722",
"issue": "2-3",
"language": "English",
"libraryCatalog": "BIOSIS Previews",
"pages": "327-334",
"publicationTitle": "Forest Ecology & Management",
"rights": "Copyright Thomson 2004.",
"volume": "201",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
},
{
"itemType": "bookSection",
"title": "Increasing throughput and data quality for proteomics",
"creators": [
{
"firstName": "Alfred L.",
"lastName": "Gaertner",
"creatorType": "author"
},
{
"firstName": "Nicole L.",
"lastName": "Chow",
"creatorType": "author"
},
{
"firstName": "Beth G.",
"lastName": "Fryksdale",
"creatorType": "author"
},
{
"firstName": "Paul",
"lastName": "Jedrzejewski",
"creatorType": "author"
},
{
"firstName": "Brian S.",
"lastName": "Miller",
"creatorType": "author"
},
{
"firstName": "Sigrid",
"lastName": "Paech",
"creatorType": "author"
},
{
"firstName": "David L.",
"lastName": "Wong",
"creatorType": "author"
},
{
"firstName": "Roza Maria",
"lastName": "Kamp",
"creatorType": "editor"
},
{
"firstName": "Juan J.",
"lastName": "Calvete",
"creatorType": "editor"
},
{
"firstName": "Theodora",
"lastName": "Choli-Papadopoulou",
"creatorType": "editor"
}
],
"date": "2004",
"ISBN": "3540202226",
"bookTitle": "Methods in proteome and protein analysis",
"callNumber": "PREV200400435038",
"language": "English",
"libraryCatalog": "BIOSIS Previews",
"pages": "371-397",
"rights": "Copyright Thomson 2004.",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
},
{
"itemType": "bookSection",
"title": "Peak Erazor: A Windows-based program for improving peptide mass searches",
"creators": [
{
"firstName": "Karin",
"lastName": "Hjerno",
"creatorType": "author"
},
{
"firstName": "Peter",
"lastName": "Hojrup",
"creatorType": "author"
},
{
"firstName": "Roza Maria",
"lastName": "Kamp",
"creatorType": "editor"
},
{
"firstName": "Juan J.",
"lastName": "Calvete",
"creatorType": "editor"
},
{
"firstName": "Theodora",
"lastName": "Choli-Papadopoulou",
"creatorType": "editor"
}
],
"date": "2004",
"ISBN": "3540202226",
"bookTitle": "Methods in proteome and protein analysis",
"callNumber": "PREV200400435037",
"language": "English",
"libraryCatalog": "BIOSIS Previews",
"pages": "359-370",
"rights": "Copyright Thomson 2004.",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
}
]
},
{
"type": "import",
"input": "<1. >\r\nVN - Ovid Technologies\r\nDB - International Political Science Abstract\r\nAN - 63-7578\r\nAU - AHMED, Mughees.\r\nTI - Legitimacy crises in Pakistan.\r\nTT - A comparative study of political behavior.\r\nSO - Journal of Political Studies 12, Winter 2007: 7-14.\r\nDE - Legitimacy crisis, Pakistan\r\nAB - This paper presents a thorough review of legality of governments in Pakistan. It suggests that how non-political rulers have legalized their authority within the political system of Pakistan. This paper analyzes the behavior of dictators and their supporters and even opponents which legitimize unconstitutional actions taken by dictators. Analytical and political interaction approach is adopted in this paper. Another object of this discussion is to analyze the behavior of politicians and the judiciary about the legitimacy of dictators' rule. [R]\r\nLG - English\r\nIS - 1991-1080\r\nYR - 2007\r\nUP - 201312\r\nXL - http://ovidsp.ovid.com/ovidweb.cgi?T=JS&CSC=Y&NEWS=N&PAGE=fulltext&D=ipsa&AN=63-7578\r\nXL - http://hopper.library.northwestern.edu/sfx/?sid=OVID:ipsadb&id=pmid:&id=&issn=1991-1080&isbn=&volume=12&issue=&spage=7&pages=7-14&date=2007&title=Journal+of+Political+Studies&atitle=Legitimacy+crises+in+Pakistan.&aulast=AHMED&pid=%3Cauthor%3EAHMED%2C+Mughees%3C%2Fauthor%3E&%3CAN%3E63-7578%3C%2FAN%3E&%3CDT%3E%3C%2FDT%3E\r\n\r\n<2. >\r\nVN - Ovid Technologies\r\nDB - International Political Science Abstract\r\nAN - 63-7566\r\nAU - WIJERS, Gea D M.\r\nTI - Contributions to transformative change in Cambodia: a study on returnees as institutional entrepreneurs.\r\nSO - Journal of Current Southeast Asian Affairs, 2013(1): 3-28.\r\nDE - Democratization , French returnees , Cambodia\r\nAB - This paper explores the experiences of Cambodian French returnees who are contributing to transformative change in Cambodia as institutional entrepreneurs. In order to delve into how returnees and their work are perceived in both host and home country, this multi-sited research project was designed as a comparative case study. Data were primarily collected through conversations with individual informants from the Lyonnese and Parisian Cambodian community as well as selected key informants in Phnom Penh. Excerpts of case studies are presented and discussed to illustrate the history, context and situation of their return as these influence their institutional entrepreneurial activities and the ways in which they use their transnational social networks as resources. [R, abr.]\r\nLG - English\r\nIS - 1868-1034\r\nYR - 2013\r\nUP - 201312\r\nXL - http://ovidsp.ovid.com/ovidweb.cgi?T=JS&CSC=Y&NEWS=N&PAGE=fulltext&D=ipsa&AN=63-7566\r\nXL - http://hopper.library.northwestern.edu/sfx/?sid=OVID:ipsadb&id=pmid:&id=&issn=1868-1034&isbn=&volume=2013&issue=1&spage=3&pages=3-28&date=2013&title=Journal+of+Current+Southeast+Asian+Affairs&atitle=Contributions+to+transformative+change+in+Cambodia%3A+a+study+on+returnees+as+institutional+entrepreneurs.&aulast=WIJERS&pid=%3Cauthor%3EWIJERS%2C+Gea+D+M%3C%2Fauthor%3E&%3CAN%3E63-7566%3C%2FAN%3E&%3CDT%3E%3C%2FDT%3E\r\n\r\n\r\n",
"items": [
{
"itemType": "journalArticle",
"title": "Legitimacy crises in Pakistan",
"creators": [
{
"firstName": "Mughees",
"lastName": "Ahmed",
"creatorType": "author"
}
],
"date": "2007",
"abstractNote": "This paper presents a thorough review of legality of governments in Pakistan. It suggests that how non-political rulers have legalized their authority within the political system of Pakistan. This paper analyzes the behavior of dictators and their supporters and even opponents which legitimize unconstitutional actions taken by dictators. Analytical and political interaction approach is adopted in this paper. Another object of this discussion is to analyze the behavior of politicians and the judiciary about the legitimacy of dictators' rule. [R]",
"callNumber": "63-7578",
"language": "English",
"libraryCatalog": "International Political Science Abstract",
"pages": "7-14",
"publicationTitle": "Journal of Political Studies 12",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
},
{
"itemType": "journalArticle",
"title": "Contributions to transformative change in Cambodia: a study on returnees as institutional entrepreneurs",
"creators": [
{
"firstName": "Gea D. M.",
"lastName": "Wijers",
"creatorType": "author"
}
],
"date": "2013",
"ISSN": "1868-1034",
"abstractNote": "This paper explores the experiences of Cambodian French returnees who are contributing to transformative change in Cambodia as institutional entrepreneurs. In order to delve into how returnees and their work are perceived in both host and home country, this multi-sited research project was designed as a comparative case study. Data were primarily collected through conversations with individual informants from the Lyonnese and Parisian Cambodian community as well as selected key informants in Phnom Penh. Excerpts of case studies are presented and discussed to illustrate the history, context and situation of their return as these influence their institutional entrepreneurial activities and the ways in which they use their transnational social networks as resources. [R, abr.]",
"callNumber": "63-7566",
"issue": "1",
"language": "English",
"libraryCatalog": "International Political Science Abstract",
"pages": "3-28",
"publicationTitle": "Journal of Current Southeast Asian Affairs",
"volume": "2013",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
}
]
},
{
"type": "import",
"input": "<3. >\r\nVN - Ovid Technologies\r\nDB - Journals@Ovid\r\nAN - 00135124-201001000-00018.\r\nAU - Peterson, James A. Ph.D., FACSM\r\nIN - James A. Peterson, Ph.D., FACSM, is a freelance writer and consultant in sports medicine. From 1990 until 1995, Dr. Peterson was director of sports medicine with StairMaster. Until that time, he was professor of physical education at the United States Military Academy.\r\nTI - Take Ten: Need-to-Know Facts About Breast Cancer. [Miscellaneous]\r\nSO - ACSM'S Health & Fitness Journal January/February 2010;14(1):56\r\nJC - 9705338\r\nLG - English.\r\nDT - DEPARTMENTS.\r\nSB - Clinical Medicine, Health Professions.\r\nIS - 1091-5397\r\nDI - 10.1249/FIT.0b013e3181c6723d\r\nXL - http://ovidsp.ovid.com/ovidweb.cgi?T=JS&CSC=Y&NEWS=N&PAGE=fulltext&D=ovftk&AN=00135124-201001000-00018\r\n\r\n<5. >\r\nVN - Ovid Technologies\r\nDB - Journals@Ovid\r\nAN - 01189059-201108000-00009.\r\nAU - Zhang, Weijia 1,2,+\r\nAU - Ding, Wei 2,+\r\nAU - Chen, Ye 2\r\nAU - Feng, Meilin 2\r\nAU - Ouyang, Yongmei 2\r\nAU - Yu, Yanhui 2\r\nAU - He, Zhimin 1,2,*\r\nIN - (1)Cancer Research Institute and Cancer Hospital, Guangzhou Medical University, Guangzhou 510182, China, (2)Cancer Research Institute, Xiangya School of Medicine, Central South University, Changsha 410078, China\r\nTI - Up-regulation of breast cancer resistance protein plays a role in HER2-mediated chemoresistance through PI3K/Akt and nuclear factor-kappa B signaling pathways in MCF7 breast cancer cells. [Article]\r\nSO - Acta Biochimica et Biophysica Sinica August 2011;43(8):647-653\r\nJC - 101206716\r\nAB - Human epidermal growth factor receptor 2 (HER2/neu, also known as ErbB2) overexpression is correlated with the poor prognosis and chemoresistance in cancer. Breast cancer resistance protein (BCRP and ABCG2) is a drug efflux pump responsible for multidrug resistance (MDR) in a variety of cancer cells. HER2 and BCRP are associated with poor treatment response in breast cancer patients, although the relationship between HER2 and BCRP expression is not clear. Here, we showed that transfection of HER2 into MCF7 breast cancer cells (MCF7/HER2) resulted in an up-regulation of BCRP via the phosphatidylinositol 3-kinase (PI3K)/Akt and nuclear factor-kappa B (NF-[kappa]B) signaling. Treatment of MCF/HER2 cells with the PI3K inhibitor LY294002, the I[kappa]B phosphorylation inhibitor Bay11-7082, and the dominant negative mutant of I[kappa]B[alpha] inhibited HER2-induced BCRP promoter activity. Furthermore, we found that HER2 overexpression led to an increased resistance of MCF7 cells to multiple antitumor drugs such as paclitaxel (Taxol), cisplatin (DDP), etoposide (VP-16), adriamycin (ADM), mitoxantrone (MX), and 5-fluorouracil (5-FU). Moreover, silencing the expression of BCRP or selectively inhibiting the activity of Akt or NF-[kappa]B sensitized the MCF7/HER2 cells to these chemotherapy agents at least in part. Taken together, up-regulation of BCRP through PI3K/AKT/NF-[kappa]B signaling pathway played an important role in HER2-mediated chemoresistance of MCF7 cells, and AKT, NF-[kappa]B, and BCRP pathways might serve as potential targets for therapeutic intervention., Copyright (C) 2011 Blackwell Publishing Ltd.\r\nKW - BCRP; PI3K/AKT/NF-[kappa]B; chemoresistance\r\nLG - English.\r\nDT - Original Articles.\r\nSB - Life & Biomedical Sciences.\r\nIS - 1672-9145\r\nDI - 10.1093/abbs/gmr050\r\nXL - http://ovidsp.ovid.com/ovidweb.cgi?T=JS&CSC=Y&NEWS=N&PAGE=fulltext&D=ovftm&AN=01189059-201108000-00009\r\n\r\n<8. >\r\nVN - Ovid Technologies\r\nDB - Journals@Ovid\r\nAN - 00000042-201011000-00010.\r\nAU - Simon, Ph. 1\r\nAU - Dept, S. 1\r\nAU - Lefranc, F. 2\r\nAU - Noel, J. C. 3\r\nIN - Department of Gynaecology(1), Neurosurgery(2) and Gynaeco Pathology(3), ULB Hopital Erasme, Bruxelles, Belgium.\r\nTI - Brain Metastasis after Breast Cancer and Hysterectomy for a Benign Leiomyoma. [Article]\r\nSO - Acta Chirurgica Belgica November/December 2010;6:611-613\r\nJC - 0370571\r\nLG - English.\r\nDT - articl
"items": [
{
"itemType": "journalArticle",
"title": "Take Ten: Need-to-Know Facts About Breast Cancer",
"creators": [
{
"firstName": "James A.",
"lastName": "Peterson",
"creatorType": "author"
}
],
"date": "2010 January/February",
"DOI": "10.1249/FIT.0b013e3181c6723d",
"ISSN": "1091-5397",
"callNumber": "00135124-201001000-00018",
"issue": "1",
"language": "English.",
"libraryCatalog": "Journals@Ovid",
"publicationTitle": "ACSM'S Health & Fitness Journal",
"volume": "14",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
},
{
"itemType": "journalArticle",
"title": "Up-regulation of breast cancer resistance protein plays a role in HER2-mediated chemoresistance through PI3K/Akt and nuclear factor-kappa B signaling pathways in MCF7 breast cancer cells",
"creators": [
{
"firstName": "Weijia",
"lastName": "Zhang",
"creatorType": "author"
},
{
"firstName": "Wei",
"lastName": "Ding",
"creatorType": "author"
},
{
"firstName": "Ye",
"lastName": "Chen",
"creatorType": "author"
},
{
"firstName": "Meilin",
"lastName": "Feng",
"creatorType": "author"
},
{
"firstName": "Yongmei",
"lastName": "Ouyang",
"creatorType": "author"
},
{
"firstName": "Yanhui",
"lastName": "Yu",
"creatorType": "author"
},
{
"firstName": "Zhimin",
"lastName": "He",
"creatorType": "author"
}
],
"date": "2011 August",
"DOI": "10.1093/abbs/gmr050",
"ISSN": "1672-9145",
"abstractNote": "Human epidermal growth factor receptor 2 (HER2/neu, also known as ErbB2) overexpression is correlated with the poor prognosis and chemoresistance in cancer. Breast cancer resistance protein (BCRP and ABCG2) is a drug efflux pump responsible for multidrug resistance (MDR) in a variety of cancer cells. HER2 and BCRP are associated with poor treatment response in breast cancer patients, although the relationship between HER2 and BCRP expression is not clear. Here, we showed that transfection of HER2 into MCF7 breast cancer cells (MCF7/HER2) resulted in an up-regulation of BCRP via the phosphatidylinositol 3-kinase (PI3K)/Akt and nuclear factor-kappa B (NF-[kappa]B) signaling. Treatment of MCF/HER2 cells with the PI3K inhibitor LY294002, the I[kappa]B phosphorylation inhibitor Bay11-7082, and the dominant negative mutant of I[kappa]B[alpha] inhibited HER2-induced BCRP promoter activity. Furthermore, we found that HER2 overexpression led to an increased resistance of MCF7 cells to multiple antitumor drugs such as paclitaxel (Taxol), cisplatin (DDP), etoposide (VP-16), adriamycin (ADM), mitoxantrone (MX), and 5-fluorouracil (5-FU). Moreover, silencing the expression of BCRP or selectively inhibiting the activity of Akt or NF-[kappa]B sensitized the MCF7/HER2 cells to these chemotherapy agents at least in part. Taken together, up-regulation of BCRP through PI3K/AKT/NF-[kappa]B signaling pathway played an important role in HER2-mediated chemoresistance of MCF7 cells, and AKT, NF-[kappa]B, and BCRP pathways might serve as potential targets for therapeutic intervention., Copyright (C) 2011 Blackwell Publishing Ltd.",
"callNumber": "01189059-201108000-00009",
"issue": "8",
"language": "English.",
"libraryCatalog": "Journals@Ovid",
"pages": "647-653",
"publicationTitle": "Acta Biochimica et Biophysica Sinica",
"volume": "43",
"attachments": [],
"tags": [
{
"tag": "BCRP"
},
{
"tag": "PI3K/AKT/NF-[kappa]B"
},
{
"tag": "chemoresistance"
}
],
"notes": [],
"seeAlso": []
},
{
"itemType": "journalArticle",
"title": "Brain Metastasis after Breast Cancer and Hysterectomy for a Benign Leiomyoma",
"creators": [
{
"firstName": "Ph",
"lastName": "Simon",
"creatorType": "author"
},
{
"firstName": "S.",
"lastName": "Dept",
"creatorType": "author"
},
{
"firstName": "F.",
"lastName": "Lefranc",
"creatorType": "author"
},
{
"firstName": "J. C.",
"lastName": "Noel",
"creatorType": "author"
}
],
"date": "2010 November/December",
"ISSN": "0001-5458",
"callNumber": "00000042-201011000-00010",
"language": "English.",
"libraryCatalog": "Journals@Ovid",
"pages": "611-613",
"publicationTitle": "Acta Chirurgica Belgica",
"volume": "6",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
},
{
"itemType": "journalArticle",
"title": "Lobular Breast Carcinoma Metastasis to a Superficial Plexiform Schwannoma as the First Evidence of an Occult Breast Cancer",
"creators": [
{
"firstName": "Barbara",
"lastName": "Gazic",
"creatorType": "author"
},
{
"firstName": "Joze",
"lastName": "Pizem",
"creatorType": "author"
}
],
"date": "2011 December",
"DOI": "10.1097/DAD.0b013e31820d9c0e",
"ISSN": "0193-1091",
"abstractNote": "Tumor to tumor metastasis is a rare phenomenon, in which one, benign or malignant, tumor is involved by metastatic deposits from another. Most documented tumor to tumor metastases have been located intracranially, in which, in the majority of cases, either a breast or a lung carcinoma metastasized to a meningioma. Only 7 cases of metastases to schwannoma have so far been reported in the English literature, in 6 cases to an intracranial acoustic schwannoma and in a single case to a subcutaneous schwannoma. We present a case of dermal/subcutaneous plexiform schwannoma containing metastatic deposits of an occult lobular breast carcinoma, creating a unique schwannoma with epithelioid cells. Differential diagnosis of schwannoma with epithelioid cells includes malignant transformation of schwannoma and metastasis of a carcinoma or melanoma to schwannoma, epithelioid schwannoma, and schwannoma with glandular or pseudo glandular elements., (C) 2011 Lippincott Williams & Wilkins, Inc.",
"callNumber": "00000372-201112000-00014",
"issue": "8",
"language": "English.",
"libraryCatalog": "Your Journals@Ovid",
"pages": "845-849",
"publicationTitle": "American Journal of Dermatopathology",
"volume": "33",
"attachments": [],
"tags": [
{
"tag": "lobular breast carcinoma"
},
{
"tag": "plexiform schwannoma"
},
{
"tag": "tumor to tumor metastasis"
}
],
"notes": [],
"seeAlso": []
}
]
},
{
"type": "import",
"input": "<697. >\r\nVN - Ovid Technologies\r\nDB - Zoological Record\r\nAN - ZOOR14305031738\r\nRO - Copyright 2010 Thomson Reuters\r\nTI - Spiders (Arachnida, Aranei) from Sakhalin and the Kuril Islands.\r\nAU - Marusik, YuM\r\nAU - Eskov, KYu\r\nAU - Logunov, DV\r\nAU - Basarukin, AM\r\nIN - Institute for Biological Problems of the North, Russian Academy of Sciences, Karl Marx Prospekt 24, Magadan, 685010, Russia.\r\nIU - http://artedi.fish.washington.edu/okhotskia/isip/Info/spiders.htm [13/03/2007]\r\nPB - International Sakhalin Island Project, place of publication not given\r\nBT - Spiders (Arachnida, Aranei) from Sakhalin and the Kuril Islands. International Sakhalin Island Project, place of publication not given. [undated]: Unpaginated. http://artedi.fish.washington.edu/okhotskia/isip/Info/spiders.htm [viewed 13 March, 2007]\r\nLG - English\r\nPT - Book\r\nAB - A check-list of spiders based on personal and literature data from Sakhalin and Kuril Islands is presented. Four hundred and three species have been found there. Distribution records within Sakhalin (districts) and the Kuril Islands are given. Dubious species recorded by Japanese authors (1924-1937) are listed separately with some comments. Twelve new synonyms, new combinations, and new nominations are proposed. Several previous misidentifications in the Far Eastern linyphiids are corrected.\r\nBR - Systematics\r\nBR - Nomenclature\r\nBR - Combination\r\nBR - Synonymy\r\nBR - Available name\r\nBR - Taxonomy\r\nBR - Taxonomic position\r\nBR - Documentation\r\nBR - Publications\r\nBR - Land zones\r\nBR - Palaearctic region\r\nBR - Eurasia\r\nTN - Arachnids\r\nTN - Arthropods\r\nTN - Chelicerates\r\nTN - Invertebrates\r\nST - Animalia\r\nST - Arthropoda\r\nST - Arachnida\r\nST - Araneae\r\nDE - Aranei: Checklists, Distributional checklist, Corrected & updated, Russia, Kuril Islands & Sakhalin, Corrected & updated distributional checklist & systematics.\r\nSY - Aranei, http://www.organismnames.com/namedetails.htm?lsid=574767, (Araneae)\r\n\r\n Bathyphantes gracilis (Blackwall 1841), http://www.organismnames.com/namedetails.htm?lsid=1822086, (Araneae): Syn nov, Bathyphantes orientis Oi 1960: Syn nov, Bathyphantes pusio Kulczynski 1885\r\n\r\n Bathyphantes pogonias Kulczynski 1885, http://www.organismnames.com/namedetails.htm?lsid=1895287, (Araneae): Syn nov, Bathyphantes castor Chamberlin 1925: Syn nov, Bathyphantes insulanus Holm 1960\r\n\r\n Ceratinopsis okhotensis Eskov, http://www.organismnames.com/namedetails.htm?lsid=1895288, (Araneae): Nom nov, For Ceratinopsis orientalis Eskov 1986\r\n\r\n Ceratinopsis orientalis Eskov 1986, http://www.organismnames.com/namedetails.htm?lsid=1895289, (Araneae): Preoccupied name replaced by, Ceratinopsis okhotensis Eskov\r\n\r\n Connithorax Eskov, http://www.organismnames.com/namedetails.htm?lsid=1895290, (Araneae): Nom nov, For Conothorax Eskov & Marusik 1992\r\n\r\n Conothorax Eskov & Marusik 1992, http://www.organismnames.com/namedetails.htm?lsid=1042692, (Araneae): Preoccupied name replaced by, Connithorax Eskov\r\n\r\n Erigone prolata Pickard-Cambridge 1873, http://www.organismnames.com/namedetails.htm?lsid=1895291, (Araneae): Referred to, Holminaria\r\n\r\n Holminaria prolata (Pickard-Cambridge 1873), http://www.organismnames.com/namedetails.htm?lsid=1895292, (Araneae): Comb nov, Transferred from Erigone: Syn nov, Holminaria obscura Eskov 1991\r\n\r\n Hybauchenidium mongolensis Heimer 1987, http://www.organismnames.com/namedetails.htm?lsid=666509, (Araneae): Referred to, Oedothorax\r\n\r\n Kaestneria anceps (Kulczynski 1885), http://www.organismnames.com/namedetails.htm?lsid=1895293, (Araneae): Junior synonym, Of Kaestneria pullata (Pickard-Cambridge 1863)\r\n\r\n Kaestneria pullata (Pickard-Cambridge 1863), http://www.organismnames.com/namedetails.htm?lsid=1895294, (Araneae): Senior synonym, Of Kaestneria anceps (Kulczynski 1885)\r\n\r\n Labula insularis (Saito 1935), http://www.organismnames.com/namedetails.htm?lsid
"items": [
{
"itemType": "book",
"title": "Spiders (Arachnida, Aranei) from Sakhalin and the Kuril Islands",
"creators": [
{
"firstName": "YuM",
"lastName": "Marusik",
"creatorType": "author"
},
{
"firstName": "KYu",
"lastName": "Eskov",
"creatorType": "author"
},
{
"firstName": "D. V.",
"lastName": "Logunov",
"creatorType": "author"
},
{
"firstName": "A. M.",
"lastName": "Basarukin",
"creatorType": "author"
}
],
"abstractNote": "A check-list of spiders based on personal and literature data from Sakhalin and Kuril Islands is presented. Four hundred and three species have been found there. Distribution records within Sakhalin (districts) and the Kuril Islands are given. Dubious species recorded by Japanese authors (1924-1937) are listed separately with some comments. Twelve new synonyms, new combinations, and new nominations are proposed. Several previous misidentifications in the Far Eastern linyphiids are corrected.",
"callNumber": "ZOOR14305031738",
"language": "English",
"libraryCatalog": "Zoological Record",
"place": "place of publication not given",
"publisher": "International Sakhalin Island Project",
"rights": "Copyright 2010 Thomson Reuters",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
},
{
"itemType": "journalArticle",
"title": "Parasites of fishes: list of and dichotomous key to the identification of major metazoan groups",
"creators": [
{
"firstName": "George W.",
"lastName": "Benz",
"creatorType": "author"
},
{
"firstName": "Stephen A.",
"lastName": "Bullard",
"creatorType": "author"
}
],
"date": "2005",
"callNumber": "ZOOR14303018462",
"language": "English",
"libraryCatalog": "Zoological Record",
"publicationTitle": "Association of Zoos and Aquariums Regional Meetings Proceedings",
"rights": "Copyright 2010 Thomson Reuters",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
},
{
"itemType": "book",
"title": "Key to the herpetofauna of Fiji",
"creators": [
{
"firstName": "Clare",
"lastName": "Morrison",
"creatorType": "author"
}
],
"date": "2006",
"callNumber": "ZOOR14302012772",
"language": "English",
"libraryCatalog": "Zoological Record",
"place": "Institute of Applied Sciences, Suva",
"publisher": "University of the South Pacific",
"rights": "Copyright 2010 Thomson Reuters",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
},
{
"itemType": "journalArticle",
"title": "The role of temperature in the population dynamics of smelt Osmerus eperlanus eperlanus m. spirinchus Pallas in Lake Peipsi (Estonia/Russia)",
"creators": [
{
"firstName": "Andu",
"lastName": "Kangur",
"creatorType": "author"
},
{
"firstName": "Peeter",
"lastName": "Kangur",
"creatorType": "author"
},
{
"firstName": "Kulli",
"lastName": "Kangur",
"creatorType": "author"
},
{
"firstName": "Tonu",
"lastName": "Mols",
"creatorType": "author"
}
],
"date": "2007 June",
"ISSN": "0018-8158",
"abstractNote": "We analysed lake smelt (Osmerus eperlanus eperlanus m. spirinchus Pallas.) population dynamics in relation to water level and temperature in Lake Peipsi, Estonia/Russia, using commercial fishery statistics from 1931 to 2004 (excluding 1940-1945). Over this period, smelt provided the greatest catch of commercial fish although its stock and catches have gradually decreased. At times, catches of smelt were quite variable with a cyclic character. Disappearance of smelt from catches in years 1973-1975 was the result of summer fish kill. Regression analysis revealed a significant negative effect of high temperature on the abundance of smelt stock, while the effect of water level was not significant. Our results suggest that critical factors for the smelt population are the absolute value of water temperature in the hottest period (=20[degree]C) of summer and the duration of this period. These weather parameters have increased in synchrony with smelt decline during the last 7 decades. There appeared to be a significant negative effect of hot summers on the abundance of smelt operating with a lag of one and 2 years, which can be explained by the short life cycle (mainly 1-2 years) of this species.",
"callNumber": "ZOOR14312075663",
"language": "English",
"libraryCatalog": "Zoological Record",
"publicationTitle": "Hydrobiologia",
"rights": "Copyright 2009 Thomson Reuters",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
}
]
},
{
"type": "import",
"input": "<11741. >\r\nVN - Ovid Technologies\r\nDB - Zoological Record\r\nAN - ZOOR14310064653\r\nRO - Copyright 2009 Thomson Reuters\r\nTI - [Parasitic copepods of the genera Salmincola and Tracheliastes (Lernaeopodidae) from freshwater fish of the Sakhalin Island.]\r\nAU - Shedko, MB\r\nAU - Vinogradov, SA\r\nAU - Shedko, SV\r\nIN - Biologo-pochvennyi institut DVO RAN, Vladivostok, Russia.\r\nPB - ISiEZH SO RAN, Novosibirsk\r\nBT - Guliaev, V.D. [Ed.]. [Parasitological research in Siberia and the Far East: materials of the first interregional scientific conference in memory of Professor A.A. Mozgovoi.] [Parazitologicheskie issledovaniya v Sibiri i na Dalnem Vostoke. Materialy pervogo mezhergionalnoi nauchnoi konferentsii, posvyashchennoi pamyati professora A.A. Mozgovogo.] ISiEZH SO RAN, Novosibirsk. 2002: 1-234. Chapter pagination: 214-218.\r\nLG - Russian\r\nPT - Book chapter\r\nPT - Meeting paper\r\nBR - Systematics\r\nBR - General morphology\r\nBR - Parasites diseases and disorders\r\nBR - Parasites\r\nBR - Hosts\r\nBR - Land zones\r\nBR - Palaearctic region\r\nBR - Eurasia\r\nTN - Arthropods\r\nTN - Chordates\r\nTN - Crustaceans\r\nTN - Fish\r\nTN - Invertebrates\r\nTN - Vertebrates\r\nST - Animalia\r\nST - Arthropoda\r\nST - Crustacea\r\nST - Copepoda\r\nST - Siphonostomatoida\r\nST - Chordata\r\nST - Vertebrata\r\nDE - Pisces: Crustacean parasites, Salmincola & Tracheliastes, Parasite prevalence & distribution on host, Russia, Sakhalin Island, Crustacean parasite prevalence & distribution on host.\r\n\r\n Salmincola californiensis, Salmincola edwardsii, Salmincola markewitschi, Salmincola stellatus, Tracheliastes sachalinensis: General morphology, Taxonomic significance, Piscean hosts, Parasite prevalence & distribution on host, Russia, Sakhalin Island, parasite prevalence & distribution.\r\nSY - Salmincola californiensis, http://www.organismnames.com/namedetails.htm?lsid=62073, (Siphonostomatoida): Parasite\r\n\r\n Salmincola edwardsii, http://www.organismnames.com/namedetails.htm?lsid=45149, (Siphonostomatoida): Parasite\r\n\r\n Salmincola markewitschi, http://www.organismnames.com/namedetails.htm?lsid=1595526, (Siphonostomatoida): Parasite\r\n\r\n Salmincola stellatus, http://www.organismnames.com/namedetails.htm?lsid=898989, (Siphonostomatoida): Parasite\r\n\r\n Tracheliastes sachalinensis, http://www.organismnames.com/namedetails.htm?lsid=1920998, (Siphonostomatoida): Parasite\r\n\r\n Pisces, http://www.organismnames.com/namedetails.htm?lsid=249, (Vertebrata): Host\r\nYR - 2002\r\nDD - 20090629\r\nUP - 200700. Zoological Records Update: 200710.\r\nXL - http://ovidsp.ovid.com/ovidweb.cgi?T=JS&CSC=Y&NEWS=N&PAGE=fulltext&D=zoor12&AN=ZOOR14310064653\r\nXL - http://libraries.colorado.edu:4550/resserv?sid=OVID:zoordb&id=pmid:&id=doi:&issn=&isbn=&volume=&issue=&spage=214&pages=214-218&date=2002&title=&atitle=%5BParasitic+copepods+of+the+genera+Salmincola+and+Tracheliastes+%28Lernaeopodidae%29+from+freshwater+fish+of+the+Sakhalin+Island.%5D&aulast=Shedko&pid=%3Cauthor%3EShedko%2C+MB%3BVinogradov%2C+SA%3BShedko%2C+SV%3C%2Fauthor%3E%3CAN%3EZOOR14310064653%3C%2FAN%3E%3CDT%3E%3C%2FDT%3E\r\n\r\n\r\n",
"items": [
{
"itemType": "bookSection",
"title": "[Parasitic copepods of the genera Salmincola and Tracheliastes (Lernaeopodidae) from freshwater fish of the Sakhalin Island.]",
"creators": [
{
"lastName": "Shedko",
"creatorType": "author"
},
{
"firstName": "S. A.",
"lastName": "Vinogradov",
"creatorType": "author"
},
{
"firstName": "S. V.",
"lastName": "Shedko",
"creatorType": "author"
},
{
"firstName": "V. D.",
"lastName": "Guliaev",
"creatorType": "editor"
}
],
"date": "2002",
"bookTitle": "[Parasitological research in Siberia and the Far East: materials of the first interregional scientific conference in memory of Professor A",
"callNumber": "ZOOR14310064653",
"language": "Russian",
"libraryCatalog": "Zoological Record",
"pages": "1-234",
"place": "Novosibirsk",
"publisher": "ISiEZH SO RAN",
"rights": "Copyright 2009 Thomson Reuters",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
}
]
},
{
"type": "import",
"input": " <7. >\n VN - Ovid Technologies\n DB - PsycINFO\n AN - Peer Reviewed Journal: 2015-33942-012.\n TI - A comparison of manifestations and impact of reassurance seeking among Japanese individuals with OCD and depression. [References].\n DP - Sep 2015\n YR - 2015\n PH - First Posting: Jun 2014\n LG - English\n AU - Kobori, Osamu\n AU - Sawamiya, Yoko\n AU - Iyo, Masaomi\n AU - Shimizu, Eiji\n MA - Kobori, Osamu: chelsea@chiba-u.jp\n CQ - Kobori, Osamu: Centre for Forensic Mental Health, Chiba University, 1-8-1, Inohana, Chuo-ku, Chiba, Japan, 2608670, chelsea@chiba-u.jp\n IN - Kobori, Osamu: Chiba University, Chiba, Japan\n \n Sawamiya, Yoko: University of Tsukuba, Tsukuba, Japan\n \n Iyo, Masaomi: Chiba University, Chiba, Japan\n \n Shimizu, Eiji: Chiba University, Chiba, Japan\n SO - Behavioural and Cognitive Psychotherapy. Vol.43(5), Sep 2015, pp. 623-634. \n IS - 1352-4658\n IT - 1469-1833\n OL - Behavioural Psychotherapy\n PU - Cambridge University Press; United Kingdom\n FO - Electronic\n PT - Journal\n PT - Peer Reviewed Journal\n DT - Journal Article\n AB - Background: One of the most common interpersonal reactions to threat and anxiety is to seek reassurance from a trusted person. The Reassurance Seeking Questionnaire (ReSQ) measures several key aspects of reassurance seeking behaviour, including frequency, trust of sources, intensity, carefulness, and the emotional consequences of reassurance seeking. Aims: The current study compares patterns and consequences of reassurance seeking in obsessive-compulsive disorder (OCD) and depression. Method: ReSQ scores were compared for three groups: 32 individuals with OCD, 17 individuals with depression, and 24 healthy comparison participants. Results: We found that individuals with OCD tended to seek reassurance more intensely and employ self-reassurance more frequently than individuals with depression or healthy participants, and that if reassurance was not provided, they tended to feel a greater urge to seek additional reassurance. Conclusions: This study is the first to quantitatively elucidate differences in reassurance seeking between OCD and depression. (PsycINFO Database Record (c) 2015 APA, all rights reserved) (journal abstract).\n DO - http://dx.doi.org/10.1017/S1352465814000277\n PM - 24892981\n ID - Obsessive-compulsive disorder, cognitive model, depression, reassurance seeking\n MH - *Japanese Cultural Groups\n MH - *Major Depression\n MH - *Obsessive Compulsive Disorder\n MH - Anxiety\n MH - Help Seeking Behavior\n MH - Threat\n CC - Psychological Disorders [3210].\n PO - Human. Male. Female. Outpatient. Adulthood (18 yrs & older)\n LO - Japan.\n MD - Empirical Study; Quantitative Study\n TM - Carefulness Scale\n Reassurance Seeking Questionnaire-Japanese Version\n Beck Depression Inventory-II\n Structured Clinical Interview for DSM-IV\n Obsessive-Compulsive Inventory\n TD - Beck Depression Inventory-II [doi: http://dx.doi.org/10.1037/t00742-000] (9999-00742-000)\n Obsessive-Compulsive Inventory [doi: http://dx.doi.org/10.1037/t10199-000] (9999-10199-000)\n GS - <b>Sponsor: </b>Japan Society for the Promotion of Science. Japan\n <b>Other Details: </b>Grants-in-Aid for Young Scientists (B)\n <b>Recepient: </b>No recipient indicated\n \n CP - HOLDER: British Association for Behavioural and Cognitive Psychotherapies\n YEAR: 2014\n RF - Beck, A. T., Steer, R. A., & Brown, G. K. (1996). Manual for the Beck Depression Inventory-2. San Antonio, TX: Psychological Corporation.\n \n Brislin, R. W. (1970). Back-translation for cross-cultural research. Journal of Cross-Cultural Psychology, 1, 185-216. http://dx.doi.org/10.1177/135910457000100301\n \n Brislin, R. W. (1986). The wording and translation of research instruments. In W. J. Lonner and J. W. Berry (Eds.), Field Methods in Cross-Cultural Research (pp. 137-164). Thousand Oaks, CA: Sage.1987-97046-005\n \n Coyne, J. C. (1976). Toward an interactional description of depression. Psychiatry,
"items": [
{
"itemType": "journalArticle",
"title": "A comparison of manifestations and impact of reassurance seeking among Japanese individuals with OCD and depression",
"creators": [
{
"firstName": "Osamu",
"lastName": "Kobori",
"creatorType": "author"
},
{
"firstName": "Yoko",
"lastName": "Sawamiya",
"creatorType": "author"
},
{
"firstName": "Masaomi",
"lastName": "Iyo",
"creatorType": "author"
},
{
"firstName": "Eiji",
"lastName": "Shimizu",
"creatorType": "author"
}
],
"date": "2015 Sep",
"DOI": "10.1017/S1352465814000277",
"ISSN": "1352-4658",
"abstractNote": "Background: One of the most common interpersonal reactions to threat and anxiety is to seek reassurance from a trusted person. The Reassurance Seeking Questionnaire (ReSQ) measures several key aspects of reassurance seeking behaviour, including frequency, trust of sources, intensity, carefulness, and the emotional consequences of reassurance seeking. Aims: The current study compares patterns and consequences of reassurance seeking in obsessive-compulsive disorder (OCD) and depression. Method: ReSQ scores were compared for three groups: 32 individuals with OCD, 17 individuals with depression, and 24 healthy comparison participants. Results: We found that individuals with OCD tended to seek reassurance more intensely and employ self-reassurance more frequently than individuals with depression or healthy participants, and that if reassurance was not provided, they tended to feel a greater urge to seek additional reassurance. Conclusions: This study is the first to quantitatively elucidate differences in reassurance seeking between OCD and depression. (PsycINFO Database Record (c) 2015 APA, all rights reserved) (journal abstract).",
"callNumber": "Peer Reviewed Journal: 2015-33942-012",
"issue": "5",
"language": "English",
"libraryCatalog": "PsycINFO",
"pages": "623-634",
"publicationTitle": "Behavioural and Cognitive Psychotherapy",
"volume": "43",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
},
{
"itemType": "journalArticle",
"title": "A meta-analysis of transdiagnostic cognitive behavioural therapy in the treatment of child and young person anxiety disorders",
"creators": [
{
"firstName": "Donna L.",
"lastName": "Ewing",
"creatorType": "author"
},
{
"firstName": "Jeremy J.",
"lastName": "Monsen",
"creatorType": "author"
},
{
"firstName": "Ellen J.",
"lastName": "Thompson",
"creatorType": "author"
},
{
"firstName": "Sam",
"lastName": "Cartwright-Hatton",
"creatorType": "author"
},
{
"firstName": "Andy",
"lastName": "Field",
"creatorType": "author"
}
],
"date": "2015 Sep",
"DOI": "10.1017/S1352465813001094",
"ISSN": "1352-4658",
"abstractNote": "Background: Previous meta-analyses of cognitive-behavioural therapy (CBT) for children and young people with anxiety disorders have not considered the efficacy of transdiagnostic CBT for the remission of childhood anxiety. Aim: To provide a meta-analysis on the efficacy of transdiagnostic CBT for children and young people with anxiety disorders. Methods: The analysis included randomized controlled trials using transdiagnostic CBT for children and young people formally diagnosed with an anxiety disorder. An electronic search was conducted using the following databases: ASSIA, Cochrane Controlled Trials Register, Current Controlled Trials, Medline, PsycArticles, PsychInfo, and Web of Knowledge. The search terms included \"anxiety disorder(s)\", \"anxi*\", \"cognitive behavio*, \"CBT\", \"child*\", \"children\", \"paediatric\", \"adolescent(s)\", \"adolescence\", \"youth\" and \"young pe*\". The studies identified from this search were screened against the inclusion and exclusion criteria, and 20 studies were identified as appropriate for inclusion in the current meta-analysis. Pre- and posttreatment (or control period) data were used for analysis. Results: Findings indicated significantly greater odds of anxiety remission from pre- to posttreatment for those engaged in the transdiagnostic CBT intervention compared with those in the control group, with children in the treatment condition 9.15 times more likely to recover from their anxiety diagnosis than children in the control group. Risk of bias was not correlated with study effect sizes. Conclusions: Transdiagnostic CBT seems effective in reducing symptoms of anxiety in children and young people. Further research is required to investigate the efficacy of CBT for children under the age of 6. (PsycINFO Database Record (c) 2015 APA, all rights reserved) (journal abstract).",
"callNumber": "Peer Reviewed Journal: 2015-33942-007",
"issue": "5",
"language": "English",
"libraryCatalog": "PsycINFO",
"pages": "562-577",
"publicationTitle": "Behavioural and Cognitive Psychotherapy",
"volume": "43",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
}
]
},
{
"type": "import",
"input": "<53. >\nVN - Ovid Technologies\nDB - PsycINFO\nAN - Dissertation Abstract: 2014-99150-257.\nTI - Academic procrastination as mediated by executive functioning, perfectionism, and frustration intolerance in college students.\nDP - 2014\nYR - 2014\nLG - English\nAU - Sudler, Eric L\nIN - Sudler, Eric L.: St. John's U. (New York), US\nSO - Dissertation Abstracts International Section A: Humanities and Social Sciences. Vol.75(2-A(E)),2014, pp. No Pagination Specified.\nIS - 0419-4209\nIB - 978-1-303-52924-5\nOL - Dissertation Abstracts International\nPU - ProQuest Information & Learning; US\nON - AAI3575249\nOU - http://gateway.proquest.com/openurl?url_ver=Z39.88-2004&rft_val_fmt=info:ofi/fmt:kev:mtx:dissertation&res_dat=xri:pqm&rft_dat=xri:pqdiss:3575249\nFO - Electronic\nPT - Dissertation Abstract\nDT - Dissertation\nAB - With academic procrastination prevalent at every level of education (O'Brien, 2002; Onwuegbuzie, 2008), school psychologists and other educators would benefit from a more detailed look at procrastination and what factors and characteristics mediate it. This exploratory study investigated the relative contributions of Executive Functioning, Perfectionism, and Frustration Intolerance to Academic Procrastination and investigated whether academic procrastinators can be classified into specific clusters. To achieve this, 150 undergraduate and graduate students completed an online survey assessing Executive Functioning, Perfectionism, and Frustration Intolerance. Although no distinct clusters of procrastinators formed, results indicated that Perfectionism and irrational beliefs associated with frustration intolerance were the strongest mediators for academic procrastination. These results could aid mental health professionals, therapists, and school psychologists in recognizing these traits and patterns early to develop more specific treatments, interventions, and possible prevention of academic procrastination. Keywords: academic procrastination, irrational beliefs, executive functioning, perfectionism. (PsycINFO Database Record (c) 2014 APA, all rights reserved).\nID - academic procrastination, frustration intolerance, irrational beliefs, executive functioning, school psychologists, college students, detailed look, mental health professionals, academic procrastinators, relative contributions, possible prevention, graduate students, distinct clusters, exploratory study, online survey\nMH - *Cognitive Ability\nMH - *College Students\nMH - *School Based Intervention\nMH - Frustration\nMH - Perfectionism\nMH - Procrastination\nCC - Health Psychology & Medicine [3360].\nPO - Human. Adulthood (18 yrs & older)\nMD - Empirical Study; Quantitative Study\nUP - 20140901 (PsycINFO)\nJN - Dissertation Abstracts International Section A: Humanities and Social Sciences\nVO - 75\nIP - 2-A(E)\nPG - No Pagination Specified\nXL - http://ovidsp.ovid.com/ovidweb.cgi?T=JS&CSC=Y&NEWS=N&PAGE=fulltext&D=psyc11&AN=2014-99150-257\nXL - http://sfx.scholarsportal.info/ottawa?sid=OVID:psycdb&id=pmid:&id=doi:&issn=0419-4209&isbn=9781303529245&volume=75&issue=2-A%28E%29&spage=No&pages=No+Pagination+Specified&date=2014&title=Dissertation+Abstracts+International+Section+A%3A+Humanities+and+Social+Sciences&atitle=Academic+procrastination+as+mediated+by+executive+functioning%2C+perfectionism%2C+and+frustration+intolerance+in+college+students.&aulast=Sudler&pid=%3Cauthor%3ESudler%2C+Eric+L%3C%2Fauthor%3E%3CAN%3E2014-99150-257%3C%2FAN%3E%3CDT%3EDissertation%3C%2FDT%3E\n\n\n<1. >\nVN - Ovid Technologies\nDB - PsycINFO\nAN - Book: 2011-27892-001.\nTI - Understanding and tackling procrastination. [References].\n\nDP - 2012\nYR - 2012\nLG - English\nAU - Neenan, Michael\nIN - Neenan, Michael: Centre for Coaching, Blackheath, London, England\nSO - Neenan, Michael [Ed]; Palmer, Stephen [Ed]. (2012). Cognitive behavioural coaching in practice: An evidence based approach. (pp. 11-31). xvii, 254 pp. New York, NY, US: Routledge/Taylor & Francis Group; US.\nIB - 978-0-415-47263-0 (Paperback), 978-0-415-47262-3 (Hardcover), 978-0-203-14440-4 (PDF
"items": [
{
"itemType": "thesis",
"title": "Academic procrastination as mediated by executive functioning, perfectionism, and frustration intolerance in college students",
"creators": [
{
"firstName": "Eric L.",
"lastName": "Sudler",
"creatorType": "author"
}
],
"date": "2014",
"abstractNote": "With academic procrastination prevalent at every level of education (O'Brien, 2002; Onwuegbuzie, 2008), school psychologists and other educators would benefit from a more detailed look at procrastination and what factors and characteristics mediate it. This exploratory study investigated the relative contributions of Executive Functioning, Perfectionism, and Frustration Intolerance to Academic Procrastination and investigated whether academic procrastinators can be classified into specific clusters. To achieve this, 150 undergraduate and graduate students completed an online survey assessing Executive Functioning, Perfectionism, and Frustration Intolerance. Although no distinct clusters of procrastinators formed, results indicated that Perfectionism and irrational beliefs associated with frustration intolerance were the strongest mediators for academic procrastination. These results could aid mental health professionals, therapists, and school psychologists in recognizing these traits and patterns early to develop more specific treatments, interventions, and possible prevention of academic procrastination. Keywords: academic procrastination, irrational beliefs, executive functioning, perfectionism. (PsycINFO Database Record (c) 2014 APA, all rights reserved).",
"callNumber": "Dissertation Abstract: 2014-99150-257",
"language": "English",
"libraryCatalog": "PsycINFO",
"university": "St. John's U. (New York), US",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
},
{
"itemType": "bookSection",
"title": "Understanding and tackling procrastination",
"creators": [
{
"firstName": "Michael",
"lastName": "Neenan",
"creatorType": "author"
},
{
"firstName": "Michael",
"lastName": "Neenan",
"creatorType": "editor"
},
{
"firstName": "Stephen",
"lastName": "; Palmer",
"creatorType": "editor"
}
],
"date": "2012",
"ISBN": "9780415472630",
"abstractNote": "(from the chapter) Coaching aims to bring out the best in people in order to help them achieve their desired goals. When the rational emotive behavior therapy (REBT) approach is used outside of a therapy context it is more advantageous to call it rational emotive behavioural coaching (REBC), although some practitioners prefer to use the shorter name of rational coaching. Rational emotive behavior therapy terms such as 'irrational' and 'disturbance' can be reframed as performance-interfering thoughts and/or self-limiting beliefs or any permutation on problematic thinking that coachees are willing to endorse. A theoretical model for understanding and tackling psychological blocks in general and procrastination in particular is rational emotive behavioural therapy, founded in 1955 by the late Albert Ellis, an American clinical psychologist. (REBT is one of the approaches within the field of CBT.) A capsule account of the REBT approach follows. The approach proposes that rigid and extreme thinking (irrational beliefs) lies at the core of psychological disturbance. For example, faced with a coachee who is skeptical about the value of coaching, the coach makes himself very anxious and over-prepares for each session by insisting: 'I must impress her with my skills [rigid belief-why can't he let the coachee make up her own mind?], because if I don't this will prove I'm an incompetent coach' (an extreme view of his role to adopt if the coachee is unimpressed). Rigid thinking takes the form, for example, of must, should, have to and got to. Derived from these rigid beliefs are three major and extreme conclusions: awfulising (nothing could be worse and nothing good can come from negative events), low frustration tolerance (frustration and discomfort are too hard to bear) and depreciation of self and/or others (a person can be given a single global rating [e.g. useless] that defines their essence or worth). (PsycINFO Database Record (c) 2012 APA, all rights reserved).",
"bookTitle": "Cognitive behavioural coaching in practice: An evidence based approach",
"callNumber": "Book: 2011-27892-001",
"language": "English",
"libraryCatalog": "PsycINFO",
"pages": "11-31",
"publisher": "Routledge/Taylor & Francis Group; US",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
}
]
},
{
"type": "import",
"input": "\n<6. >\nVN - Ovid Technologies\nDB - Journals@Ovid\nAN - 01445365-201506000-00011.\nAU - Lefkowitz, Rafael Y. MD, MPH 1\nAU - Slade, Martin D. MPH 1\nAU - Redlich, Carrie A. MD, MPH 1\nIN - (1)Yale Occupational and Environmental Medicine, Yale School of Medicine, New Haven, Connecticut\nTI - \"Injury, Illness, and Work Restriction in Merchant Seafarers\". [Article]\nSO - American Journal Of Industrial Medicine June 2015;58(6):688-696\nAB - Background: Research on seafarer medical conditions at sea is limited. This study describes the frequency and distribution of seafarer injury and illness at sea, and explores potential risk factors for resultant lost work., Materials and Methods: The study analyzed a telemedicine database of 3,921 seafarer medical cases between 2008 and 2011 using descriptive statistics and logistic regression., Results: There were over twice as many illness cases (n = 2,764, 70.5%) as injury (n = 1,157, 29.5%) cases. Disability was more often secondary to illness (n = 646, 54.3%), predominantly from gastrointestinal, dermatologic, and respiratory conditions. Logistic regression revealed age, rank, and worksite as potential risk factors for lost work., Conclusions: This study emphasizes illness as a significant problem occurring in seafarers at sea. Future research should further elucidate risk factors for illness, as well as injury, to inform preventive measures and reduce seafarer disability. Am. J. Ind. Med. 58:688-696, 2015. (C) 2015 Wiley Periodicals, Inc., (C) 2015 John Wiley & Sons, Ltd\nKW - seafarers; disability; telemedicine; occupational injury; epidemiology\nLG - English.\nDT - Research Articles.\nSB - Clinical Medicine, Public Health.\nIS - 0271-3586\nDI - 10.1002/ajim.22459\nXL - http://ovidsp.ovid.com/ovidweb.cgi?T=JS&CSC=Y&NEWS=N&PAGE=fulltext&D=ovftq&AN=01445365-201506000-00011",
"items": [
{
"itemType": "journalArticle",
"title": "Injury, Illness, and Work Restriction in Merchant Seafarers",
"creators": [
{
"firstName": "Rafael Y.",
"lastName": "Lefkowitz",
"creatorType": "author"
},
{
"firstName": "Martin D.",
"lastName": "Slade",
"creatorType": "author"
},
{
"firstName": "Carrie A.",
"lastName": "Redlich",
"creatorType": "author"
}
],
"date": "2015 June",
"DOI": "10.1002/ajim.22459",
"ISSN": "0271-3586",
"abstractNote": "Background: Research on seafarer medical conditions at sea is limited. This study describes the frequency and distribution of seafarer injury and illness at sea, and explores potential risk factors for resultant lost work., Materials and Methods: The study analyzed a telemedicine database of 3,921 seafarer medical cases between 2008 and 2011 using descriptive statistics and logistic regression., Results: There were over twice as many illness cases (n = 2,764, 70.5%) as injury (n = 1,157, 29.5%) cases. Disability was more often secondary to illness (n = 646, 54.3%), predominantly from gastrointestinal, dermatologic, and respiratory conditions. Logistic regression revealed age, rank, and worksite as potential risk factors for lost work., Conclusions: This study emphasizes illness as a significant problem occurring in seafarers at sea. Future research should further elucidate risk factors for illness, as well as injury, to inform preventive measures and reduce seafarer disability. Am. J. Ind. Med. 58:688-696, 2015. (C) 2015 Wiley Periodicals, Inc., (C) 2015 John Wiley & Sons, Ltd",
"callNumber": "01445365-201506000-00011",
"issue": "6",
"language": "English.",
"libraryCatalog": "Journals@Ovid",
"pages": "688-696",
"publicationTitle": "American Journal Of Industrial Medicine",
"volume": "58",
"attachments": [],
"tags": [
{
"tag": "disability"
},
{
"tag": "epidemiology"
},
{
"tag": "occupational injury"
},
{
"tag": "seafarers"
},
{
"tag": "telemedicine"
}
],
"notes": [],
"seeAlso": []
}
]
},
{
"type": "import",
"input": "\n<6. >\nVN - Ovid Technologies\nTI - Test\nSO - A Nonexistent Journal of Marriage and Family Therapy: With a Subtitle June 2019;1(6):123-456\n",
"items": [
{
"itemType": "journalArticle",
"title": "Test",
"creators": [],
"date": "2019 June",
"issue": "6",
"pages": "123-456",
"publicationTitle": "A Nonexistent Journal of Marriage and Family Therapy: With a Subtitle",
"volume": "1",
"attachments": [],
"tags": [],
"notes": [],
"seeAlso": []
}
]
}
]
/** END TEST CASES **/