我一直在Visual中编写一个以登录表单开头的vb程序。我已经将22个人的用户名和密码存储在Access数据库中。我的计划是,一旦用户将他们的用户名和密码输入到相应的文本框中,他们就会单击"Login“按钮,然后启动所需的代码,用数据库中的信息检查textbox中的文本。
我使用数据源配置向导将数据库加载到解决方案资源管理器中,据我所知,它创建了一个数据集。单击解决方案资源管理器中的数据集时,它将显示适当的查询。当我点击预览数据时,它甚至会显示正确的信息。
问题出现在登录表单上的代码本身。我在"Login“按钮事件处理程序中输入了以下代码:
Private Sub btnLoginSubmit_Click(sender As Object, e As EventArgs) Handles btnLoginSubmit.Click
Dim row As TutorAccountDataSet.TutorsRow 'Declares the row variable
Dim strUsername(21) As String 'Declares the username array
Dim strPassword(21) As String 'Declares the password array
Dim intLoginCounter As Integer = 0 'Declares the variable for counting the loop cycles
For Each row In Me.TutorAccountDataSet.Tutors.Rows 'Loop goes through each row in the dataset and loads the username column into the array
strUsername(intLoginCounter) = row.Username
intLoginCounter += 1
Next
End Sub
在第7行(我开始循环的地方),Visual给出了以下错误:
TutorAccountDataSet不是'Tutor_Training.frmLogin‘的成员。
我确实做了一些研究,但我不确定给有类似问题(但非常不同)问题的人的建议是否适用于这个问题。我想我可能需要为此调用Fill
方法,但这也会导致代码中包含的相同错误。
有人知道为什么会发生这个错误吗?如何修复它?
发布于 2015-06-10 23:30:59
首先,正如您所说的,您只需要一个表的内容,我建议从DataTable中获取一个DataSet,而不是从DataBase中获取一个DataSet。
我还建议以编程方式创建和填充这个DataTable,而不是使用VS向导。通过这样做,您可以完全控制您的DataTable将在何处和何时再次创建和释放。
在下面你会发现一个评论很多的方法,你可以添加到你的程序。调整连接字符串以适应您的连接(参见connectionstrings.com中的引用),并调用方法来创建您的DataTable,该方法可以用作迭代的对象,反之亦然。
Imports System.Data
Imports System.Data.OleDb
Private Function GetDataTableFromAccess(query As String) As DataTable
' local variables
Dim Con As OleDbConnection
Dim DAdapter As OleDbDataAdapter
Dim Command As OleDbCommand
Dim ResultTable As DataTable
' initialize the connection
Con = New OleDbConnection()
Con.ConnectionString = "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=C:\_sandbox\Northwind.mdb"
' initialize the command
Command = New System.Data.OleDb.OleDbCommand()
Command.Connection = Con
Command.CommandText = query
' initialize the DataAdapter (only the Select command, as we're only reading data at this time)
DAdapter = New System.Data.OleDb.OleDbDataAdapter()
DAdapter.SelectCommand = Command
' initialize the DataTable
ResultTable = New DataTable()
' get data from the dataBase and then get rid of the DataAdapter as it has done it's duty)
DAdapter.Fill(ResultTable)
DAdapter.Dispose()
' return the populated DataTable to the calling code
Return ResultTable
End Function
在将此方法添加到代码中之后,只需向主程序添加一行代码,就可以从DataBase获得任何查询结果:
' adjust the query to your needs
Dim UsrTbl As DataTable = GetDataTableFromAccess("SELECT * FROM UserTable")
哦,请注意,上面的解决方案是针对..mdb数据库文件的。如果您使用的是..accdb Database格式,那么您可能必须在您的程序打算从运行的每台计算机上安装专用驱动程序,因为据我所知..accdb Database驱动程序不是Windows7的本机部分(同样,请参阅connectionstrings.com以获得参考)。考虑到这一点,我建议您使用..mdb数据库格式。
https://stackoverflow.com/questions/30768160
复制相似问题