diff --git a/src/main/java/org/xbib/marc/MarcField.java b/src/main/java/org/xbib/marc/MarcField.java index 544f686..6bd3b91 100644 --- a/src/main/java/org/xbib/marc/MarcField.java +++ b/src/main/java/org/xbib/marc/MarcField.java @@ -43,6 +43,11 @@ public class MarcField implements Comparable { private static final String BLANK_STRING = " "; + private static final char UNDERSCORE = '_'; + + private static final String UNDERSCORE_STRING = "_"; + private static final String EMPTY_TAG = "___"; + private static final Set ASCII_GRAPHICS = new HashSet<>(Arrays.asList( '\u0020', '\u0021', '\u0022', '\u0023', '\u0024', '\u0025', '\u0026', '\'', '\u0028', '\u0029', '\u002A', '\u002B', '\u002C', '\u002D', '\u002E', '\u002F', @@ -207,8 +212,10 @@ public class MarcField implements Comparable { public boolean isTagValid() { if (tag == null) { + // we allow no tag return true; } + // only tags of length 3 are supposed to be valid return tag.length() == 3 && ((tag.charAt(0) >= '0' && tag.charAt(0) <= '9') || (tag.charAt(0) >= 'A' && tag.charAt(0) <= 'Z')) @@ -220,18 +227,20 @@ public class MarcField implements Comparable { public boolean isIndicatorValid() { if (isControl()) { + // ignore indicator check for control fields return true; } if (indicator == null) { + // we allow no indicator return true; } boolean b = indicator.length() <= 9; for (int i = 0; i < indicator.length(); i++) { - b = indicator.charAt(i) == ' ' + b = indicator.charAt(i) == UNDERSCORE || (indicator.charAt(i) >= '0' && indicator.charAt(i) <= '9') || (indicator.charAt(i) >= 'a' && indicator.charAt(i) <= 'z') || (indicator.charAt(i) >= 'A' && indicator.charAt(i) <= 'Z') - || indicator.charAt(i) == '@'; // for our PICA hack + || indicator.charAt(i) == '@'; // must be valid, for PICA dialect if (!b) { break; } @@ -241,9 +250,11 @@ public class MarcField implements Comparable { public boolean isSubfieldValid() { if (isControl()) { + // for control fields, there are no subfields, disable check return true; } if (subfieldIds == null) { + // we allow no subfield ids return true; } boolean b = true; @@ -256,6 +267,10 @@ public class MarcField implements Comparable { return b; } + /** + * Checks if the field has a valid tag (if present), a valid indicator (if present), and a valid subfield (if present). + * @return true if valid + */ public boolean isValid() { return isTagValid() && isIndicatorValid() && isSubfieldValid(); } @@ -381,7 +396,19 @@ public class MarcField implements Comparable { * @return this builder */ public Builder tag(String tag) { - this.tag = tag; + if (tag != null) { + // We have inconsistent use of tag symbols as placeholders for a "blank space" + // and we need to fix it here for consistency. + this.tag = tag + .replace('-', UNDERSCORE) + .replace('#', UNDERSCORE) + .replace('.', UNDERSCORE) + .replace(' ', UNDERSCORE); + } + // do not allow null or empty tags + if (this.tag == null || this.tag.isEmpty()) { + this.tag = EMPTY_TAG; + } return this; } @@ -400,8 +427,21 @@ public class MarcField implements Comparable { */ public Builder indicator(String indicator) { if (indicator != null) { - // check if indicators are visible replacements like "-" or "#" . Replace with blank. - this.indicator = indicator.replace('-', ' ').replace('#', ' '); + // We have inconsistent use of indicator symbols as placeholders for a "blank space" + // and we need to fix it here for consistency. + // Check if indicators are artifacts like "-" or "#" or '.' or ' '. + // Replace with underscore. This preserves better usage and visibility. + // Especially the dot. The dot will break Elasticsearch indexing with an exception. + // If you do not like underscores, replace them by a space character in your application. + this.indicator = indicator + .replace('-', UNDERSCORE) + .replace('#', UNDERSCORE) + .replace('.', UNDERSCORE) + .replace(' ', UNDERSCORE); + } + // we do not allow an empty indicator. Elasticsearch field names require a length > 0. + if (this.indicator != null && this.indicator.isEmpty()) { + this.indicator = UNDERSCORE_STRING; } return this; } @@ -612,7 +652,7 @@ public class MarcField implements Comparable { */ public boolean isControl() { if (isControl == null) { - this.isControl = tag != null && tag.charAt(0) == '0' && tag.charAt(1) == '0'; + this.isControl = tag != null && tag.length() >= 2 && tag.charAt(0) == '0' && tag.charAt(1) == '0'; } return isControl; } @@ -638,18 +678,13 @@ public class MarcField implements Comparable { * @return the built MARC field. */ public MarcField build() { - if (isControl == null) { - this.isControl = tag != null && tag.charAt(0) == '0' && tag.charAt(1) == '0'; - } return new MarcField(tag, indicator, position, length, - value, subfields, subfieldIds.toString(), isControl); + value, subfields, subfieldIds.toString(), isControl()); } @Override public String toString() { - return "tag=" + tag + ",indicator=" + indicator + - ",value=" + value + ",subfields=" + - subfields; + return "tag=" + tag + ",indicator=" + indicator + ",value=" + value + ",subfields=" + subfields; } } @@ -658,12 +693,24 @@ public class MarcField implements Comparable { */ public static class Subfield { - private final String id; + private String id; private final String value; private Subfield(String id, String value) { - this.id = id; + if (id != null) { + // We have inconsistent use of subfield id symbols as placeholders for a "blank space" + // and we need to fix it here for consistency. + this.id = id + .replace('-', UNDERSCORE) + .replace('#', UNDERSCORE) + .replace('.', UNDERSCORE) + .replace(' ', UNDERSCORE); + } + // we do not allow an empty subfield id. Elasticsearch field names require a length > 0. + if (this.id != null && this.id.isEmpty()) { + this.id = UNDERSCORE_STRING; + } this.value = value; } @@ -689,10 +736,9 @@ public class MarcField implements Comparable { } } + @SuppressWarnings("serial") private static class SubfieldIds extends LinkedList { - private static final long serialVersionUID = 7016733919690084153L; - /** * Insertion sort. This is considered faster than sorting afterwards, * especially for short lists (we have << 10 subfields at average in a field). diff --git a/src/main/java/org/xbib/marc/MarcFieldDirectory.java b/src/main/java/org/xbib/marc/MarcFieldDirectory.java index 42bb1f7..178f210 100644 --- a/src/main/java/org/xbib/marc/MarcFieldDirectory.java +++ b/src/main/java/org/xbib/marc/MarcFieldDirectory.java @@ -24,10 +24,9 @@ import java.util.TreeMap; /** * */ +@SuppressWarnings("serial") public class MarcFieldDirectory extends TreeMap { - private static final long serialVersionUID = 4339262603982720001L; - public MarcFieldDirectory(RecordLabel label, String encodedDirectory) throws IOException { super(); if (label == null) { diff --git a/src/main/java/org/xbib/marc/MarcRecord.java b/src/main/java/org/xbib/marc/MarcRecord.java index 4b4454b..3970443 100644 --- a/src/main/java/org/xbib/marc/MarcRecord.java +++ b/src/main/java/org/xbib/marc/MarcRecord.java @@ -33,12 +33,11 @@ import java.util.stream.Collectors; /** * A MARC record. This is an extended MARC record augmented with MarcXchange information. */ +@SuppressWarnings("serial") public class MarcRecord extends LinkedHashMap { private static final MarcRecord EMPTY = Marc.builder().buildRecord(); - private static final long serialVersionUID = 5305809148724342653L; - private final String format; private final String type; @@ -184,7 +183,6 @@ public class MarcRecord extends LinkedHashMap { } String indicator = marcField.getIndicator(); if (indicator != null && !indicator.isEmpty()) { - indicator = indicator.replace(' ', '_'); Map indicators = new LinkedHashMap<>(); repeatMap.put(Integer.toString(repeat), indicators); if (!indicators.containsKey(indicator)) { @@ -197,7 +195,6 @@ public class MarcRecord extends LinkedHashMap { } else { for (MarcField.Subfield subfield : marcField.getSubfields()) { String code = subfield.getId(); - code = code.replace(' ', '_'); Object subfieldValue = subfields.get(code); if (subfieldValue instanceof List) { List list = (List) subfieldValue; diff --git a/src/main/java/org/xbib/marc/json/JsonException.java b/src/main/java/org/xbib/marc/json/JsonException.java index da43112..041e5d1 100755 --- a/src/main/java/org/xbib/marc/json/JsonException.java +++ b/src/main/java/org/xbib/marc/json/JsonException.java @@ -16,10 +16,9 @@ */ package org.xbib.marc.json; +@SuppressWarnings("serial") public class JsonException extends RuntimeException { - private static final long serialVersionUID = -3386151672072419281L; - JsonException(Throwable throwable) { super(throwable); } diff --git a/src/main/java/org/xbib/marc/transformer/field/MarcFieldTransformer.java b/src/main/java/org/xbib/marc/transformer/field/MarcFieldTransformer.java index a3d0678..8bd8e58 100644 --- a/src/main/java/org/xbib/marc/transformer/field/MarcFieldTransformer.java +++ b/src/main/java/org/xbib/marc/transformer/field/MarcFieldTransformer.java @@ -32,10 +32,9 @@ import java.util.regex.Pattern; /** * */ +@SuppressWarnings("serial") public class MarcFieldTransformer extends LinkedHashMap { - private static final long serialVersionUID = -3250616818472683245L; - private static final Logger logger = Logger.getLogger(MarcFieldTransformer.class.getName()); // the repeat counter pattern, simple integer @@ -47,7 +46,7 @@ public class MarcFieldTransformer extends LinkedHashMap { private transient MarcField lastReceived; private transient MarcField lastBuilt; private int repeatCounter; - private Operator operator; + private final Operator operator; private MarcFieldTransformer(Map map, boolean ignoreIndicator, boolean ignoreSubfieldIds, Operator operator) { diff --git a/src/main/java/org/xbib/marc/xml/MarcContentHandler.java b/src/main/java/org/xbib/marc/xml/MarcContentHandler.java index 42168c1..413987c 100644 --- a/src/main/java/org/xbib/marc/xml/MarcContentHandler.java +++ b/src/main/java/org/xbib/marc/xml/MarcContentHandler.java @@ -268,7 +268,7 @@ public class MarcContentHandler @Override public void startDocument() throws SAXException { - stack.clear(); + stack = new LinkedList<>(); } @Override diff --git a/src/main/java/org/xbib/marc/xml/MarcXchangeWriter.java b/src/main/java/org/xbib/marc/xml/MarcXchangeWriter.java index 285e715..5f2462c 100644 --- a/src/main/java/org/xbib/marc/xml/MarcXchangeWriter.java +++ b/src/main/java/org/xbib/marc/xml/MarcXchangeWriter.java @@ -514,11 +514,6 @@ public class MarcXchangeWriter extends MarcContentHandler implements Flushable, private void setupEventConsumer(Writer writer, boolean indent) throws IOException { XMLOutputFactory outputFactory = XMLOutputFactory.newInstance(); - try { - outputFactory.setProperty("com.ctc.wstx.useDoubleQuotesInXmlDecl", Boolean.TRUE); - } catch (IllegalArgumentException e) { - logger.log(Level.FINEST, e.getMessage(), e); - } try { this.xmlEventConsumer = indent ? new IndentingXMLEventWriter(outputFactory.createXMLEventWriter(writer)) : diff --git a/src/test/java/org/xbib/marc/ConcurrencyTest.java b/src/test/java/org/xbib/marc/ConcurrencyTest.java index 0db902e..07c1f59 100644 --- a/src/test/java/org/xbib/marc/ConcurrencyTest.java +++ b/src/test/java/org/xbib/marc/ConcurrencyTest.java @@ -43,10 +43,10 @@ public class ConcurrencyTest { writer.startDocument(); writer.beginCollection(); for (int i = 0; i < n; i++) { - InputStream in = getClass().getResource(s).openStream(); + InputStream inputStream = getClass().getResource(s).openStream(); executorService.submit(() -> { Marc.builder() - .setInputStream(in) + .setInputStream(inputStream) .setMarcRecordListener(writer) .build() .writeRecords(); diff --git a/src/test/java/org/xbib/marc/MarcFieldTest.java b/src/test/java/org/xbib/marc/MarcFieldTest.java index 00796ec..494a7ac 100644 --- a/src/test/java/org/xbib/marc/MarcFieldTest.java +++ b/src/test/java/org/xbib/marc/MarcFieldTest.java @@ -160,7 +160,7 @@ public class MarcFieldTest { .subfield("d", null) .subfield("e", null) .build(); - assertEquals("901$ $ade", marcField.toKey()); + assertEquals("901$__$ade", marcField.toKey()); } @Test diff --git a/src/test/java/org/xbib/marc/xml/MarcEventConsumerTest.java b/src/test/java/org/xbib/marc/xml/MarcEventConsumerTest.java index 80103d7..be002fa 100644 --- a/src/test/java/org/xbib/marc/xml/MarcEventConsumerTest.java +++ b/src/test/java/org/xbib/marc/xml/MarcEventConsumerTest.java @@ -7,7 +7,10 @@ import org.xbib.marc.Marc; import org.xmlunit.matchers.CompareMatcher; import java.io.InputStream; import java.io.StringWriter; +import java.io.Writer; import java.nio.charset.StandardCharsets; +import java.nio.file.Files; +import java.nio.file.Paths; import javax.xml.stream.XMLInputFactory; /** @@ -34,11 +37,9 @@ public class MarcEventConsumerTest { writer.setFormat("AlephXML").setType("Bibliographic"); writer.startDocument(); writer.beginCollection(); - MarcXchangeEventConsumer consumer = new MarcXchangeEventConsumer(); consumer.setMarcListener(writer); consumer.addNamespace("http://www.ddb.de/professionell/mabxml/mabxml-1.xsd"); - Marc.builder() .setInputStream(in) .setCharset(StandardCharsets.UTF_8) diff --git a/src/test/resources/org/xbib/marc/IRMARC8.bin.xml b/src/test/resources/org/xbib/marc/IRMARC8.bin.xml index 3640de2..288fca7 100644 --- a/src/test/resources/org/xbib/marc/IRMARC8.bin.xml +++ b/src/test/resources/org/xbib/marc/IRMARC8.bin.xml @@ -1 +1 @@ -01626cam 2200445 a 4500ocn132792681OCoLC20070605101501.0060314s2004 ja a b 001 0 jpn dLWUSMFRE$147842120789784784212071(OCoLC)132792681(CStRLIN)DCFO06-B527jpnenga-ja---ocm56902747750.21njbNK1071.A87 2004OCLC880-01Ātsu ando kurafutsu to Nihon =The arts & crafts movement and Japan /Dezainshi Fōramu hen ; Fujita Haruhiko sekinin henshū.Arts & crafts movement and Japan880-02Kyōto-shi :Shibunkaku Shuppan,2004.288 p. :ill. ;21 cm.Includes index.Summary in English.Includes bibliographical references.Arts and crafts movementJapan.Folk artJapan.880-03Fujita, Haruhiko,1951-880-04Dezainshi Fōramu.DSI-FmainNK1071.A87 2004CIN=hr; OID=hr245-01/$1アーツ・アンド・クラフツと日本 =The arts & crafts movement and Japan /デザイン史フォーラム編 ; 藤田治彦責任編集.260-02/$1京都市 :思文閣出版,2004.700-03/$1藤田治彦,1951-710-04/$1デザイン史フォーラム.*bn=main;ov=.B1748129;c. 1C0OCL01914cam 2200493 a 4500ocn132786677OCoLC20070605101501.0060801s2005 ko a b 000 0 eng dCUISMFRE$189860902369788986090239(OCoLC)132786677(CStRLIN)DCFO06-B1570engkora-kr---ocm69375356NK7984.6.A1F73 2005OCLC880-01Fragrance of Korea :the ancient gilt-bronze incense burner of Baekje=Paekche Kŭmdong Taehyangno /[edited by Korea Foundation].880-02Paekche Kŭmdong taehyangnoSeoul, Korea :The Korea Foundation,2005.144 p. :col. ill. ;31 cm."Photography by Han Seok-hong Photo Studio, Translated by Miwha Stevenson ..., Content edited by Yi Song-mi ..., Copyedited (English) by Rose E. Lee"--P. facing t.p.Includes bibliographical references.880-03Kŭmdong taehyangno.Gilt bronzes, KoreanTo 935.Incense burners and containersKorea.880-04Paekche (Kingdom)Antiquities.Stevenson, Miwha.Sŏng-mi, Yi.Lee, Rose E.Han Seok-hong Photo Studio.880-05Hanʼguk Kukche Kyoryu Chaedan.DSI-FmainNK7984.6.A1F73 2005245-01/$1Fragrance of Korea :the ancient gilt-bronze incense burner of Baekje=백제금동대향로 /[edited by Korea Foundation].246-02/$1650-03/$1금동대향로.651-04/$1백제 (Kingdom)Antiquities.710-05/$1한국국제교류재단.*bn=main;c. 1C0OCL01246nam 2200373 a 4500ocn125170297OCoLC20070605101501.0060919s2006 cc a 000 0 chi CaOTRMengRON$1750101843X9787501018437(OCoLC)125170297(CStRLIN)ONRO06-B481NK1483.A1J56 2006ocm71289809NK1483.A1J56 2006OCLC880-01Jin, Zhu880-02Fu Lu Shou Xi Da Guan/Jin Zhu, Wang Zhijun Bian zhu.880-03Beijing :Wen wu chu ban she,2006ii, 229p.ill. ;26cm.Chinese languageCalligraphy study.Chinese languageWritingHistoryFestivalsChinaChinaSocial life and customWang, Zhijun.CaOTRMCaOTRMFNK1483.A1J56 2006CIN=KMW; OID=KMW100-01/$1245-02/$1福禄寿喜大观/金铢,王志军编著.260-03/$1北京 :文物出版社,2006NK1483 .A1 J56 200631761066877267ROMROMFAREASTBOOKC0OCL01737nam 22004334a 4500ocn137607921OCoLC20070605101501.0060223s2004 ye b 000 0 ara 2005311567DLC-RNYP(3(OCoLC)137607921(CStRLIN)NYPN06-B180lcodepccma-----PJ7538.L57 2004ocm60522147*OEM 06-1987OCLC880-01Liqāʼāt wa-shahādāt adabīyah /Najīb Maḥfūẓ ... [et al.] ; ajrá al-liqāʼāt Ḥasan ʻAlī Mijallī.880-02al-Ṭabʻah 1.880-03Ṣanʻāʼ :Markaz ʻAbbādī lil-Dirāsāt wa-al-Nashr,2004.153 p. ;23 cm.880-04Maktabat al-dirāsāt al-fikrīyah wa-al-naqdīyahIncludes bibliographical references.In Arabic.Arabic literature20th centuryHistory and criticism.Authors, Arab20th centuryInterviews.IntellectualsArab countriesInterviews.Maḥfūẓ, Najīb,1911-Mijallī, Ḥasan ʻAlī.New York Public Libraryho*OEM 06-1987OID=AME;CIN=GYG245-01/(3/r&#x200F;لقاءات وشهادات أدبية /&#x200F;&#x200F;نجيب محفوظ ... [et al.] ؛ أجرى اللقاءات حسن علي مجلي.250-02/(3/r&#x200F;الطبعة 1.260-03/(3/r&#x200F;صنعاء :&#x200F;&#x200F;2004.440-04/(3/r*OEM 06-198733433069567414ho-002C0OCL02647cas 2200589 a 4500ocn124081299OCoLC20070605101501.0970414c19789999iluqr p g 0 a0eng d 86641268 sn 84012219 ICD-LFC00897-12770022-6793399610USPS(OCoLC)124081299(CStRLIN)NYHL97-S162lcnsdpn-us---K10.U67ocm05266384344/.095/05342.4950519OCLCJurimetrics(Chic. Ill.)Jurimetrics(Chicago, Ill.)Jurimetrics.Jurimetrics journal of law, science and technology<fall 1991->Jurimetrics journal1978-Chicago, Ill. :Section of Science & Technology, American Bar Association,c1979-v. :ill. ;23 cm.QuarterlyVol. 19, no. 2 (winter 1978)-Title from cover."Journal of law, science and technology."Index to legal periodicals0019-4077Legal resource index1980-Computer & control abstracts0036-8113winter 1978-Electrical & electronics abstracts0036-8105winter 1978-Physics abstracts0036-8091winter 1978-Special issue for 1979 called also v. 19, no. 5.Special issue 1979 contains proceedings of the Section's annual meeting.Vols. for spring 1985-winter 1986 issued by: American Bar Association Section of Science and Technology and the Arizona State University College of Law; spring 1986-<fall 1987> by the American Bar Association Section of Science and Technology, and the Center for the Study of Law, Science, and Technology of the Arizona State University College of Law.Science and lawUnited StatesPeriodicals.Technology and lawUnited StatesPeriodicals.Judicial processUnited StatesPeriodicals.Legal researchData processingUnited StatesPeriodicals.Information storage and retrieval systemsLawUnited StatesPeriodicals.American Bar Association.Section of Science and Technology.Arizona State University.College of Law.Arizona State University.Center for the Study of Law, Science, and Technology.Jurimetrics journal0022-6793(DLC) 92657369(OCoLC)1754902NNHHRMAIN\PER1OID=CCSC0OCL01347cam 2200373 i 4500ocn135450843OCoLC20070605101501.0850910s1976 caua bc 001 0 eng d 76013691 UBYUBY0875870708 :$5.009780875870700(OCoLC)135450843(UPB)notisADN0346(CStRLIN)UTBG85-B43642n-us---N6538.N5D74ocm02318292ocm02550323ocm03890870709/.73N6538.N5\D74OCLCDriskell, David C.Two centuries of Black American art :[exhibition], Los Angeles County Museum of Art, the High Museum of Art, Atlanta, Museum of Fine Arts, Dallas, the Brooklyn Museum /David C. Driskell ; with catalog notes by Leonard Simon.1st ed.[Los Angeles] :Los Angeles County Museum of Art ;New York :Knopf :distributed by Random House,1976.221 p. :ill. (some col.) ;28 cm.Bibliography: p. 206-219.Includes index.Afro-American artExhibitions.Simon, Leonard,1936-Los Angeles County Museum of Art.UPBMANN6538.N5\D74c.1 001c.2 002OID=SYLC0OCL01215cam 2200313 a 4500ocn137458539OCoLC20070605101501.0900119s1974 maua 100 0 eng d 74081739 MSRMSR(OCoLC)137458539(CStRLIN)MOSA90-B178F61.C71 vol. 48NK2438.B6ocm01364905ocm06844451NK2438.B6B68 1974OCLCBoston furniture of the eighteenth century :a conference held by the Colonial Society of Massachusetts, 11 and 12 May 1972.Boston :Colonial Society of Massachusetts ;[Charlottesville] :distributed by the University Press of Virginia,c1974.xvi, 316 p. :ill. ;25 cm.Publications of the Colonial Society of Massachusetts ;v. 48Bibliography: p. 303-305.Includes index.Furniture, ColonialMassachusettsBostonCongresses.Furniture, Early AmericanMassachusettsBostonCongresses.Colonial Society of Massachusetts.MoSRSTKNK2438.B6B68 197421260CIN=MLC; OID=MLCRC0OCL01731cam 2200457 a 4500ocn124411460OCoLC20070605101501.0070222s2007 is a b 001 0ceng dNNYIVXJ(296522938659789652293862(OCoLC)124411460(CStRLIN)NYJH07-B409enghebe-hu---a-is---DS135.H93A147313 2007ocm85564516DS135.H93A14513 2007OCLCGur, David,1926-880-01Aḥim le-hitnagdut ule-hatsalah.EnglishBrothers for resistance and rescue :the underground Zionist youth movement in Hungary during World War II /David Gur ; edited by Eli Netzer ; translated by Pamela Segev & Avri Fischer.Enlarged and revised ed.Jerusalem :Gefen,2007.270 p. :ill. ;28 p.Introduction by Randolph L. Brahan.Includes bibliographical references (p. 261-264) and index.JewsHungaryBiography.Jewish youthHungaryBiography.ZionismHungaryHistory20th century.World War, 1939-1945Jewish resistanceHungary.Jews, HungarianIsraelBiography.Holocaust survivorsIsraelBiography.Netser, Eli.Segev, Pamela.Fischer, Avri.Library of the Jewish Theological SeminaryJT1MAINOVERSIZEDS135.H93A14513 200731407002756237CIN=RL; OID=RL240-01/(2/r&#x200F;אחים להתנגדות ולהצלה.&#x200F;&#x200F;EnglishC0OCL02310cjm 2200349 a 4500ocn131225106OCoLC20070605101501.0sd |||gnammned051219p2004 sa mun g l mul dCtYYUSACM-CD023/3African Cream Music(OCoLC)131225106(CtY)7143913(CStRLIN)CTYA7143913-Rengxhof-sa---ML3760.W55 2004ocm64169861ML3760.W55 2004 (LC)OCLCThe winds of change[sound recording] :[a journey through the key music and moments that gave birth to a free, democratic South Africa].[South Africa?] :African Cream Music,2004.2 sound discs :digital ;4 3/4 in. +1 bookletCompact discs.Subtitle from booklet.Various artists.CD. 1. Nkosi sikelel' iAfrika (Tumelo Maloi) -- Winds of change (Harold Macmillan) -- Zono zam (Dorothy Masuka) -- Nobel Prize Award (Chief Albert Luthuli) -- Zandile (Jazz Ministers) -- Rivonia trial speech (Nelson Mandela) -- Woza ANC (Freedom Choir, ACFC) -- Ag pleez deddy (Jeremy Taylor) -- Kalamazoo (Pops Mohamed) -- Fight to the end (JB Vorster) -- Joyin umkhonto wesizwe (ACFC) -- Burnout (Sipho "Hotstix" Mabuse) -- Total onslaught (PW Botha) -- State of emergency (Amampondo) -- Paradise road (Joy) -- AWB speech (Eugene Terreblanche) -- Slovo no tambo (ACFC) -- Bayeza (Soul Brothers) -- Tsoha/vuka (ACFC) -- Asimbonanga (Jonny Clegg) -- CD. 2. Whispers in the deep (Stimela) -- Thula Sizwe (ACFC) -- Halala Afrika (Johannes Kerkorrel) -- Papa stop the war (Chicco) -- Unbanning speech (FW De Klerk) -- Shosholoza (ACFCA) -- Bring him back home (Hugh Masekela) -- Inauguration speech (Nelson Mandela) -- Man of the world (Yvonne Chaka Chaka) -- Neva again (Prophets of Da City) -- Waar was jy (Skeem) -- I am an African (Thabo Mbeki) -- Power of Africa (Yvonne Chaka Chaka) -- Yehlisan umoya ma-Afrika (Busi Mhlongo) -- Sabela (Sibongile Khumalo) -- Inauguration speech (Nelson Mandela) -- Nkosi sikelel' iAfrika (ACFC).MusicAfrican.Speeches, addresses, etc.CtYsmlML3760.W55 2004 (LC)C0OCL01613cam 2200409 a 4500ocn124450154OCoLC20070605103524.0970411s1947 nyu 001 0 rus dNNCVXJ(N(OCoLC)124450154(CStRLIN)NYJH97-B3375rusyidn-us---ocm42037006PJ5192.R8F4OCLC880-01Evreĭskai͡a poėzii͡a :antologii͡a /Leonid Grebnev (L. Faĭnberg).Yiddish poetry880-02Nʹi͡u-Ĭork :Izd. Soi͡uza russkikh evreev v Nʹi͡u-Iorke,1947.240 p. ;23 cm.No more published?Tom 1. Amerika.Includes index.Author's autograph presentation copy to Moses Shifris.Yiddish poetryUnited States.Yiddish poetryTranslations into RussianCollections.Russian poetryTranslations from YiddishCollections.880-03Feinberg, Leon,1897-1969Presentation inscription to Moses Shifris.880-04Feinberg, Leon,1897-1969.NNJPUBLPJ5192.R8F41CIN=AMW; OID=UTC245-01/(NЕврейская поэзия :антология /Леонид Гребнев [Л. Файнберг].260-02/(NНью-Йорк :Изд. Союза русских евреев в Нью-Йорке,1947.600-03/(NФайнберг, Леон,1897-1969.700-04/(NФайнберг, Леон,1897-1969.C0OCL \ No newline at end of file +01626cam 2200445 a 4500ocn132792681OCoLC20070605101501.0060314s2004 ja a b 001 0 jpn dLWUSMFRE$147842120789784784212071(OCoLC)132792681(CStRLIN)DCFO06-B527jpnenga-ja---ocm56902747750.21njbNK1071.A87 2004OCLC880-01Ātsu ando kurafutsu to Nihon =The arts & crafts movement and Japan /Dezainshi Fōramu hen ; Fujita Haruhiko sekinin henshū.Arts & crafts movement and Japan880-02Kyōto-shi :Shibunkaku Shuppan,2004.288 p. :ill. ;21 cm.Includes index.Summary in English.Includes bibliographical references.Arts and crafts movementJapan.Folk artJapan.880-03Fujita, Haruhiko,1951-880-04Dezainshi Fōramu.DSI-FmainNK1071.A87 2004CIN=hr; OID=hr245-01/$1アーツ・アンド・クラフツと日本 =The arts & crafts movement and Japan /デザイン史フォーラム編 ; 藤田治彦責任編集.260-02/$1京都市 :思文閣出版,2004.700-03/$1藤田治彦,1951-710-04/$1デザイン史フォーラム.*bn=main;ov=.B1748129;c. 1C0OCL01914cam 2200493 a 4500ocn132786677OCoLC20070605101501.0060801s2005 ko a b 000 0 eng dCUISMFRE$189860902369788986090239(OCoLC)132786677(CStRLIN)DCFO06-B1570engkora-kr---ocm69375356NK7984.6.A1F73 2005OCLC880-01Fragrance of Korea :the ancient gilt-bronze incense burner of Baekje=Paekche Kŭmdong Taehyangno /[edited by Korea Foundation].880-02Paekche Kŭmdong taehyangnoSeoul, Korea :The Korea Foundation,2005.144 p. :col. ill. ;31 cm."Photography by Han Seok-hong Photo Studio, Translated by Miwha Stevenson ..., Content edited by Yi Song-mi ..., Copyedited (English) by Rose E. Lee"--P. facing t.p.Includes bibliographical references.880-03Kŭmdong taehyangno.Gilt bronzes, KoreanTo 935.Incense burners and containersKorea.880-04Paekche (Kingdom)Antiquities.Stevenson, Miwha.Sŏng-mi, Yi.Lee, Rose E.Han Seok-hong Photo Studio.880-05Hanʼguk Kukche Kyoryu Chaedan.DSI-FmainNK7984.6.A1F73 2005245-01/$1Fragrance of Korea :the ancient gilt-bronze incense burner of Baekje=백제금동대향로 /[edited by Korea Foundation].246-02/$1650-03/$1금동대향로.651-04/$1백제 (Kingdom)Antiquities.710-05/$1한국국제교류재단.*bn=main;c. 1C0OCL01246nam 2200373 a 4500ocn125170297OCoLC20070605101501.0060919s2006 cc a 000 0 chi CaOTRMengRON$1750101843X9787501018437(OCoLC)125170297(CStRLIN)ONRO06-B481NK1483.A1J56 2006ocm71289809NK1483.A1J56 2006OCLC880-01Jin, Zhu880-02Fu Lu Shou Xi Da Guan/Jin Zhu, Wang Zhijun Bian zhu.880-03Beijing :Wen wu chu ban she,2006ii, 229p.ill. ;26cm.Chinese languageCalligraphy study.Chinese languageWritingHistoryFestivalsChinaChinaSocial life and customWang, Zhijun.CaOTRMCaOTRMFNK1483.A1J56 2006CIN=KMW; OID=KMW100-01/$1245-02/$1福禄寿喜大观/金铢,王志军编著.260-03/$1北京 :文物出版社,2006NK1483 .A1 J56 200631761066877267ROMROMFAREASTBOOKC0OCL01737nam 22004334a 4500ocn137607921OCoLC20070605101501.0060223s2004 ye b 000 0 ara 2005311567DLC-RNYP(3(OCoLC)137607921(CStRLIN)NYPN06-B180lcodepccma-----PJ7538.L57 2004ocm60522147*OEM 06-1987OCLC880-01Liqāʼāt wa-shahādāt adabīyah /Najīb Maḥfūẓ ... [et al.] ; ajrá al-liqāʼāt Ḥasan ʻAlī Mijallī.880-02al-Ṭabʻah 1.880-03Ṣanʻāʼ :Markaz ʻAbbādī lil-Dirāsāt wa-al-Nashr,2004.153 p. ;23 cm.880-04Maktabat al-dirāsāt al-fikrīyah wa-al-naqdīyahIncludes bibliographical references.In Arabic.Arabic literature20th centuryHistory and criticism.Authors, Arab20th centuryInterviews.IntellectualsArab countriesInterviews.Maḥfūẓ, Najīb,1911-Mijallī, Ḥasan ʻAlī.New York Public Libraryho*OEM 06-1987OID=AME;CIN=GYG245-01/(3/r&#x200F;لقاءات وشهادات أدبية /&#x200F;&#x200F;نجيب محفوظ ... [et al.] ؛ أجرى اللقاءات حسن علي مجلي.250-02/(3/r&#x200F;الطبعة 1.260-03/(3/r&#x200F;صنعاء :&#x200F;&#x200F;2004.440-04/(3/r*OEM 06-198733433069567414ho-002C0OCL02647cas 2200589 a 4500ocn124081299OCoLC20070605101501.0970414c19789999iluqr p g 0 a0eng d 86641268 sn 84012219 ICD-LFC00897-12770022-6793399610USPS(OCoLC)124081299(CStRLIN)NYHL97-S162lcnsdpn-us---K10.U67ocm05266384344/.095/05342.4950519OCLCJurimetrics(Chic. Ill.)Jurimetrics(Chicago, Ill.)Jurimetrics.Jurimetrics journal of law, science and technology<fall 1991->Jurimetrics journal1978-Chicago, Ill. :Section of Science & Technology, American Bar Association,c1979-v. :ill. ;23 cm.QuarterlyVol. 19, no. 2 (winter 1978)-Title from cover."Journal of law, science and technology."Index to legal periodicals0019-4077Legal resource index1980-Computer & control abstracts0036-8113winter 1978-Electrical & electronics abstracts0036-8105winter 1978-Physics abstracts0036-8091winter 1978-Special issue for 1979 called also v. 19, no. 5.Special issue 1979 contains proceedings of the Section's annual meeting.Vols. for spring 1985-winter 1986 issued by: American Bar Association Section of Science and Technology and the Arizona State University College of Law; spring 1986-<fall 1987> by the American Bar Association Section of Science and Technology, and the Center for the Study of Law, Science, and Technology of the Arizona State University College of Law.Science and lawUnited StatesPeriodicals.Technology and lawUnited StatesPeriodicals.Judicial processUnited StatesPeriodicals.Legal researchData processingUnited StatesPeriodicals.Information storage and retrieval systemsLawUnited StatesPeriodicals.American Bar Association.Section of Science and Technology.Arizona State University.College of Law.Arizona State University.Center for the Study of Law, Science, and Technology.Jurimetrics journal0022-6793(DLC) 92657369(OCoLC)1754902NNHHRMAIN\PER1OID=CCSC0OCL01347cam 2200373 i 4500ocn135450843OCoLC20070605101501.0850910s1976 caua bc 001 0 eng d 76013691 UBYUBY0875870708 :$5.009780875870700(OCoLC)135450843(UPB)notisADN0346(CStRLIN)UTBG85-B43642n-us---N6538.N5D74ocm02318292ocm02550323ocm03890870709/.73N6538.N5\D74OCLCDriskell, David C.Two centuries of Black American art :[exhibition], Los Angeles County Museum of Art, the High Museum of Art, Atlanta, Museum of Fine Arts, Dallas, the Brooklyn Museum /David C. Driskell ; with catalog notes by Leonard Simon.1st ed.[Los Angeles] :Los Angeles County Museum of Art ;New York :Knopf :distributed by Random House,1976.221 p. :ill. (some col.) ;28 cm.Bibliography: p. 206-219.Includes index.Afro-American artExhibitions.Simon, Leonard,1936-Los Angeles County Museum of Art.UPBMANN6538.N5\D74c.1 001c.2 002OID=SYLC0OCL01215cam 2200313 a 4500ocn137458539OCoLC20070605101501.0900119s1974 maua 100 0 eng d 74081739 MSRMSR(OCoLC)137458539(CStRLIN)MOSA90-B178F61.C71 vol. 48NK2438.B6ocm01364905ocm06844451NK2438.B6B68 1974OCLCBoston furniture of the eighteenth century :a conference held by the Colonial Society of Massachusetts, 11 and 12 May 1972.Boston :Colonial Society of Massachusetts ;[Charlottesville] :distributed by the University Press of Virginia,c1974.xvi, 316 p. :ill. ;25 cm.Publications of the Colonial Society of Massachusetts ;v. 48Bibliography: p. 303-305.Includes index.Furniture, ColonialMassachusettsBostonCongresses.Furniture, Early AmericanMassachusettsBostonCongresses.Colonial Society of Massachusetts.MoSRSTKNK2438.B6B68 197421260CIN=MLC; OID=MLCRC0OCL01731cam 2200457 a 4500ocn124411460OCoLC20070605101501.0070222s2007 is a b 001 0ceng dNNYIVXJ(296522938659789652293862(OCoLC)124411460(CStRLIN)NYJH07-B409enghebe-hu---a-is---DS135.H93A147313 2007ocm85564516DS135.H93A14513 2007OCLCGur, David,1926-880-01Aḥim le-hitnagdut ule-hatsalah.EnglishBrothers for resistance and rescue :the underground Zionist youth movement in Hungary during World War II /David Gur ; edited by Eli Netzer ; translated by Pamela Segev & Avri Fischer.Enlarged and revised ed.Jerusalem :Gefen,2007.270 p. :ill. ;28 p.Introduction by Randolph L. Brahan.Includes bibliographical references (p. 261-264) and index.JewsHungaryBiography.Jewish youthHungaryBiography.ZionismHungaryHistory20th century.World War, 1939-1945Jewish resistanceHungary.Jews, HungarianIsraelBiography.Holocaust survivorsIsraelBiography.Netser, Eli.Segev, Pamela.Fischer, Avri.Library of the Jewish Theological SeminaryJT1MAINOVERSIZEDS135.H93A14513 200731407002756237CIN=RL; OID=RL240-01/(2/r&#x200F;אחים להתנגדות ולהצלה.&#x200F;&#x200F;EnglishC0OCL02310cjm 2200349 a 4500ocn131225106OCoLC20070605101501.0sd |||gnammned051219p2004 sa mun g l mul dCtYYUSACM-CD023/3African Cream Music(OCoLC)131225106(CtY)7143913(CStRLIN)CTYA7143913-Rengxhof-sa---ML3760.W55 2004ocm64169861ML3760.W55 2004 (LC)OCLCThe winds of change[sound recording] :[a journey through the key music and moments that gave birth to a free, democratic South Africa].[South Africa?] :African Cream Music,2004.2 sound discs :digital ;4 3/4 in. +1 bookletCompact discs.Subtitle from booklet.Various artists.CD. 1. Nkosi sikelel' iAfrika (Tumelo Maloi) -- Winds of change (Harold Macmillan) -- Zono zam (Dorothy Masuka) -- Nobel Prize Award (Chief Albert Luthuli) -- Zandile (Jazz Ministers) -- Rivonia trial speech (Nelson Mandela) -- Woza ANC (Freedom Choir, ACFC) -- Ag pleez deddy (Jeremy Taylor) -- Kalamazoo (Pops Mohamed) -- Fight to the end (JB Vorster) -- Joyin umkhonto wesizwe (ACFC) -- Burnout (Sipho "Hotstix" Mabuse) -- Total onslaught (PW Botha) -- State of emergency (Amampondo) -- Paradise road (Joy) -- AWB speech (Eugene Terreblanche) -- Slovo no tambo (ACFC) -- Bayeza (Soul Brothers) -- Tsoha/vuka (ACFC) -- Asimbonanga (Jonny Clegg) -- CD. 2. Whispers in the deep (Stimela) -- Thula Sizwe (ACFC) -- Halala Afrika (Johannes Kerkorrel) -- Papa stop the war (Chicco) -- Unbanning speech (FW De Klerk) -- Shosholoza (ACFCA) -- Bring him back home (Hugh Masekela) -- Inauguration speech (Nelson Mandela) -- Man of the world (Yvonne Chaka Chaka) -- Neva again (Prophets of Da City) -- Waar was jy (Skeem) -- I am an African (Thabo Mbeki) -- Power of Africa (Yvonne Chaka Chaka) -- Yehlisan umoya ma-Afrika (Busi Mhlongo) -- Sabela (Sibongile Khumalo) -- Inauguration speech (Nelson Mandela) -- Nkosi sikelel' iAfrika (ACFC).MusicAfrican.Speeches, addresses, etc.CtYsmlML3760.W55 2004 (LC)C0OCL01613cam 2200409 a 4500ocn124450154OCoLC20070605103524.0970411s1947 nyu 001 0 rus dNNCVXJ(N(OCoLC)124450154(CStRLIN)NYJH97-B3375rusyidn-us---ocm42037006PJ5192.R8F4OCLC880-01Evreĭskai͡a poėzii͡a :antologii͡a /Leonid Grebnev (L. Faĭnberg).Yiddish poetry880-02Nʹi͡u-Ĭork :Izd. Soi͡uza russkikh evreev v Nʹi͡u-Iorke,1947.240 p. ;23 cm.No more published?Tom 1. Amerika.Includes index.Author's autograph presentation copy to Moses Shifris.Yiddish poetryUnited States.Yiddish poetryTranslations into RussianCollections.Russian poetryTranslations from YiddishCollections.880-03Feinberg, Leon,1897-1969Presentation inscription to Moses Shifris.880-04Feinberg, Leon,1897-1969.NNJPUBLPJ5192.R8F41CIN=AMW; OID=UTC245-01/(NЕврейская поэзия :антология /Леонид Гребнев [Л. Файнберг].260-02/(NНью-Йорк :Изд. Союза русских евреев в Нью-Йорке,1947.600-03/(NФайнберг, Леон,1897-1969.700-04/(NФайнберг, Леон,1897-1969.C0OCL \ No newline at end of file diff --git a/src/test/resources/org/xbib/marc/brkrtest.mrc.xml b/src/test/resources/org/xbib/marc/brkrtest.mrc.xml index 50ad877..acf3b26 100644 --- a/src/test/resources/org/xbib/marc/brkrtest.mrc.xml +++ b/src/test/resources/org/xbib/marc/brkrtest.mrc.xml @@ -1 +1 @@ -01201nam 2200253 a 4500tes96000001 ViArRB199602210153555.7960221s1955 dcuabcdjdbkoqu001 0deng dViArRBViArRBPQ1234.T39 1955Deer-Doe, J.(Jane),saint,1355-1401,spirit.New test record number 1 with ordinary data[large print] /by Jane Deer-Doe ; edited by Patty O'Furniture.New test record number one with ordinary dataWashington, DC :Library of Congress,1955-<1957>v. 1-<5> :ill., maps, ports., charts ; cm.Test record series ;no. 1This is a test of ordinary features like replacement of the mnemonics for currency and dollar signs and backslashes (backsolidus \) used for blanks in certain areas.This is a test for the conversion of curly braces; the opening curly brace ({) and the closing curly brace (}).Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.O'Furniture, Patty,ed.02665nam 2200229 a 4500tes96000002 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 2 with currently defined ANSEL characters (mostly diacritics) input with their real hexadecimal values[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 2This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaIncludes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.02652nam 2200229 a 4500tes96000003 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 3 with currently defined ANSEL characters (mostly diacritics) input with mnemonic strings[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 3This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaIncludes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.01276nam 2200229 a 4500tes96000004 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 4 with newly-defined diacritics[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 4This field tests the 13 new USMARC characters which include the spacing circumflex "^", the spacing underscore in "file_name", the grave "`", the spacing tilde "~", and the opening and closing curly brackets, {text}, also included are new extended characters degree sign 98.6°, small script l in 45ℓ, the phono copyright mark in ℗1994, the copyright mark in ©1955, the musical sharp in concerto in F♯ major, the inverted question mark in ¿Que pasó?, and the inverted exclamation mark in ¡Ay caramba!.Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.03101nam 2200241 a 4500tes96000005 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 5 for all diacritics[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 5This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaThis field tests the 13 new USMARC characters which include the spacing circumflex "^", the spacing underscore in "file_name", the grave "`", the spacing tilde "~", and the opening and closing curly brackets, {text}; also included are new extended characters degree sign 98.6°, small script l in 45ℓ, the phono copyright mark in ℓ1994, the copyright mark in ℗1955, the musical sharp in concerto in F© major, the inverted question mark in ¿Que pasó?, and the inverted exclamation mark in ¡Ay caramba!.Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.03099nam 2200241 a 4500tes96000006 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-A new ultimate test record for diacritics[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 6This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaThis field tests the 13 new USMARC characters which include the spacing circumflex "^", the spacing underscore in "file_name", the grave "`", the spacing tilde "~", and the opening and closing curly brackets, {text}, also included are new extended characters degree sign 98.6°, small script l in 45ℓ, the phono copyright mark in ℗1994, the copyright mark in ©1955, the musical sharp in concerto in F♯ major, the inverted question mark in ¿Que pasó?, and the inverted exclamation mark in ¡Ay caramba!.Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.00959nam 2200241 a 4500tes96000007 ViArRB19960221165955.9960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-A check of the processing of unrecognized mnemonic strings like &zilch; which might be encountered in the MARCMakr input file.Washington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 7This is a test of mnemonic conversion, like a real backslash or back solidus, as it is sometimes called (\).Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.ftp.loc.gov\pub\marc00833nam 2200217 a 4500tes96000008 ViArRB19960221195511.9960221s1955 dcuabcdjdbkoqu001 0dspa d84722365790777000008 :$35.990777000008 :$35.993777000008 (German ed.):$46.00ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-A check of the processing of the dollar sign and mnemonic strings used for real dollar signs (associated with prices).Washington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 8This is a test of mnemonic conversion, like a real backslash or back solidus, as it is sometimes called (\). \ No newline at end of file +01201nam 2200253 a 4500tes96000001 ViArRB199602210153555.7960221s1955 dcuabcdjdbkoqu001 0deng dViArRBViArRBPQ1234.T39 1955Deer-Doe, J.(Jane),saint,1355-1401,spirit.New test record number 1 with ordinary data[large print] /by Jane Deer-Doe ; edited by Patty O'Furniture.New test record number one with ordinary dataWashington, DC :Library of Congress,1955-<1957>v. 1-<5> :ill., maps, ports., charts ; cm.Test record series ;no. 1This is a test of ordinary features like replacement of the mnemonics for currency and dollar signs and backslashes (backsolidus \) used for blanks in certain areas.This is a test for the conversion of curly braces; the opening curly brace ({) and the closing curly brace (}).Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.O'Furniture, Patty,ed.02665nam 2200229 a 4500tes96000002 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 2 with currently defined ANSEL characters (mostly diacritics) input with their real hexadecimal values[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 2This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaIncludes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.02652nam 2200229 a 4500tes96000003 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 3 with currently defined ANSEL characters (mostly diacritics) input with mnemonic strings[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 3This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaIncludes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.01276nam 2200229 a 4500tes96000004 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 4 with newly-defined diacritics[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 4This field tests the 13 new USMARC characters which include the spacing circumflex "^", the spacing underscore in "file_name", the grave "`", the spacing tilde "~", and the opening and closing curly brackets, {text}, also included are new extended characters degree sign 98.6°, small script l in 45ℓ, the phono copyright mark in ℗1994, the copyright mark in ©1955, the musical sharp in concerto in F♯ major, the inverted question mark in ¿Que pasó?, and the inverted exclamation mark in ¡Ay caramba!.Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.03101nam 2200241 a 4500tes96000005 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 5 for all diacritics[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 5This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaThis field tests the 13 new USMARC characters which include the spacing circumflex "^", the spacing underscore in "file_name", the grave "`", the spacing tilde "~", and the opening and closing curly brackets, {text}; also included are new extended characters degree sign 98.6°, small script l in 45ℓ, the phono copyright mark in ℓ1994, the copyright mark in ℗1955, the musical sharp in concerto in F© major, the inverted question mark in ¿Que pasó?, and the inverted exclamation mark in ¡Ay caramba!.Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.03099nam 2200241 a 4500tes96000006 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-A new ultimate test record for diacritics[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 6This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaThis field tests the 13 new USMARC characters which include the spacing circumflex "^", the spacing underscore in "file_name", the grave "`", the spacing tilde "~", and the opening and closing curly brackets, {text}, also included are new extended characters degree sign 98.6°, small script l in 45ℓ, the phono copyright mark in ℗1994, the copyright mark in ©1955, the musical sharp in concerto in F♯ major, the inverted question mark in ¿Que pasó?, and the inverted exclamation mark in ¡Ay caramba!.Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.00959nam 2200241 a 4500tes96000007 ViArRB19960221165955.9960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-A check of the processing of unrecognized mnemonic strings like &zilch; which might be encountered in the MARCMakr input file.Washington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 7This is a test of mnemonic conversion, like a real backslash or back solidus, as it is sometimes called (\).Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.ftp.loc.gov\pub\marc00833nam 2200217 a 4500tes96000008 ViArRB19960221195511.9960221s1955 dcuabcdjdbkoqu001 0dspa d84722365790777000008 :$35.990777000008 :$35.993777000008 (German ed.):$46.00ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-A check of the processing of the dollar sign and mnemonic strings used for real dollar signs (associated with prices).Washington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 8This is a test of mnemonic conversion, like a real backslash or back solidus, as it is sometimes called (\). \ No newline at end of file diff --git a/src/test/resources/org/xbib/marc/chabon-loc.mrc.xml b/src/test/resources/org/xbib/marc/chabon-loc.mrc.xml index 10c31b5..ceadd56 100644 --- a/src/test/resources/org/xbib/marc/chabon-loc.mrc.xml +++ b/src/test/resources/org/xbib/marc/chabon-loc.mrc.xml @@ -1 +1 @@ -01488cam 2200349 a 45001193987620041229190604.0000313s2000 nyu 000 1 eng 7cbcorignew1ocip20y-gencatlgacquire2 shelf copiespolicy defaultto HLCD pc03 03-13-00; lh08 to subj. 03-14-00; lh06 03-22-00; lk02 03-22-00; to Dewey 03-22-00; aa05 03-23-00; ps13 2001-11-06 bk rec'd, to CIP ver.pv08 2001-11-07 CIP ver. to BCCD 00029063 0679450041 (acid-free paper)DLCDLCDLCn-us-nyPS3553.H15A82 2000813/.5421Chabon, Michael.The amazing adventures of Kavalier and Clay :a novel /Michael Chabon.New York :Random House,c2000.639 p. ;25 cm.Comic books, strips, etc.AuthorshipFiction.Heroes in mass mediaFiction.Czech AmericansFiction.New York (N.Y.)Fiction.Young menFiction.CartoonistsFiction.Humorous stories.gsafdBildungsromane.gsafdContributor biographical informationhttp://www.loc.gov/catdir/bios/random052/00029063.htmlSample texthttp://www.loc.gov/catdir/samples/random044/00029063.htmlPublisher descriptionhttp://www.loc.gov/catdir/description/random0411/00029063.html01185cam 2200301 a 45001288337620030616111422.0020805s2002 nyu j 000 1 eng 7cbcorignew1ocip20y-gencatlgacquire2 shelf copiespolicy defaultpc14 2002-08-05 to HLCDlh08 2002-08-06 to subj.;lb11 2002-09-05lb05 2002-09-06 to cipps09 2003-03-04 1 copy rec'd., to CIP ver.pv01 2003-03-17 CIP ver to BCCDld11 2003-05-12 cp2 to BCCD 200202749707868087720786816155 (pbk.)DLCDLCDLClcacPZ7.C3315Su 2002[Fic]21Chabon, Michael.Summerland /Michael Chabon.1st ed.New York :Miramax Books/Hyperion Books for Children,c2002.500 p. ;22 cm.Ethan Feld, the worst baseball player in the history of the game, finds himself recruited by a 100-year-old scout to help a band of fairies triumph over an ancient enemy.Fantasy.BaseballFiction.MagicFiction.II lb11 09-05-02 \ No newline at end of file +01488cam 2200349 a 45001193987620041229190604.0000313s2000 nyu 000 1 eng 7cbcorignew1ocip20y-gencatlgacquire2 shelf copiespolicy defaultto HLCD pc03 03-13-00; lh08 to subj. 03-14-00; lh06 03-22-00; lk02 03-22-00; to Dewey 03-22-00; aa05 03-23-00; ps13 2001-11-06 bk rec'd, to CIP ver.pv08 2001-11-07 CIP ver. to BCCD 00029063 0679450041 (acid-free paper)DLCDLCDLCn-us-nyPS3553.H15A82 2000813/.5421Chabon, Michael.The amazing adventures of Kavalier and Clay :a novel /Michael Chabon.New York :Random House,c2000.639 p. ;25 cm.Comic books, strips, etc.AuthorshipFiction.Heroes in mass mediaFiction.Czech AmericansFiction.New York (N.Y.)Fiction.Young menFiction.CartoonistsFiction.Humorous stories.gsafdBildungsromane.gsafdContributor biographical informationhttp://www.loc.gov/catdir/bios/random052/00029063.htmlSample texthttp://www.loc.gov/catdir/samples/random044/00029063.htmlPublisher descriptionhttp://www.loc.gov/catdir/description/random0411/00029063.html01185cam 2200301 a 45001288337620030616111422.0020805s2002 nyu j 000 1 eng 7cbcorignew1ocip20y-gencatlgacquire2 shelf copiespolicy defaultpc14 2002-08-05 to HLCDlh08 2002-08-06 to subj.;lb11 2002-09-05lb05 2002-09-06 to cipps09 2003-03-04 1 copy rec'd., to CIP ver.pv01 2003-03-17 CIP ver to BCCDld11 2003-05-12 cp2 to BCCD 200202749707868087720786816155 (pbk.)DLCDLCDLClcacPZ7.C3315Su 2002[Fic]21Chabon, Michael.Summerland /Michael Chabon.1st ed.New York :Miramax Books/Hyperion Books for Children,c2002.500 p. ;22 cm.Ethan Feld, the worst baseball player in the history of the game, finds himself recruited by a 100-year-old scout to help a band of fairies triumph over an ancient enemy.Fantasy.BaseballFiction.MagicFiction.II lb11 09-05-02 \ No newline at end of file diff --git a/src/test/resources/org/xbib/marc/chabon.mrc.xml b/src/test/resources/org/xbib/marc/chabon.mrc.xml index c1949ac..20a91f6 100644 --- a/src/test/resources/org/xbib/marc/chabon.mrc.xml +++ b/src/test/resources/org/xbib/marc/chabon.mrc.xml @@ -1 +1 @@ -00759cam a2200229 a 45001193987620041229190604.0000313s2000 nyu 000 1 eng 0679450041 (acid-free paper)DLCDLCDLCChabon, Michael.The amazing adventures of Kavalier and Clay :a novel /Michael Chabon.New York :Random House,c2000.639 p. ;25 cm.Comic books, strips, etc.AuthorshipFiction.Heroes in mass mediaFiction.Czech AmericansFiction.New York (N.Y.)Fiction.Young menFiction.CartoonistsFiction.Humorous stories.gsafdBildungsromane.gsafd00714cam a2200205 a 45001288337620030616111422.0020805s2002 nyu j 000 1 eng 07868087720786816155 (pbk.)DLCDLCDLCChabon, Michael.Summerland /Michael Chabon.1st ed.New York :Miramax Books/Hyperion Books for Children,c2002.500 p. ;22 cm.Ethan Feld, the worst baseball player in the history of the game, finds himself recruited by a 100-year-old scout to help a band of fairies triumph over an ancient enemy.Fantasy.BaseballFiction.MagicFiction. \ No newline at end of file +00759cam a2200229 a 45001193987620041229190604.0000313s2000 nyu 000 1 eng 0679450041 (acid-free paper)DLCDLCDLCChabon, Michael.The amazing adventures of Kavalier and Clay :a novel /Michael Chabon.New York :Random House,c2000.639 p. ;25 cm.Comic books, strips, etc.AuthorshipFiction.Heroes in mass mediaFiction.Czech AmericansFiction.New York (N.Y.)Fiction.Young menFiction.CartoonistsFiction.Humorous stories.gsafdBildungsromane.gsafd00714cam a2200205 a 45001288337620030616111422.0020805s2002 nyu j 000 1 eng 07868087720786816155 (pbk.)DLCDLCDLCChabon, Michael.Summerland /Michael Chabon.1st ed.New York :Miramax Books/Hyperion Books for Children,c2002.500 p. ;22 cm.Ethan Feld, the worst baseball player in the history of the game, finds himself recruited by a 100-year-old scout to help a band of fairies triumph over an ancient enemy.Fantasy.BaseballFiction.MagicFiction. \ No newline at end of file diff --git a/src/test/resources/org/xbib/marc/diacritic4.mrc.xml b/src/test/resources/org/xbib/marc/diacritic4.mrc.xml index 43b6348..8b7270c 100644 --- a/src/test/resources/org/xbib/marc/diacritic4.mrc.xml +++ b/src/test/resources/org/xbib/marc/diacritic4.mrc.xml @@ -1 +1 @@ -03059cam 2200301 i 4500 77123332 DLC20051218154744.0981008b2001 ilu 000 0 eng DLCDLCDLC 77123332 OCLC diacritic and special character test record.ny :ny,2001.100 p. ;12 cm.VOYAGER COLUMN 0 (NEW): Degree sign (°); Phono Copyright mark (℗); Copyright mark (©); Sharp (♯); Inverted Question mark (¿); Inverted Exclamation mark (¡); Eszett (ß); Euro (€).VOYAGER COLUMN 1: Script L (ℓ); Polish L (Ł); Scandanavian O (Ø); D with Crossbar (Đ); Icelandic Thorn (Þ); AE Digraph (Æ); OE Digraph (Œ); Miagkii Znak (ʹ); Dot at Midline (·).VOYAGER COLUMN 2: Musical Flat (♭); Patent Mark (®); Plus or Minus (±); O Hook (Ơ); U Hook (Ư); Alif (ʼ); alpha (α); Ayn (ʻ); Polish l (ł).VOYAGER COLUMN 3: Scandanavian o (ø); d with crossbar (đ); Icelandic Thorn (þ); ae Digraph (æ); oe Digraph (œ); Tverdii Znak (ʺ); Turkish i (ı); British Pound (£); eth (ð).VOYAGER COLUMN 4: Dagger (DO NOT USE); o Hook (ơ); u Hook (ư); Beta (β); Gamma (γ); Superscript 0 (⁰); Superscript 1 (¹); Superscript 2 (²); Superscript 3 (³).VOYAGER COLUMN 5: Superscript 4 (⁴); Superscript 5 (⁵); Superscript 6 (⁶); Superscript 7 (⁷); Superscript 8 (⁸); Superscript 9 (⁹); Superscript + (⁺); Superscript - (⁻); Superscript ( (⁽).VOYAGER COLUMN 6: Superscript ) (⁾); Subscript 0 (₀); Subscript 1 (₁); Subscript 2 (₂); Subscript 3 (₃); Subscript 4 (₄); Subscript 5 (₅); Subscript 6 (₆); Subscript 7 (₇).VOYAGER COLUMN 7: Subscript 8 (₈); Subscript 9 (₉); Subscript + (₊); Subscript - (₋); Subscript ( (₍); Subscript ) (₎); Pseudo Question Mark (ỏ); Grave (ò); Acute (ó).VOYAGER COLUMN 8: Circumflex (ô); Tilde (õ); Macron (ō); Breve (ŏ); Superior Dot (ȯ); Umlaut (ö); Hacek (ǒ); Circle Above (o̊); Ligature left (o͡).VOYAGER COLUMN 9: Ligature right (o) ; High Comma off center (o̕); Double Acute (ő); Candrabindu (o̐); Cedilla (o̧); Right Hook (ǫ); Dot Below (ọ); Double Dot Below (o̤); Circle Below (o̥).VOYAGER COLUMN 10: Double Underscore (o̳); Underscore (o̲); Left Hook (o̦); Right Cedilla (o̜); Upadhmaniya (o̮); Double Tilde 1st half (o͠); Double Tilde 2nd half (o) ; High Comma centered (o̓).VOYAGER PC Keyboard: Spacing Circumflex (^); Spacing Underscore (_); Spacing Grave (`); Open Curly Bracket ({); Close Curly Bracket (}); Spacing Tilde (~).Standard PC Keyboard: 1234567890-= !@#$%^&*()_+ qwertyuiop[]\ QWERTYUIOP{}| asdfghjkl;' ASDFGHJKL:" zxcvbnm,./ ZXCVBNM<>?Double Tilde, 1st and 2nd halves (o͠o) ; Ligature, both halves (o͡o). \ No newline at end of file +03059cam 2200301 i 4500 77123332 DLC20051218154744.0981008b2001 ilu 000 0 eng DLCDLCDLC 77123332 OCLC diacritic and special character test record.ny :ny,2001.100 p. ;12 cm.VOYAGER COLUMN 0 (NEW): Degree sign (°); Phono Copyright mark (℗); Copyright mark (©); Sharp (♯); Inverted Question mark (¿); Inverted Exclamation mark (¡); Eszett (ß); Euro (€).VOYAGER COLUMN 1: Script L (ℓ); Polish L (Ł); Scandanavian O (Ø); D with Crossbar (Đ); Icelandic Thorn (Þ); AE Digraph (Æ); OE Digraph (Œ); Miagkii Znak (ʹ); Dot at Midline (·).VOYAGER COLUMN 2: Musical Flat (♭); Patent Mark (®); Plus or Minus (±); O Hook (Ơ); U Hook (Ư); Alif (ʼ); alpha (α); Ayn (ʻ); Polish l (ł).VOYAGER COLUMN 3: Scandanavian o (ø); d with crossbar (đ); Icelandic Thorn (þ); ae Digraph (æ); oe Digraph (œ); Tverdii Znak (ʺ); Turkish i (ı); British Pound (£); eth (ð).VOYAGER COLUMN 4: Dagger (DO NOT USE); o Hook (ơ); u Hook (ư); Beta (β); Gamma (γ); Superscript 0 (⁰); Superscript 1 (¹); Superscript 2 (²); Superscript 3 (³).VOYAGER COLUMN 5: Superscript 4 (⁴); Superscript 5 (⁵); Superscript 6 (⁶); Superscript 7 (⁷); Superscript 8 (⁸); Superscript 9 (⁹); Superscript + (⁺); Superscript - (⁻); Superscript ( (⁽).VOYAGER COLUMN 6: Superscript ) (⁾); Subscript 0 (₀); Subscript 1 (₁); Subscript 2 (₂); Subscript 3 (₃); Subscript 4 (₄); Subscript 5 (₅); Subscript 6 (₆); Subscript 7 (₇).VOYAGER COLUMN 7: Subscript 8 (₈); Subscript 9 (₉); Subscript + (₊); Subscript - (₋); Subscript ( (₍); Subscript ) (₎); Pseudo Question Mark (ỏ); Grave (ò); Acute (ó).VOYAGER COLUMN 8: Circumflex (ô); Tilde (õ); Macron (ō); Breve (ŏ); Superior Dot (ȯ); Umlaut (ö); Hacek (ǒ); Circle Above (o̊); Ligature left (o͡).VOYAGER COLUMN 9: Ligature right (o) ; High Comma off center (o̕); Double Acute (ő); Candrabindu (o̐); Cedilla (o̧); Right Hook (ǫ); Dot Below (ọ); Double Dot Below (o̤); Circle Below (o̥).VOYAGER COLUMN 10: Double Underscore (o̳); Underscore (o̲); Left Hook (o̦); Right Cedilla (o̜); Upadhmaniya (o̮); Double Tilde 1st half (o͠); Double Tilde 2nd half (o) ; High Comma centered (o̓).VOYAGER PC Keyboard: Spacing Circumflex (^); Spacing Underscore (_); Spacing Grave (`); Open Curly Bracket ({); Close Curly Bracket (}); Spacing Tilde (~).Standard PC Keyboard: 1234567890-= !@#$%^&*()_+ qwertyuiop[]\ QWERTYUIOP{}| asdfghjkl;' ASDFGHJKL:" zxcvbnm,./ ZXCVBNM<>?Double Tilde, 1st and 2nd halves (o͠o) ; Ligature, both halves (o͡o). \ No newline at end of file diff --git a/src/test/resources/org/xbib/marc/makrtest.mrc.xml b/src/test/resources/org/xbib/marc/makrtest.mrc.xml index 50ad877..acf3b26 100644 --- a/src/test/resources/org/xbib/marc/makrtest.mrc.xml +++ b/src/test/resources/org/xbib/marc/makrtest.mrc.xml @@ -1 +1 @@ -01201nam 2200253 a 4500tes96000001 ViArRB199602210153555.7960221s1955 dcuabcdjdbkoqu001 0deng dViArRBViArRBPQ1234.T39 1955Deer-Doe, J.(Jane),saint,1355-1401,spirit.New test record number 1 with ordinary data[large print] /by Jane Deer-Doe ; edited by Patty O'Furniture.New test record number one with ordinary dataWashington, DC :Library of Congress,1955-<1957>v. 1-<5> :ill., maps, ports., charts ; cm.Test record series ;no. 1This is a test of ordinary features like replacement of the mnemonics for currency and dollar signs and backslashes (backsolidus \) used for blanks in certain areas.This is a test for the conversion of curly braces; the opening curly brace ({) and the closing curly brace (}).Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.O'Furniture, Patty,ed.02665nam 2200229 a 4500tes96000002 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 2 with currently defined ANSEL characters (mostly diacritics) input with their real hexadecimal values[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 2This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaIncludes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.02652nam 2200229 a 4500tes96000003 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 3 with currently defined ANSEL characters (mostly diacritics) input with mnemonic strings[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 3This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaIncludes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.01276nam 2200229 a 4500tes96000004 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 4 with newly-defined diacritics[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 4This field tests the 13 new USMARC characters which include the spacing circumflex "^", the spacing underscore in "file_name", the grave "`", the spacing tilde "~", and the opening and closing curly brackets, {text}, also included are new extended characters degree sign 98.6°, small script l in 45ℓ, the phono copyright mark in ℗1994, the copyright mark in ©1955, the musical sharp in concerto in F♯ major, the inverted question mark in ¿Que pasó?, and the inverted exclamation mark in ¡Ay caramba!.Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.03101nam 2200241 a 4500tes96000005 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 5 for all diacritics[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 5This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaThis field tests the 13 new USMARC characters which include the spacing circumflex "^", the spacing underscore in "file_name", the grave "`", the spacing tilde "~", and the opening and closing curly brackets, {text}; also included are new extended characters degree sign 98.6°, small script l in 45ℓ, the phono copyright mark in ℓ1994, the copyright mark in ℗1955, the musical sharp in concerto in F© major, the inverted question mark in ¿Que pasó?, and the inverted exclamation mark in ¡Ay caramba!.Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.03099nam 2200241 a 4500tes96000006 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-A new ultimate test record for diacritics[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 6This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaThis field tests the 13 new USMARC characters which include the spacing circumflex "^", the spacing underscore in "file_name", the grave "`", the spacing tilde "~", and the opening and closing curly brackets, {text}, also included are new extended characters degree sign 98.6°, small script l in 45ℓ, the phono copyright mark in ℗1994, the copyright mark in ©1955, the musical sharp in concerto in F♯ major, the inverted question mark in ¿Que pasó?, and the inverted exclamation mark in ¡Ay caramba!.Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.00959nam 2200241 a 4500tes96000007 ViArRB19960221165955.9960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-A check of the processing of unrecognized mnemonic strings like &zilch; which might be encountered in the MARCMakr input file.Washington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 7This is a test of mnemonic conversion, like a real backslash or back solidus, as it is sometimes called (\).Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.ftp.loc.gov\pub\marc00833nam 2200217 a 4500tes96000008 ViArRB19960221195511.9960221s1955 dcuabcdjdbkoqu001 0dspa d84722365790777000008 :$35.990777000008 :$35.993777000008 (German ed.):$46.00ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-A check of the processing of the dollar sign and mnemonic strings used for real dollar signs (associated with prices).Washington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 8This is a test of mnemonic conversion, like a real backslash or back solidus, as it is sometimes called (\). \ No newline at end of file +01201nam 2200253 a 4500tes96000001 ViArRB199602210153555.7960221s1955 dcuabcdjdbkoqu001 0deng dViArRBViArRBPQ1234.T39 1955Deer-Doe, J.(Jane),saint,1355-1401,spirit.New test record number 1 with ordinary data[large print] /by Jane Deer-Doe ; edited by Patty O'Furniture.New test record number one with ordinary dataWashington, DC :Library of Congress,1955-<1957>v. 1-<5> :ill., maps, ports., charts ; cm.Test record series ;no. 1This is a test of ordinary features like replacement of the mnemonics for currency and dollar signs and backslashes (backsolidus \) used for blanks in certain areas.This is a test for the conversion of curly braces; the opening curly brace ({) and the closing curly brace (}).Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.O'Furniture, Patty,ed.02665nam 2200229 a 4500tes96000002 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 2 with currently defined ANSEL characters (mostly diacritics) input with their real hexadecimal values[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 2This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaIncludes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.02652nam 2200229 a 4500tes96000003 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 3 with currently defined ANSEL characters (mostly diacritics) input with mnemonic strings[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 3This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaIncludes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.01276nam 2200229 a 4500tes96000004 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 4 with newly-defined diacritics[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 4This field tests the 13 new USMARC characters which include the spacing circumflex "^", the spacing underscore in "file_name", the grave "`", the spacing tilde "~", and the opening and closing curly brackets, {text}, also included are new extended characters degree sign 98.6°, small script l in 45ℓ, the phono copyright mark in ℗1994, the copyright mark in ©1955, the musical sharp in concerto in F♯ major, the inverted question mark in ¿Que pasó?, and the inverted exclamation mark in ¡Ay caramba!.Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.03101nam 2200241 a 4500tes96000005 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-New test record number 5 for all diacritics[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 5This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaThis field tests the 13 new USMARC characters which include the spacing circumflex "^", the spacing underscore in "file_name", the grave "`", the spacing tilde "~", and the opening and closing curly brackets, {text}; also included are new extended characters degree sign 98.6°, small script l in 45ℓ, the phono copyright mark in ℓ1994, the copyright mark in ℗1955, the musical sharp in concerto in F© major, the inverted question mark in ¿Que pasó?, and the inverted exclamation mark in ¡Ay caramba!.Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.03099nam 2200241 a 4500tes96000006 ViArRB19960221075055.7960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-A new ultimate test record for diacritics[large print] /by Jane Deer-DoeWashington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 6This is a test of diacritics like the uppercase Polish L in Łódź, the uppercase Scandinavia O in Øst, the uppercase D with crossbar in Đuro, the uppercase Icelandic thorn in Þann, the uppercase digraph AE in Ægir, the uppercase digraph OE in Œuvres, the soft sign in rechʹ, the middle dot in col·lecció, the musical flat in F♭, the patent mark in Frizbee®, the plus or minus sign in ±54%, the uppercase O-hook in BƠ, the uppercase U-hook in XƯA, the alif in masʼalah, the ayn in ʻarab, the lowercase Polish l in Włocław, the lowercase Scandinavian o in København, the lowercase d with crossbar in đavola, the lowercase Icelandic thorn in þann, the lowercase digraph ae in være, the lowercase digraph oe in cœur, the lowercase hardsign in sʺezd, the Turkish dotless i in masalı, the British pound sign in £5.95, the lowercase eth in verður, the lowercase o-hook (with pseudo question mark) in Sở, the lowercase u-hook in Tư Dưc, the pseudo question mark in củi, the grave accent in très, the acute accent in désirée, the circumflex in côte, the tilde in mañana, the macron in Tōkyo, the breve in russkiĭ, the dot above in żaba, the dieresis (umlaut) in Löwenbräu, the caron (hachek) in črny, the circle above (angstrom) in årbok, the ligature first and second halves in di͡adi͡a, the high comma off center in rozdelo̕vac, the double acute in időszaki, the candrabindu (breve with dot above) in Alii̐ev, the cedilla in ça va comme ça, the right hook in vietą, the dot below in teḍa, the double dot below in k̲h̲ut̤bah, the circle below in Saṃskr̥ta, the double underscore in G̳hulam, the left hook in Lech Wałe̦sa, the right cedilla (comma below) in kho̜ng, the upadhmaniya (half circle below) in ḫumantuš, double tilde, first and second halves in n͠galan, high comma (centered) in ge̓otermikaThis field tests the 13 new USMARC characters which include the spacing circumflex "^", the spacing underscore in "file_name", the grave "`", the spacing tilde "~", and the opening and closing curly brackets, {text}, also included are new extended characters degree sign 98.6°, small script l in 45ℓ, the phono copyright mark in ℗1994, the copyright mark in ©1955, the musical sharp in concerto in F♯ major, the inverted question mark in ¿Que pasó?, and the inverted exclamation mark in ¡Ay caramba!.Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.00959nam 2200241 a 4500tes96000007 ViArRB19960221165955.9960221s1955 dcuabcdjdbkoqu001 0dspa d8472236579ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-A check of the processing of unrecognized mnemonic strings like &zilch; which might be encountered in the MARCMakr input file.Washington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 7This is a test of mnemonic conversion, like a real backslash or back solidus, as it is sometimes called (\).Includes Bibliographies, discographies, filmographies, and reviews.Includes index.Test recordJuvenile.Doe, John,1955- Biography.ftp.loc.gov\pub\marc00833nam 2200217 a 4500tes96000008 ViArRB19960221195511.9960221s1955 dcuabcdjdbkoqu001 0dspa d84722365790777000008 :$35.990777000008 :$35.993777000008 (German ed.):$46.00ViArRBViArRBPQ1234.T39 1955Deer-Doe, Jane,1957-A check of the processing of the dollar sign and mnemonic strings used for real dollar signs (associated with prices).Washington, DC :Library of Congress,1955.300 p. :ill., maps, ports., charts ; cm.Test record series ;no. 8This is a test of mnemonic conversion, like a real backslash or back solidus, as it is sometimes called (\). \ No newline at end of file diff --git a/src/test/resources/org/xbib/marc/summerland.mrc.xml b/src/test/resources/org/xbib/marc/summerland.mrc.xml index 10dc1c7..5fbbcdf 100644 --- a/src/test/resources/org/xbib/marc/summerland.mrc.xml +++ b/src/test/resources/org/xbib/marc/summerland.mrc.xml @@ -1 +1 @@ -00714cam a2200205 a 45001288337620030616111422.0020805s2002 nyu j 000 1 eng 07868087720786816155 (pbk.)DLCDLCDLCChabon, Michael.Summerland /Michael Chabon.1st ed.New York :Miramax Books/Hyperion Books for Children,c2002.500 p. ;22 cm.Ethan Feld, the worst baseball player in the history of the game, finds himself recruited by a 100-year-old scout to help a band of fairies triumph over an ancient enemy.Fantasy.BaseballFiction.MagicFiction. \ No newline at end of file +00714cam a2200205 a 45001288337620030616111422.0020805s2002 nyu j 000 1 eng 07868087720786816155 (pbk.)DLCDLCDLCChabon, Michael.Summerland /Michael Chabon.1st ed.New York :Miramax Books/Hyperion Books for Children,c2002.500 p. ;22 cm.Ethan Feld, the worst baseball player in the history of the game, finds himself recruited by a 100-year-old scout to help a band of fairies triumph over an ancient enemy.Fantasy.BaseballFiction.MagicFiction. \ No newline at end of file diff --git a/src/test/resources/org/xbib/marc/xml/HT016424175.xml-eventconsumer.xml b/src/test/resources/org/xbib/marc/xml/HT016424175.xml-eventconsumer.xml index 937469a..ac9ae2c 100644 --- a/src/test/resources/org/xbib/marc/xml/HT016424175.xml-eventconsumer.xml +++ b/src/test/resources/org/xbib/marc/xml/HT016424175.xml-eventconsumer.xml @@ -1 +1 @@ -00000 M2.01200024 000h------M2.01200024------hMHHT01642417520100705HBZHT016424175a|1uc||||||1|DElata|||||||||||||am||||||57560HildegardisBingensis1098-1179(DE-588)118550993Hildegard1098-1179HildegardHeilige, 1098-11791098-1179HildegardSankt1098-1179HildegardisSancta1098-1179HildegardisAbbatissa1098-1179HildegardeSainte1098-1179Ildegardade Bingen1098-1179Hildegardisde Monte Sancti Ruperti1098-1179Hildegarddie Heilige1098-1179Hildegardisde Bingen1098-1179Hildegardt1098-1179Hildegardis1098-1179Bingen, Hildegard <<von>>1098-1179Hildegardof Bingen1098-1179HildegardisSancta Abatissa1098-1179IldegardaSanta1098-1179IldegardaSant'1098-1179HildegardisAbbess1098-1179HildegardHeilige1098-1179Hildegardede Bingen1098-1179Ildegardadi Bingen1098-1179HildegardisAbatissa1098-1179Hildegardadi Bingen1098-1179Hildegardade Bingen1098-1179HildegardBingeniläinen1098-1179Childegardot Bingen1098-1179Bingen, Childegard <<ot>>1098-1179Bingen, Hildegarde <<de>>1098-1179Hildegardvon Bingen1098-1179Hildegardis von Bingen1098-1179HildegardSainte1098-1179Hildegardisde Alemannia1098-1179Escot, Pozzi1933-[Bearb.](DE-588)128917687Pozzi Escot, Olga1933-Unde quocumqueUnde quocumqueMusikdruckHildegard von Bingenc 19941994Transkription der mittelalterlichen Neumen in moderne NotationMelodien mit unterlegtem Text<<The>> Ursula Antiphons ... [Musikdruck]Hildegard von Bingen[Kassel]1994HT016424145018117852 \ No newline at end of file +00000 M2.01200024 000h------M2.01200024------hMHHT01642417520100705HBZHT016424175a|1uc||||||1|DElata|||||||||||||am||||||57560HildegardisBingensis1098-1179(DE-588)118550993Hildegard1098-1179HildegardHeilige, 1098-11791098-1179HildegardSankt1098-1179HildegardisSancta1098-1179HildegardisAbbatissa1098-1179HildegardeSainte1098-1179Ildegardade Bingen1098-1179Hildegardisde Monte Sancti Ruperti1098-1179Hildegarddie Heilige1098-1179Hildegardisde Bingen1098-1179Hildegardt1098-1179Hildegardis1098-1179Bingen, Hildegard <<von>>1098-1179Hildegardof Bingen1098-1179HildegardisSancta Abatissa1098-1179IldegardaSanta1098-1179IldegardaSant'1098-1179HildegardisAbbess1098-1179HildegardHeilige1098-1179Hildegardede Bingen1098-1179Ildegardadi Bingen1098-1179HildegardisAbatissa1098-1179Hildegardadi Bingen1098-1179Hildegardade Bingen1098-1179HildegardBingeniläinen1098-1179Childegardot Bingen1098-1179Bingen, Childegard <<ot>>1098-1179Bingen, Hildegarde <<de>>1098-1179Hildegardvon Bingen1098-1179Hildegardis von Bingen1098-1179HildegardSainte1098-1179Hildegardisde Alemannia1098-1179Escot, Pozzi1933-[Bearb.](DE-588)128917687Pozzi Escot, Olga1933-Unde quocumqueUnde quocumqueMusikdruckHildegard von Bingenc 19941994Transkription der mittelalterlichen Neumen in moderne NotationMelodien mit unterlegtem Text<<The>> Ursula Antiphons ... [Musikdruck]Hildegard von Bingen[Kassel]1994HT016424145018117852 \ No newline at end of file