473,395 Members | 1,443 Online
Bytes | Software Development & Data Engineering Community
Post Job

Home Posts Topics Members FAQ

Join Bytes to post your question to a community of 473,395 software developers and data experts.

SQL statement gives different results in Access Query and VBA

13
I have an SQL statement that after processing becomes (the only processing is to insert the month and year values from a form.)

Expand|Select|Wrap|Line Numbers
  1. SELECT DISTINCT Households.zip 
  2. FROM Households, visits 
  3. WHERE Households.ID=Visits.household_id 
  4. AND Visits.visit_month=6 
  5. AND Visits.visit_year=2019 
  6. AND Visits.monthly=-1 
  7. AND Visits.weekofmonthly>0 
  8. ORDER BY households.zip
In VBA this returns all rows in the table.

In an SQL query it works correctly using only values that match the query and giving the 5 correct zip codes.

I also tried the following with the same results

Expand|Select|Wrap|Line Numbers
  1. SELECT DISTINCT Households.zip 
  2. FROM Households 
  3. INNER JOIN Visits 
  4. ON Households.ID=Visits.household_id 
  5. WHERE Visits.visit_month=6 
  6. AND Visits.visit_year=2019 
  7. AND Visits.monthly=-1 
  8. AND Visits.weekofmonthly>0 
  9. ORDER BY households.zip
Jul 10 '19 #1

✓ answered by NeoPa

Let me see if I can explain this more fully - at least some of the background concepts. Hopefully that will make it clearer why we're taking the steps we are.

To start with Reports are objects that run on some type of record source. It may be a simple table; it may be a predefined QueryDef; it may be a SQL string. Whatever it is is the RecordSource of the Report.

