File size: 4,371 Bytes
453bed4 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 |
import os
import re
def parse_annotated_text(text):
# Regular expression pattern to parse YEDDA format
yedda_pattern = re.compile(r'(\[\@(.*?)\#(.*?)\*\])', re.DOTALL)
# This variable will keep track of the number of characters removed
chars_removed = 0
# This will store the positions of the entities in the original text
positions_in_original_text = []
# Buffer to store content without annotations
buffer = []
# Index to track last end position
last_end = 0
# Store labels
labels = []
# Loop through each match
for match in yedda_pattern.finditer(text):
# The entire match
full_match = match.group(0)
# Capture group 2 (entity)
entity = match.group(2)
# Capture group 2 (label)
label = match.group(3)
# Start position of the match in the modified string
start = match.start()
# End position of the match in the modified string
end = match.end()
labels.append(label)
# Append the text before the annotation to the buffer
buffer.append(text[last_end:start])
buffer.append(entity)
# Calculate the start and end positions in the original text
original_start = start - chars_removed
original_end = original_start + len(entity)
# Store the positions
positions_in_original_text.append((original_start, original_end))
# update the chars_removed counter
chars_removed += len(full_match) - len(entity)
# Update last_end
last_end = end
# Append remaining content after the last match
buffer.append(text[last_end:])
# Join buffer parts to get content without annotations
content_without_annotations = "".join(buffer)
return {
'text': content_without_annotations,
'positions': positions_in_original_text,
'labels': labels
}
def preprocess_text(text: str):
# remove extra spaces
text = text.strip()
text = re.sub(r'\n+', '\n', text)
text = re.sub(r' +', ' ', text)
return text
def load_yedda_annotations(directory):
# List to store all the annotations from all files
all_annotations = []
# Iterate through each file in the given directory
for filename in os.listdir(directory):
# Check if the file has the '.ann' extension
if filename.endswith(".ann"):
# Construct the full file path
file_path = os.path.join(directory, filename)
# Open and read the file
with open(file_path, 'r', encoding='utf-8') as file:
content = file.read()
# Preprocess text
content = preprocess_text(content)
parsed = parse_annotated_text(content)
file_annotations = {
'file': filename,
'annotated_text': content,
'text': parsed['text'],
'positions': parsed['positions'],
'labels': parsed['labels'],
}
all_annotations.append(file_annotations)
return all_annotations
def convert_to_ann(annotatations):
text = annotatations['text']
buffer = []
i = 0
for (j_start, j_end), label in zip(annotatations['positions'], annotatations['labels']):
buffer += text[i:j_start]
buffer += [f'[@{text[j_start:j_end]}#{label}*]']
i = j_end
buffer += [text[i:]]
return ''.join(buffer)
if __name__ == '__main__':
directory_path = 'annotations' # The directory containing .ann files
annotations = load_yedda_annotations(directory_path)
counter = 0
for file_annotation in annotations:
counter += len(file_annotation['labels'])
print('File:', file_annotation['file'])
print('Text[:100]:', repr(file_annotation['text'][:100]))
print('Number of labels:', len(file_annotation['labels']))
assert len(file_annotation['labels']) == len(file_annotation['positions'])
print('Average labeled sentence length:', sum(end-start for start,end in file_annotation['positions']) / len(file_annotation['positions']))
print('--------------------------------')
print('Total number of files:', len(annotations))
print('Total label count:', counter)
|