我有大小为 230MB 的文本文件。我想计算该文件的行数。
我尝试Scripting.FileSystemOblect
了“”,但内存不足。
请帮忙。
谢谢。
正常的 Windows 换行符是 CRLF,因此您可以计算 LF 并在文件的最后一行后面没有 1 的情况下将计数加 1。
在真正的 VB(即 VB5、VB6 等)中,您可以利用面向字节的字符串操作来加速许多任务。如果我们可以假设文本文件包含 ANSI,那么这非常快:
Option Explicit
Private Sub Main()
Const BUFSIZE As Long = 100000
Dim T0 As Single
Dim LfAnsi As String
Dim F As Integer
Dim FileBytes As Long
Dim BytesLeft As Long
Dim Buffer() As Byte
Dim strBuffer As String
Dim BufPos As Long
Dim LineCount As Long
T0 = Timer()
LfAnsi = StrConv(vbLf, vbFromUnicode)
F = FreeFile(0)
Open "big.txt" For Binary Access Read As #F
FileBytes = LOF(F)
ReDim Buffer(BUFSIZE - 1)
BytesLeft = FileBytes
Do Until BytesLeft = 0
If BufPos = 0 Then
If BytesLeft < BUFSIZE Then ReDim Buffer(BytesLeft - 1)
Get #F, , Buffer
strBuffer = Buffer 'Binary copy of bytes.
BytesLeft = BytesLeft - LenB(strBuffer)
BufPos = 1
End If
Do Until BufPos = 0
BufPos = InStrB(BufPos, strBuffer, LfAnsi)
If BufPos > 0 Then
LineCount = LineCount + 1
BufPos = BufPos + 1
End If
Loop
Loop
Close #F
'Add 1 to LineCount if last line of your files do not
'have a trailing CrLf.
MsgBox "Counted " & Format$(LineCount, "#,##0") & " lines in" & vbNewLine _
& Format$(FileBytes, "#,##0") & " bytes of text." & vbNewLine _
& Format$(Timer() - T0, "0.0#") & " seconds."
End Sub
给定一个 293MB 的 7,000,000 行文件,这里只需要 0.7 秒。但请注意,我没有重新启动以确保在运行该测试时文件没有被缓存。如果没有缓存(即重新启动后),我希望它需要长达 5 倍的时间。
转换为处理 Unicode 文本文件相当简单。只需将 B 函数替换为非 B 等效项,确保将 BUFSIZE 设置为 2 的倍数,然后搜索vbLf
而不是 ANSI LF 字节。
这对我来说大约需要 6 秒,对于一个 480mb 的二进制文件,1mil+ 0xD (vbcr)
Dim buff() As Byte
Dim hF As Integer
Dim i As Long, n As Long
hF = FreeFile(0)
Open "c:\windows\Installer\2f91fd.msp" For Binary Access Read As #hF
ReDim buff(LOF(hF) - 1)
Get #hF, , buff()
Close #hF
For i = 0 To UBound(buff)
If buff(i) = 13 Then n = n + 1
Next
MsgBox n
您可以通过将每一行读入同一个变量来做到这一点。无需保存所有行:
dim s as string
dim n as integer
open "filename.txt" for input as 1
n = 0
do while not eof(1)
line input #1, s
n = n + 1
loop
这还没有经过测试,自从我完成任何 VB6 以来已经有一段时间了,但它应该很接近。