In your case it looks like the basic RecordSource of your Report should be equivalent to (Either SQL string or saved QueryDef - it doesn't much matter.) :
Expand|Select|Wrap|Line Numbers
  1. SELECT DISTINCT
  2.        [Households].[Zip]
  3. FROM   [Households]
  4.        INNER JOIN
  5.        [Visits]
  6.   ON   [Households].[ID]=[Visits].[Household_ID]
  7. WHERE  ([Visits].[weekofmonthly]>0)
  8.   AND  ([Visits].[monthly])
Notice that the parts of the filtering (WHERE clause) that do not depend on any selection from your Form can be included in here. Notice also that ordering is irrelevant for Reports as they have their own way of handling sorting / ordering.

Remember, this is all included as part of the report and doesn't need to be specified again elsewhere. All we need to do is specify some further filtering, which we do using strWhere and the WhereCondition argument, to ensure the data on the Form is reflected in what's shown in the Report.

Now I look more carefully at the SQL itself it seems that simply returning unique Zip values doesn't seem like what you'd want in a report, so I suspect maybe something of what you've shared with us doesn't actually add up. It looks much more like the sort of SQL you'd find associated with a ComboBox the operator needs to select a value from. We'll have to wait for your response before we get a proper understanding I expect.

20 1646
NeoPa
32,556 Expert Mod 16PB
Hi. It's great that you've posted the actual SQL used rather than the VBA code that should create it as that's the right way to go about getting appropriate help.

In this case though, you say the results you get in VBA are different from those you get when copying this same SQL into a QueryDef and running that to get the data.

That is certainly unexpected behaviour so I suggest the next step here is first to show us the code you've used and how you've determined that the SQL used in the VBA is returning the full data set.
Jul 10 '19 #2
bsm2th
13
Good point. Here it is.. I assume that this problem is because the access SQL editor has the sense to correct my SQL, but I don't see how.

I've looked at the data used, and this is returning rows that don't match the monthly item for this date.

Expand|Select|Wrap|Line Numbers
  1.     strReport = "Monthly Report"
  2.     strQuery = "SELECT DISTINCT Households.zip " _
  3.              & "FROM Households, visits WHERE Households.ID=Visits.household_id " _
  4.              & "AND Visits.visit_month=" & [Forms]![Index]![datemonth] & " AND Visits.visit_year=" & [Forms]![Index]![dateyear] & " AND Visits.monthly=-1 " _
  5.              & "AND visits.weekofmonthly>0 ORDER BY households.zip"
  6.     Set db = CurrentDb()
  7.     Set rs = db.OpenRecordset(strQuery)
  8.     'Close the report if already open: otherwise it won't filter properly.
  9.     If CurrentProject.AllReports(strReport).IsLoaded Then
  10.         DoCmd.Close acReport, strReport
  11.     End If
  12.     'Open the report.
  13.     DoCmd.OpenReport strReport, acViewPreview   'Use acViewNormal to print instead of preview.
  14.  
Jul 10 '19 #3
twinnyfo
3,653 Expert Mod 2GB
You need to modify your VBA to include that INNER JOIN properly:

Expand|Select|Wrap|Line Numbers
  1.     strReport = "Monthly Report"
  2.     strQuery = "SELECT DISTINCT Households.zip " _
  3.              & "FROM Households " _
  4.              & "INNER JOIN Visits " _
  5.              & "ON Households.ID=Visits.Household_ID " _
  6.              & "WHERE Visits.Visit_Month=" & [Forms]![Index]![datemonth] _
  7.             & " AND Visits.visit_year=" & [Forms]![Index]![dateyear] _
  8.             & " AND Visits.monthly=-1 " _
  9.              & "AND visits.weekofmonthly>0 " _
  10.              & "ORDER BY households.zip"
  11.     Set db = CurrentDb()
  12.     Set rs = db.OpenRecordset(strQuery)
  13.     'Close the report if already open: otherwise it won't filter properly.
  14.     If CurrentProject.AllReports(strReport).IsLoaded Then
  15.         DoCmd.Close acReport, strReport
  16.     End If
  17.     'Open the report.
  18.     DoCmd.OpenReport strReport, acViewPreview   'Use acViewNormal to print instead of preview.
But, one more challenge you have with the code above is that you are not saving the SQL Statement as a QueryDef (I am assuming the Report uses the created QueryDef as its Record Source? In which case:

Expand|Select|Wrap|Line Numbers
  1.     Dim strSQL As String
  2.     Dim db As DAO.Database
  3.     Dim qdf As DAO.QueryDef
  4.  
  5.     strSQL = _
  6.         "SELECT DISTINCT Households.zip " _
  7.       & "FROM Households " _
  8.       & "INNER JOIN Visits " _
  9.       & "ON Households.ID=Visits.Household_ID " _
  10.       & "WHERE Visits.Visit_Month=" & [Forms]![Index]![datemonth] _
  11.      & " AND Visits.visit_year=" & [Forms]![Index]![dateyear] _
  12.      & " AND Visits.monthly=-1 " _
  13.       & "AND visits.weekofmonthly>0 " _
  14.       & "ORDER BY households.zip"
  15.     Set db = CurrentDB()
  16.     Set qdf = db.CreateQueryDef("YOURQueryDefName", strSQL)
  17.     Set qdf = Nothing
  18.     Set db = Nothing
  19.  
  20.     If CurrentProject.AllReports(strReport).IsLoaded Then
  21.         DoCmd.Close acReport, strReport
  22.     End If
  23.     'Open the report.
  24.     DoCmd.OpenReport strReport, acViewPreview   'Use acViewNormal to print instead of preview.
Hope this hepps!
Jul 10 '19 #4
NeoPa
32,556 Expert Mod 16PB
@Bsm2th.
You have a Recordset in your code and then you open a Report. I assume the Report is showing you the information that you expect to be adjusted by the Recordset which is how you know it isn't working. Unfortunately, there is nothing in your VBA that changes how the Report works so the Report will continue to give the same results until you do.

This is quite an easy thing to do when you know how. You simply set up a value for the WhereCondition parameter that includes the WHERE part of the SQL string you prepared earlier. To help I'll include some code for you. It's different from your. A little tidier and clearer. I will exclude the parts that are always set as that can be incorporated into the Report itself (or the QueryDef the Report uses as a RecordSource. As Twinny has already intimated, use the version where the two tables are joined using an INNER JOIN for preference. Both versions should work but that one is by far the preferred option for performance and readability.

I've also assumed that this code is run from the Form's associated module and as such supports references to the current Form simply as Me..
Expand|Select|Wrap|Line Numbers
  1. Dim strWhere As String
  2.  
  3. With Me
  4.     strWhere = "([Visits].[visit_month]=%VM) AND " _
  5.              & "([Visits].[visit_year]=%VY) AND "
  6.     strWhere = Replace(strWhere, "%VM", .datemonth)
  7.     strWhere = Replace(strWhere, "%VY", .dateyear)
  8. End With
  9. If CurrentProject.AllReports(strReport).IsLoaded Then _
  10.     Call DoCmd.Close(acReport, strReport)
  11. Call DoCmd.OpenReport(ReportName:=strReport _
  12.                     , View:=acViewPreview _
  13.                     , WhereCondition:=strWhere)
Closing the Report, if open, is probably unnecessary. If open it should just change it to the new settings. On the other hand it's probably good practive.
BTW you'll see in my example code I only use one line (albeit extended onto two for readability) for that If statement. Some like to use multi-line If statements in all circumstances but I prefer to use the simpler form where possible. You can change it back if you prefer.
Jul 10 '19 #5
NeoPa
32,556 Expert Mod 16PB
Just to clarify from Twinny's post :
  1. I certainly support that the version with the INNER JOIN would be a better way to proceed. Having checked both SQL strings visually I can confirm both should end up with the same data, but the INNER JOIN one would definitely be the one to choose for both performance and readability reasons.
  2. It is also possible to update either the QueryDef used by the Report, or even the Report itself, to change the underlying SQL used, and if you ever feel the need to do this then Twinny's provided some code that will help.
    I don't like that approach myself as it seems overkill when you already have a WhereCondition parameter available that is for changing the filtering for this instance only. It leaves you with a changed Report object and that seems wrong to me. The last point is that, should you ever get to signing your projects, and that is still possible even today but far less common and more complicated than it used to be in earlier versions, then any such change to an object in the database done by code woul cause the signature of the project to be discarded as the design has been changed since it was last saved with the signature. As I say, this last consideration is getting increasingly less important but I feel the other reasons are still strong.
    That said, a good friend of mine and Access MVP, Armen Stein of J Street Technology, does seem to preach this approach, and has various code snippets available on his site to enable it (As it's a commercial site I'm precluded from linking to it from here but it's not hard to find and you can learn a great deal from it). Not to mention one of our own very good experts Twinny obviously sees it as a viable approach too.
I think, between the two of us, we've left you more than enough information (and even code snippets) to get this working for you. If you need more help though, just holler :-)
Jul 10 '19 #6
bsm2th
13
Still having trouble. At the openreport call, not having the strWhere causes a report with all rows of the database. With strWhere causes me to be prompted for month, year, weekofmonthly, and monthly. Then it uses all fields anyway. I verified that strWhere was correct. If it matters, the report only uses the zip field. Also, is there any purpose for the recordset here? openreport seems to be doing all the work(or trying :>)
Here is my code now.

Expand|Select|Wrap|Line Numbers
  1. Private Sub domonthlyreport()
  2.     Dim db As DAO.Database
  3.     Dim rs As DAO.Recordset
  4.     Dim strReport As String, strQuery As String, strWhere As String
  5.  
  6.     strQuery = "SELECT DISTINCT Households.zip " _
  7.              & "FROM Households " _
  8.              & "INNER JOIN Visits " _
  9.              & "ON Households.ID=Visits.Household_ID " _
  10.              & "ORDER by Households.zip"
  11.  
  12.     strWhere = "([Visits].[visit_month]=%VM) AND " _
  13.              & "([Visits].[visit_year]=%VY) AND " _
  14.              & "([Visits].[weekofmonthly]>0) AND " _
  15.              & "([Visits].[monthly]=-1)"
  16.     strWhere = Replace(strWhere, "%VM", Me.datemonth)
  17.     strWhere = Replace(strWhere, "%VY", Me.dateyear)
  18.  
  19.     strReport = "Monthly Report"
  20.     Set db = CurrentDb()
  21.     Set rs = db.OpenRecordset(strQuery, dbOpenSnapshot)
  22.     If CurrentProject.AllReports(strReport).IsLoaded Then DoCmd.Close acReport, strReport
  23.     DoCmd.OpenReport strReport, acViewPreview, strQuery, strWhere 'Use acViewNormal to print instead of preview.
  24. End Sub
  25.  
Jul 10 '19 #7
NeoPa
32,556 Expert Mod 16PB
Indeed not. You seem to be struggling to follow the instructions from two separate sources at the same time. Focus on one for now.

As you say, there is no need for the Recordset at all. That was from your original code and was based on a misunderstanding.

The code in my post #5 includes all you need. I already stripped out the Recordset code as unnecessary. I also showed how to call the OpenReport() method properly. In your latest version you have four parameters, which is a little random. You've tried to use both strQuery and strWhere, which makes no sense of course. There's no way to guess which you intended for which parameter as you've used poitional parameters instead of the named ones as suggested. The beauty of the strWhere approach (One of them at least.) is that you only need to specify the filtering, rather than build the whole SQL string.

Try that and, if it doesn't work then post the value of strWhere and we'll see if we can see why not. In this situation it's obvious why but if you do it properly then it should work.
Jul 10 '19 #8
NeoPa
32,556 Expert Mod 16PB
Let me see if I can explain this more fully - at least some of the background concepts. Hopefully that will make it clearer why we're taking the steps we are.

To start with Reports are objects that run on some type of record source. It may be a simple table; it may be a predefined QueryDef; it may be a SQL string. Whatever it is is the RecordSource of the Report.

In your case it looks like the basic RecordSource of your Report should be equivalent to (Either SQL string or saved QueryDef - it doesn't much matter.) :
Expand|Select|Wrap|Line Numbers
  1. SELECT DISTINCT
  2.        [Households].[Zip]
  3. FROM   [Households]
  4.        INNER JOIN
  5.        [Visits]
  6.   ON   [Households].[ID]=[Visits].[Household_ID]
  7. WHERE  ([Visits].[weekofmonthly]>0)
  8.   AND  ([Visits].[monthly])
Notice that the parts of the filtering (WHERE clause) that do not depend on any selection from your Form can be included in here. Notice also that ordering is irrelevant for Reports as they have their own way of handling sorting / ordering.

Remember, this is all included as part of the report and doesn't need to be specified again elsewhere. All we need to do is specify some further filtering, which we do using strWhere and the WhereCondition argument, to ensure the data on the Form is reflected in what's shown in the Report.

Now I look more carefully at the SQL itself it seems that simply returning unique Zip values doesn't seem like what you'd want in a report, so I suspect maybe something of what you've shared with us doesn't actually add up. It looks much more like the sort of SQL you'd find associated with a ComboBox the operator needs to select a value from. We'll have to wait for your response before we get a proper understanding I expect.
Jul 10 '19 #9
bsm2th
13
It looks odd, but a distinct list of zip codes for the month and year given is what I want at this point.

I am doing a monthly report for a foodbank I volunteer at. This report is for the state agency that we get most of our food from and this report documents who got food and is used to decide how much we get.

At this point I need a distinct list of zip codes where people got food. In the report, I break things down much further, First, given a zip code, a loop check each family for income source, assistance programs, etc. Then another loop grabs members from each family, adds a total number of people and breaks them down by age.

For some strange reason, this all works, I'm just stuck at the start getting that zip code list. On the report, each different zip code is a different line with all the info from the loops.

I've written this app before with Linux and Ruby on Rails. Access will be much better for the new version

One question I had from reading your reply. You say not to use strQuery and strWhere together, but then you seem to say that both are needed. What I called strQuery became the RecordSource, and strWhere was still needed. Am I declaring them in the wrong places ?
Jul 11 '19 #10
bsm2th
13
Here is what I have so far.

Expand|Select|Wrap|Line Numbers
  1. Private Sub domonthlyreport()
  2.     Dim strReport As String, strQuery As String, strWhere As String
  3.  
  4.     strQuery = "SELECT DISTINCT Households.zip " _
  5.              & "FROM Households " _
  6.              & "INNER JOIN Visits " _
  7.              & "ON Households.ID=Visits.Household_ID " _
  8.              & "WHERE Visits.weekofmonthly>0 AND " _
  9.              & "Visits.monthly=-1 " _
  10.              & "ORDER by Households.zip"
  11.  
  12.     strWhere = "([Visits].[visit_month]=%VM) AND " _
  13.              & "([Visits].[visit_year]=%VY)"
  14.  
  15.     strWhere = Replace(strWhere, "%VM", Me.datemonth)
  16.     strWhere = Replace(strWhere, "%VY", Me.dateyear)
  17.  
  18.     strReport = "Monthly Report"
  19.     If CurrentProject.AllReports(strReport).IsLoaded Then DoCmd.Close acReport, strReport
  20.     DoCmd.OpenReport strReport, acViewPreview, strQuery, strWhere 'Use acViewNormal to print instead of preview.
  21. End Sub
  22.  
This is what I get for strQuery

SELECT DISTINCT Households.zip FROM Households INNER JOIN Visits ON Households.ID=Visits.Household_ID WHERE Visits.weekofmonthly>0 AND Visits.monthly=-1 ORDER by Households.zip

and strWhere

([Visits].[visit_month]=6) AND ([Visits].[visit_year]=2019)
Jul 11 '19 #11
bsm2th
13
Here is the report I'm trying to make
Attached Files
File Type: pdf Monthly Report for June 2019.pdf (167.1 KB, 61 views)
Jul 11 '19 #12
NeoPa
32,556 Expert Mod 16PB
Bsm2th:
One question I had from reading your reply. You say not to use strQuery and strWhere together, but then you seem to say that both are needed. What I called strQuery became the RecordSource, and strWhere was still needed. Am I declaring them in the wrong places?
If that's your understanding then you may need to read my post again. strQuery is not needed. Something is required in the Report's RecordSource property for sure, but that something is stored as part of the Report object and shouldn't be set from your code. Think about it and you'll see that wouldn't make sense.

No. First design the Report as a saved object in your database. How you set the RecordSource is up to you but the result should be as explained in my earlier post. When you test it directly (IE. without running your code but just opening it.) you should see the data as unfiltered. This is fine. The Form is what provides the filter and you're bypassing that to test the basic Report object.

When you open the Report from the Form you specify no basic query but just the filter (WhereCondition argument = strWhere in this code).
Jul 11 '19 #13
bsm2th
13
Now this is getting clearer.

From what I understand (not much at the moment), the beginning SQL statement should be set as the RecordSource in the report and sqlWhere should be used in the openreport call.

What i read on the internet looked like the recordsource and strWhere both came from the openreport call.

I set the recordsource property in the report and am now getting prompted for month and year values, even though the strWhere string is correct. Here is my current code:

Expand|Select|Wrap|Line Numbers
  1. Private Sub domonthlyreport()
  2.     Dim strReport As String, strWhere As String
  3.  
  4.     strWhere = "([Visits].[visit_month]=%VM) AND " _
  5.              & "([Visits].[visit_year]=%VY)"
  6.     strWhere = Replace(strWhere, "%VM", Me.datemonth)
  7.     strWhere = Replace(strWhere, "%VY", Me.dateyear)
  8.  
  9.     strReport = "Monthly Report"
  10.     Call DoCmd.OpenReport(ReportName:=strReport _
  11.                         , View:=acViewPreview _
  12.                         , WhereCondition:=strWhere) 
  13. End Sub
  14.  
The value of StrWhere is '([Visits].[visit_month]=6) AND ([Visits].[visit_year]=2019)'


The value of RecordSource is 'SELECT DISTINCT [Households].[zip] FROM Households INNER JOIN Visits ON [Households].[ID]=[Visits].[Household_ID] WHERE Visits.weekofmonthly>0 And Visits.monthly;'
Jul 11 '19 #14
NeoPa
32,556 Expert Mod 16PB
Are you being prompted for [visit_month] & [visit_year] values? If so then I can only surmise that neither field is numeric.

If that is the case then they would probably be Text Fields, in which case the code needs a small alteration (See Quotes (') and Double-Quotes (") - Where and When to use them) :
Expand|Select|Wrap|Line Numbers
  1. strWhere = "([Visits].[visit_month]='%VM') AND " _
  2.          & "([Visits].[visit_year]='%VY')"
  3. strWhere = Replace(strWhere, "%VM", Me.datemonth)
  4. strWhere = Replace(strWhere, "%VY", Me.dateyear)
If that isn't your problem then we will need to explore further as what you've shown seems perfect.
Jul 12 '19 #15
Rabbit
12,516 Expert Mod 8TB
If the record source of the report only returns zip, then the where clause on that record source won't have the other fields on which to filter.
Jul 12 '19 #16
NeoPa
32,556 Expert Mod 16PB
Doh!!

Good spot Rabbit. I missed that :-(

@Bsm2th.
That means the RecordSource for the Report should be changed to something like the following :
Expand|Select|Wrap|Line Numbers
  1. SELECT DISTINCT
  2.        [Households].[zip]
  3.      , [Visits].[visit_month]
  4.      , [Visits].[visit_year]
  5. FROM   [Households]
  6.        INNER JOIN
  7.        [Visits]
  8.   ON   [Households].[ID]=[Visits].[Household_ID]
  9. WHERE  ([Visits].[weekofmonthly]>0)
  10.   AND  ([Visits].[monthly])
Jul 12 '19 #17
bsm2th
13
It worked!! Thanks to everyone who helped me!

BTW, the fields were numeric. Adding them to the SQL query fixed the problem.
Jul 12 '19 #18
NeoPa
32,556 Expert Mod 16PB
Glad to hear you've got it all clear now.

Even more glad to see that you've developed as part of the process.

Possibly most glad that Rabbit picked up that the Fields weren't in the original SQL because I wasn't seeing it for looking.
Jul 13 '19 #19
bsm2th
13
Just in case people are interested, here is the code at this point, working correctly.

First, the RecordSource for 'Monthly Report'
Expand|Select|Wrap|Line Numbers
  1. SELECT DISTINCT [Households].[zip], [Visits].[visit_month], [Visits].[visit_year] FROM Households INNER JOIN Visits ON [Households].[ID]=[Visits].[Household_ID] WHERE Visits.weekofmonthly>0 And Visits.monthly; 
now the function

Expand|Select|Wrap|Line Numbers
  1. Private Sub doreportwithparams()
  2.     Dim strReport, strQuery, strWhere As String
  3.  
  4.     strWhere = "([Visits].[visit_month]=%VM) AND " _
  5.              & "([Visits].[visit_year]=%VY)"
  6.  
  7.     strWhere = Replace(strWhere, "%VM", Me.datemonth)
  8.     strWhere = Replace(strWhere, "%VY", Me.dateyear)
  9.  
  10.     Select Case reports
  11.         Case 5
  12.                 strWhere = strWhere & " AND ([Visits].[weekofmonthly]=%VW)"
  13.                 strWhere = Replace(strWhere, "%VW", Me.Thisweekbox)
  14.                 strReport = "Weekly Report"
  15.                 strQuery = "Weekly ZIPs"
  16.         Case 6
  17.                 strReport = "Monthly Report"
  18.     End Select
  19.  
  20.     'Close the report if already open: otherwise it won't filter properly.
  21.     If CurrentProject.AllReports(strReport).IsLoaded Then
  22.         DoCmd.Close acReport, strReport
  23.     End If
  24.     'Open the report.
  25.     On Error Resume Next
  26.     Select Case reports
  27.         Case 5
  28.             Call DoCmd.OpenReport(ReportName:=strReport _
  29.                         , View:=acViewPreview _
  30.                         , FilterName:=strQuery _
  31.                         , WhereCondition:=strWhere)    'Use acViewNormal to print instead of preview.
  32.         Case 6
  33.             Call DoCmd.OpenReport(ReportName:=strReport _
  34.                         , View:=acViewPreview _
  35.                         , WhereCondition:=strWhere) 'Use acViewNormal to print instead of preview.
  36.  
  37.     End Select
  38.     If Err = 2501 Then Err.Clear
  39. End Sub
  40.  
report is 5 for the Monthly Report

Thanks to everyone for all the help
Bob
Jul 18 '19 #20
NeoPa
32,556 Expert Mod 16PB
Hi Bob.

Starting on line #28 you open a Report using the FilterName parameter. Can you explain what that is and why you're using it. I've never felt the need to use that as the WhereCondition parameter seems to handle everything I need for filtering. Seeing both in a single call is a surprise to me but I don't know why so maybe there's sense there that I simply don't see.

Obviously, my suspicion is that it is extraneous and unhelpful, but as I say, I can't be sure without knowing more of the details. It's the first time I've seen it in the thread so seems very suspicious.
Jul 18 '19 #21

Sign in to post your reply or Sign up for a free account.

Similar topics

8
by: Bruce Dodds | last post by:
When run manually, my query appends 14 records. When run from code using CurrentProject.Connection.Execute, the same query appends 11 records. Does anyone have an explanation of why this could be...
2
by: Steeler | last post by:
I am getting the averages of a field LT. When I run it in the query designer: SELECT tbl_LTandWait.EngModule, Avg(tbl_LTandWait.LT) AS AvgOfLT, Avg(tbl_LTandWait.LT_Mfg) AS AvgOfLT_Mfg FROM...
2
PEB
by: PEB | last post by:
When I use the statement: Set objDatasheet = Application.Screen.ActiveDatasheet there is no problem on the majority of machines, but on one or two of them Visual Basic generates this kind...
3
by: Torie | last post by:
I am successful pulling the appropriate data from a database table and a view (which contains 2 tables) via SQL query tool. However, when I make the selection from my ASP code, several fields will...
5
by: =?Utf-8?B?RmFlc3NsZXIgR2lsbGVz?= | last post by:
Hello, I'm facing a strange problem. We have an Asp.net 2.0 Web Application and somehow the date format is changing from one client to another even if all the code is running server-side... ...
0
by: billchalmers | last post by:
I am using sql 2005 express and I have a strange proble, when I execute a stored procedure from the query window I get the results I expect, but when I execute it from an asp page then I get a...
1
by: yawnmoth | last post by:
<a> <b> <c/><c/> </b> <b> <c/><c/><c/> </b> <b> <c/> </b>
1
by: yawnmoth | last post by:
<?php $content = ' <a> <d> <b> <c/><c/> </b> </d> <b> <c/><c/><c/>
14
by: iheartvba | last post by:
Hi I am running the following query in access query builder. The name of the query is "qryTempRecEFTBankedMaxDate": SELECT Max(qryTempRecEFTBanked.Dt) AS MaxOfDt FROM qryTempRecEFTBanked; it...
0
by: Charles Arthur | last post by:
How do i turn on java script on a villaon, callus and itel keypad mobile phone
0
by: ryjfgjl | last post by:
If we have dozens or hundreds of excel to import into the database, if we use the excel import function provided by database editors such as navicat, it will be extremely tedious and time-consuming...
0
by: emmanuelkatto | last post by:
Hi All, I am Emmanuel katto from Uganda. I want to ask what challenges you've faced while migrating a website to cloud. Please let me know. Thanks! Emmanuel
1
by: nemocccc | last post by:
hello, everyone, I want to develop a software for my android phone for daily needs, any suggestions?
1
by: Sonnysonu | last post by:
This is the data of csv file 1 2 3 1 2 3 1 2 3 1 2 3 2 3 2 3 3 the lengths should be different i have to store the data by column-wise with in the specific length. suppose the i have to...
0
by: Hystou | last post by:
There are some requirements for setting up RAID: 1. The motherboard and BIOS support RAID configuration. 2. The motherboard has 2 or more available SATA protocol SSD/HDD slots (including MSATA, M.2...
0
by: Hystou | last post by:
Most computers default to English, but sometimes we require a different language, especially when relocating. Forgot to request a specific language before your computer shipped? No problem! You can...
0
jinu1996
by: jinu1996 | last post by:
In today's digital age, having a compelling online presence is paramount for businesses aiming to thrive in a competitive landscape. At the heart of this digital strategy lies an intricately woven...
0
tracyyun
by: tracyyun | last post by:
Dear forum friends, With the development of smart home technology, a variety of wireless communication protocols have appeared on the market, such as Zigbee, Z-Wave, Wi-Fi, Bluetooth, etc. Each...

By using Bytes.com and it's services, you agree to our Privacy Policy and Terms of Use.

To disable or enable advertisements and analytics tracking please visit the manage ads & tracking page.