Passo a passo: Manipulando arquivos e diretórios no Visual Basic
Este passo a passo fornece uma introdução aos fundamentos da E/S de arquivo no Visual Basic. Ele descreve como criar um pequeno aplicativo que lista e examina arquivos de texto em um diretório. Para cada arquivo de texto selecionado, o aplicativo fornece atributos de arquivo e a primeira linha de conteúdo. Há uma opção para gravar informações em um arquivo de log.
Este passo a passo usa membros do My.Computer.FileSystem Object
, que estão disponíveis no Visual Basic. Consulte FileSystem para obter mais informações. No final do passo a passo, é fornecido um exemplo equivalente que usa classes do System.IO namespace.
Nota
Seu computador pode mostrar nomes ou locais diferentes para alguns dos elementos da interface do usuário do Visual Studio nas instruções a seguir. A edição do Visual Studio que você tem e as configurações que você usa determinam esses elementos. Para obter mais informações, consulte Personalizando o IDE.
Para criar o projeto
No menu Arquivo, clique em Novo Projeto.
Aparece a caixa de diálogo Novo Projeto.
No painel Modelos Instalados, expanda Visual Basic e clique em Windows. No painel Modelos no meio, clique em Aplicativo do Windows Forms.
Na caixa nome , digite
FileExplorer
para definir o nome do projeto e, em seguida, clique em OK .O Visual Studio adiciona o projeto ao Gerenciador de Soluções e o Windows Forms Designer é aberto.
Adicione os controles na tabela a seguir ao formulário e defina os valores correspondentes para suas propriedades.
Controlo Property valor Caixa de listagem Nome filesListBox
Botão Nome
TextobrowseButton
ProcurarBotão Nome
TextoexamineButton
ExaminarCaixa de seleção Nome
TextosaveCheckBox
Guardar ResultadosCaixa de diálogo FolderBrowserDialog Nome FolderBrowserDialog1
Para selecionar uma pasta e listar arquivos em uma pasta
Crie um
Click
manipulador de eventos parabrowseButton
clicando duas vezes no controle no formulário. O Editor de Códigos é aberto.Adicione o seguinte código ao manipulador de
Click
eventos.If FolderBrowserDialog1.ShowDialog() = DialogResult.OK Then ' List files in the folder. ListFiles(FolderBrowserDialog1.SelectedPath) End If
A
FolderBrowserDialog1.ShowDialog
chamada abre a caixa de diálogo Procurar pasta . Depois que o usuário clica em OK, a SelectedPath propriedade é enviada como um argumento para oListFiles
método, que é adicionado na próxima etapa.Adicione o seguinte
ListFiles
método.Private Sub ListFiles(ByVal folderPath As String) filesListBox.Items.Clear() Dim fileNames = My.Computer.FileSystem.GetFiles( folderPath, FileIO.SearchOption.SearchTopLevelOnly, "*.txt") For Each fileName As String In fileNames filesListBox.Items.Add(fileName) Next End Sub
Esse código primeiro limpa a ListBox.
Em GetFiles seguida, o método recupera uma coleção de cadeias de caracteres, uma para cada arquivo no diretório. O
GetFiles
método aceita um argumento de padrão de pesquisa para recuperar arquivos que correspondem a um padrão específico. Neste exemplo, somente os arquivos que têm a extensão .txt são retornados.As cadeias de caracteres que são retornadas
GetFiles
pelo método são então adicionadas à ListBox.Execute a aplicação. Clique no botão Procurar . Na caixa de diálogo Procurar pasta, navegue até uma pasta que contenha arquivos .txt e, em seguida, selecione a pasta e clique em OK.
O
ListBox
contém uma lista de .txt arquivos na pasta selecionada.Pare de executar o aplicativo.
Para obter atributos de um arquivo e conteúdo de um arquivo de texto
Crie um
Click
manipulador de eventos paraexamineButton
clicando duas vezes no controle no formulário.Adicione o seguinte código ao manipulador de
Click
eventos.If filesListBox.SelectedItem Is Nothing Then MessageBox.Show("Please select a file.") Exit Sub End If ' Obtain the file path from the list box selection. Dim filePath = filesListBox.SelectedItem.ToString ' Verify that the file was not removed since the ' Browse button was clicked. If My.Computer.FileSystem.FileExists(filePath) = False Then MessageBox.Show("File Not Found: " & filePath) Exit Sub End If ' Obtain file information in a string. Dim fileInfoText As String = GetTextForOutput(filePath) ' Show the file information. MessageBox.Show(fileInfoText)
O código verifica se um item está selecionado no
ListBox
. Em seguida, ele obtém a entrada do caminho doListBox
arquivo do . O FileExists método é usado para verificar se o arquivo ainda existe.O caminho do arquivo é enviado como um argumento para o
GetTextForOutput
método, que é adicionado na próxima etapa. Esse método retorna uma cadeia de caracteres que contém informações de arquivo. As informações do arquivo aparecem em um MessageBox.Adicione o seguinte
GetTextForOutput
método.Private Function GetTextForOutput(ByVal filePath As String) As String ' Verify that the file exists. If My.Computer.FileSystem.FileExists(filePath) = False Then Throw New Exception("File Not Found: " & filePath) End If ' Create a new StringBuilder, which is used ' to efficiently build strings. Dim sb As New System.Text.StringBuilder() ' Obtain file information. Dim thisFile As System.IO.FileInfo = My.Computer.FileSystem.GetFileInfo(filePath) ' Add file attributes. sb.Append("File: " & thisFile.FullName) sb.Append(vbCrLf) sb.Append("Modified: " & thisFile.LastWriteTime.ToString) sb.Append(vbCrLf) sb.Append("Size: " & thisFile.Length.ToString & " bytes") sb.Append(vbCrLf) ' Open the text file. Dim sr As System.IO.StreamReader = My.Computer.FileSystem.OpenTextFileReader(filePath) ' Add the first line from the file. If sr.Peek() >= 0 Then sb.Append("First Line: " & sr.ReadLine()) End If sr.Close() Return sb.ToString End Function
O código usa o método para obter parâmetros de GetFileInfo arquivo. Os parâmetros do arquivo são adicionados a um StringBuilderarquivo .
O OpenTextFileReader método lê o conteúdo do arquivo em um StreamReaderarquivo . A primeira linha do conteúdo é obtida a
StreamReader
partir do e é adicionada aoStringBuilder
.Execute a aplicação. Clique em Procurar e navegue até uma pasta que contenha .txt arquivos. Clique em OK.
Selecione um arquivo no
ListBox
e, em seguida, clique em Examinar. AMessageBox
mostra as informações do arquivo.Pare de executar o aplicativo.
Para adicionar uma entrada de log
Adicione o seguinte código ao final do
examineButton_Click
manipulador de eventos.If saveCheckBox.Checked = True Then ' Place the log file in the same folder as the examined file. Dim logFolder As String = My.Computer.FileSystem.GetFileInfo(filePath).DirectoryName Dim logFilePath = My.Computer.FileSystem.CombinePath(logFolder, "log.txt") Dim logText As String = "Logged: " & Date.Now.ToString & vbCrLf & fileInfoText & vbCrLf & vbCrLf ' Append text to the log file. My.Computer.FileSystem.WriteAllText(logFilePath, logText, append:=True) End If
O código define o caminho do arquivo de log para colocar o arquivo de log no mesmo diretório do arquivo selecionado. O texto da entrada de log é definido para a data e hora atuais seguidas pelas informações do arquivo.
O WriteAllText método, com o
append
argumento definido comoTrue
, é usado para criar a entrada de log.Execute a aplicação. Navegue até um arquivo de texto, selecione-o na caixa de
ListBox
seleção Salvar Resultados e clique em Examinar. Verifique se a entrada de log está gravada nolog.txt
arquivo.Pare de executar o aplicativo.
Para usar o diretório atual
Crie um manipulador de eventos para
Form1_Load
clicando duas vezes no formulário.Adicione o seguinte código ao manipulador de eventos.
' Set the default directory of the folder browser to the current directory. FolderBrowserDialog1.SelectedPath = My.Computer.FileSystem.CurrentDirectory
Este código define o diretório padrão do navegador de pastas para o diretório atual.
Execute a aplicação. Quando você clica em Procurar pela primeira vez, a caixa de diálogo Procurar pasta é aberta para o diretório atual.
Pare de executar o aplicativo.
Para habilitar controles seletivamente
Adicione o seguinte
SetEnabled
método.Private Sub SetEnabled() Dim anySelected As Boolean = (filesListBox.SelectedItem IsNot Nothing) examineButton.Enabled = anySelected saveCheckBox.Enabled = anySelected End Sub
O
SetEnabled
método habilita ou desabilita controles dependendo se um item está selecionado noListBox
.Crie um
SelectedIndexChanged
manipulador de eventos parafilesListBox
clicando duas vezes noListBox
controle no formulário.Adicione uma chamada para
SetEnabled
no novofilesListBox_SelectedIndexChanged
manipulador de eventos.Adicione uma chamada a
SetEnabled
no final dobrowseButton_Click
manipulador de eventos.Adicione uma chamada a
SetEnabled
no final doForm1_Load
manipulador de eventos.Execute a aplicação. A caixa de seleção Salvar Resultados e o botão Examinar serão desabilitados se um item não estiver selecionado no
ListBox
.
Exemplo completo usando My.Computer.FileSystem
Segue-se o exemplo completo.
' This example uses members of the My.Computer.FileSystem
' object, which are available in Visual Basic.
Private Sub Form1_Load(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles MyBase.Load
' Set the default directory of the folder browser to the current directory.
FolderBrowserDialog1.SelectedPath = My.Computer.FileSystem.CurrentDirectory
SetEnabled()
End Sub
Private Sub browseButton_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles browseButton.Click
If FolderBrowserDialog1.ShowDialog() = DialogResult.OK Then
' List files in the folder.
ListFiles(FolderBrowserDialog1.SelectedPath)
End If
SetEnabled()
End Sub
Private Sub ListFiles(ByVal folderPath As String)
filesListBox.Items.Clear()
Dim fileNames = My.Computer.FileSystem.GetFiles(
folderPath, FileIO.SearchOption.SearchTopLevelOnly, "*.txt")
For Each fileName As String In fileNames
filesListBox.Items.Add(fileName)
Next
End Sub
Private Sub examineButton_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles examineButton.Click
If filesListBox.SelectedItem Is Nothing Then
MessageBox.Show("Please select a file.")
Exit Sub
End If
' Obtain the file path from the list box selection.
Dim filePath = filesListBox.SelectedItem.ToString
' Verify that the file was not removed since the
' Browse button was clicked.
If My.Computer.FileSystem.FileExists(filePath) = False Then
MessageBox.Show("File Not Found: " & filePath)
Exit Sub
End If
' Obtain file information in a string.
Dim fileInfoText As String = GetTextForOutput(filePath)
' Show the file information.
MessageBox.Show(fileInfoText)
If saveCheckBox.Checked = True Then
' Place the log file in the same folder as the examined file.
Dim logFolder As String = My.Computer.FileSystem.GetFileInfo(filePath).DirectoryName
Dim logFilePath = My.Computer.FileSystem.CombinePath(logFolder, "log.txt")
Dim logText As String = "Logged: " & Date.Now.ToString &
vbCrLf & fileInfoText & vbCrLf & vbCrLf
' Append text to the log file.
My.Computer.FileSystem.WriteAllText(logFilePath, logText, append:=True)
End If
End Sub
Private Function GetTextForOutput(ByVal filePath As String) As String
' Verify that the file exists.
If My.Computer.FileSystem.FileExists(filePath) = False Then
Throw New Exception("File Not Found: " & filePath)
End If
' Create a new StringBuilder, which is used
' to efficiently build strings.
Dim sb As New System.Text.StringBuilder()
' Obtain file information.
Dim thisFile As System.IO.FileInfo = My.Computer.FileSystem.GetFileInfo(filePath)
' Add file attributes.
sb.Append("File: " & thisFile.FullName)
sb.Append(vbCrLf)
sb.Append("Modified: " & thisFile.LastWriteTime.ToString)
sb.Append(vbCrLf)
sb.Append("Size: " & thisFile.Length.ToString & " bytes")
sb.Append(vbCrLf)
' Open the text file.
Dim sr As System.IO.StreamReader =
My.Computer.FileSystem.OpenTextFileReader(filePath)
' Add the first line from the file.
If sr.Peek() >= 0 Then
sb.Append("First Line: " & sr.ReadLine())
End If
sr.Close()
Return sb.ToString
End Function
Private Sub filesListBox_SelectedIndexChanged(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles filesListBox.SelectedIndexChanged
SetEnabled()
End Sub
Private Sub SetEnabled()
Dim anySelected As Boolean =
(filesListBox.SelectedItem IsNot Nothing)
examineButton.Enabled = anySelected
saveCheckBox.Enabled = anySelected
End Sub
Exemplo completo usando System.IO
O exemplo equivalente a seguir usa classes do System.IO namespace em vez de usar My.Computer.FileSystem
objetos.
' This example uses classes from the System.IO namespace.
Private Sub Form1_Load(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles MyBase.Load
' Set the default directory of the folder browser to the current directory.
FolderBrowserDialog1.SelectedPath =
System.IO.Directory.GetCurrentDirectory()
SetEnabled()
End Sub
Private Sub browseButton_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles browseButton.Click
If FolderBrowserDialog1.ShowDialog() = DialogResult.OK Then
' List files in the folder.
ListFiles(FolderBrowserDialog1.SelectedPath)
SetEnabled()
End If
End Sub
Private Sub ListFiles(ByVal folderPath As String)
filesListBox.Items.Clear()
Dim fileNames As String() =
System.IO.Directory.GetFiles(folderPath,
"*.txt", System.IO.SearchOption.TopDirectoryOnly)
For Each fileName As String In fileNames
filesListBox.Items.Add(fileName)
Next
End Sub
Private Sub examineButton_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles examineButton.Click
If filesListBox.SelectedItem Is Nothing Then
MessageBox.Show("Please select a file.")
Exit Sub
End If
' Obtain the file path from the list box selection.
Dim filePath = filesListBox.SelectedItem.ToString
' Verify that the file was not removed since the
' Browse button was clicked.
If System.IO.File.Exists(filePath) = False Then
MessageBox.Show("File Not Found: " & filePath)
Exit Sub
End If
' Obtain file information in a string.
Dim fileInfoText As String = GetTextForOutput(filePath)
' Show the file information.
MessageBox.Show(fileInfoText)
If saveCheckBox.Checked = True Then
' Place the log file in the same folder as the examined file.
Dim logFolder As String =
System.IO.Path.GetDirectoryName(filePath)
Dim logFilePath = System.IO.Path.Combine(logFolder, "log.txt")
' Append text to the log file.
Dim logText As String = "Logged: " & Date.Now.ToString &
vbCrLf & fileInfoText & vbCrLf & vbCrLf
System.IO.File.AppendAllText(logFilePath, logText)
End If
End Sub
Private Function GetTextForOutput(ByVal filePath As String) As String
' Verify that the file exists.
If System.IO.File.Exists(filePath) = False Then
Throw New Exception("File Not Found: " & filePath)
End If
' Create a new StringBuilder, which is used
' to efficiently build strings.
Dim sb As New System.Text.StringBuilder()
' Obtain file information.
Dim thisFile As New System.IO.FileInfo(filePath)
' Add file attributes.
sb.Append("File: " & thisFile.FullName)
sb.Append(vbCrLf)
sb.Append("Modified: " & thisFile.LastWriteTime.ToString)
sb.Append(vbCrLf)
sb.Append("Size: " & thisFile.Length.ToString & " bytes")
sb.Append(vbCrLf)
' Open the text file.
Dim sr As System.IO.StreamReader =
System.IO.File.OpenText(filePath)
' Add the first line from the file.
If sr.Peek() >= 0 Then
sb.Append("First Line: " & sr.ReadLine())
End If
sr.Close()
Return sb.ToString
End Function
Private Sub filesListBox_SelectedIndexChanged(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles filesListBox.SelectedIndexChanged
SetEnabled()
End Sub
Private Sub SetEnabled()
Dim anySelected As Boolean =
(filesListBox.SelectedItem IsNot Nothing)
examineButton.Enabled = anySelected
saveCheckBox.Enabled = anySelected
End Sub