mrrc 0.7.6

A Rust library for reading, writing, and manipulating MARC bibliographic records in ISO 2709 binary format
Documentation
# Reading Records (Python)

Learn to read MARC records from files and work with their contents.

## Basic Reading

Pass a filename directly for best performance—this uses pure Rust I/O and fully releases Python's GIL during parsing:

```python
from mrrc import MARCReader

for record in MARCReader("records.mrc"):
    print(record.title)
```

You can also use a file object if needed (e.g., for network streams), though this holds the GIL during I/O:

```python
with open("records.mrc", "rb") as f:
    for record in MARCReader(f):
        print(record.title)
```

See [Threading in Python](../../guides/threading-python.md) for details on GIL behavior and multi-threaded performance.

## Reading from Memory

```python
# Read from bytes
data = open("records.mrc", "rb").read()
for record in mrrc.MARCReader(data):
    print(record.title)
```

## Accessing Fields

### Dictionary-Style Access

```python
# Get first field by tag, then subfield
title = record["245"]["a"]       # First 245 field, subfield 'a'
author = record["100"]["a"]      # First 100 field, subfield 'a'

# Check if field exists
if "650" in record:
    subjects = record.fields_by_tag("650")
```

### Get Multiple Fields

```python
# Get all fields with a tag
for field in record.fields_by_tag("650"):
    print(field["a"])
```

## Control Fields

Control fields (001-009) contain unstructured data:

```python
# Access control field data
control_number = record.get("001")
if control_number:
    print(control_number.data)

# Or use the convenience method
control_number = record.control_field("001")
```

## Convenience Properties

MRRC provides property shortcuts for common data (no parentheses needed):

```python
record.title           # 245 $a
record.author          # 100/110/111 $a
record.isbn            # 020 $a (first)
record.isbns()           # 020 $a (all)
record.issn            # 022 $a
record.publisher       # 260 $b
record.pubyear         # Publication year
record.subjects        # All 6XX $a values
```

## Working with Subfields

```python
field = record["245"]

# Get first subfield value
title = field["a"]

# Get all values for a subfield code
all_a_values = field.subfields_by_code("a")

# Iterate over all subfields
for subfield in field.subfields():
    print(f"${subfield.code}: {subfield.value}")
```

## Working with Indicators

```python
field = record["245"]

# Access indicators
ind1 = field.indicator1  # or field.ind1
ind2 = field.indicator2  # or field.ind2

# Indicators affect meaning:
# 245 indicator2 = number of nonfiling characters
# "4" means skip "The " when filing
```

## Error Handling

```python
from mrrc import MARCReader

try:
    for record in MARCReader("records.mrc"):
        try:
            print(record.title)
        except Exception as e:
            print(f"Error processing record: {e}")
except FileNotFoundError:
    print("File not found")
```

### Permissive Mode

When processing files that may contain malformed records, use
`permissive=True` to skip bad records instead of raising errors.
This matches pymarc's `permissive` flag behavior:

```python
for record in MARCReader("records.mrc", permissive=True):
    if record is None:
        continue  # skip malformed record
    print(record.title)
```

### Recovery Mode

For more control over error handling, use `recovery_mode` to attempt
salvaging valid fields from damaged records:

```python
# Attempt to recover partial data
for record in MARCReader("records.mrc", recovery_mode="lenient"):
    print(f"Got {len(record.get_fields())} fields")
```

See the [migration guide](../guides/migration-from-pymarc.md#error-handling)
for details on the differences between `permissive` and `recovery_mode`.

## Complete Example

This example analyzes a MARC file to summarize the collection by language and material type:

```python
#!/usr/bin/env python3
"""Analyze a MARC file for collection statistics."""

from collections import Counter
from mrrc import MARCReader

def analyze_collection(path):
    languages = Counter()
    material_types = Counter()
    total = 0

    for record in MARCReader(path):
        total += 1

        # Language from 008 positions 35-37
        fixed = record.control_field("008")
        if fixed and len(fixed) >= 38:
            lang = fixed[35:38]
            languages[lang] += 1

        # Material type from leader
        leader = record.leader
        if leader.record_type == 'a':
            if leader.bibliographic_level == 'm':
                material_types["Book"] += 1
            elif leader.bibliographic_level == 's':
                material_types["Serial"] += 1
        elif leader.record_type == 'j':
            material_types["Music recording"] += 1
        elif leader.record_type == 'g':
            material_types["Video"] += 1
        else:
            material_types["Other"] += 1

    print(f"Total records: {total}\n")
    print("Top 5 languages:")
    for lang, count in languages.most_common(5):
        print(f"  {lang}: {count}")
    print("\nMaterial types:")
    for mat_type, count in material_types.most_common():
        print(f"  {mat_type}: {count}")

if __name__ == '__main__':
    analyze_collection("records.mrc")
```

## Next Steps

- [Writing Records]writing-records.md - Create and modify records
- [Querying Fields]querying-fields.md - Advanced field searching
- [Python API Reference]../../reference/python-api.md - Full API documentation