Put a breakpoint in your code and step through each line, checking the
values in the Immediate window. Is the AfterUpdate event actually firing
(if
not, you'll never reach your breakpoint)? What does your SQL string look
like after you build it? Is the recordset actually being populated? Are
there values in the recordset fields? One thing I do frequently is print
the
SQL string in the Immediate window, then copy the SQL statement and paste
it
into an empty Query window (in SQL view). If the query doesn't run, I can
usually catch some errors there.
One important question: is the data type of the Pro_ID field (in the
table)
text or numeric? If it's text, even if you're storing a number you'll
need
to put quotes around the value in the SQL string you build:
strSQL = "...WHERE [Pro_ID]='" & Me.<your control name> & "'"
Note the single quotes around the value of Pro_ID. For clarity, here's
the
code with spaces inserted:
WHERE [Pro_ID] = ' " & Me.<your control name> & " ' "
Carl Rapson
	
		
			
				Yepp said:
			
		
	
	
		
		
			Carl,
I used my control name instead of the 'txtPro_ID' but still nothing
happens.
There are no errors when I run the code...just none of the info fills
in.
:
Is the control (not the field) really named 'txtPro_ID'? If not, use
your
own control name there.
Carl Rapson
Carl,
I tried your way (see below) but something is not working right.  I
keep
getting a compile error on the strSQL line.  Am I doing something
wrong?
==================================
Private Sub Pro_ID_AfterUpdate()
Dim strSQL As String
Dim rs As DAO.Recordset
strSQL = "SELECT [prov1].LAST_NAME, [prov1].FIRST_NAME FROM [prov1]
WHERE
[Pro_ID]=" & Me.txtPro_ID
Set rs = CurrentDb.OpenRecordset(strSQL)
If rs.RecordCount > 0 Then
Me.txtLAST_NAME = rs.Fields![ LAST NAME]
Me.txtFIRST_NAME = rs.Fields![FIRST NAME]
End If
rs.Close
Set rs = Nothing
=================================
:
I have a form that has several fields, one of which is called
Pro_ID.
I
would like to use whatever number is entered in that field to run
a
query
that fills in the rest of the fields with information associated
with
that
Pro_ID.  Any ideas as to how I can achieve this?  Thanks.
In the AfterUpdate event of the Pro_ID control, construct an SQL
statement
to retrieve the values you want and place them in the appropriate
controls:
Dim strSQL As String
Dim rs As DAO.Recordset
strSQL = "SELECT field1,field2 FROM table WHERE [Pro_ID]=" &
Me.txtPro_ID
Set rs = CurrentDb.OpenRecordset(strSQL)
If rs.RecordCount > 0 Then
Me.txtField1 = rs.Fields![field1]
Me.txtField2 = rs.Fields![field2]
End If
rs.Close
Set rs = Nothing
Alternately, you could use a series of DLookUp calls to do the same
thing,
although using multiple DLookUps usually contributes a lot more
overhead
(and is slower) than using a single recordset:
Me.txtField1 = DLookUp("field1","table","[Pro_ID]=" & Me.Pro_ID)
Me.txtField2 = DLookUp("field2","table","[Pro_ID]=" & Me.Pro_ID)
Carl Rapson