Spaces:
Sleeping
Sleeping
File size: 2,031 Bytes
57cf043 |
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 |
import logging
from dataclasses import dataclass
import pandas as pd
from components.parser.abbreviations.abbreviation import Abbreviation, AbbreviationType
logger = logging.getLogger(__name__)
@dataclass
class AbbreviationsCollection:
items: list[Abbreviation]
def to_pandas(self) -> pd.DataFrame:
"""
Преобразование всех сокращений в DataFrame.
Returns:
pd.DataFrame: DataFrame с сокращениями
"""
logger.debug(f"Items: {self.items}")
all_data = [
{
'ShortWord': abbr.short_form,
'LongText': abbr.full_form,
'AbbreviationType': abbr.abbreviation_type,
'DocumentId': abbr.document_id,
}
for abbr in self.items
if abbr.abbreviation_type != AbbreviationType.UNKNOWN
]
logger.info(f'Approved abbreviations: {len(all_data)}')
logger.info(f'Rejected abbreviations: {len(self.items) - len(all_data)}')
return pd.DataFrame(all_data)
@classmethod
def from_pandas(cls, df: pd.DataFrame) -> 'AbbreviationsCollection':
"""
Создание коллекции аббревиатур из pandas DataFrame.
"""
all_data = []
for _, row in df.iterrows():
try:
abbreviation = Abbreviation(
short=row['short'],
full=row['full'],
document_id=row['document_id'],
)
all_data.append(abbreviation)
except Exception as e:
logger.warning(
f'Failed to create abbreviation from row: {row}. Error: {e}'
)
continue
logger.info(f'Created abbreviations collection with {len(all_data)} items')
logger.debug(
'First 5 abbreviations: %s', ', '.join(str(abbr) for abbr in all_data[:5])
)
return cls(all_data)
|