我有一个日志文件正由另一个进程编写,我想监视更改。每次发生变化时,我都想读取新数据,对其进行一些处理。
最好的方法是什么?我希望PyWin32库中有一些钩子。我找到了win32file.FindNextChangeNotification
函数,但不知道如何让它查看特定文件。
如果有人做过这样的事情,我会非常感激听到......
[编辑] 我应该提到我的解决方案不需要轮询。
[编辑] 诅咒!这似乎不适用于映射的网络驱动器。我猜测Windows不会像在本地磁盘上那样“听到”文件的任何更新。
答案 0 :(得分:259)
您是否尝试使用Watchdog?
用于监控文件系统事件的Python API库和shell实用程序。
使用
轻松进行目录监控
- 跨平台API。
- 用于运行命令以响应目录更改的shell工具。
使用Quickstart ...
中的简单示例快速入门
答案 1 :(得分:83)
如果轮询对您来说足够好,我只会观察“修改时间”文件统计信息是否发生变化。阅读它:
os.stat(filename).st_mtime
(另请注意,Windows本机更改事件解决方案在所有情况下都不起作用,例如在网络驱动器上。)
import os
class Monkey(object):
def __init__(self):
self._cached_stamp = 0
self.filename = '/path/to/file'
def ook(self):
stamp = os.stat(self.filename).st_mtime
if stamp != self._cached_stamp:
self._cached_stamp = stamp
# File has changed, so do something...
答案 2 :(得分:71)
您是否已查看http://timgolden.me.uk/python/win32_how_do_i/watch_directory_for_changes.html上提供的文档?如果您只需要它在Windows下工作,第二个示例似乎正是您想要的(如果您将目录的路径与您要观看的文件之一进行交换)。
否则,轮询可能是唯一真正独立于平台的选项。
注意:我没有尝试过任何这些解决方案。
答案 3 :(得分:49)
如果您需要多平台解决方案,请检查QFileSystemWatcher。 这是一个示例代码(未经过消毒):
from PyQt4 import QtCore
@QtCore.pyqtSlot(str)
def directory_changed(path):
print('Directory Changed!!!')
@QtCore.pyqtSlot(str)
def file_changed(path):
print('File Changed!!!')
fs_watcher = QtCore.QFileSystemWatcher(['/path/to/files_1', '/path/to/files_2', '/path/to/files_3'])
fs_watcher.connect(fs_watcher, QtCore.SIGNAL('directoryChanged(QString)'), directory_changed)
fs_watcher.connect(fs_watcher, QtCore.SIGNAL('fileChanged(QString)'), file_changed)
答案 4 :(得分:25)
它应该不适用于Windows(可能使用cygwin?),但是对于unix用户,你应该使用“fcntl”系统调用。这是Python中的一个例子。如果你需要用C(相同的函数名)
写它,它的代码大致相同import time
import fcntl
import os
import signal
FNAME = "/HOME/TOTO/FILETOWATCH"
def handler(signum, frame):
print "File %s modified" % (FNAME,)
signal.signal(signal.SIGIO, handler)
fd = os.open(FNAME, os.O_RDONLY)
fcntl.fcntl(fd, fcntl.F_SETSIG, 0)
fcntl.fcntl(fd, fcntl.F_NOTIFY,
fcntl.DN_MODIFY | fcntl.DN_CREATE | fcntl.DN_MULTISHOT)
while True:
time.sleep(10000)
答案 5 :(得分:21)
查看pyinotify。
inotify在较新的linux中替换了dnotify(来自早期的答案),并允许文件级而不是目录级监视。
答案 6 :(得分:13)
在对Tim Golden的剧本进行一些黑客攻击后,我有以下内容似乎很有效:
import os
import win32file
import win32con
path_to_watch = "." # look at the current directory
file_to_watch = "test.txt" # look for changes to a file called test.txt
def ProcessNewData( newData ):
print "Text added: %s"%newData
# Set up the bits we'll need for output
ACTIONS = {
1 : "Created",
2 : "Deleted",
3 : "Updated",
4 : "Renamed from something",
5 : "Renamed to something"
}
FILE_LIST_DIRECTORY = 0x0001
hDir = win32file.CreateFile (
path_to_watch,
FILE_LIST_DIRECTORY,
win32con.FILE_SHARE_READ | win32con.FILE_SHARE_WRITE,
None,
win32con.OPEN_EXISTING,
win32con.FILE_FLAG_BACKUP_SEMANTICS,
None
)
# Open the file we're interested in
a = open(file_to_watch, "r")
# Throw away any exising log data
a.read()
# Wait for new data and call ProcessNewData for each new chunk that's written
while 1:
# Wait for a change to occur
results = win32file.ReadDirectoryChangesW (
hDir,
1024,
False,
win32con.FILE_NOTIFY_CHANGE_LAST_WRITE,
None,
None
)
# For each change, check to see if it's updating the file we're interested in
for action, file in results:
full_filename = os.path.join (path_to_watch, file)
#print file, ACTIONS.get (action, "Unknown")
if file == file_to_watch:
newText = a.read()
if newText != "":
ProcessNewData( newText )
它可能会对负载进行更多的错误检查,但是为了简单地观察日志文件并在将其吐出到屏幕之前对其进行一些处理,这很有效。
感谢大家的投入 - 很棒的东西!
答案 7 :(得分:7)
对我来说最简单的解决方案是使用看门狗工具watchmedo
从https://pypi.python.org/pypi/watchdog我现在有一个进程查找目录中的sql文件并在必要时执行它们。
watchmedo shell-command \
--patterns="*.sql" \
--recursive \
--command='~/Desktop/load_files_into_mysql_database.sh' \
.
答案 8 :(得分:6)
将my answer检查为similar question。你可以在Python中尝试相同的循环。 This page建议:
import time
while 1:
where = file.tell()
line = file.readline()
if not line:
time.sleep(1)
file.seek(where)
else:
print line, # already has newline
另请参阅问题tail() a file with Python。
答案 9 :(得分:6)
好吧,既然你使用的是Python,你就可以打开一个文件并继续读取它。
f = open('file.log')
如果读取的行不为空,则进行处理。
line = f.readline()
if line:
// Do what you want with the line
您可能遗漏可以继续在EOF上呼叫readline
。在这种情况下,它将继续返回一个空字符串。当某些内容被附加到日志文件中时,读取将从它停止的位置继续,如您所愿。
如果您正在寻找使用事件或特定库的解决方案,请在您的问题中指明。否则,我认为这个解决方案很好。
答案 10 :(得分:6)
以下是Kender代码的简化版本,似乎可以执行相同的操作并且不会导入整个文件:
# Check file for new data.
import time
f = open(r'c:\temp\test.txt', 'r')
while True:
line = f.readline()
if not line:
time.sleep(1)
print 'Nothing New'
else:
print 'Call Function: ', line
答案 11 :(得分:4)
为了观看具有轮询和最小依赖关系的单个文件,这里有一个完全充实的示例,基于Deestan的答案(上图):
import os
import sys
import time
class Watcher(object):
running = True
refresh_delay_secs = 1
# Constructor
def __init__(self, watch_file, call_func_on_change=None, *args, **kwargs):
self._cached_stamp = 0
self.filename = watch_file
self.call_func_on_change = call_func_on_change
self.args = args
self.kwargs = kwargs
# Look for changes
def look(self):
stamp = os.stat(self.filename).st_mtime
if stamp != self._cached_stamp:
self._cached_stamp = stamp
# File has changed, so do something...
print('File changed')
if self.call_func_on_change is not None:
self.call_func_on_change(*self.args, **self.kwargs)
# Keep watching in a loop
def watch(self):
while self.running:
try:
# Look for changes
time.sleep(self.refresh_delay_secs)
self.look()
except KeyboardInterrupt:
print('\nDone')
break
except FileNotFoundError:
# Action on file not found
pass
except:
print('Unhandled error: %s' % sys.exc_info()[0])
# Call this function each time a change happens
def custom_action(text):
print(text)
watch_file = 'my_file.txt'
# watcher = Watcher(watch_file) # simple
watcher = Watcher(watch_file, custom_action, text='yes, changed') # also call custom action function
watcher.watch() # start the watch going
答案 12 :(得分:4)
这是Tim Goldan脚本的另一个修改,它在linux上运行,并通过使用dict(file => time)添加了一个简单的文件修改器。
用法:whateverName.py path_to_dir_to_watch
#!/usr/bin/env python
import os, sys, time
def files_to_timestamp(path):
files = [os.path.join(path, f) for f in os.listdir(path)]
return dict ([(f, os.path.getmtime(f)) for f in files])
if __name__ == "__main__":
path_to_watch = sys.argv[1]
print "Watching ", path_to_watch
before = files_to_timestamp(path_to_watch)
while 1:
time.sleep (2)
after = files_to_timestamp(path_to_watch)
added = [f for f in after.keys() if not f in before.keys()]
removed = [f for f in before.keys() if not f in after.keys()]
modified = []
for f in before.keys():
if not f in removed:
if os.path.getmtime(f) != before.get(f):
modified.append(f)
if added: print "Added: ", ", ".join(added)
if removed: print "Removed: ", ", ".join(removed)
if modified: print "Modified ", ", ".join(modified)
before = after
答案 13 :(得分:3)
正如您在Tim Golden's article所指出的那样,Horst Gutmann指出,WIN32相对复杂并且监视目录,而不是单个文件。
我建议您查看IronPython,这是一个 .NET python实现。 使用IronPython,您可以使用所有 .NET 功能 - 包括
System.IO.FileSystemWatcher
使用简单的 Event 界面处理单个文件。
答案 14 :(得分:1)
我有解决方案,不需要任何第三方库!
代码如下:
path_to_watch = "your/path"
print('Your folder path is"',path,'"')
before = dict ([(f, None) for f in os.listdir (path_to_watch)])
while 1:
after = dict ([(f, None) for f in os.listdir (path_to_watch)])
added = [f for f in after if not f in before]
if added:
print("Added: ", ", ".join (added))
break
else:
before = after
我已编辑代码,原始代码可在 http://timgolden.me.uk/python/win32_how_do_i/watch_directory_for_changes.html
如果您使用上面链接中的代码,请注意 原始代码是用python 2x制作的,所以你需要在python 3中转换它。
如果您想添加特定数量的文件然后中断循环,您可以使用带有 range(anynumber) 的 'For' 循环。 注意:
每当您在路径中添加任何文件时,它都会打印文本并中断,如果没有添加任何文件,它将继续运行。
答案 15 :(得分:1)
这是一个用于观察每秒写入不超过一行但通常少得多的输入文件的示例。目标是将最后一行(最近的写入)附加到指定的输出文件。我从我的一个项目中复制了这个,并删除了所有不相关的行。您必须填写或更改缺失的符号。
from PyQt5.QtCore import QFileSystemWatcher, QSettings, QThread
from ui_main_window import Ui_MainWindow # Qt Creator gen'd
class MainWindow(QMainWindow, Ui_MainWindow):
def __init__(self, parent=None):
QMainWindow.__init__(self, parent)
Ui_MainWindow.__init__(self)
self._fileWatcher = QFileSystemWatcher()
self._fileWatcher.fileChanged.connect(self.fileChanged)
def fileChanged(self, filepath):
QThread.msleep(300) # Reqd on some machines, give chance for write to complete
# ^^ About to test this, may need more sophisticated solution
with open(filepath) as file:
lastLine = list(file)[-1]
destPath = self._filemap[filepath]['dest file']
with open(destPath, 'a') as out_file: # a= append
out_file.writelines([lastLine])
当然,包含QMainWindow类并不是严格要求的,即。你可以单独使用QFileSystemWatcher。
答案 16 :(得分:1)
这是检查文件是否有变化的示例。一个可能不是最好的方式,但肯定是一个很短的方式。
在对源进行更改后重新启动应用程序的便利工具。我在玩pygame时做了这个,所以我可以看到文件保存后立即发生效果。
在pygame中使用时,请确保'while'循环中的内容放置在游戏循环中,即更新或其他任何内容。否则你的应用程序将陷入无限循环,你将看不到你的游戏更新。
file_size_stored = os.stat('neuron.py').st_size
while True:
try:
file_size_current = os.stat('neuron.py').st_size
if file_size_stored != file_size_current:
restart_program()
except:
pass
如果你想要我在网上找到的重启代码。这里是。 (与问题无关,虽然它可以派上用场)
def restart_program(): #restart application
python = sys.executable
os.execl(python, python, * sys.argv)
玩得开心让电子做你想做的事。
答案 17 :(得分:1)
ACTIONS = {
1 : "Created",
2 : "Deleted",
3 : "Updated",
4 : "Renamed from something",
5 : "Renamed to something"
}
FILE_LIST_DIRECTORY = 0x0001
class myThread (threading.Thread):
def __init__(self, threadID, fileName, directory, origin):
threading.Thread.__init__(self)
self.threadID = threadID
self.fileName = fileName
self.daemon = True
self.dir = directory
self.originalFile = origin
def run(self):
startMonitor(self.fileName, self.dir, self.originalFile)
def startMonitor(fileMonitoring,dirPath,originalFile):
hDir = win32file.CreateFile (
dirPath,
FILE_LIST_DIRECTORY,
win32con.FILE_SHARE_READ | win32con.FILE_SHARE_WRITE,
None,
win32con.OPEN_EXISTING,
win32con.FILE_FLAG_BACKUP_SEMANTICS,
None
)
# Wait for new data and call ProcessNewData for each new chunk that's
# written
while 1:
# Wait for a change to occur
results = win32file.ReadDirectoryChangesW (
hDir,
1024,
False,
win32con.FILE_NOTIFY_CHANGE_LAST_WRITE,
None,
None
)
# For each change, check to see if it's updating the file we're
# interested in
for action, file_M in results:
full_filename = os.path.join (dirPath, file_M)
#print file, ACTIONS.get (action, "Unknown")
if len(full_filename) == len(fileMonitoring) and action == 3:
#copy to main file
...
答案 18 :(得分:0)
最好最简单的解决方案是使用pygtail: https://pypi.python.org/pypi/pygtail
from pygtail import Pygtail
while True:
for line in Pygtail("some.log"):
sys.stdout.write(line)
答案 19 :(得分:0)
您还可以使用一个名为repyt的简单库,下面是一个示例:
repyt ./app.py
答案 20 :(得分:0)
似乎没有人发布过fswatch。它是一个跨平台的文件系统监视程序。只需安装,运行它,然后按照提示进行操作即可。
我已经将它与python和golang程序一起使用,并且可以正常工作。
答案 21 :(得分:0)
相关的@ 4Oh4解决方案可以平滑地更改要查看的文件列表;
import os
import sys
import time
class Watcher(object):
running = True
refresh_delay_secs = 1
# Constructor
def __init__(self, watch_files, call_func_on_change=None, *args, **kwargs):
self._cached_stamp = 0
self._cached_stamp_files = {}
self.filenames = watch_files
self.call_func_on_change = call_func_on_change
self.args = args
self.kwargs = kwargs
# Look for changes
def look(self):
for file in self.filenames:
stamp = os.stat(file).st_mtime
if not file in self._cached_stamp_files:
self._cached_stamp_files[file] = 0
if stamp != self._cached_stamp_files[file]:
self._cached_stamp_files[file] = stamp
# File has changed, so do something...
file_to_read = open(file, 'r')
value = file_to_read.read()
print("value from file", value)
file_to_read.seek(0)
if self.call_func_on_change is not None:
self.call_func_on_change(*self.args, **self.kwargs)
# Keep watching in a loop
def watch(self):
while self.running:
try:
# Look for changes
time.sleep(self.refresh_delay_secs)
self.look()
except KeyboardInterrupt:
print('\nDone')
break
except FileNotFoundError:
# Action on file not found
pass
except Exception as e:
print(e)
print('Unhandled error: %s' % sys.exc_info()[0])
# Call this function each time a change happens
def custom_action(text):
print(text)
# pass
watch_files = ['/Users/mexekanez/my_file.txt', '/Users/mexekanez/my_file1.txt']
# watcher = Watcher(watch_file) # simple
if __name__ == "__main__":
watcher = Watcher(watch_files, custom_action, text='yes, changed') # also call custom action function
watcher.watch() # start the watch going
答案 22 :(得分:0)
如果您使用的是Windows,请创建此POLL.CMD文件
@echo off
:top
xcopy /m /y %1 %2 | find /v "File(s) copied"
timeout /T 1 > nul
goto :top
然后您可以键入“ poll dir1 dir2”,它将把所有文件从dir1复制到dir2并每秒检查一次更新。
“查找”是可选的,只是为了降低控制台的噪音。
这不是递归的。也许您可以在xcopy上使用/ e使其递归。
答案 23 :(得分:0)
由于我已将其全局安装,所以我最喜欢的方法是使用nodemon。如果您的源代码在src
中,并且您的入口点是src/app.py
,那么就很简单:
nodemon -w 'src/**' -e py,html --exec python src/app.py
...,其中-e py,html
可让您控制要监视更改的文件类型。
答案 24 :(得分:0)
import inotify.adapters
from datetime import datetime
LOG_FILE='/var/log/mysql/server_audit.log'
def main():
start_time = datetime.now()
while True:
i = inotify.adapters.Inotify()
i.add_watch(LOG_FILE)
for event in i.event_gen(yield_nones=False):
break
del i
with open(LOG_FILE, 'r') as f:
for line in f:
entry = line.split(',')
entry_time = datetime.strptime(entry[0],
'%Y%m%d %H:%M:%S')
if entry_time > start_time:
start_time = entry_time
print(entry)
if __name__ == '__main__':
main()
答案 25 :(得分:-2)
我不知道任何Windows特定的功能。您可以尝试每秒/分钟/小时获取文件的MD5哈希值(取决于您需要多快)并将其与上一个哈希值进行比较。当它不同时,你知道文件已被更改,你读出了最新的行。
答案 26 :(得分:-6)
我会尝试这样的事情。
try:
f = open(filePath)
except IOError:
print "No such file: %s" % filePath
raw_input("Press Enter to close window")
try:
lines = f.readlines()
while True:
line = f.readline()
try:
if not line:
time.sleep(1)
else:
functionThatAnalisesTheLine(line)
except Exception, e:
# handle the exception somehow (for example, log the trace) and raise the same exception again
raw_input("Press Enter to close window")
raise e
finally:
f.close()
循环检查自上次读取文件以来是否有新行 - 如果有,则读取并传递给functionThatAnalisesTheLine
函数。如果没有,脚本等待1秒钟并重试该过程。