Spaces:
Sleeping
Sleeping
File size: 6,018 Bytes
d22dc6f f556b0c |
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 144 145 146 147 148 149 150 |
import re
from tqdm import tqdm
'''def get_delimiter(file_path):
with open(file_path, 'r') as f:
sample = f.read(1024) # читаем часть файла для анализа
dialect = csv.Sniffer().sniff(sample)
return dialect.delimiter'''
def get_delimiter(file_path):
with open(file_path, 'r', encoding="utf-8") as f:
ln = f.readline()
if ',' in ln:
return ','
if ';' in ln:
return ';'
if '\t' in ln:
return '\t'
if '|' in ln:
return '|'
raise ValueError(None, "Error parsing CSV file. Cannot detect delimiter")
def remove_quotes(text):
return re.sub(r'["\']', '', text)
def remove_l(text):
result = re.sub(r'\bл\b', '', text, flags=re.IGNORECASE)
# Убираем возможные лишние пробелы, возникающие после удаления
result = re.sub(r'\s{2,}', ' ', result).strip()
return result
def clean_wine_name(name):
"""
Удаляет в конце строки отдельно стоящие буквы (однобуквенные слова), не входящие в состав других слов.
Например, "токай л" превратится в "токай".
"""
# Регулярное выражение ищет:
# \s+ – один или несколько пробельных символов;
# \b – граница слова;
# [A-Za-zА-ЯЁа-яё] – ровно одна буква (латинская или кириллическая);
# \b – граница слова;
# \s*$ – любые пробелы до конца строки.
return re.sub(r'\s+\b[A-Za-zА-ЯЁа-яё]\b\s*$', '', name)
def find_full_word(text, word_list):
"""
Ищет первое полное вхождение слова из word_list в строке text.
Возвращает найденное слово или None, если совпадение не найдено.
"""
for word in word_list:
pattern = r'\b' + re.escape(word) + r'\b'
if re.search(pattern, text, re.IGNORECASE):
return word
return None
def merge_wine_type(items, colors=None, color_merge_dict=None):
result=[]
for row in tqdm(items.iterrows()):
try:
if row[1]['type_wine'] is not None:
color=find_full_word(row[1]['type_wine'], colors)
if color is not None:
result.append(color)
else:
color=find_full_word(row[1]['name'], colors)
if color is not None:
result.append(color)
else:
result.append(None)
else:
color=find_full_word(row[1]['name'], colors)
if color is not None:
result.append(color)
else:
result.append(None)
except Exception as ex:
print(ex)
result.append(None)
items['new_type_wine']=result
items['new_type_wine']=items['new_type_wine'].replace(color_merge_dict)
def merge_types(items, products):
alco_types=[i.strip().lower() for i in products['type'].unique()]
alco_types.append('ликёр')
result=[]
for row in tqdm(items.iterrows()):
try:
type_in_name=find_full_word(row[1]['name'], alco_types)
if type_in_name is not None:
result.append(type_in_name)
continue
if row[1]['type'] is not None:
type_in_type=find_full_word(row[1]['type'], alco_types)
if type_in_type is not None:
result.append(type_in_type)
else:
result.append(row[1]['type'])
else:
result.append(None)
except Exception as ex:
print(ex)
result.append(None)
items['new_type']=result
items['new_type']=items['new_type'].replace({'ликёр': 'ликер', None: 'unmatched'})
def trim_name(text, words_to_remove):
"""
Удаляет из текста только те слова, которые полностью совпадают с элементами списка words_to_remove.
:param text: Исходная строка.
:param words_to_remove: Список слов, которые необходимо удалить.
:return: Обновлённая строка с удалёнными словами.
"""
# Создаём регулярное выражение, которое ищет любое из указанных слов как отдельное слово.
# Используем re.escape, чтобы экранировать спецсимволы в словах.
pattern = r'\b(?:' + '|'.join(re.escape(word) for word in words_to_remove) + r')\b'
#print(pattern)
# Заменяем найденные полные слова на пустую строку.
new_text = re.sub(pattern, '', text, flags=re.IGNORECASE)
# Убираем лишние пробелы, возникающие после удаления слов.
new_text = re.sub(r'\s+', ' ', new_text).strip()
return new_text
def name_trimmer(df, prcess_text, types_and_others):
result={}
gbs=[]
sours=[]
for idx, row in tqdm(df.iterrows()):
text, alcohol, volume_or_number, years, production_year, gb, color, sour=prcess_text(str(row['name']))
text=trim_name(text, types_and_others).replace(',','').replace('.','')
result[row['id']]=text.lower().strip() #remove_l(text).lower().strip()
gbs.append(gb)
sours.append(sour)
return result, gbs, sours |