- Удаление всей строки при нахождении определённого символа или слова
- Delete Lines From a File in Python
- Table of contents
- Delete Lines from a File by Line Numbers
- Using seek() method
- Delete First and Last Line of a File
- Deleting Lines Matching a text (string)
- Remove Lines that Contains a Specific Word
- Remove Lines Starting with Specific Word/String
- Delete Specific Text from a Text File
- Delete all Lines From a File
- About Vishal
- Related Tutorial Topics:
- Python Exercises and Quizzes
- Как удалить строку через del в Python?
Удаление всей строки при нахождении определённого символа или слова
Здравствуйте, нужна помощь в создании программы на питоне.
В чём суть, есть список определённых слов и надо чтобы в .txt файле, при нахождении какого-либо слова из этого списка, удалялась вся строка.
Как сделать с одним символом или словом я понял, а дальше затуп
a = '1' text = '' with open("d.txt", encoding='utf-8') as d: for line in d.readlines(): if not a in line: text += line with open("f.txt", 'w', encoding='utf-8') as f: f.write(text)
Переход на новую строку при нахождении определенного символа в строке
Добрый вечер, Подскажите плз — как сделать переход на новую строчку при нахождении символа в.
Удаление до определенного знака из всей строки в textbox1.Text?
Удаление до определенного знака из всей строки в textbox1.Text ? Добавлено через 2 минуты К.
При нахождении определенного слова в одной ячейке, меняется другая ячейка
Доброго дня! Помогите пожалуйста написать макрос. пример показан на скриншотах 1 скрин — в.
Поиск определенного текста в столбце(строке) и удаление всей строки
Друзья, подскажите, пожалуйста, как в определенном столбце найти определенный текст и удалить все.
У вас имеется список слов. перед условие if not . добавьте цикл по этому списку.
1 2 3 4 5 6 7 8 9 10 11 12 13 14
a = ['1', '5'] text = '' with open("text.txt", encoding='utf-8') as d: for line in d.readlines(): flg = False for x in a: if x in line: flg = True break if not flg: text += line with open("fout.txt", 'w', encoding='utf-8') as f: f.write(text)
if not any(map(lambda x: x in line.split(), a)): text += line
import re . if not any(map(lambda x: x in re.findall(r'\w+', line), a)): text += line .
Как скопировать подстроку из строки до определенного символа? Или удалить, начиная с этого символа
Добрый вечер. Ответ искал, но не нашёл. Предположим, есть строка: ABC|DEF Надо скопировать.
Удаление определенного символа из строки
Есть строка которая через запятую содержит цифры string a = "1,6,5,4,9"; Например нужно удалить.
Удаление из строки определенного символа
Доброе всем время суток! Столкнулся с такой проблемой: Если строка вида В этой строке.
Удаление определенного символа из строки
Добрый день! У меня есть строка вида: var line = "" Как удалить отсюда именно последнюю.
Удаление из строки всего до определенного символа
Мне нужно сделать цикл который просмотрит всю переменную string ( с абзацами (\n), пробелами). И.
Удаление смиволов из input до определенного символа включительно с конца строки
Есть инпут ака текстовое поле, в которое вводим символы, символы могут повторяться, потому скан с.
Как удалить от начала строки до определенного символа/слова
Здравствуйте, есть у меня строка "prxfire1.Text": 2 x <a.
Delete Lines From a File in Python
This article lets you know how to delete specific lines from a file in Python. For example, you want to delete lines #5 and #12.
After reading this article, you’ll learn:
- How to remove specific lines from a file by line numbers
- How to delete lines that match or contain the given text/string
- How to delete the first and last line from a text file.
Table of contents
Delete Lines from a File by Line Numbers
Please follow the below steps to delete specific lines from a text file by line number: –
- Open file in a read mode
- Read a file. Read all contents from a file into a list using a readlines() method. here each element of a list is a line from the file
- Close a file
- Again, open the same file in write mode.
- Iterate all lines from a list using a for loop and enumerate() function. The enumerate() function adds a counter to an iterable (such as list, string) and returns it in enumerate object. We used the enumerate object with a for loop to access the line number
- Use the if condition in each iteration of a loop to check the line number. If it matches the line number to delete, then don’t write that line into the file.
- Close a file
The following code shows how to delete lines from a text file by line number in Python. See the attached file used in the example and an image to show the file’s content for reference.
In this example, we are deleting lines 5 and 8.
# list to store file lines lines = [] # read file with open(r"E:\demos\files\sample.txt", 'r') as fp: # read an store all lines into list lines = fp.readlines() # Write file with open(r"E:\demos\files\sample.txt", 'w') as fp: # iterate each line for number, line in enumerate(lines): # delete line 5 and 8. or pass any Nth line you want to remove # note list index starts from 0 if number not in [4, 7]: fp.write(line)
Our code deleted two lines. Here is a current data of a file
First line Second line Third line Fourth line Sixth line Seventh line
The enumerate() function adds a counter to an iterable (such as list, string) and returns it in enumerate object. We used the enumerate object with a for loop to access the line number. The enumerate() doesn’t load the entire list in memory, so this is an efficient solution.
Note: Don’t use del keywords to delete lines from a list and write the same list to file. Because when you delete a line from the list, the item’s index gets changed. So you will no longer be able to delete the correct line.
Using seek() method
The same can be accomplished using the seek() method by changing the pointer position so we don’t need to open a file twice.
- Open file in the read and write mode ( r+ )
- Read all lines from a file into the list
- Move the file pointer to the start of a file using seek() method
- Truncate the file using the truncate() method
- Iterate list using loop and enumerate() function
- In each iteration write the current line to file. Skip those line numbers which you want to remove
with open(r"E:\demos\files\sample.txt", 'r+') as fp: # read an store all lines into list lines = fp.readlines() # move file pointer to the beginning of a file fp.seek(0) # truncate the file fp.truncate() # start writing lines # iterate line and line number for number, line in enumerate(lines): # delete line number 5 and 8 # note: list index start from 0 if number not in [4, 7]: fp.write(line)
Delete First and Last Line of a File
To selectively delete certain content from the file, we need to copy the file’s contents except for those lines we want to remove and write the remaining lines again to the same file.
Use the below steps to delete the first line from a file.
- Open file in a read and write mode ( r+ )
- Read all lines from a file
- Move file pointer at the start of a file using the seek() method
- Truncate the file
- Write all lines from a file except the first line.
with open(r"E:\demos\files\sample.txt", 'r+') as fp: # read an store all lines into list lines = fp.readlines() # move file pointer to the beginning of a file fp.seek(0) # truncate the file fp.truncate() # start writing lines except the first line # lines[1:] from line 2 to last line fp.writelines(lines[1:])
Before deleting the first line
First line Second line Third line Fourth line Sixth line Seventh line
After deleting the first line
Second line Third line Fourth line Sixth line Seventh line
To delete the first N lines use list slicing.
# lines[N:] to delete first 5 lines fp.writelines(lines[4:])
If you are reading a file and don’t want to read the first line use the below approach instead of deleting a line from a file.
# read from second line lines = fp.readlines()[1:]
Use the below example to steps to delete the last line from a file
with open(r"E:\demos\files\sample.txt", 'r+') as fp: # read an store all lines into list lines = fp.readlines() # move file pointer to the beginning of a file fp.seek(0) # truncate the file fp.truncate() # start writing lines except the last line # lines[:-1] from line 0 to the second last line fp.writelines(lines[:-1])
To delete last N lines use list slicing.
# lines[:-N] to delete last N lines fp.writelines(lines[:-4])
Deleting Lines Matching a text (string)
Assume files contain hundreds of line and you wanted to remove lines which match the given string/text. Let’s see how to remove lines that match the given text (exact match).
- Read file into a list
- Open the same file in write mode
- Iterate a list and write each line into a file except those lines that match the given string.
Example 1: Delete lines that match the given text (exact match)
with open("sample.txt", "r") as fp: lines = fp.readlines() with open("sample.txt", "w") as fp: for line in lines: if line.strip("\n") != "text to delete": fp.write(line)
Also, you can achieve it using the single loop so it will be much faster.
import os with open("sample.txt", "r") as input: with open("temp.txt", "w") as output: # iterate all lines from file for line in input: # if text matches then don't write it if line.strip("\n") != "text to delete": output.write(line) # replace file with original name os.replace('temp.txt', 'sample.txt')
Remove Lines that Contains a Specific Word
We may have to delete lines from a file that contains a particular keyword or tag in some cases. Let’s see the example to remove lines from file that contain a specific string anywhere in the line.
import os with open("sample.txt", "r") as input: with open("temp.txt", "w") as output: # iterate all lines from file for line in input: # if substring contain in a line then don't write it if "word" not in line.strip("\n"): output.write(line) # replace file with original name os.replace('temp.txt', 'sample.txt')
Remove Lines Starting with Specific Word/String
Learn how to remove lines from a file starting with a specific word. In the following example, we will delete lines that begin with the word ‘time‘.
import os with open("sample.txt", "r") as input: with open("temp.txt", "w") as output: # iterate all lines from file for line in input: # if line starts with substring 'time' then don't write it in temp file if not line.strip("\n").startswith('time'): output.write(line) # replace file with original name os.replace('temp.txt', 'sample3.txt')
Delete Specific Text from a Text File
It can also be the case that you wanted to delete a specific string from a file but not the line which contains it. Let’s see the example of the same
import os original_file = "sample3.txt" temp_file = "temp.txt" string_to_delete = ['Emma', 'Kelly'] with open(original_file, "r") as input: with open(temp_file, "w") as output: for line in input: for word in string_to_delete: line = line.replace(word, "") output.write(line) # replace file with original name os.replace('temp.txt', 'sample3.txt')
Delete all Lines From a File
To delete all the lines in a file and empty the file, we can use the truncate() method on the file object. The truncate() method removes all lines from a file and sets the file pointer to the beginning of the file.
with open("sample3.txt", "r") as fp: fp.truncate()
Did you find this page helpful? Let others know about it. Sharing helps me continue to create free Python resources.
About Vishal
I’m Vishal Hule, Founder of PYnative.com. I am a Python developer, and I love to write articles to help students, developers, and learners. Follow me on Twitter
Related Tutorial Topics:
Python Exercises and Quizzes
Free coding exercises and quizzes cover Python basics, data structure, data analytics, and more.
- 15+ Topic-specific Exercises and Quizzes
- Each Exercise contains 10 questions
- Each Quiz contains 12-15 MCQ
Как удалить строку через del в Python?
Мне нужно удалить строку при помощи del вот условный код:
print(«Здравствуй » + name + » !»)
print(«Тебе уже » + str(age) + » круто!»)
Допустим нужно удалить 4 строку.
Впервые кто-то задает подобный вопрос.
Если ты пишешь код в каком-то редакторе, например, в IDLE, который идет вместе с Пайтон, — то, как обычно — выделить строку мышкой и нажать Del.
port port Искусственный Интеллект (181486) 4мо лохов, А. Вот оно чо, Михалыч. Тогда открываешь исходный текстовый файл с кодом, создаешь временный файл, копируешь из исходного во временный все строки, кроме четвертой, удаляешь исходный файл, а временный переименовываешь так, как было.
del — это оператор, очищающий память от значения, которое лежит в переменной (ссылке на объект).
name = «Михалыч»
print(name)
del name
Это будет означать то, что к данной переменной вы больше не смоете обратиться, пока не инициализурете новым значением.
Если же нужно именно значение строковой переменной сделать пустым, то просто присваиваете.
name = «»
Также, при необходимости можете производить операции с подстроками или конкатенацией строк.
hello = ‘привет, ‘
name = ‘Михалыч’
print(hello + name)
name = name[:4]print(hello + name)
Medvezhonok Мыслитель (9102) Это ссылка на объект, работает в Python также как и со всеми остальными переменными. del txt1. Неизвестно, будет ли объект существовать, я так понимаю, это элемент форм каких-то, с формы нужно удалять отдельно через функции библиотеки, с которой работаете. del просто выгружает из памяти значение переменной или ссылки.